diff --git a/CHANGES.txt b/CHANGES.txt index 47d8cc45..175ac7e4 100644 --- a/CHANGES.txt +++ b/CHANGES.txt @@ -4,6 +4,17 @@ - Remove spurious styles definition https://github.com/Pylons/deform/pull/504 [lelit] +- Adds HTML5 validation + +- Update JS libs (TinyMCE) + +- Update to Bootstrap5 + +Deprecations +^^^^^^^^^^^^ + +- Drop support of Python 3.6 and Python 3.7. + .. _2.0.15: diff --git a/TODO.txt b/TODO.txt index 4cb0f4cc..10256ea6 100644 --- a/TODO.txt +++ b/TODO.txt @@ -74,7 +74,7 @@ TODOs the name must be provided, on an edit form the name cannot be provided). -- [ ] Make deform.widget.RichText render only on oid specific element +- [X] Make deform.widget.RichText render only on oid specific element in templates. - [ ] Work out RichTextWidget default height and width and overrides diff --git a/deform/__init__.py b/deform/__init__.py index 9383ff63..63357247 100644 --- a/deform/__init__.py +++ b/deform/__init__.py @@ -1,4 +1,5 @@ """Deform.""" + # flake8: noqa from . import exception # API from . import form # API diff --git a/deform/decorator.py b/deform/decorator.py index 2bf727d0..96faae78 100644 --- a/deform/decorator.py +++ b/deform/decorator.py @@ -2,7 +2,6 @@ class reify(object): - """Put the result of a method which uses this (non-data) descriptor decorator in the instance dict after the first call, effectively replacing the decorator with an instance variable.""" diff --git a/deform/field.py b/deform/field.py index 308cd963..0a1cf203 100644 --- a/deform/field.py +++ b/deform/field.py @@ -1,4 +1,5 @@ """Field.""" + # Standard Library import itertools import re diff --git a/deform/form.py b/deform/form.py index 3e862fce..941b440a 100644 --- a/deform/form.py +++ b/deform/form.py @@ -1,4 +1,5 @@ """Form.""" + # Standard Library import re diff --git a/deform/i18n.py b/deform/i18n.py index b73d651f..42d23c84 100644 --- a/deform/i18n.py +++ b/deform/i18n.py @@ -1,4 +1,5 @@ """I18n.""" + from translationstring import TranslationStringFactory diff --git a/deform/renderer.py b/deform/renderer.py index e2491908..b8cb6926 100644 --- a/deform/renderer.py +++ b/deform/renderer.py @@ -1,4 +1,5 @@ """Renderer.""" + from pkg_resources import resource_filename # Deform diff --git a/deform/schema.py b/deform/schema.py index 70e25931..063fb5e2 100644 --- a/deform/schema.py +++ b/deform/schema.py @@ -1,4 +1,5 @@ """Schema.""" + # Pyramid import colander diff --git a/deform/static/css/form.css b/deform/static/css/form.css index ee90cf09..246e5200 100644 --- a/deform/static/css/form.css +++ b/deform/static/css/form.css @@ -20,8 +20,14 @@ form .required:after { display:inline; } -/* ugh, terrible selector coming up */ +/* Required input marker on label, based on the 'required' attributes */ +label.form-label:has(+ input[required]):after { + content: ' *'; + color: red; +} + +/* ugh, terrible selector coming up */ .hasDatepicker[readonly] { cursor: pointer !important; } @@ -34,9 +40,11 @@ form .deform-readonly-text { .btn-file { background-color: #f2f2f2; } + .btn-file:hover { background-color: #ededed; } + .upload-filename[readonly] { background-color: #fdfdfd; } diff --git a/deform/static/scripts/file_upload.js b/deform/static/scripts/file_upload.js deleted file mode 100644 index 81adc9d6..00000000 --- a/deform/static/scripts/file_upload.js +++ /dev/null @@ -1,109 +0,0 @@ -/** -* Nicer looking file inputs for bootstrap 3 -* By Jeff Dairiki based on ideas from -* http://www.abeautifulsite.net/blog/2013/08/whipping-file-inputs-into-shape-with-bootstrap-3/ -*/ -(function ($) { - - var Upload = function (element, options) { - this.$element = $(element); - this.options = $.extend({}, Upload.DEFAULTS, - this.$element.data(), - options); - - this.orig_style = this.$element.attr('style'); - this.$input_group = $(this.options.template) - .replaceAll(this.$element) - .attr('style', this.orig_style) - .css({position: 'relative', overflow: 'hidden'}); - this.$input_group.find(':text').before(this.$element); - this.$element - .on('change.deform.upload', $.proxy(this, 'update')) - .css(this.options.element_style); - this.update(); - }; - - Upload.DEFAULTS = { - filename: null, - selectfile: 'Select file…', - changefile: 'Change file…', - - template: '
' - + '
' - + '' - + '' - + '' - + '' - + '
' - + '
', - - element_style: { - position: 'absolute', - /* Older FF (3.5) seems to put a margin on the bottom of - * the file input (the margin is proportional to - * font-size, so in this case it's significant.) Shift - * bottom a bit to allow for some slop. - */ - //bottom: '0', - bottom: '-40px', - right: '0', - minWidth: '100%', - minHeight: '100%', - fontSize: '999px', - textAlign: 'right', - filter: 'alpha(opacity=0)', - opacity: '0', - background: 'red', - cursor: 'inherit', - display: 'block' - } - }; - - Upload.prototype.update = function () { - var selected_filename = this.$element.val().replace(/.*[\\\/]/, ''), - options = this.options, - filename = selected_filename || options.filename; - this.$input_group.find(':text') - .val(filename); - this.$input_group.find('.btn-file') - .text(filename ? options.changefile : options.selectfile); - }; - - Upload.prototype.destroy = function () { - this.$element - .off('.deform.upload') - .attr('style', this.orig_style || null) - .replaceAll(this.$input_group) - .removeData('deform.upload'); - }; - - - //////////////////////////////////////////////////////////////// - // plugin definition - - var old = $.fn.upload; - - $.fn.upload = function (option) { - return this.each(function () { - var $this = $(this), - data = $this.data('deform.upload'); - if (!data) { - var options = typeof option == 'object' && option; - data = new Upload(this, options); - $this.data('deform.upload', data); - } - if (typeof option == 'string') { - data[option](); - } - }); - }; - - $.fn.upload.Constructor = Upload; - - $.fn.upload.noConflict = function () { - $.fn.upload = old; - return this; - }; - -})(window.jQuery); diff --git a/deform/static/tinymce/icons/default/icons.js b/deform/static/tinymce/icons/default/icons.js new file mode 100644 index 00000000..cefaedd8 --- /dev/null +++ b/deform/static/tinymce/icons/default/icons.js @@ -0,0 +1,194 @@ +tinymce.IconManager.add('default', { + icons: { + 'accessibility-check': '', + 'accordion-toggle': '', + 'accordion': '', + 'action-next': '', + 'action-prev': '', + 'addtag': '', + 'ai-prompt': '', + 'ai': '', + 'align-center': '', + 'align-justify': '', + 'align-left': '', + 'align-none': '', + 'align-right': '', + 'arrow-left': '', + 'arrow-right': '', + 'bold': '', + 'bookmark': '', + 'border-style': '', + 'border-width': '', + 'brightness': '', + 'browse': '', + 'cancel': '', + 'cell-background-color': '', + 'cell-border-color': '', + 'change-case': '', + 'character-count': '', + 'checklist-rtl': '', + 'checklist': '', + 'checkmark': '', + 'chevron-down': '', + 'chevron-left': '', + 'chevron-right': '', + 'chevron-up': '', + 'close': '', + 'code-sample': '', + 'color-levels': '', + 'color-picker': '', + 'color-swatch-remove-color': '', + 'color-swatch': '', + 'comment-add': '', + 'comment': '', + 'contrast': '', + 'copy': '', + 'crop': '', + 'cut-column': '', + 'cut-row': '', + 'cut': '', + 'document-properties': '', + 'drag': '', + 'duplicate-column': '', + 'duplicate-row': '', + 'duplicate': '', + 'edit-block': '', + 'edit-image': '', + 'embed-page': '', + 'embed': '', + 'emoji': '', + 'export': '', + 'fill': '', + 'flip-horizontally': '', + 'flip-vertically': '', + 'footnote': '', + 'format-painter': '', + 'format': '', + 'fullscreen': '', + 'gallery': '', + 'gamma': '', + 'help': '', + 'highlight-bg-color': '', + 'home': '', + 'horizontal-rule': '', + 'image-options': '', + 'image': '', + 'indent': '', + 'info': '', + 'insert-character': '', + 'insert-time': '', + 'invert': '', + 'italic': '', + 'language': '', + 'line-height': '', + 'line': '', + 'link': '', + 'list-bull-circle': '', + 'list-bull-default': '', + 'list-bull-square': '', + 'list-num-default-rtl': '', + 'list-num-default': '', + 'list-num-lower-alpha-rtl': '', + 'list-num-lower-alpha': '', + 'list-num-lower-greek-rtl': '', + 'list-num-lower-greek': '', + 'list-num-lower-roman-rtl': '', + 'list-num-lower-roman': '', + 'list-num-upper-alpha-rtl': '', + 'list-num-upper-alpha': '', + 'list-num-upper-roman-rtl': '', + 'list-num-upper-roman': '', + 'lock': '', + 'ltr': '', + 'minus': '', + 'more-drawer': '', + 'new-document': '', + 'new-tab': '', + 'non-breaking': '', + 'notice': '', + 'ordered-list-rtl': '', + 'ordered-list': '', + 'orientation': '', + 'outdent': '', + 'page-break': '', + 'paragraph': '', + 'paste-column-after': '', + 'paste-column-before': '', + 'paste-row-after': '', + 'paste-row-before': '', + 'paste-text': '', + 'paste': '', + 'permanent-pen': '', + 'plus': '', + 'preferences': '', + 'preview': '', + 'print': '', + 'quote': '', + 'redo': '', + 'reload': '', + 'remove-formatting': '', + 'remove': '', + 'resize-handle': '', + 'resize': '', + 'restore-draft': '', + 'rotate-left': '', + 'rotate-right': '', + 'rtl': '', + 'save': '', + 'search': '', + 'select-all': '', + 'selected': '', + 'send': '', + 'settings': '', + 'sharpen': '', + 'sourcecode': '', + 'spell-check': '', + 'strike-through': '', + 'subscript': '', + 'superscript': '', + 'table-caption': '', + 'table-cell-classes': '', + 'table-cell-properties': '', + 'table-cell-select-all': '', + 'table-cell-select-inner': '', + 'table-classes': '', + 'table-delete-column': '', + 'table-delete-row': '', + 'table-delete-table': '', + 'table-insert-column-after': '', + 'table-insert-column-before': '', + 'table-insert-row-above': '', + 'table-insert-row-after': '', + 'table-left-header': '', + 'table-merge-cells': '', + 'table-row-numbering-rtl': '', + 'table-row-numbering': '', + 'table-row-properties': '', + 'table-split-cells': '', + 'table-top-header': '', + 'table': '', + 'template-add': '', + 'template': '', + 'temporary-placeholder': '', + 'text-color': '', + 'text-size-decrease': '', + 'text-size-increase': '', + 'toc': '', + 'translate': '', + 'typography': '', + 'underline': '', + 'undo': '', + 'unlink': '', + 'unlock': '', + 'unordered-list': '', + 'unselected': '', + 'upload': '', + 'user': '', + 'vertical-align': '', + 'visualblocks': '', + 'visualchars': '', + 'warning': '', + 'zoom-in': '', + 'zoom-out': '', + } +}); \ No newline at end of file diff --git a/deform/static/tinymce/icons/default/icons.min.js b/deform/static/tinymce/icons/default/icons.min.js new file mode 100644 index 00000000..e3750c67 --- /dev/null +++ b/deform/static/tinymce/icons/default/icons.min.js @@ -0,0 +1 @@ +tinymce.IconManager.add("default",{icons:{"accessibility-check":'',"accordion-toggle":'',accordion:'',"action-next":'',"action-prev":'',addtag:'',"ai-prompt":'',ai:'',"align-center":'',"align-justify":'',"align-left":'',"align-none":'',"align-right":'',"arrow-left":'',"arrow-right":'',bold:'',bookmark:'',"border-style":'',"border-width":'',brightness:'',browse:'',cancel:'',"cell-background-color":'',"cell-border-color":'',"change-case":'',"character-count":'',"checklist-rtl":'',checklist:'',checkmark:'',"chevron-down":'',"chevron-left":'',"chevron-right":'',"chevron-up":'',close:'',"code-sample":'',"color-levels":'',"color-picker":'',"color-swatch-remove-color":'',"color-swatch":'',"comment-add":'',comment:'',contrast:'',copy:'',crop:'',"cut-column":'',"cut-row":'',cut:'',"document-properties":'',drag:'',"duplicate-column":'',"duplicate-row":'',duplicate:'',"edit-block":'',"edit-image":'',"embed-page":'',embed:'',emoji:'',export:'',fill:'',"flip-horizontally":'',"flip-vertically":'',footnote:'',"format-painter":'',format:'',fullscreen:'',gallery:'',gamma:'',help:'',"highlight-bg-color":'',home:'',"horizontal-rule":'',"image-options":'',image:'',indent:'',info:'',"insert-character":'',"insert-time":'',invert:'',italic:'',language:'',"line-height":'',line:'',link:'',"list-bull-circle":'',"list-bull-default":'',"list-bull-square":'',"list-num-default-rtl":'',"list-num-default":'',"list-num-lower-alpha-rtl":'',"list-num-lower-alpha":'',"list-num-lower-greek-rtl":'',"list-num-lower-greek":'',"list-num-lower-roman-rtl":'',"list-num-lower-roman":'',"list-num-upper-alpha-rtl":'',"list-num-upper-alpha":'',"list-num-upper-roman-rtl":'',"list-num-upper-roman":'',lock:'',ltr:'',minus:'',"more-drawer":'',"new-document":'',"new-tab":'',"non-breaking":'',notice:'',"ordered-list-rtl":'',"ordered-list":'',orientation:'',outdent:'',"page-break":'',paragraph:'',"paste-column-after":'',"paste-column-before":'',"paste-row-after":'',"paste-row-before":'',"paste-text":'',paste:'',"permanent-pen":'',plus:'',preferences:'',preview:'',print:'',quote:'',redo:'',reload:'',"remove-formatting":'',remove:'',"resize-handle":'',resize:'',"restore-draft":'',"rotate-left":'',"rotate-right":'',rtl:'',save:'',search:'',"select-all":'',selected:'',send:'',settings:'',sharpen:'',sourcecode:'',"spell-check":'',"strike-through":'',subscript:'',superscript:'',"table-caption":'',"table-cell-classes":'',"table-cell-properties":'',"table-cell-select-all":'',"table-cell-select-inner":'',"table-classes":'',"table-delete-column":'',"table-delete-row":'',"table-delete-table":'',"table-insert-column-after":'',"table-insert-column-before":'',"table-insert-row-above":'',"table-insert-row-after":'',"table-left-header":'',"table-merge-cells":'',"table-row-numbering-rtl":'',"table-row-numbering":'',"table-row-properties":'',"table-split-cells":'',"table-top-header":'',table:'',"template-add":'',template:'',"temporary-placeholder":'',"text-color":'',"text-size-decrease":'',"text-size-increase":'',toc:'',translate:'',typography:'',underline:'',undo:'',unlink:'',unlock:'',"unordered-list":'',unselected:'',upload:'',user:'',"vertical-align":'',visualblocks:'',visualchars:'',warning:'',"zoom-in":'',"zoom-out":''}}); \ No newline at end of file diff --git a/deform/static/tinymce/icons/default/index.js b/deform/static/tinymce/icons/default/index.js new file mode 100644 index 00000000..ca4184a4 --- /dev/null +++ b/deform/static/tinymce/icons/default/index.js @@ -0,0 +1,7 @@ +// Exports the "default" icons for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/icons/default') +// ES2015: +// import 'tinymce/icons/default' +require('./icons.js'); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ar.js b/deform/static/tinymce/langs/ar.js index 5a60b65b..39ff5a32 100644 --- a/deform/static/tinymce/langs/ar.js +++ b/deform/static/tinymce/langs/ar.js @@ -1,156 +1 @@ -tinymce.addI18n('ar',{ -"Cut": "\u0642\u0635", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0645\u062a\u0635\u0641\u062d\u0643 \u0644\u0627 \u064a\u062f\u0639\u0645 \u0627\u0644\u0648\u0635\u0648\u0644 \u0627\u0644\u0645\u0628\u0627\u0634\u0631 \u0625\u0644\u0649 \u0627\u0644\u062d\u0627\u0641\u0638\u0629. \u0627\u0644\u0631\u062c\u0627\u0621 \u0627\u0633\u062a\u062e\u062f\u0627\u0645 \u0627\u062e\u062a\u0635\u0627\u0631\u0627\u062a \u0644\u0648\u062d\u0629 \u0627\u0644\u0645\u0641\u0627\u062a\u064a\u062d Ctrl+X\/C\/V \u0628\u062f\u0644\u0627 \u0645\u0646 \u0630\u0644\u0643.", -"Paste": "\u0644\u0635\u0642", -"Close": "\u0625\u063a\u0644\u0627\u0642", -"Align right": "\u0645\u062d\u0627\u0630\u0627\u0629 \u0627\u0644\u0646\u0635 \u0644\u0644\u064a\u0645\u064a\u0646", -"New document": "\u0645\u0633\u062a\u0646\u062f \u062c\u062f\u064a\u062f", -"Numbered list": "\u062a\u0631\u0642\u064a\u0645", -"Increase indent": "\u0632\u064a\u0627\u062f\u0629 \u0627\u0644\u0645\u0633\u0627\u0641\u0629 \u0627\u0644\u0628\u0627\u062f\u0626\u0629", -"Formats": "\u0627\u0644\u062a\u0646\u0633\u064a\u0642\u0627\u062a", -"Select all": "\u062a\u062d\u062f\u064a\u062f \u0627\u0644\u0643\u0644", -"Undo": "\u062a\u0631\u0627\u062c\u0639", -"Strikethrough": "\u064a\u062a\u0648\u0633\u0637 \u062e\u0637", -"Bullet list": "\u062a\u0639\u062f\u0627\u062f \u0646\u0642\u0637\u064a", -"Superscript": "\u0645\u0631\u062a\u0641\u0639", -"Clear formatting": "\u0645\u0633\u062d \u0627\u0644\u062a\u0646\u0633\u064a\u0642", -"Subscript": "\u0645\u0646\u062e\u0641\u0636", -"Redo": "\u0625\u0639\u0627\u062f\u0629", -"Ok": "\u0645\u0648\u0627\u0641\u0642", -"Bold": "\u063a\u0627\u0645\u0642", -"Italic": "\u0645\u0627\u0626\u0644", -"Align center": "\u062a\u0648\u0633\u064a\u0637", -"Decrease indent": "\u0625\u0646\u0642\u0627\u0635 \u0627\u0644\u0645\u0633\u0627\u0641\u0629 \u0627\u0644\u0628\u0627\u062f\u0626\u0629", -"Underline": "\u062a\u0633\u0637\u064a\u0631", -"Cancel": "\u0625\u0644\u063a\u0627\u0621", -"Justify": "\u0636\u0628\u0637", -"Copy": "\u0646\u0633\u062e", -"Align left": "\u0645\u062d\u0627\u0630\u0627\u0629 \u0627\u0644\u0646\u0635 \u0644\u0644\u064a\u0633\u0627\u0631", -"Visual aids": "\u0627\u0644\u0645\u0639\u064a\u0646\u0627\u062a \u0627\u0644\u0628\u0635\u0631\u064a\u0629", -"Lower Greek": "\u062a\u0631\u0642\u064a\u0645 \u064a\u0648\u0646\u0627\u0646\u064a \u0635\u063a\u064a\u0631", -"Square": "\u0645\u0631\u0628\u0639", -"Default": "\u0627\u0644\u0627\u0641\u062a\u0631\u0627\u0636\u064a", -"Lower Alpha": "\u062a\u0631\u0642\u064a\u0645 \u0623\u062e\u0631\u0641 \u0635\u063a\u064a\u0631\u0629", -"Circle": "\u062f\u0627\u0626\u0631\u0629", -"Disc": "\u0642\u0631\u0635", -"Upper Alpha": "\u062a\u0631\u0642\u064a\u0645 \u0623\u062d\u0631\u0641 \u0643\u0628\u064a\u0631\u0629", -"Upper Roman": "\u062a\u0631\u0642\u064a\u0645 \u0631\u0648\u0645\u0627\u0646\u064a \u0643\u0628\u064a\u0631", -"Lower Roman": "\u062a\u0631\u0642\u064a\u0645 \u0631\u0648\u0645\u0627\u0646\u064a \u0635\u063a\u064a\u0631", -"Name": "\u0627\u0644\u0627\u0633\u0645", -"Anchor": "\u0645\u0631\u0633\u0627\u0629", -"You have unsaved changes are you sure you want to navigate away?": "\u0644\u062f\u064a\u0643 \u062a\u063a\u064a\u064a\u0631\u0627\u062a \u0644\u0645 \u064a\u062a\u0645 \u062d\u0641\u0638\u0647\u0627 \u0647\u0644 \u0623\u0646\u062a \u0645\u062a\u0623\u0643\u062f \u0623\u0646\u0643 \u062a\u0631\u063a\u0628 \u0641\u064a \u0627\u0644\u0627\u0646\u062a\u0642\u0627\u0644 \u0628\u0639\u064a\u062f\u0627\u061f", -"Restore last draft": "\u0627\u0633\u062a\u0639\u0627\u062f\u0629 \u0623\u062e\u0631 \u0645\u0633\u0648\u062f\u0629", -"Special character": "\u0631\u0645\u0632", -"Source code": "\u0634\u0641\u0631\u0629 \u0627\u0644\u0645\u0635\u062f\u0631", -"Right to left": "\u0645\u0646 \u0627\u0644\u064a\u0645\u064a\u0646 \u0644\u0644\u064a\u0633\u0627\u0631", -"Left to right": "\u0645\u0646 \u0627\u0644\u064a\u0633\u0627\u0631 \u0644\u0644\u064a\u0645\u064a\u0646", -"Emoticons": "\u0627\u0644\u0631\u0645\u0648\u0632", -"Robots": "\u0627\u0644\u0631\u0648\u0628\u0648\u062a\u0627\u062a", -"Document properties": "\u062e\u0635\u0627\u0626\u0635 \u0627\u0644\u0645\u0633\u062a\u0646\u062f", -"Title": "\u0627\u0644\u0639\u0646\u0648\u0627\u0646", -"Keywords": "\u0643\u0644\u0645\u0627\u062a \u0627\u0644\u0628\u062d\u062b", -"Encoding": "\u0627\u0644\u062a\u0631\u0645\u064a\u0632", -"Description": "\u0627\u0644\u0648\u0635\u0641", -"Author": "\u0627\u0644\u0643\u0627\u062a\u0628", -"Fullscreen": "\u0645\u0644\u0621 \u0627\u0644\u0634\u0627\u0634\u0629", -"Horizontal line": "\u062e\u0637 \u0623\u0641\u0642\u064a", -"Horizontal space": "\u0645\u0633\u0627\u0641\u0629 \u0623\u0641\u0642\u064a\u0629", -"Insert\/edit image": "\u0625\u062f\u0631\u0627\u062c\/\u062a\u062d\u0631\u064a\u0631 \u0635\u0648\u0631\u0629", -"General": "\u0639\u0627\u0645", -"Advanced": "\u062e\u0635\u0627\u0626\u0635 \u0645\u062a\u0642\u062f\u0645\u0647", -"Source": "\u0627\u0644\u0645\u0635\u062f\u0631", -"Border": "\u062d\u062f\u0648\u062f", -"Constrain proportions": "\u0627\u0644\u062a\u0646\u0627\u0633\u0628", -"Vertical space": "\u0645\u0633\u0627\u0641\u0629 \u0639\u0645\u0648\u062f\u064a\u0629", -"Image description": "\u0648\u0635\u0641 \u0627\u0644\u0635\u0648\u0631\u0629", -"Style": "\u0627\u0644\u0646\u0645\u0637 \/ \u0627\u0644\u0634\u0643\u0644", -"Dimensions": "\u0627\u0644\u0623\u0628\u0639\u0627\u062f", -"Insert date\/time": "\u0625\u062f\u0631\u0627\u062c \u062a\u0627\u0631\u064a\u062e\/\u0648\u0642\u062a", -"Url": "\u0627\u0644\u0639\u0646\u0648\u0627\u0646", -"Text to display": "\u0627\u0644\u0646\u0635 \u0627\u0644\u0645\u0637\u0644\u0648\u0628 \u0639\u0631\u0636\u0647", -"Insert link": "\u0625\u062f\u0631\u0627\u062c \u0631\u0627\u0628\u0637", -"New window": "\u0646\u0627\u0641\u0630\u0629 \u062c\u062f\u064a\u062f\u0629", -"None": "\u0628\u0644\u0627", -"Target": "\u0627\u0644\u0625\u0637\u0627\u0631 \u0627\u0644\u0647\u062f\u0641", -"Insert\/edit link": "\u0625\u062f\u0631\u0627\u062c\/\u062a\u062d\u0631\u064a\u0631 \u0631\u0627\u0628\u0637", -"Insert\/edit video": "\u0625\u062f\u0631\u0627\u062c\/\u062a\u062d\u0631\u064a\u0631 \u0641\u064a\u062f\u064a\u0648", -"Poster": "\u0645\u0644\u0635\u0642", -"Alternative source": "\u0645\u0635\u062f\u0631 \u0628\u062f\u064a\u0644", -"Paste your embed code below:": "\u0644\u0635\u0642 \u0643\u0648\u062f \u0627\u0644\u062a\u0636\u0645\u064a\u0646 \u0647\u0646\u0627:", -"Insert video": "\u0625\u062f\u0631\u0627\u062c \u0641\u064a\u062f\u064a\u0648", -"Embed": "\u062a\u0636\u0645\u064a\u0646", -"Nonbreaking space": "\u0645\u0633\u0627\u0641\u0629 \u063a\u064a\u0631 \u0645\u0646\u0642\u0633\u0645\u0629", -"Page break": "\u0641\u0627\u0635\u0644 \u0644\u0644\u0635\u0641\u062d\u0629", -"Preview": "\u0645\u0639\u0627\u064a\u0646\u0629", -"Print": "\u0637\u0628\u0627\u0639\u0629", -"Save": "\u062d\u0641\u0638", -"Could not find the specified string.": "\u062a\u0639\u0630\u0631 \u0627\u0644\u0639\u062b\u0648\u0631 \u0639\u0644\u0649 \u0627\u0644\u0643\u0644\u0645\u0629 \u0627\u0644\u0645\u062d\u062f\u062f\u0629", -"Replace": "\u0627\u0633\u062a\u0628\u062f\u0627\u0644", -"Next": "\u0627\u0644\u062a\u0627\u0644\u064a", -"Whole words": "\u0645\u0637\u0627\u0628\u0642\u0629 \u0627\u0644\u0643\u0644\u0645\u0627\u062a \u0628\u0627\u0644\u0643\u0627\u0645\u0644", -"Find and replace": "\u0628\u062d\u062b \u0648\u0627\u0633\u062a\u0628\u062f\u0627\u0644", -"Replace with": "\u0627\u0633\u062a\u0628\u062f\u0627\u0644 \u0628\u0640", -"Find": "\u0628\u062d\u062b", -"Replace all": "\u0627\u0633\u062a\u0628\u062f\u0627\u0644 \u0627\u0644\u0643\u0644", -"Match case": "\u0645\u0637\u0627\u0628\u0642\u0629 \u062d\u0627\u0644\u0629 \u0627\u0644\u0623\u062d\u0631\u0641", -"Prev": "\u0627\u0644\u0633\u0627\u0628\u0642", -"Spellcheck": "\u062a\u062f\u0642\u064a\u0642 \u0625\u0645\u0644\u0627\u0626\u064a", -"Finish": "\u0627\u0646\u062a\u0647\u064a", -"Ignore all": "\u062a\u062c\u0627\u0647\u0644 \u0627\u0644\u0643\u0644", -"Ignore": "\u062a\u062c\u0627\u0647\u0644", -"Insert row before": "\u0625\u062f\u0631\u0627\u062c \u0635\u0641 \u0644\u0644\u0623\u0639\u0644\u0649", -"Rows": "\u0639\u062f\u062f \u0627\u0644\u0635\u0641\u0648\u0641", -"Height": "\u0627\u0631\u062a\u0641\u0627\u0639", -"Paste row after": "\u0644\u0635\u0642 \u0627\u0644\u0635\u0641 \u0644\u0644\u0623\u0633\u0641\u0644", -"Alignment": "\u0645\u062d\u0627\u0630\u0627\u0629", -"Column group": "\u0645\u062c\u0645\u0648\u0639\u0629 \u0639\u0645\u0648\u062f", -"Row": "\u0635\u0641", -"Insert column before": "\u0625\u062f\u0631\u0627\u062c \u0639\u0645\u0648\u062f \u0644\u0644\u064a\u0633\u0627\u0631", -"Split cell": "\u062a\u0642\u0633\u064a\u0645 \u0627\u0644\u062e\u0644\u0627\u064a\u0627", -"Cell padding": "\u062a\u0628\u0627\u0639\u062f \u0627\u0644\u062e\u0644\u064a\u0629", -"Cell spacing": "\u0627\u0644\u0645\u0633\u0627\u0641\u0629 \u0628\u064a\u0646 \u0627\u0644\u062e\u0644\u0627\u064a\u0627", -"Row type": "\u0646\u0648\u0639 \u0627\u0644\u0635\u0641", -"Insert table": "\u0625\u062f\u0631\u0627\u062c \u062c\u062f\u0648\u0644", -"Body": "\u0647\u064a\u0643\u0644", -"Caption": "\u0634\u0631\u062d", -"Footer": "\u062a\u0630\u064a\u064a\u0644", -"Delete row": "\u062d\u0630\u0641 \u0635\u0641", -"Paste row before": "\u0644\u0635\u0642 \u0627\u0644\u0635\u0641 \u0644\u0644\u0623\u0639\u0644\u0649", -"Scope": "\u0627\u0644\u0645\u062c\u0627\u0644", -"Delete table": "\u062d\u0630\u0641 \u062c\u062f\u0648\u0644", -"Header cell": "\u0631\u0623\u0633 \u0627\u0644\u062e\u0644\u064a\u0629", -"Column": "\u0639\u0645\u0648\u062f", -"Cell": "\u062e\u0644\u064a\u0629", -"Header": "\u0627\u0644\u0631\u0623\u0633", -"Cell type": "\u0646\u0648\u0639 \u0627\u0644\u062e\u0644\u064a\u0629", -"Copy row": "\u0646\u0633\u062e \u0627\u0644\u0635\u0641", -"Row properties": "\u062e\u0635\u0627\u0626\u0635 \u0627\u0644\u0635\u0641", -"Table properties": "\u062e\u0635\u0627\u0626\u0635 \u0627\u0644\u062c\u062f\u0648\u0644", -"Row group": "\u0645\u062c\u0645\u0648\u0639\u0629 \u0635\u0641", -"Right": "\u064a\u0645\u064a\u0646", -"Insert column after": "\u0625\u062f\u0631\u0627\u062c \u0639\u0645\u0648\u062f \u0644\u0644\u064a\u0645\u064a\u0646", -"Cols": "\u0639\u062f\u062f \u0627\u0644\u0623\u0639\u0645\u062f\u0629", -"Insert row after": "\u0625\u062f\u0631\u0627\u062c \u0635\u0641 \u0644\u0644\u0623\u0633\u0641\u0644", -"Width": "\u0639\u0631\u0636", -"Cell properties": "\u062e\u0635\u0627\u0626\u0635 \u0627\u0644\u062e\u0644\u064a\u0629", -"Left": "\u064a\u0633\u0627\u0631", -"Cut row": "\u0642\u0635 \u0627\u0644\u0635\u0641", -"Delete column": "\u062d\u0630\u0641 \u0639\u0645\u0648\u062f", -"Center": "\u062a\u0648\u0633\u064a\u0637", -"Merge cells": "\u062f\u0645\u062c \u062e\u0644\u0627\u064a\u0627", -"Insert template": "\u0625\u062f\u0631\u0627\u062c \u0642\u0627\u0644\u0628", -"Templates": "\u0642\u0648\u0627\u0644\u0628", -"Background color": "\u0644\u0648\u0646 \u0627\u0644\u062e\u0644\u0641\u064a\u0629", -"Text color": "\u0644\u0648\u0646 \u0627\u0644\u0646\u0635", -"Show blocks": "\u0645\u0634\u0627\u0647\u062f\u0629 \u0627\u0644\u0643\u062a\u0644", -"Show invisible characters": "\u0623\u0638\u0647\u0631 \u0627\u0644\u0623\u062d\u0631\u0641 \u0627\u0644\u063a\u064a\u0631 \u0645\u0631\u0626\u064a\u0629", -"Words: {0}": "\u0627\u0644\u0643\u0644\u0645\u0627\u062a:{0}", -"Insert": "\u0625\u062f\u0631\u0627\u062c", -"File": "\u0645\u0644\u0641", -"Edit": "\u062a\u062d\u0631\u064a\u0631", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u0645\u0646\u0637\u0642\u0629 \u0646\u0635 \u0645\u0646\u0633\u0642. \u0627\u0636\u063a\u0637 ALT-F9 \u0644\u0644\u0642\u0627\u0626\u0645\u0629. \u0627\u0636\u063a\u0637 ALT-F10 \u0644\u0634\u0631\u064a\u0637 \u0627\u0644\u0623\u062f\u0648\u0627\u062a. \u0627\u0636\u063a\u0637 ALT-0 \u0644\u0644\u062d\u0635\u0648\u0644 \u0639\u0644\u0649 \u0645\u0633\u0627\u0639\u062f\u0629", -"Tools": "\u0623\u062f\u0627\u0648\u0627\u062a", -"View": "\u0639\u0631\u0636", -"Table": "\u062c\u062f\u0648\u0644", -"Format": "\u062a\u0646\u0633\u064a\u0642" -}); \ No newline at end of file +tinymce.addI18n("ar",{"Redo":"\u0625\u0639\u0627\u062f\u0629","Undo":"\u062a\u0631\u0627\u062c\u0639","Cut":"\u0642\u0635","Copy":"\u0646\u0633\u062e","Paste":"\u0644\u0635\u0642","Select all":"\u062a\u062d\u062f\u064a\u062f \u0627\u0644\u0643\u0644","New document":"\u0645\u0633\u062a\u0646\u062f \u062c\u062f\u064a\u062f","Ok":"\u0645\u0648\u0627\u0641\u0642","Cancel":"\u0625\u0644\u063a\u0627\u0621 \u0627\u0644\u0623\u0645\u0631","Visual aids":"\u0623\u062f\u0648\u0627\u062a \u0627\u0644\u0645\u0633\u0627\u0639\u062f\u0629 \u0627\u0644\u0628\u0635\u0631\u064a\u0629","Bold":"\u063a\u0627\u0645\u0642","Italic":"\u0645\u0627\u0626\u0644","Underline":"\u062a\u0633\u0637\u064a\u0631","Strikethrough":"\u064a\u062a\u0648\u0633\u0637\u0647 \u062e\u0637","Superscript":"\u0645\u0631\u062a\u0641\u0639","Subscript":"\u0645\u0646\u062e\u0641\u0636","Clear formatting":"\u0645\u0633\u062d \u0627\u0644\u062a\u0646\u0633\u064a\u0642","Remove":"\u0625\u0632\u0627\u0644\u0629","Align left":"\u0645\u062d\u0627\u0630\u0627\u0629 \u0625\u0644\u0649 \u0627\u0644\u064a\u0633\u0627\u0631","Align center":"\u0645\u062d\u0627\u0630\u0627\u0629 \u0644\u0644\u0645\u0646\u062a\u0635\u0641","Align right":"\u0645\u062d\u0627\u0630\u0627\u0629 \u0625\u0644\u0649 \u0627\u0644\u064a\u0645\u064a\u0646","No alignment":"\u062f\u0648\u0646 \u0645\u062d\u0627\u0630\u0627\u0629","Justify":"\u0636\u0628\u0637","Bullet list":"\u0642\u0627\u0626\u0645\u0629 \u062a\u0639\u062f\u0627\u062f \u0646\u0642\u0637\u064a","Numbered list":"\u0642\u0627\u0626\u0645\u0629 \u0645\u0631\u0642\u0645\u0651\u064e\u0629","Decrease indent":"\u062a\u0642\u0644\u064a\u0644 \u0627\u0644\u0645\u0633\u0627\u0641\u0629 \u0627\u0644\u0628\u0627\u062f\u0626\u0629","Increase indent":"\u0632\u064a\u0627\u062f\u0629 \u0627\u0644\u0645\u0633\u0627\u0641\u0629 \u0627\u0644\u0628\u0627\u062f\u0626\u0629","Close":"\u0625\u063a\u0644\u0627\u0642","Formats":"\u0627\u0644\u062a\u0646\u0633\u064a\u0642\u0627\u062a","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0645\u062a\u0635\u0641\u062d\u0643 \u0644\u0627 \u064a\u062f\u0639\u0645 \u0627\u0644\u0648\u0635\u0648\u0644 \u0627\u0644\u0645\u0628\u0627\u0634\u0631 \u0625\u0644\u0649 \u0627\u0644\u062d\u0627\u0641\u0638\u0629. \u064a\u064f\u0631\u062c\u0649 \u0627\u0633\u062a\u062e\u062f\u0627\u0645 \u0627\u062e\u062a\u0635\u0627\u0631\u0627\u062a \u0644\u0648\u062d\u0629 \u0627\u0644\u0645\u0641\u0627\u062a\u064a\u062d Ctrl+X/C/V \u0628\u062f\u0644\u0627\u064b \u0645\u0646 \u0630\u0644\u0643.","Headings":"\u0627\u0644\u0639\u0646\u0627\u0648\u064a\u0646","Heading 1":"\u0639\u0646\u0648\u0627\u0646 1","Heading 2":"\u0639\u0646\u0648\u0627\u0646 2","Heading 3":"\u0639\u0646\u0648\u0627\u0646 3","Heading 4":"\u0639\u0646\u0648\u0627\u0646 4","Heading 5":"\u0639\u0646\u0648\u0627\u0646 5","Heading 6":"\u0639\u0646\u0648\u0627\u0646 6","Preformatted":"\u0645\u0646\u0633\u0642 \u0645\u0633\u0628\u0642\u064b\u0627","Div":"Div","Pre":"\u0642\u0628\u0644","Code":"\u0631\u0645\u0632","Paragraph":"\u0627\u0644\u0641\u0642\u0631\u0629","Blockquote":"\u0627\u0642\u062a\u0628\u0627\u0633","Inline":"\u062f\u0627\u062e\u0644\u064a","Blocks":"\u0627\u0644\u0643\u062a\u0644","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0639\u0645\u0644\u064a\u0629 \u0627\u0644\u0644\u0635\u0642 \u062a\u062a\u0645 \u062d\u0627\u0644\u064a\u064b\u0627 \u0643\u0646\u0635 \u0639\u0627\u062f\u064a. \u0633\u064a\u0628\u0642\u0649 \u0627\u0644\u0646\u0635 \u0639\u0627\u062f\u064a\u0627\u064b \u062d\u062a\u0649 \u062a\u0642\u0648\u0645 \u0628\u062a\u0639\u0637\u064a\u0644 \u0647\u0630\u0627 \u0627\u0644\u062e\u064a\u0627\u0631.","Fonts":"\u0627\u0644\u062e\u0637\u0648\u0637","Font sizes":"\u0623\u062d\u062c\u0627\u0645 \u0627\u0644\u062e\u0637\u0648\u0637","Class":"\u0627\u0644\u0641\u0626\u0629","Browse for an image":"\u0627\u0633\u062a\u0639\u0631\u0627\u0636 \u0635\u0648\u0631\u0629","OR":"\u0623\u0648","Drop an image here":"\u0625\u0641\u0644\u0627\u062a \u0635\u0648\u0631\u0629 \u0647\u0646\u0627","Upload":"\u062a\u062d\u0645\u064a\u0644","Uploading image":"\u0631\u0641\u0639 \u0635\u0648\u0631\u0629","Block":"\u062d\u0638\u0631","Align":"\u0645\u062d\u0627\u0630\u0627\u0629","Default":"\u0627\u0641\u062a\u0631\u0627\u0636\u064a","Circle":"\u062f\u0627\u0626\u0631\u0629","Disc":"\u0642\u0631\u0635","Square":"\u0645\u0631\u0628\u0639","Lower Alpha":"\u062d\u0631\u0641 \u0623\u0628\u062c\u062f\u064a \u0635\u063a\u064a\u0631","Lower Greek":"\u062d\u0631\u0648\u0641 \u064a\u0648\u0646\u0627\u0646\u064a\u0629 \u0635\u063a\u064a\u0631\u0629","Lower Roman":"\u062d\u0631\u0641 \u0644\u0627\u062a\u064a\u0646\u064a \u0635\u063a\u064a\u0631","Upper Alpha":"\u062d\u0631\u0641 \u0623\u0628\u062c\u062f\u064a \u0643\u0628\u064a\u0631","Upper Roman":"\u062d\u0631\u0641 \u0644\u0627\u062a\u064a\u0646\u064a \u0643\u0628\u064a\u0631","Anchor...":"\u0645\u0631\u0633\u0627\u0629...","Anchor":"\u0631\u0627\u0628\u0637","Name":"\u0627\u0644\u0627\u0633\u0645","ID":"\u0627\u0644\u0645\u0639\u0631\u0641","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u064a\u062c\u0628 \u0623\u0646 \u064a\u0628\u062f\u0623 \u0627\u0644\u0645\u0639\u0631\u0641 \u0628\u062d\u0631\u0641 \u060c \u0645\u062a\u0628\u0648\u0639\u064b\u0627 \u0641\u0642\u0637 \u0628\u0623\u062d\u0631\u0641 \u0623\u0648 \u0623\u0631\u0642\u0627\u0645 \u0623\u0648 \u0634\u0631\u0637\u0627\u062a \u0623\u0648 \u0646\u0642\u0627\u0637 \u0623\u0648 \u0646\u0642\u0637\u062a\u0627\u0646 \u0623\u0648 \u0634\u0631\u0637\u0627\u062a \u0633\u0641\u0644\u064a\u0629.","You have unsaved changes are you sure you want to navigate away?":"\u0644\u062f\u064a\u0643 \u062a\u063a\u064a\u064a\u0631\u0627\u062a \u0644\u0645 \u064a\u062a\u0645 \u062d\u0641\u0638\u0647\u0627 \u0647\u0644 \u062a\u0631\u064a\u062f \u0628\u0627\u0644\u062a\u0623\u0643\u064a\u062f \u0627\u0644\u0627\u0646\u062a\u0642\u0627\u0644 \u0628\u0639\u064a\u062f\u064b\u0627\u061f","Restore last draft":"\u0627\u0633\u062a\u0639\u0627\u062f\u0629 \u0622\u062e\u0631 \u0645\u0633\u0648\u062f\u0629","Special character...":"\u0631\u0645\u0632 \u062e\u0627\u0635...","Special Character":"\u0631\u0645\u0632 \u062e\u0627\u0635","Source code":"\u0631\u0645\u0632 \u0627\u0644\u0645\u0635\u062f\u0631","Insert/Edit code sample":"\u0625\u062f\u0631\u0627\u062c/\u062a\u062d\u0631\u064a\u0631 \u0639\u064a\u0646\u0629 \u0627\u0644\u0631\u0645\u0632","Language":"\u0627\u0644\u0644\u063a\u0629","Code sample...":"\u0639\u064a\u0646\u0629 \u0627\u0644\u0631\u0645\u0632...","Left to right":"\u064a\u0633\u0627\u0631 \u0625\u0644\u0649 \u0627\u0644\u064a\u0645\u064a\u0646","Right to left":"\u064a\u0645\u064a\u0646 \u0625\u0644\u0649 \u0627\u0644\u064a\u0633\u0627\u0631","Title":"\u0627\u0644\u0639\u0646\u0648\u0627\u0646","Fullscreen":"\u0645\u0644\u0621 \u0627\u0644\u0634\u0627\u0634\u0629","Action":"\u0627\u0644\u0625\u062c\u0631\u0627\u0621","Shortcut":"\u0627\u0644\u0627\u062e\u062a\u0635\u0627\u0631","Help":"\u062a\u0639\u0644\u064a\u0645\u0627\u062a","Address":"\u0627\u0644\u0639\u0646\u0648\u0627\u0646","Focus to menubar":"\u0627\u0644\u062a\u0631\u0643\u064a\u0632 \u0639\u0644\u0649 \u0634\u0631\u064a\u0637 \u0627\u0644\u0642\u0648\u0627\u0626\u0645","Focus to toolbar":"\u0627\u0644\u062a\u0631\u0643\u064a\u0632 \u0639\u0644\u0649 \u0634\u0631\u064a\u0637 \u0627\u0644\u0623\u062f\u0648\u0627\u062a","Focus to element path":"\u0627\u0644\u062a\u0631\u0643\u064a\u0632 \u0639\u0644\u0649 \u0645\u0633\u0627\u0631 \u0627\u0644\u0639\u0646\u0635\u0631","Focus to contextual toolbar":"\u0627\u0644\u062a\u0631\u0643\u064a\u0632 \u0639\u0644\u0649 \u0634\u0631\u064a\u0637 \u0623\u062f\u0648\u0627\u062a \u0627\u0644\u0633\u064a\u0627\u0642","Insert link (if link plugin activated)":"\u0625\u062f\u0631\u0627\u062c \u0627\u0631\u062a\u0628\u0627\u0637 (\u0625\u0630\u0627 \u0643\u0627\u0646\u062a \u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646 \u0627\u0644\u0625\u0636\u0627\u0641\u064a \u0644\u0644\u0627\u0631\u062a\u0628\u0627\u0637 \u0645\u0641\u0639\u0644\u0627\u064b)","Save (if save plugin activated)":"\u062d\u0641\u0638 (\u0625\u0630\u0627 \u0643\u0627\u0646 \u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646 \u0627\u0644\u0625\u0636\u0627\u0641\u064a \u0644\u0644\u062d\u0641\u0638 \u0645\u0641\u0639\u0644\u0627\u064b)","Find (if searchreplace plugin activated)":"\u0627\u0644\u0628\u062d\u062b (\u0625\u0630\u0627 \u0643\u0627\u0646 \u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646 \u0627\u0644\u0625\u0636\u0627\u0641\u064a \u0644\u0644\u0628\u062d\u062b \u0645\u0641\u0639\u0644\u0627\u064b)","Plugins installed ({0}):":"\u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646\u0627\u062a \u0627\u0644\u0625\u0636\u0627\u0641\u064a\u0629 \u0627\u0644\u0645\u062b\u0628\u062a\u0629 ({0}):","Premium plugins:":"\u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646\u0627\u062a \u0627\u0644\u0625\u0636\u0627\u0641\u064a\u0629 \u0627\u0644\u0645\u0645\u064a\u0632\u0629:","Learn more...":"\u0645\u0639\u0631\u0641\u0629 \u0627\u0644\u0645\u0632\u064a\u062f...","You are using {0}":"\u0623\u0646\u062a \u062a\u0633\u062a\u062e\u062f\u0645 {0}","Plugins":"\u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646\u0627\u062a \u0627\u0644\u0625\u0636\u0627\u0641\u064a\u0629","Handy Shortcuts":"\u0627\u062e\u062a\u0635\u0627\u0631\u0627\u062a \u0645\u0633\u0627\u0639\u0650\u062f\u0629","Horizontal line":"\u062e\u0637 \u0623\u0641\u0642\u064a","Insert/edit image":"\u0625\u062f\u0631\u0627\u062c/\u062a\u062d\u0631\u064a\u0631 \u0635\u0648\u0631\u0629","Alternative description":"\u0627\u0644\u0648\u0635\u0641 \u0627\u0644\u0628\u062f\u064a\u0644","Accessibility":"\u0633\u0647\u0648\u0644\u0629 \u0627\u0644\u0648\u0635\u0648\u0644","Image is decorative":"\u0627\u0644\u0635\u0648\u0631\u0629 \u0645\u0632\u062e\u0631\u0641\u0629","Source":"\u0627\u0644\u0645\u0635\u062f\u0631","Dimensions":"\u0627\u0644\u0623\u0628\u0639\u0627\u062f","Constrain proportions":"\u062a\u0642\u064a\u064a\u062f \u0627\u0644\u062a\u0646\u0627\u0633\u0628","General":"\u0639\u0627\u0645","Advanced":"\u062e\u064a\u0627\u0631\u0627\u062a \u0645\u062a\u0642\u062f\u0645\u0629","Style":"\u0627\u0644\u0646\u0645\u0637","Vertical space":"\u0645\u0633\u0627\u0641\u0629 \u0639\u0645\u0648\u062f\u064a\u0629","Horizontal space":"\u0645\u0633\u0627\u0641\u0629 \u0623\u0641\u0642\u064a\u0629","Border":"\u0627\u0644\u062d\u062f","Insert image":"\u0625\u062f\u0631\u0627\u062c \u0635\u0648\u0631\u0629","Image...":"\u0635\u0648\u0631\u0629...","Image list":"\u0642\u0627\u0626\u0645\u0629 \u0627\u0644\u0635\u0648\u0631","Resize":"\u062a\u063a\u064a\u064a\u0631 \u0627\u0644\u062d\u062c\u0645","Insert date/time":"\u0625\u062f\u0631\u0627\u062c \u062a\u0627\u0631\u064a\u062e/\u0648\u0642\u062a","Date/time":"\u0627\u0644\u062a\u0627\u0631\u064a\u062e/\u0627\u0644\u0648\u0642\u062a","Insert/edit link":"\u0625\u062f\u0631\u0627\u062c/\u062a\u062d\u0631\u064a\u0631 \u0627\u0631\u062a\u0628\u0627\u0637","Text to display":"\u0627\u0644\u0646\u0635 \u0627\u0644\u0645\u0639\u0631\u0648\u0636","Url":"\u0631\u0627\u0628\u0637","Open link in...":"\u062c\u0627\u0631\u064d \u0641\u062a\u062d \u0627\u0644\u0627\u0631\u062a\u0628\u0627\u0637.","Current window":"\u0627\u0644\u0646\u0627\u0641\u0630\u0629 \u0627\u0644\u062d\u0627\u0644\u064a\u0629","None":"\u0644\u0627 \u0634\u064a\u0621","New window":"\u0646\u0627\u0641\u0630\u0629 \u062c\u062f\u064a\u062f\u0629","Open link":"\u0641\u062a\u062d \u0627\u0644\u0631\u0627\u0628\u0637","Remove link":"\u0625\u0632\u0627\u0644\u0629 \u0627\u0631\u062a\u0628\u0627\u0637","Anchors":"\u0645\u0631\u0627\u0633","Link...":"\u0627\u0631\u062a\u0628\u0627\u0637...","Paste or type a link":"\u0627\u0644\u0635\u0642 \u0627\u0631\u062a\u0628\u0627\u0637 \u0623\u0648 \u0627\u0643\u062a\u0628\u0647","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0627\u0644\u0627\u0631\u062a\u0628\u0627\u0637 \u0627\u0644\u0630\u064a \u0642\u0645\u062a \u0628\u0625\u062f\u0631\u0627\u062c\u0647 \u064a\u0634\u0628\u0647 \u0627\u0644\u0628\u0631\u064a\u062f \u0627\u0644\u0627\u0644\u0643\u062a\u0631\u0648\u0646\u064a. \u0647\u0644 \u062a\u0631\u064a\u062f \u0625\u0636\u0627\u0641\u0629 \u0627\u0644\u0644\u0627\u062d\u0642\u0629 mailto: \u0627\u0644\u0645\u0637\u0644\u0648\u0628\u0629\u061f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u064a\u0628\u062f\u0648 \u0623\u0646 \u0639\u0646\u0648\u0627\u0646 URL \u0627\u0644\u0630\u064a \u0623\u062f\u062e\u0644\u062a\u0647 \u064a\u0634\u064a\u0631 \u0625\u0644\u0649 \u0627\u0631\u062a\u0628\u0627\u0637 \u062e\u0627\u0631\u062c\u064a. \u0647\u0644 \u062a\u0631\u064a\u062f \u0625\u0636\u0627\u0641\u0629 \u0627\u0644\u0644\u0627\u062d\u0642\u0629 http:// \u0627\u0644\u0645\u0637\u0644\u0648\u0628\u0629\u061f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u064a\u0628\u062f\u0648 \u0623\u0646 \u0639\u0646\u0648\u0627\u0646 URL \u0627\u0644\u0630\u064a \u0623\u062f\u062e\u0644\u062a\u0647 \u064a\u0634\u064a\u0631 \u0625\u0644\u0649 \u0627\u0631\u062a\u0628\u0627\u0637 \u062e\u0627\u0631\u062c\u064a. \u0647\u0644 \u062a\u0631\u064a\u062f \u0625\u0636\u0627\u0641\u0629 \u0627\u0644\u0644\u0627\u062d\u0642\u0629 https:// \u0627\u0644\u0645\u0637\u0644\u0648\u0628\u0629\u061f","Link list":"\u0642\u0627\u0626\u0645\u0629 \u0627\u0644\u0631\u0648\u0627\u0628\u0637","Insert video":"\u0625\u062f\u0631\u0627\u062c \u0641\u064a\u062f\u064a\u0648","Insert/edit video":"\u0625\u062f\u0631\u0627\u062c/\u062a\u062d\u0631\u064a\u0631 \u0641\u064a\u062f\u064a\u0648","Insert/edit media":"\u0625\u062f\u0631\u0627\u062c/\u062a\u062d\u0631\u064a\u0631 \u0627\u0644\u0648\u0633\u0627\u0626\u0637 \u0627\u0644\u0645\u062a\u0639\u062f\u062f\u0629","Alternative source":"\u0645\u0635\u062f\u0631 \u0628\u062f\u064a\u0644","Alternative source URL":"\u0639\u0646\u0648\u0627\u0646 URL \u0644\u0644\u0645\u0635\u062f\u0631 \u0627\u0644\u0628\u062f\u064a\u0644","Media poster (Image URL)":"\u0645\u0644\u0635\u0642 \u0627\u0644\u0648\u0633\u0627\u0626\u0637 (\u0639\u0646\u0648\u0627\u0646 URL \u0644\u0644\u0635\u0648\u0631\u0629)","Paste your embed code below:":"\u0644\u0635\u0642 \u0631\u0645\u0632 \u0627\u0644\u062a\u0636\u0645\u064a\u0646 \u0623\u062f\u0646\u0627\u0647:","Embed":"\u062a\u0636\u0645\u064a\u0646","Media...":"\u0627\u0644\u0648\u0633\u0627\u0626\u0637...","Nonbreaking space":"\u0645\u0633\u0627\u0641\u0629 \u063a\u064a\u0631 \u0645\u0646\u0642\u0633\u0645\u0629","Page break":"\u0641\u0627\u0635\u0644 \u0635\u0641\u062d\u0627\u062a","Paste as text":"\u0644\u0635\u0642 \u0643\u0646\u0635","Preview":"\u0645\u0639\u0627\u064a\u0646\u0629","Print":"\u0637\u0628\u0627\u0639\u0629","Print...":"\u0637\u0628\u0627\u0639\u0629...","Save":"\u062d\u0641\u0638","Find":"\u0628\u062d\u062b","Replace with":"\u0627\u0633\u062a\u0628\u062f\u0627\u0644 \u0628\u0640","Replace":"\u0627\u0633\u062a\u0628\u062f\u0627\u0644","Replace all":"\u0627\u0633\u062a\u0628\u062f\u0627\u0644 \u0627\u0644\u0643\u0644","Previous":"\u0627\u0644\u0633\u0627\u0628\u0642","Next":"\u0627\u0644\u062a\u0627\u0644\u064a","Find and Replace":"\u0627\u0644\u0628\u062d\u062b \u0648\u0627\u0644\u0627\u0633\u062a\u0628\u062f\u0627\u0644","Find and replace...":"\u062c\u0627\u0631\u064d \u0627\u0644\u0628\u062d\u062b \u0648\u0627\u0644\u0627\u0633\u062a\u0628\u062f\u0627\u0644...","Could not find the specified string.":"\u062a\u0639\u0630\u0631 \u0627\u0644\u0639\u062b\u0648\u0631 \u0639\u0644\u0649 \u0627\u0644\u0633\u0644\u0633\u0644\u0629 \u0627\u0644\u0645\u062d\u062f\u062f\u0629.","Match case":"\u0645\u0637\u0627\u0628\u0642\u0629 \u0627\u0644\u062d\u0627\u0644\u0629","Find whole words only":"\u0628\u062d\u062b \u0643\u0644\u0645\u0627\u062a \u0628\u0623\u0643\u0645\u0644\u0647\u0627 \u0641\u0642\u0637","Find in selection":"\u0627\u0644\u0628\u062d\u062b \u0628\u0627\u0644\u0645\u062d\u062f\u062f","Insert table":"\u0625\u062f\u0631\u0627\u062c \u062c\u062f\u0648\u0644","Table properties":"\u062e\u0635\u0627\u0626\u0635 \u0627\u0644\u062c\u062f\u0648\u0644","Delete table":"\u062d\u0630\u0641 \u062c\u062f\u0648\u0644","Cell":"\u062e\u0644\u064a\u0629","Row":"\u0635\u0641","Column":"\u0639\u0645\u0648\u062f","Cell properties":"\u062e\u0635\u0627\u0626\u0635 \u0627\u0644\u062e\u0644\u064a\u0629","Merge cells":"\u062f\u0645\u062c \u062e\u0644\u0627\u064a\u0627","Split cell":"\u062a\u0642\u0633\u064a\u0645 \u062e\u0644\u064a\u0629","Insert row before":"\u0625\u062f\u0631\u0627\u062c \u0635\u0641 \u0642\u0628\u0644","Insert row after":"\u0625\u062f\u0631\u0627\u062c \u0635\u0641 \u0628\u0639\u062f","Delete row":"\u062d\u0630\u0641 \u0635\u0641","Row properties":"\u062e\u0635\u0627\u0626\u0635 \u0627\u0644\u0635\u0641","Cut row":"\u0642\u0635 \u0627\u0644\u0635\u0641","Cut column":"\u0642\u0635 \u0627\u0644\u0639\u0627\u0645\u0648\u062f","Copy row":"\u0646\u0633\u062e \u0627\u0644\u0635\u0641","Copy column":"\u0646\u0633\u062e \u0627\u0644\u0639\u0627\u0645\u0648\u062f","Paste row before":"\u0644\u0635\u0642 \u0627\u0644\u0635\u0641 \u0642\u0628\u0644","Paste column before":"\u0644\u0635\u0642 \u0627\u0644\u0639\u0627\u0645\u0648\u062f \u0642\u0628\u0644","Paste row after":"\u0644\u0635\u0642 \u0627\u0644\u0635\u0641 \u0628\u0639\u062f","Paste column after":"\u0644\u0635\u0642 \u0627\u0644\u0639\u0627\u0645\u0648\u062f \u0628\u0639\u062f","Insert column before":"\u0625\u062f\u0631\u0627\u062c \u0639\u0645\u0648\u062f \u0642\u0628\u0644","Insert column after":"\u0625\u062f\u0631\u0627\u062c \u0639\u0645\u0648\u062f \u0628\u0639\u062f","Delete column":"\u062d\u0630\u0641 \u0639\u0645\u0648\u062f","Cols":"\u0623\u0639\u0645\u062f\u0629","Rows":"\u0635\u0641\u0648\u0641","Width":"\u0627\u0644\u0639\u0631\u0636","Height":"\u0627\u0644\u0627\u0631\u062a\u0641\u0627\u0639","Cell spacing":"\u062a\u0628\u0627\u0639\u062f \u0627\u0644\u062e\u0644\u0627\u064a\u0627","Cell padding":"\u062a\u0628\u0637\u064a\u0646 \u0627\u0644\u062e\u0644\u064a\u0629","Row clipboard actions":"\u0627\u062c\u0631\u0627\u0621\u0627\u062a \u0645\u062d\u0641\u0638\u0629 \u0627\u0644\u0635\u0641","Column clipboard actions":"\u0627\u062c\u0631\u0627\u0621\u0627\u062a \u0645\u062d\u0641\u0638\u0629 \u0627\u0644\u0639\u0627\u0645\u0648\u062f","Table styles":"\u062a\u0646\u0633\u064a\u0642 \u0627\u0644\u062c\u062f\u0648\u0644","Cell styles":"\u062a\u0646\u0633\u064a\u0642 \u0627\u0644\u062e\u0644\u064a\u0629","Column header":"\u0631\u0623\u0633 \u0627\u0644\u0639\u0645\u0648\u062f","Row header":"\u0631\u0623\u0633 \u0627\u0644\u0635\u0641","Table caption":"\u0639\u0646\u0648\u0627\u0646 \u0627\u0644\u062c\u062f\u0648\u0644","Caption":"\u0634\u0631\u062d","Show caption":"\u0625\u0638\u0647\u0627\u0631 \u0627\u0644\u062a\u0633\u0645\u064a\u0629 \u0627\u0644\u062a\u0648\u0636\u064a\u062d\u064a\u0629","Left":"\u064a\u0633\u0627\u0631","Center":"\u0648\u0633\u0637","Right":"\u064a\u0645\u064a\u0646","Cell type":"\u0646\u0648\u0639 \u0627\u0644\u062e\u0644\u064a\u0629","Scope":"\u0627\u0644\u0646\u0637\u0627\u0642","Alignment":"\u0645\u062d\u0627\u0630\u0627\u0629","Horizontal align":"\u0645\u062d\u0627\u0630\u0627\u0629 \u0623\u0641\u0642\u064a\u0629","Vertical align":"\u0645\u062d\u0627\u0630\u0627\u0629 \u0639\u0645\u0648\u062f\u064a\u0629","Top":"\u0623\u0639\u0644\u0649","Middle":"\u0648\u0633\u0637","Bottom":"\u0623\u0633\u0641\u0644","Header cell":"\u062e\u0644\u064a\u0629 \u0627\u0644\u0639\u0646\u0648\u0627\u0646","Row group":"\u0645\u062c\u0645\u0648\u0639\u0629 \u0627\u0644\u0635\u0641\u0648\u0641","Column group":"\u0645\u062c\u0645\u0648\u0639\u0629 \u0627\u0644\u0623\u0639\u0645\u062f\u0629","Row type":"\u0646\u0648\u0639 \u0627\u0644\u0635\u0641","Header":"\u0627\u0644\u0631\u0623\u0633 ","Body":"\u0627\u0644\u0646\u0635","Footer":"\u062a\u0630\u064a\u064a\u0644","Border color":"\u0644\u0648\u0646 \u0627\u0644\u062d\u062f","Solid":"\u0633\u0645\u064a\u0643","Dotted":"\u0645\u0646\u0642\u0637","Dashed":"\u0645\u062a\u0642\u0637\u0639","Double":"\u0645\u0632\u062f\u0648\u062c","Groove":"\u0641\u062c\u0648\u0629","Ridge":"\u062a\u0645\u062f\u064a\u062f \u0644\u0644\u0646\u0647\u0627\u064a\u0629","Inset":"\u0627\u062f\u0631\u062c","Outset":"\u0627\u0644\u0627\u0633\u062a\u0647\u0644\u0627\u0644\u0629","Hidden":"\u0645\u062e\u0641\u064a","Insert template...":"\u062c\u0627\u0631\u064d \u0625\u062f\u0631\u0627\u062c \u0642\u0627\u0644\u0628...","Templates":"\u0627\u0644\u0642\u0648\u0627\u0644\u0628","Template":"\u0627\u0644\u0642\u0627\u0644\u0628","Insert Template":"\u0625\u062f\u062e\u0627\u0644 \u0642\u0627\u0644\u0628","Text color":"\u0644\u0648\u0646 \u0627\u0644\u0646\u0635","Background color":"\u0644\u0648\u0646 \u0627\u0644\u062e\u0644\u0641\u064a\u0629","Custom...":"\u0645\u062e\u0635\u0635...","Custom color":"\u0644\u0648\u0646 \u0645\u062e\u0635\u0635","No color":"\u0628\u062f\u0648\u0646 \u0644\u0648\u0646","Remove color":"\u0625\u0632\u0627\u0644\u0629 \u0644\u0648\u0646","Show blocks":"\u0625\u0638\u0647\u0627\u0631 \u0627\u0644\u0643\u062a\u0644","Show invisible characters":"\u0625\u0638\u0647\u0627\u0631 \u0627\u0644\u0623\u062d\u0631\u0641 \u063a\u064a\u0631 \u0627\u0644\u0645\u0631\u0626\u064a\u0629","Word count":"\u0639\u062f\u062f \u0627\u0644\u0643\u0644\u0645\u0627\u062a","Count":"\u0627\u0644\u0639\u062f\u062f","Document":"\u0627\u0644\u0645\u0633\u062a\u0646\u062f","Selection":"\u0627\u0644\u062a\u062d\u062f\u064a\u062f","Words":"\u0627\u0644\u0643\u0644\u0645\u0627\u062a","Words: {0}":"\u0627\u0644\u0643\u0644\u0645\u0627\u062a: {0}","{0} words":"{0} \u0645\u0646 \u0627\u0644\u0643\u0644\u0645\u0627\u062a","File":"\u0645\u0644\u0641","Edit":"\u062a\u062d\u0631\u064a\u0631","Insert":"\u0625\u062f\u0631\u0627\u062c","View":"\u0639\u0631\u0636","Format":"\u062a\u0646\u0633\u064a\u0642","Table":"\u062c\u062f\u0648\u0644","Tools":"\u0627\u0644\u0623\u062f\u0648\u0627\u062a","Powered by {0}":"\u0645\u062f\u0639\u0648\u0645 \u0628\u0648\u0627\u0633\u0637\u0629 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0645\u0646\u0637\u0642\u0629 \u0646\u0635 \u0645\u0646\u0633\u0642. \u0627\u0636\u063a\u0637 ALT-F9 \u0644\u0644\u0642\u0627\u0626\u0645\u0629. \u0627\u0636\u063a\u0637 ALT-F10 \u0644\u0634\u0631\u064a\u0637 \u0627\u0644\u0623\u062f\u0648\u0627\u062a. \u0627\u0636\u063a\u0637 ALT-0 \u0644\u0644\u062d\u0635\u0648\u0644 \u0639\u0644\u0649 \u0627\u0644\u0645\u0633\u0627\u0639\u062f\u0629","Image title":"\u0639\u0646\u0648\u0627\u0646 \u0627\u0644\u0635\u0648\u0631\u0629","Border width":"\u0639\u0631\u0636 \u0627\u0644\u062d\u062f","Border style":"\u0646\u0645\u0637 \u0627\u0644\u062d\u062f","Error":"\u062e\u0637\u0623","Warn":"\u062a\u062d\u0630\u064a\u0631","Valid":"\u0635\u062d\u064a\u062d","To open the popup, press Shift+Enter":"\u0644\u0641\u062a\u062d \u0627\u0644\u0642\u0627\u0626\u0645\u0629 \u0627\u0644\u0645\u0646\u0628\u062b\u0642\u0629\u060c \u0627\u0636\u063a\u0637 \u0639\u0644\u0649 Shift\u200f+Enter","Rich Text Area":"\u0645\u0633\u0627\u062d\u0629 \u0646\u064e\u0635 \u0627\u0644 rich","Rich Text Area. Press ALT-0 for help.":"\u0645\u0646\u0637\u0642\u0629 \u0646\u0635 \u0645\u0646\u0633\u0642. \u0627\u0636\u063a\u0637 ALT-0 \u0644\u0644\u062d\u0635\u0648\u0644 \u0639\u0644\u0649 \u0627\u0644\u0645\u0633\u0627\u0639\u062f\u0629.","System Font":"\u062e\u0637 \u0627\u0644\u0646\u0638\u0627\u0645","Failed to upload image: {0}":"\u0641\u0634\u0644 \u062a\u062d\u0645\u064a\u0644 \u0627\u0644\u0635\u0648\u0631\u0629: {0}","Failed to load plugin: {0} from url {1}":"\u0641\u0634\u0644 \u062a\u062d\u0645\u064a\u0644 \u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646 \u0627\u0644\u0625\u0636\u0627\u0641\u064a: {0} \u0645\u0646 url \u200f{1}","Failed to load plugin url: {0}":"\u0641\u0634\u0644 \u062a\u062d\u0645\u064a\u0644 url \u0644\u0644\u0645\u0643\u0648\u0651\u0650\u0646 \u0627\u0644\u0625\u0636\u0627\u0641\u064a: {0}","Failed to initialize plugin: {0}":"\u0641\u0634\u0644\u062a \u062a\u0647\u064a\u0626\u0629 \u0627\u0644\u0645\u0643\u0648\u0651\u0650\u0646 \u0627\u0644\u0625\u0636\u0627\u0641\u064a: {0}","example":"\u0645\u062b\u0627\u0644","Search":"\u0628\u062d\u062b","All":"\u0627\u0644\u0643\u0644","Currency":"\u0627\u0644\u0639\u0645\u0644\u0629","Text":"\u0627\u0644\u0646\u0635","Quotations":"\u0639\u0631\u0648\u0636 \u0627\u0644\u0623\u0633\u0639\u0627\u0631","Mathematical":"\u0631\u064a\u0627\u0636\u064a\u0629","Extended Latin":"\u0627\u0644\u0644\u0627\u062a\u064a\u0646\u064a\u0629 \u0627\u0644\u0645\u0648\u0633\u0639\u0629","Symbols":"\u0627\u0644\u0631\u0645\u0648\u0632","Arrows":"\u0627\u0644\u0623\u0633\u0647\u0645","User Defined":"\u0645\u0639\u0631\u0651\u064e\u0641 \u0645\u0646 \u0642\u0628\u0644 \u0627\u0644\u0645\u0633\u062a\u062e\u062f\u0645","dollar sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u062f\u0648\u0644\u0627\u0631","currency sign":"\u0639\u0644\u0627\u0645\u0629 \u0639\u0645\u0644\u0629","euro-currency sign":"\u0639\u0644\u0627\u0645\u0629 \u0639\u0645\u0644\u0629 \u0627\u0644\u064a\u0648\u0631\u0648","colon sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0646\u0642\u0637\u062a\u064a\u0646","cruzeiro sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0643\u0631\u0648\u0632\u064a\u0631\u0648","french franc sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0641\u0631\u0646\u0643 \u0627\u0644\u0641\u0631\u0646\u0633\u064a","lira sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0644\u064a\u0631\u0629","mill sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0645\u0644","naira sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0646\u064a\u0631\u0629","peseta sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0628\u064a\u0632\u064a\u062a\u0627","rupee sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0631\u0648\u0628\u064a\u0629","won sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0648\u0646","new sheqel sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0634\u064a\u0643\u0644 \u0627\u0644\u062c\u062f\u064a\u062f","dong sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u062f\u0648\u0646\u062c","kip sign":"\u0639\u0645\u0644\u0629 \u0627\u0644\u0643\u064a\u0628","tugrik sign":"\u0639\u0645\u0644\u0629 \u0627\u0644\u062a\u0648\u063a\u0631\u064a\u0643","drachma sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u062f\u0631\u0627\u062e\u0645\u0627","german penny symbol":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0628\u0646\u0633 \u0627\u0644\u0623\u0644\u0645\u0627\u0646\u064a","peso sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0628\u064a\u0632\u0648","guarani sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u062c\u0648\u0627\u0631\u0627\u0646\u064a","austral sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0623\u0648\u0633\u062a\u0631\u0627\u0644","hryvnia sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0647\u0631\u064a\u0641\u0646\u064a\u0627","cedi sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0633\u064a\u062f\u064a","livre tournois sign":"\u0639\u0644\u0627\u0645\u0629 \u0644\u064a\u0641\u0631 \u062a\u0648\u0631\u0646\u0648\u064a\u0632","spesmilo sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0627\u0633\u0628\u064a\u0632\u0645\u0627\u064a\u0644\u0648","tenge sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u062a\u064a\u0646\u062c","indian rupee sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0631\u0648\u0628\u064a\u0629 \u0627\u0644\u0647\u0646\u062f\u064a\u0629","turkish lira sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0644\u064a\u0631\u0629 \u0627\u0644\u062a\u0631\u0643\u064a\u0629","nordic mark sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0646\u0648\u0631\u062f\u0643","manat sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0645\u0627\u0646\u0627\u062a","ruble sign":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0631\u0648\u0628\u0644","yen character":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u064a\u0646","yuan character":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u064a\u0648\u0627\u0646","yuan character, in hong kong and taiwan":"\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u064a\u0648\u0627\u0646 \u0641\u064a \u0647\u0648\u0646\u062c \u0643\u0648\u0646\u062c \u0648\u062a\u0627\u064a\u0648\u0627\u0646","yen/yuan character variant one":"\u0627\u0644\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u0628\u062f\u064a\u0644\u0629 \u0644\u0639\u0644\u0627\u0645\u0629 \u0627\u0644\u064a\u0646/\u0627\u0644\u064a\u0648\u0627\u0646","Emojis":"\u0623\u064a\u0642\u0648\u0646\u0627\u062a \u062a\u0639\u0628\u064a\u0631\u064a\u0629","Emojis...":"\u0648\u062c\u0648\u0647 \u062a\u0639\u0628\u064a\u0631\u064a\u0647...","Loading emojis...":"\u062c\u0627\u0631 \u062a\u062d\u0645\u064a\u0644 \u0623\u064a\u0642\u0648\u0646\u0627\u062a \u062a\u0639\u0628\u064a\u0631\u064a\u0629...","Could not load emojis":"\u0641\u0634\u0644 \u062a\u062d\u0645\u064a\u0644 \u0627\u0644\u0623\u064a\u0642\u0648\u0646\u0627\u062a \u0627\u0644\u062a\u0639\u0628\u064a\u0631\u064a\u0629","People":"\u0623\u0634\u062e\u0627\u0635","Animals and Nature":"\u0627\u0644\u062d\u064a\u0648\u0627\u0646\u0627\u062a \u0648\u0627\u0644\u0637\u0628\u064a\u0639\u0629","Food and Drink":"\u0627\u0644\u0623\u0637\u0639\u0645\u0629 \u0648\u0627\u0644\u0645\u0634\u0631\u0648\u0628\u0627\u062a","Activity":"\u0627\u0644\u0646\u0634\u0627\u0637","Travel and Places":"\u0627\u0644\u0633\u0641\u0631 \u0648\u0627\u0644\u0623\u0645\u0627\u0643\u0646 \u0633\u064a\u0627\u062d\u064a\u0629","Objects":"\u0643\u0627\u0626\u0646\u0627\u062a","Flags":"\u0627\u0644\u0639\u0644\u0627\u0645\u0627\u062a","Characters":"\u0627\u0644\u0623\u062d\u0631\u0641","Characters (no spaces)":"\u0627\u0644\u0623\u062d\u0631\u0641 (\u062f\u0648\u0646 \u0627\u0644\u0645\u0633\u0627\u0641\u0627\u062a)","{0} characters":"{0} \u0631\u0645\u0648\u0632","Error: Form submit field collision.":"\u062e\u0637\u0623: \u062a\u0636\u0627\u0631\u0628 \u0641\u064a \u062d\u0642\u0644 \u0625\u0631\u0633\u0627\u0644 \u0627\u0644\u0646\u0645\u0648\u0630\u062c.","Error: No form element found.":"\u0627\u0644\u062e\u0637\u0623: \u0644\u0645 \u064a\u062a\u0645 \u0627\u0644\u0639\u062b\u0648\u0631 \u0639\u0644\u0649 \u0639\u0646\u0635\u0631 \u0646\u0645\u0648\u0630\u062c.","Color swatch":"\u0639\u064a\u0646\u0627\u062a \u0627\u0644\u0623\u0644\u0648\u0627\u0646","Color Picker":"\u0645\u0646\u062a\u0642\u064a \u0627\u0644\u0623\u0644\u0648\u0627\u0646","Invalid hex color code: {0}":"\u0643\u0648\u062f \u0627\u0644\u0644\u0648\u0646 \u063a\u064a\u0631 \u0635\u0627\u0644\u062d: {0}","Invalid input":"\u0645\u062f\u062e\u0644 \u063a\u064a\u0631 \u0633\u0644\u064a\u0645","R":"\u0623\u062d\u0645\u0631","Red component":"\u0627\u0644\u0645\u0643\u0648\u0646 \u0627\u0644\u0623\u062d\u0645\u0631","G":"\u0623\u062e\u0636\u0631","Green component":"\u0627\u0644\u0645\u0643\u0648\u0646 \u0627\u0644\u0623\u062e\u0636\u0631","B":"\u0623\u0632\u0631\u0642","Blue component":"\u0627\u0644\u0645\u0643\u0648\u0646 \u0627\u0644\u0623\u0632\u0631\u0642","#":"#","Hex color code":"\u0643\u0648\u062f \u0627\u0644\u0644\u0648\u0646 \u0628\u0635\u064a\u063a\u0629 Hex","Range 0 to 255":"\u0627\u0644\u0645\u062f\u0649 \u0645\u0646 0 \u0625\u0644\u0649 255","Turquoise":"\u0641\u064a\u0631\u0648\u0632\u064a","Green":"\u0623\u062e\u0636\u0631","Blue":"\u0623\u0632\u0631\u0642","Purple":"\u0628\u0646\u0641\u0633\u062c\u064a","Navy Blue":"\u0623\u0632\u0631\u0642 \u0646\u064a\u0644\u064a","Dark Turquoise":"\u0641\u064a\u0631\u0648\u0632\u064a \u062f\u0627\u0643\u0646","Dark Green":"\u0623\u062e\u0636\u0631 \u062f\u0627\u0643\u0646","Medium Blue":"\u0623\u0632\u0631\u0642 \u0645\u062a\u0648\u0633\u0637","Medium Purple":"\u0628\u0646\u0641\u0633\u062c\u064a \u0645\u062a\u0648\u0633\u0637","Midnight Blue":"\u0623\u0632\u0631\u0642 \u062f\u0627\u0643\u0646 \u062c\u062f\u0627\u064b","Yellow":"\u0623\u0635\u0641\u0631","Orange":"\u0628\u0631\u062a\u0642\u0627\u0644\u064a","Red":"\u0623\u062d\u0645\u0631","Light Gray":"\u0631\u0645\u0627\u062f\u064a \u0641\u0627\u062a\u062d","Gray":"\u0631\u0645\u0627\u062f\u064a","Dark Yellow":"\u0623\u0635\u0641\u0631 \u062f\u0627\u0643\u0646","Dark Orange":"\u0628\u0631\u062a\u0642\u0627\u0644\u064a \u062f\u0627\u0643\u0646","Dark Red":"\u0623\u062d\u0645\u0631 \u062f\u0627\u0643\u0646","Medium Gray":"\u0631\u0645\u0627\u062f\u064a \u0645\u062a\u0648\u0633\u0637","Dark Gray":"\u0631\u0645\u0627\u062f\u064a \u062f\u0627\u0643\u0646","Light Green":"\u0623\u062e\u0636\u0631 \u0641\u0627\u062a\u062d","Light Yellow":"\u0623\u0635\u0641\u0631 \u0641\u0627\u062a\u062d","Light Red":"\u0623\u062d\u0645\u0631 \u0641\u0627\u062a\u062d","Light Purple":"\u0628\u0646\u0641\u0633\u062c\u064a \u0641\u0627\u062a\u062d","Light Blue":"\u0623\u0632\u0631\u0642 \u0641\u0627\u062a\u062d","Dark Purple":"\u0623\u0631\u062c\u0648\u0627\u0646\u064a \u062f\u0627\u0643\u0646","Dark Blue":"\u0623\u0632\u0631\u0642 \u062f\u0627\u0643\u0646","Black":"\u0623\u0633\u0648\u062f","White":"\u0623\u0628\u064a\u0636","Switch to or from fullscreen mode":"\u0627\u0644\u062a\u0628\u062f\u064a\u0644 \u0625\u0644\u0649 \u0623\u0648 \u0645\u0646 \u0648\u0636\u0639 \u0645\u0644\u0621 \u0627\u0644\u0634\u0627\u0634\u0629","Open help dialog":"\u0627\u0641\u062a\u062d \u062d\u0648\u0627\u0631 \u0627\u0644\u062a\u0639\u0644\u064a\u0645\u0627\u062a","history":"\u0627\u0644\u0645\u062d\u0641\u0648\u0638\u0627\u062a","styles":"\u0627\u0644\u0623\u0646\u0645\u0627\u0637","formatting":"\u062a\u0646\u0633\u064a\u0642","alignment":"\u0645\u062d\u0627\u0630\u0627\u0629","indentation":"\u0645\u0633\u0627\u0641\u0629 \u0628\u0627\u062f\u0626\u0629","Font":"\u0627\u0644\u062e\u0637","Size":"\u0627\u0644\u062d\u062c\u0645","More...":"\u0627\u0644\u0645\u0632\u064a\u062f...","Select...":"\u062a\u062d\u062f\u064a\u062f...","Preferences":"\u0627\u0644\u062a\u0641\u0636\u064a\u0644\u0627\u062a","Yes":"\u0646\u0639\u0645","No":"\u0644\u0627","Keyboard Navigation":"\u0627\u0644\u062a\u0646\u0642\u0644 \u0628\u0648\u0627\u0633\u0637\u0629 \u0644\u0648\u062d\u0629 \u0627\u0644\u0645\u0641\u0627\u062a\u064a\u062d","Version":"\u0627\u0644\u0625\u0635\u062f\u0627\u0631","Code view":"\u0639\u0627\u0631\u0636 \u0627\u0644\u0631\u0645\u0648\u0632","Open popup menu for split buttons":"\u0627\u0641\u062a\u062d \u0627\u0644\u0642\u0627\u0626\u0645\u0629 \u0627\u0644\u0645\u0646\u0628\u062b\u0642\u0629 \u0644\u0623\u0632\u0631\u0627\u0631 \u0627\u0644\u0627\u0646\u0642\u0633\u0627\u0645","List Properties":"\u0642\u0627\u0626\u0645\u0629 \u0627\u0644\u062e\u0635\u0627\u0626\u0635","List properties...":"\u0642\u0627\u0626\u0645\u0629 \u0627\u0644\u062e\u0635\u0627\u0626\u0635...","Start list at number":"\u0628\u062f\u0621 \u0627\u0644\u0642\u0627\u0626\u0645\u0629 \u0639\u0646\u062f \u0627\u0644\u0631\u0642\u0645","Line height":"\u0627\u0631\u062a\u0641\u0627\u0639 \u0627\u0644\u062e\u0637","Dropped file type is not supported":"\u0646\u0648\u0639 \u0627\u0644\u0645\u0644\u0641 \u0627\u0644\u0630\u064a \u062a\u0645 \u0627\u0633\u0642\u0627\u0637\u0647 \u063a\u064a\u0631 \u0645\u062f\u0639\u0648\u0645","Loading...":"\u062a\u062d\u0645\u064a\u0644...","ImageProxy HTTP error: Rejected request":"\u062e\u0637\u0623 \u0641\u064a \u0639\u0646\u0648\u0627\u0646 \u0648\u0643\u064a\u0644 \u0627\u0644\u0635\u0648\u0631 \u0644\u0640HTTP:: \u0637\u0644\u0628 \u0645\u0631\u0641\u0648\u0635","ImageProxy HTTP error: Could not find Image Proxy":"\u062e\u0637\u0623 \u0641\u064a \u0639\u0646\u0648\u0627\u0646 \u0648\u0643\u064a\u0644 \u0627\u0644\u0635\u0648\u0631 \u0644\u0640HTTP: \u0644\u0627 \u064a\u0645\u0643\u0646\u0646\u0627 \u0627\u064a\u062c\u0627\u062f \u0648\u0643\u064a\u0644 \u0627\u0644\u0635\u0648\u0631\u0629","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u0639\u0646\u0648\u0627\u0646 \u0648\u0643\u064a\u0644 \u0627\u0644\u0635\u0648\u0631 \u0644\u0640HTTP: \u0639\u0646\u0648\u0627\u0646 \u0648\u0643\u064a\u0644 \u0627\u0644\u0635\u0648\u0631\u0629 \u062e\u0627\u0637\u0626","ImageProxy HTTP error: Unknown ImageProxy error":"\u062e\u0637\u0623 \u0641\u064a \u0639\u0646\u0648\u0627\u0646 \u0648\u0643\u064a\u0644 \u0627\u0644\u0635\u0648\u0631 \u0644\u0640HTTP: \u0648\u0643\u064a\u0644 \u0635\u0648\u0631\u0629 \u063a\u064a\u0631 \u0645\u0639\u0631\u0648\u0641","_dir":"rtl"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/az.js b/deform/static/tinymce/langs/az.js new file mode 100644 index 00000000..c4af0081 --- /dev/null +++ b/deform/static/tinymce/langs/az.js @@ -0,0 +1 @@ +tinymce.addI18n("az",{"Redo":"\u0130r\u0259li","Undo":"Geriy\u0259","Cut":"K\u0259s","Copy":"K\xf6\xe7\xfcr","Paste":"\u018flav\u0259 et","Select all":"Ham\u0131s\u0131n\u0131 se\xe7","New document":"Yeni s\u0259n\u0259d","Ok":"Oldu","Cancel":"L\u0259\u011fv et","Visual aids":"Konturlar\u0131 g\xf6st\u0259r","Bold":"Qal\u0131n","Italic":"Maili","Underline":"Alt x\u0259ttli","Strikethrough":"Silinmi\u015f","Superscript":"Yuxar\u0131 indeks","Subscript":"A\u015fa\u011f\u0131 indeks","Clear formatting":"Format\u0131 t\u0259mizl\u0259","Remove":"Sil","Align left":"Sol t\u0259r\u0259f \xfczr\u0259","Align center":"M\u0259rk\u0259z \xfczr\u0259","Align right":"Sa\u011f t\u0259r\u0259f \xfczr\u0259","No alignment":"","Justify":"H\u0259r iki t\u0259r\u0259f \xfczr\u0259","Bullet list":"S\u0131ras\u0131z siyah\u0131","Numbered list":"N\xf6mr\u0259l\u0259nmi\u015f siyah\u0131","Decrease indent":"Bo\u015flu\u011fu azalt","Increase indent":"Bo\u015flu\u011fu art\u0131r","Close":"Ba\u011fla","Formats":"Formatlar","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Sizin brauzeriniz m\xfcbadil\u0259 buferin\u0259 birba\u015fa yolu d\u0259st\u0259kl\u0259mir. Z\u0259hm\u0259t olmasa, bunun yerin\u0259 klaviaturan\u0131n Ctrl+X/C/V d\xfcym\u0259l\u0259rind\u0259n istifad\u0259 edin.","Headings":"Ba\u015fl\u0131qlar","Heading 1":"Ba\u015fl\u0131q 1","Heading 2":"Ba\u015fl\u0131q 2","Heading 3":"Ba\u015fl\u0131q 3","Heading 4":"Ba\u015fl\u0131q 4","Heading 5":"Ba\u015fl\u0131q 5","Heading 6":"Ba\u015fl\u0131q 6","Preformatted":"\u018fvv\u0259lc\u0259d\u0259n formatland\u0131r\u0131lm\u0131\u015f","Div":"","Pre":"","Code":"Kod","Paragraph":"Paraqraf","Blockquote":"Sitat","Inline":"S\u0259tir i\xe7i","Blocks":"Bloklar","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Hal-haz\u0131rda adi m\u0259tn rejimind\u0259 yerl\u0259\u015fdirilir. M\u0259zmun sad\u0259 m\u0259tn \u015f\u0259klind\u0259 yerl\u0259\u015fdiril\u0259c\u0259k, h\u0259l\u0259 bu se\xe7imi d\u0259yi\u015fdirm\u0259.","Fonts":"Fontlar","Font sizes":"\u015erift \xf6l\xe7\xfcl\u0259ri","Class":"Sinif","Browse for an image":"\u015e\u0259kil se\xe7","OR":"V\u018f YA","Drop an image here":"\u015e\u0259kli buraya s\xfcr\xfckl\u0259yin","Upload":"Y\xfckl\u0259","Uploading image":"","Block":"Blokla","Align":"D\xfczl\u0259ndir","Default":"Susmaya g\xf6r\u0259","Circle":"Dair\u0259","Disc":"Disk","Square":"Sah\u0259","Lower Alpha":"Ki\xe7ik Alfa \u0259lifbas\u0131","Lower Greek":"Ki\xe7ik Yunan \u0259lifbas\u0131","Lower Roman":"Ki\xe7ik Roma \u0259lifbas\u0131","Upper Alpha":"B\xf6y\xfck Alfa \u0259lifbas\u0131","Upper Roman":"B\xf6y\xfck Roma \u0259lifbas\u0131","Anchor...":"Anchor","Anchor":"","Name":"Ad","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"Sizd\u0259 yadda saxlan\u0131lmayan d\u0259yi\u015fiklikl\u0259r var \u0259minsiniz ki, getm\u0259k ist\u0259yirsiniz?","Restore last draft":"Son layih\u0259nin b\u0259rpas\u0131","Special character...":"X\xfcsusi simvol","Special Character":"X\xfcsusi simvol","Source code":"M\u0259nb\u0259 kodu","Insert/Edit code sample":"Kod n\xfcmun\u0259sin\u0259 \u0259lav\u0259/d\xfcz\u0259li\u015f et","Language":"Dil","Code sample...":"Kod n\xfcmun\u0259si","Left to right":"Soldan sa\u011fa","Right to left":"Sa\u011fdan sola","Title":"Ba\u015fl\u0131q","Fullscreen":"Tam ekran rejimi","Action":"\u018fmr","Shortcut":"Q\u0131sayol","Help":"K\xf6m\u0259k","Address":"Adres","Focus to menubar":"Menyu \xe7ubu\u011funa diqq\u0259t et","Focus to toolbar":"Al\u0259tl\u0259r \xe7ubu\u011funa diqq\u0259t et","Focus to element path":"Elementin m\u0259nb\u0259yin\u0259 diqq\u0259t et","Focus to contextual toolbar":"Kontekst menyuya diqq\u0259t et","Insert link (if link plugin activated)":"Link \u0259lav\u0259 et (\u0259g\u0259r link \u0259lav\u0259si aktivdirs\u0259)","Save (if save plugin activated)":"Yadda\u015fa yaz (\u0259g\u0259r yadda\u015fa yaz \u0259lav\u0259si aktivdirs\u0259)","Find (if searchreplace plugin activated)":"Tap (\u0259g\u0259r axtar\u0131\u015f \u0259lav\u0259si aktivdirs\u0259)","Plugins installed ({0}):":"\u018flav\u0259l\u0259r y\xfckl\u0259ndi ({0}):","Premium plugins:":"Premium \u0259lav\u0259l\u0259r","Learn more...":"Daha \xe7ox \xf6yr\u0259n...","You are using {0}":"Siz {0} istifad\u0259 edirsiniz","Plugins":"\u018flav\u0259l\u0259r","Handy Shortcuts":"Laz\u0131ml\u0131 q\u0131sayollar","Horizontal line":"Horizontal x\u0259tt","Insert/edit image":"\u015e\u0259kilin \u0259lav\u0259/redakt\u0259 edilm\u0259si","Alternative description":"Alternativ t\u0259svir","Accessibility":"\u018fl\xe7atanl\u0131q","Image is decorative":"","Source":"M\u0259nb\u0259","Dimensions":"\xd6l\xe7\xfcl\u0259r","Constrain proportions":"Nisb\u0259tl\u0259rin saxlan\u0131lmas\u0131","General":"\xdcmumi","Advanced":"Geni\u015fl\u0259nmi\u015f","Style":"Stil","Vertical space":"Vertikal sah\u0259","Horizontal space":"Horizontal sah\u0259","Border":"\xc7\u0259r\xe7iv\u0259","Insert image":"\u015e\u0259kil yerl\u0259\u015fdir","Image...":"\u015e\u0259kil","Image list":"\u015e\u0259kil listi","Resize":"\xd6l\xe7\xfcl\u0259ri d\u0259yi\u015f","Insert date/time":"G\xfcn/tarix \u0259lav\u0259 et","Date/time":"Tarix/saat","Insert/edit link":"Linkin \u0259lav\u0259/redakt\u0259 edilm\u0259si","Text to display":"G\xf6r\xfcn\u0259n yaz\u0131n\u0131n t\u0259sviri","Url":"Linkin \xfcnvan\u0131","Open link in...":"Ba\u011flant\u0131y\u0131 a\xe7\u0131n","Current window":"Cari p\u0259nc\u0259r\u0259","None":"Yoxdur","New window":"Yeni p\u0259nc\u0259r\u0259d\u0259 a\xe7\u0131ls\u0131n","Open link":"Ke\xe7idi a\xe7","Remove link":"Linki sil","Anchors":"L\xf6vb\u0259rl\u0259r","Link...":"Ba\u011flant\u0131","Paste or type a link":"Ke\xe7idi yerl\u0259\u015fdirin v\u0259 ya yaz\u0131n","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Daxil etdiyiniz URL bir e-mail kimi g\xf6r\xfcn\xfcr. \u018fg\u0259r t\u0259l\u0259b olunan mailto: prefix \u0259lav\u0259 etm\u0259k ist\u0259yirsiniz?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Daxil etdiyiniz URL bir e-mail kimi g\xf6r\xfcn\xfcr. \u018fg\u0259r t\u0259l\u0259b olunan mailto: prefix \u0259lav\u0259 etm\u0259k ist\u0259yirsiniz?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Ke\xe7id listi","Insert video":"Videonun \u0259lav\u0259 edilm\u0259si","Insert/edit video":"Videonun \u0259lav\u0259/redakt\u0259 edilm\u0259si","Insert/edit media":"Media \u0259lav\u0259/d\xfcz\u0259li\u015f et","Alternative source":"Alternativ m\u0259nb\u0259","Alternative source URL":"Alternativ m\u0259nb\u0259 URL-i","Media poster (Image URL)":"Media afi\u015fas\u0131 (\u015e\u0259kil URL)","Paste your embed code below:":"\xd6z kodunuzu a\u015fa\u011f\u0131 \u0259lav\u0259 edin:","Embed":"\u018flav\u0259 etm\u0259k \xfc\xe7\xfcn kod","Media...":"Media","Nonbreaking space":"Q\u0131r\u0131lmaz sah\u0259","Page break":"S\u0259hif\u0259nin q\u0131r\u0131lmas\u0131","Paste as text":"M\u0259tn kimi \u0259lav\u0259 et","Preview":"\u0130lkinbax\u0131\u015f","Print":"\xc7ap","Print...":"\xc7ap et","Save":"Yadda saxla","Find":"Tap","Replace with":"Bununla d\u0259yi\u015fdir","Replace":"D\u0259yi\u015fdir","Replace all":"Ham\u0131s\u0131n\u0131 d\u0259yi\u015fdir","Previous":"\u018fvv\u0259lki","Next":"N\xf6vb\u0259ti","Find and Replace":"Tap v\u0259 d\u0259yi\u015fdir","Find and replace...":"Tap\u0131n v\u0259 d\u0259yi\u015fdirin","Could not find the specified string.":"G\xf6st\u0259ril\u0259n s\u0259tiri tapmaq olmur","Match case":"Registri n\u0259z\u0259r\u0259 al","Find whole words only":"Yaln\u0131z b\xfct\xf6v s\xf6zl\u0259ri tap\u0131n","Find in selection":"Se\xe7imd\u0259 tap","Insert table":"S\u0259tir \u0259lav\u0259 et","Table properties":"C\u0259dv\u0259lin x\xfcsusiyy\u0259tl\u0259ri","Delete table":"C\u0259dv\u0259li sil","Cell":"H\xfccr\u0259","Row":"S\u0259tir","Column":"S\xfctun","Cell properties":"H\xfccr\u0259nin x\xfcsusiyy\u0259tl\u0259ri","Merge cells":"H\xfccr\u0259l\u0259ri birl\u0259\u015ftir","Split cell":"H\xfccr\u0259l\u0259rin say\u0131","Insert row before":"\u018fvv\u0259lin\u0259 s\u0259tir \u0259lav\u0259 et","Insert row after":"Sonras\u0131na s\u0259tir \u0259lav\u0259 et","Delete row":"S\u0259tri sil","Row properties":"S\u0259trin x\xfcsusiyy\u0259tl\u0259ri","Cut row":"S\u0259tiri k\u0259s","Cut column":"S\xfctunu k\u0259s","Copy row":"S\u0259tiri k\xf6\xe7\xfcr","Copy column":"S\xfctunu kopyala","Paste row before":"\u018fvv\u0259lin\u0259 s\u0259tir \u0259lav\u0259 et","Paste column before":"S\xfctundan \u0259vv\u0259l yap\u0131\u015fd\u0131r","Paste row after":"Sonras\u0131na s\u0259tir \u0259lav\u0259 et","Paste column after":"S\xfctundan sonra yap\u0131\u015fd\u0131r","Insert column before":"\u018fvv\u0259lin\u0259 s\u0259tir \u0259lav\u0259 et","Insert column after":"\u018fvv\u0259lin\u0259 s\xfctun \u0259lav\u0259 et","Delete column":"S\xfctunu sil","Cols":"S\xfctunlar","Rows":"S\u0259tirl\u0259r","Width":"Eni","Height":"H\xfcnd\xfcrl\xfcy\xfc","Cell spacing":"H\xfccr\u0259l\u0259rin aras\u0131nda m\u0259saf\u0259","Cell padding":"H\xfccr\u0259l\u0259rin sah\u0259l\u0259ri","Row clipboard actions":"S\u0259tir m\xfcbadil\u0259 buferi h\u0259r\u0259k\u0259tl\u0259ri","Column clipboard actions":"S\xfctun m\xfcbadil\u0259 buferi h\u0259r\u0259k\u0259tl\u0259ri","Table styles":"C\u0259dv\u0259l still\u0259ri","Cell styles":"Xana still\u0259ri","Column header":"S\xfctun ba\u015fl\u0131\u011f\u0131","Row header":"S\u0259tir ba\u015fl\u0131\u011f\u0131","Table caption":"C\u0259dv\u0259l ba\u015fl\u0131\u011f\u0131","Caption":"Ba\u015flan\u011f\u0131c","Show caption":"Ba\u015fl\u0131\u011f\u0131 g\xf6st\u0259r","Left":"Sol t\u0259r\u0259f \xfczr\u0259","Center":"M\u0259rk\u0259z \xfczr\u0259","Right":"Sa\u011f t\u0259r\u0259f \xfczr\u0259","Cell type":"H\xfccr\u0259nin tipi","Scope":"Sfera","Alignment":"D\xfczl\u0259ndirm\u0259","Horizontal align":"\xdcf\xfcqi d\xfczl\u0259ndirm\u0259","Vertical align":"\u015eaquli d\xfczl\u0259ndirm\u0259","Top":"Yuxar\u0131","Middle":"Orta","Bottom":"A\u015fa\u011f\u0131","Header cell":"H\xfccr\u0259nin ba\u015fl\u0131\u011f\u0131","Row group":"S\u0259tirin qrupu","Column group":"S\xfctunun qrupu","Row type":"S\u0259tirin tipi","Header":"Ba\u015fl\u0131q","Body":"K\xfctl\u0259","Footer":"\u018fn a\u015fa\u011f\u0131","Border color":"\xc7\u0259r\xe7iv\u0259 r\u0259ngi","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"Gizli","Insert template...":"\u015eablon daxil edin","Templates":"\u015eablonlar","Template":"\u015eablon","Insert Template":"\u015eablon daxil et","Text color":"M\u0259tnin r\u0259ngi","Background color":"Arxafon r\u0259ngi","Custom...":"\xc7\u0259kilm\u0259...","Custom color":"\xc7\u0259kilm\u0259 r\u0259ng","No color":"R\u0259ngsiz","Remove color":"R\u0259ngi silin","Show blocks":"Bloklar\u0131 g\xf6st\u0259r","Show invisible characters":"G\xf6r\xfcnm\u0259y\u0259n simvollar\u0131 g\xf6st\u0259r","Word count":"S\xf6z say\u0131","Count":"Say","Document":"S\u0259n\u0259d","Selection":"Se\xe7im","Words":"S\xf6zl\u0259r","Words: {0}":"S\xf6zl\u0259r: {0}","{0} words":"{0} s\xf6z","File":"Fayl","Edit":"Redakt\u0259 et","Insert":"\u018flav\u0259 et","View":"G\xf6r\xfcn\xfc\u015f","Format":"Format","Table":"C\u0259dv\u0259l","Tools":"Al\u0259tl\u0259r","Powered by {0}":"{0} t\u0259r\u0259find\u0259n t\u0259chiz edilib","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"B\xf6y\xfck m\u0259tn sah\u0259si \u0259lav\u0259 edilib. Menyu \xfc\xe7\xfcn ALT-F9 d\xfcym\u0259sini bas\u0131n. Al\u0259tl\u0259r paneli \xfc\xe7\xfcn ALT-F10 d\xfcym\u0259sini bas\u0131n. K\xf6m\u0259k \xfc\xe7\xfcn ALT-0 d\xfcym\u0259l\u0259rin bas\u0131n.","Image title":"\u015e\u0259kil ba\u015fl\u0131\u011f\u0131","Border width":"K\u0259narl\u0131q geni\u015fliyi","Border style":"K\u0259narl\u0131q stili","Error":"X\u0259ta","Warn":"X\u0259b\u0259rdar et","Valid":"Etibarl\u0131d\u0131r","To open the popup, press Shift+Enter":"A\xe7\u0131lan p\u0259nc\u0259r\u0259ni a\xe7maq \xfc\xe7\xfcn Shift + Enter d\xfcym\u0259l\u0259rini bas\u0131n","Rich Text Area":"Z\u0259ngin m\u0259tn redaktoru","Rich Text Area. Press ALT-0 for help.":"Z\u0259ngin M\u0259tn Sah\u0259si. Yard\u0131m \xfc\xe7\xfcn ALT-0 d\xfcym\u0259sin\u0259 bas\u0131n.","System Font":"Sistem Fontu","Failed to upload image: {0}":"\u015e\u0259kil y\xfckl\u0259nm\u0259di: {0}","Failed to load plugin: {0} from url {1}":"Qo\u015fma y\xfckl\u0259nm\u0259di: {0} urldan {1}","Failed to load plugin url: {0}":"Qo\u015fma url-i y\xfckl\u0259nm\u0259di: {0}","Failed to initialize plugin: {0}":"Qo\u015fman\u0131 i\u015f\u0259 salmaq al\u0131nmad\u0131: {0}","example":"n\xfcmun\u0259","Search":"Axtar","All":"Ham\u0131s\u0131","Currency":"Valyuta","Text":"M\u0259tn","Quotations":"T\u0259klifl\u0259r","Mathematical":"Riyazi","Extended Latin":"Geni\u015fl\u0259ndirilmi\u015f Lat\u0131n","Symbols":"Simvollar","Arrows":"Oxlar","User Defined":"M\xfc\u0259yy\u0259n edilmi\u015f istifad\u0259\xe7i","dollar sign":"dollar i\u015far\u0259si","currency sign":"valyuta i\u015far\u0259si","euro-currency sign":"avro-valyuta simvolu","colon sign":"qo\u015fa n\xf6qt\u0259","cruzeiro sign":"","french franc sign":"frans\u0131z frank\u0131 i\u015far\u0259si","lira sign":"lir\u0259 simvolu","mill sign":"mil simvolu","naira sign":"nayra simvolu","peseta sign":"peseta simvolu","rupee sign":"rupi simvolu","won sign":"von simvolu","new sheqel sign":"yeni \u015fekel simvolu","dong sign":"donq simvolu","kip sign":"kip simvolu","tugrik sign":"tuqrik simvolu","drachma sign":"draxma simolu","german penny symbol":"alman funt sterlinqi simvolu","peso sign":"peso simvolu","guarani sign":"guarani simvolu","austral sign":"avstral simvolu","hryvnia sign":"qrivna simvolu","cedi sign":"sedi simvolu","livre tournois sign":"tur livri simvolu","spesmilo sign":"spesmilo simvolu","tenge sign":"tenqe simvolu","indian rupee sign":"hindistan rupisi simvolu","turkish lira sign":"t\xfcrkiy\u0259 lir\u0259si simvolu","nordic mark sign":"skandinav mark\u0131 simvolu","manat sign":"manat simvolu","ruble sign":"rubl simvolu","yen character":"ye simvolu","yuan character":"yuan simvolu","yuan character, in hong kong and taiwan":"yuan simvolu, Hong Kong v\u0259 Tayvanda","yen/yuan character variant one":"yen/yuan simvolu variant\u0131","Emojis":"Emoji","Emojis...":"Emojil\u0259r...","Loading emojis...":"Emojil\u0259r y\xfckl\u0259nir...","Could not load emojis":"Emoji y\xfckl\u0259m\u0259k m\xfcmk\xfcn olmad\u0131","People":"\u0130nsanlar","Animals and Nature":"Heyvanlar v\u0259 t\u0259bi\u0259t","Food and Drink":"Yem\u0259k v\u0259 i\xe7ki","Activity":"F\u0259aliyy\u0259t","Travel and Places":"S\u0259yah\u0259t v\u0259 m\u0259kanlar","Objects":"\u018f\u015fyalar","Flags":"Bayraqlar","Characters":"Simvollar","Characters (no spaces)":"Simvollar (bo\u015fluqsuz)","{0} characters":"{0} simvol","Error: Form submit field collision.":"X\u0259ta: Forma g\xf6nd\u0259rm\u0259 sah\u0259sind\u0259 toqqu\u015fma.","Error: No form element found.":"X\u0259ta: He\xe7 bir forma elementi tap\u0131lmad\u0131.","Color swatch":"R\u0259ng n\xfcmun\u0259si","Color Picker":"R\u0259ng se\xe7ici","Invalid hex color code: {0}":"Yanl\u0131\u015f hex r\u0259ng kodu: {0}","Invalid input":"Yaln\u0131\u015f daxiletm\u0259","R":"R","Red component":"Q\u0131rm\u0131z\u0131 komponent","G":"G","Green component":"Ya\u015f\u0131l komponent","B":"B","Blue component":"G\xf6y komponent","#":"#","Hex color code":"Hex r\u0259ng kodu","Range 0 to 255":"0-dan 255-\u0259 q\u0259d\u0259r diapazon","Turquoise":"Firuz\u0259yi","Green":"Ya\u015f\u0131l","Blue":"Mavi","Purple":"B\u0259n\xf6v\u015f\u0259yi","Navy Blue":"T\xfcnd g\xf6y","Dark Turquoise":"T\xfcnd firuz\u0259yi","Dark Green":"T\xfcnd ya\u015f\u0131l","Medium Blue":"","Medium Purple":"","Midnight Blue":"Gec\u0259 mavisi","Yellow":"Sar\u0131","Orange":"Nar\u0131nc\u0131","Red":"Q\u0131rm\u0131z\u0131","Light Gray":"A\xe7\u0131q boz","Gray":"Boz","Dark Yellow":"T\xfcnd sar\u0131","Dark Orange":"T\xfcnd nar\u0131nc\u0131","Dark Red":"T\xfcnd q\u0131rm\u0131z\u0131","Medium Gray":"","Dark Gray":"T\xfcnd boz","Light Green":"A\xe7\u0131q ya\u015f\u0131l","Light Yellow":"A\xe7\u0131q sar\u0131","Light Red":"A\xe7\u0131q q\u0131rm\u0131z\u0131","Light Purple":"A\xe7\u0131q b\u0259n\xf6v\u015f\u0259yi","Light Blue":"A\xe7\u0131q mavi","Dark Purple":"T\xfcnd b\u0259n\xf6v\u015f\u0259yi","Dark Blue":"T\xfcnd g\xf6y","Black":"Qara","White":"A\u011f","Switch to or from fullscreen mode":"Tam ekran rejimin ke\xe7in v\u0259 ya \xe7\u0131x\u0131n","Open help dialog":"K\xf6m\u0259k p\u0259nc\u0259r\u0259sini a\xe7","history":"tarix\xe7\u0259","styles":"still\u0259r","formatting":"formatla\u015fd\u0131rma","alignment":"d\xfczl\u0259ndirm\u0259","indentation":"girinti","Font":"\u015erift","Size":"\xd6l\xe7\xfc","More...":"Daha \xe7ox...","Select...":"Se\xe7...","Preferences":"T\u0259nziml\u0259m\u0259l\u0259r","Yes":"B\u0259li","No":"Xeyr","Keyboard Navigation":"Klaviatura naviqasiyas\u0131","Version":"Versiya","Code view":"Kod g\xf6r\xfcn\xfc\u015f\xfc","Open popup menu for split buttons":"B\xf6lm\u0259 d\xfcym\u0259l\u0259ri \xfc\xe7\xfcn a\xe7\u0131lan menyunu a\xe7\u0131n","List Properties":"Siyah\u0131 x\xfcsusiyy\u0259tl\u0259ri","List properties...":"Siyah\u0131 x\xfcsusiyy\u0259tl\u0259ri...","Start list at number":"","Line height":"S\u0259tir h\xfcnd\xfcrl\xfcy\xfc","Dropped file type is not supported":"Se\xe7ilmi\u015f fayl n\xf6v\xfc d\u0259st\u0259kl\u0259nmir","Loading...":"Y\xfckl\u0259nir...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP x\u0259tas\u0131: R\u0259dd edilmi\u015f sor\u011fu","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP x\u0259tas\u0131: \u015e\u0259kil Proksisini tapmaq m\xfcmk\xfcn olmad\u0131","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP x\u0259tas\u0131: Yanl\u0131\u015f \u015e\u0259kil Proksi URL-i","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP x\u0259tas\u0131: Nam\u0259lum ImageProxy x\u0259tas\u0131"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/be.js b/deform/static/tinymce/langs/be.js new file mode 100644 index 00000000..a6dcf678 --- /dev/null +++ b/deform/static/tinymce/langs/be.js @@ -0,0 +1 @@ +tinymce.addI18n("be",{"Redo":"\u0410\u0434\u043c\u044f\u043d\u0456\u0446\u044c","Undo":"\u0412\u044f\u0440\u043d\u0443\u0446\u044c","Cut":"\u0412\u044b\u0440\u0430\u0437\u0430\u0446\u044c","Copy":"\u041a\u0430\u043f\u0456\u0440\u0430\u0432\u0430\u0446\u044c","Paste":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c","Select all":"\u0412\u044b\u043b\u0443\u0447\u044b\u0446\u044c \u0443\u0441\u0451","New document":"\u041d\u043e\u0432\u044b \u0434\u0430\u043a\u0443\u043c\u0435\u043d\u0442","Ok":"\u0414\u043e\u0431\u0440\u0430","Cancel":"\u0410\u0434\u043c\u044f\u043d\u0456\u0446\u044c","Visual aids":"\u041f\u0430\u043a\u0430\u0437\u0432\u0430\u0446\u044c \u043a\u043e\u043d\u0442\u0443\u0440\u044b","Bold":"\u0422\u043b\u0443\u0441\u0442\u044b","Italic":"\u041a\u0443\u0440\u0441\u0456\u045e","Underline":"\u041f\u0430\u0434\u043a\u0440\u044d\u0441\u043b\u0435\u043d\u044b","Strikethrough":"\u0417\u0430\u043a\u0440\u044d\u0441\u043b\u0435\u043d\u044b","Superscript":"\u0412\u0435\u0440\u0445\u043d\u0456 \u0456\u043d\u0434\u044d\u043a\u0441","Subscript":"\u041d\u0456\u0436\u043d\u0456 \u0456\u043d\u0434\u044d\u043a\u0441","Clear formatting":"\u0410\u0447\u044b\u0441\u0446\u0456\u0446\u044c \u0444\u0430\u0440\u043c\u0430\u0442","Remove":"\u0412\u044b\u0434\u0430\u043b\u0456\u0446\u044c","Align left":"\u041f\u0430 \u043b\u0435\u0432\u044b\u043c \u043a\u0440\u0430\u0456","Align center":"\u041f\u0430 \u0446\u044d\u043d\u0442\u0440\u044b","Align right":"\u041f\u0430 \u043f\u0440\u0430\u0432\u044b\u043c \u043a\u0440\u0430\u0456","No alignment":"\u0411\u0435\u0437 \u0440\u0430\u045e\u043d\u0430\u0432\u0430\u043d\u043d\u044f","Justify":"\u041f\u0430 \u0448\u044b\u0440\u044b\u043d\u0456","Bullet list":"\u041c\u0430\u0440\u043a\u0456\u0440\u0430\u0432\u0430\u043d\u044b \u0441\u043f\u0456\u0441","Numbered list":"\u041d\u0443\u043c\u0430\u0440\u0430\u0432\u0430\u043d\u044b \u0441\u043f\u0456\u0441","Decrease indent":"\u041f\u0430\u043c\u0435\u043d\u0448\u044b\u0446\u044c \u0432\u043e\u0434\u0441\u0442\u0443\u043f","Increase indent":"\u041f\u0430\u0432\u044f\u043b\u0456\u0447\u044b\u0446\u044c \u0432\u043e\u0434\u0441\u0442\u0443\u043f","Close":"\u0417\u0430\u0447\u044b\u043d\u0456\u0446\u044c","Formats":"\u0424\u0430\u0440\u043c\u0430\u0442","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0412\u0430\u0448 \u0431\u0440\u0430\u045e\u0437\u044d\u0440 \u043d\u0435 \u043f\u0430\u0434\u0442\u0440\u044b\u043c\u043b\u0456\u0432\u0430\u0435 \u043f\u0440\u0430\u043c\u044b \u0434\u043e\u0441\u0442\u0443\u043f \u0434\u0430 \u0431\u0443\u0444\u0435\u0440\u0430 \u0430\u0431\u043c\u0435\u043d\u0443. \u041a\u0430\u043b\u0456 \u043b\u0430\u0441\u043a\u0430, \u0432\u044b\u043a\u0430\u0440\u044b\u0441\u0442\u043e\u045e\u0432\u0430\u0439\u0446\u0435 \u043d\u0430\u0441\u0442\u0443\u043f\u043d\u044b\u044f \u0441\u043f\u0430\u043b\u0443\u0447\u044d\u043d\u043d\u044f \u043a\u043b\u0430\u0432\u0456\u0448: Ctrl + X/C/V.","Headings":"\u0417\u0430\u0433\u0430\u043b\u043e\u045e\u043a\u0456","Heading 1":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a 1","Heading 2":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a 2","Heading 3":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a 3","Heading 4":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a 4","Heading 5":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a 5","Heading 6":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a 6","Preformatted":"\u0412\u044b\u0440\u0430\u045e\u043d\u0430\u0432\u0430\u043d\u044b","Div":"\u0411\u043b\u043e\u043a","Pre":"\u041f\u0440\u0430\u0434\u0444\u0430\u0440\u043c\u0430\u0442\u0430\u0432\u0430\u043d\u043d\u0435","Code":"\u041a\u043e\u0434","Paragraph":"\u041f\u0430\u0440\u0430\u0433\u0440\u0430\u0444","Blockquote":"\u0426\u044b\u0442\u0430\u0442\u0430","Inline":"\u0420\u0430\u0434\u043a\u043e\u0432\u044b","Blocks":"\u0411\u043b\u043e\u043a\u0456","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0423\u0441\u0442\u0430\u045e\u043a\u0430 \u0430\u0436\u044b\u0446\u0446\u044f\u045e\u043b\u044f\u0435\u0446\u0446\u0430 \u045e \u0432\u044b\u0433\u043b\u044f\u0434\u0437\u0435 \u043f\u0440\u043e\u0441\u0442\u0430\u0433\u0430 \u0442\u044d\u043a\u0441\u0442\u0443, \u043f\u0430\u043a\u0443\u043b\u044c \u043d\u0435 \u0430\u0434\u043a\u043b\u044e\u0447\u044b\u0446\u044c \u0434\u0430\u0434\u0437\u0435\u043d\u0443\u044e \u043e\u043f\u0446\u044b\u044e.","Fonts":"\u0428\u0440\u044b\u0444\u0442\u044b","Font sizes":"\u041f\u0430\u043c\u0435\u0440 \u0448\u0440\u044b\u0444\u0442\u0443","Class":"\u041a\u043b\u0430\u0441","Browse for an image":"\u041f\u043e\u0448\u0443\u043a \u0432\u044b\u044f\u0432\u044b","OR":"\u0410\u0411\u041e","Drop an image here":"\u0410\u0434\u043a\u0456\u043d\u044c\u0446\u0435 \u0432\u044b\u044f\u0432\u0443 \u0442\u0443\u0442","Upload":"\u0417\u0430\u043f\u0430\u043c\u043f\u0430\u0432\u0430\u0446\u044c","Uploading image":"\u0417\u0430\u043f\u0430\u043c\u043f\u043e\u045e\u0432\u0430\u043d\u043d\u0435 \u0432\u044b\u044f\u0432\u044b","Block":"\u0417\u0430\u0431\u043b\u0430\u043a\u0430\u0432\u0430\u0446\u044c","Align":"\u0412\u044b\u0440\u0430\u045e\u043d\u043e\u045e\u0432\u0430\u043d\u043d\u0435","Default":"\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b","Circle":"\u0410\u043a\u0440\u0443\u0436\u043d\u0430\u0441\u0446\u0456","Disc":"\u041a\u0440\u0443\u0433\u0456","Square":"\u041a\u0432\u0430\u0434\u0440\u0430\u0442\u044b","Lower Alpha":"\u041c\u0430\u043b\u044b\u044f \u043b\u0430\u0446\u0456\u043d\u0441\u043a\u0456\u044f \u043b\u0456\u0442\u0430\u0440\u044b","Lower Greek":"\u041c\u0430\u043b\u044b\u044f \u0433\u0440\u044d\u0447\u0430\u0441\u043a\u0456\u044f \u043b\u0456\u0442\u0430\u0440\u044b","Lower Roman":"\u041c\u0430\u043b\u044b\u044f \u0440\u044b\u043c\u0441\u043a\u0456\u044f \u043b\u0456\u0447\u0431\u044b","Upper Alpha":"\u0417\u0430\u0433\u0430\u043b\u043e\u045e\u043d\u044b\u044f \u043b\u0430\u0446\u0456\u043d\u0441\u043a\u0456\u044f \u043b\u0456\u0442\u0430\u0440\u044b","Upper Roman":"\u0417\u0430\u0433\u0430\u043b\u043e\u045e\u043d\u044b\u044f \u0440\u044b\u043c\u0441\u043a\u0456\u044f \u043b\u0456\u0447\u0431\u044b","Anchor...":"\u042f\u043a\u0430\u0440...","Anchor":"\u042f\u043a\u0430\u0440","Name":"\u0406\u043c\u044f","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID \u043f\u0430\u0432\u0456\u043d\u0435\u043d \u043f\u0430\u0447\u044b\u043d\u0430\u0446\u0446\u0430 \u0437 \u043b\u0456\u0442\u0430\u0440\u044b, \u0437\u0430 \u044f\u043a\u043e\u0439 \u0456\u0434\u0443\u0446\u044c \u0442\u043e\u043b\u044c\u043a\u0456 \u043b\u0456\u0442\u0430\u0440\u044b, \u043b\u0456\u0447\u0431\u044b, \u0437\u043b\u0443\u0447\u043a\u0456, \u043a\u0440\u043e\u043f\u043a\u0456, \u043a\u043e\u0441\u043a\u0456 \u0430\u0431\u043e \u0437\u043d\u0430\u043a\u0456 \u043f\u0430\u0434\u043a\u0440\u044d\u0441\u043b\u0456\u0432\u0430\u043d\u043d\u044f.","You have unsaved changes are you sure you want to navigate away?":"\u0423 \u0432\u0430\u0441 \u0451\u0441\u0446\u044c \u043d\u0435\u0437\u0430\u0445\u0430\u0432\u0430\u043d\u044b\u044f \u0437\u043c\u0435\u043d\u044b. \u0412\u044b \u045e\u043f\u044d\u045e\u043d\u0435\u043d\u044b\u044f, \u0448\u0442\u043e \u0445\u043e\u0447\u0430\u0446\u0435 \u0432\u044b\u0439\u0441\u0446\u0456?","Restore last draft":"\u0410\u0434\u043d\u0430\u045e\u043b\u0435\u043d\u043d\u0435 \u0430\u043f\u043e\u0448\u043d\u044f\u0433\u0430 \u043f\u0440\u0430\u0435\u043a\u0442\u0430","Special character...":"\u0421\u043f\u0435\u0446\u044b\u044f\u043b\u044c\u043d\u044b \u0441\u0456\u043c\u0432\u0430\u043b...","Special Character":"\u0421\u043f\u0435\u0446\u044b\u044f\u043b\u044c\u043d\u044b \u0421\u0456\u043c\u0432\u0430\u043b","Source code":"\u0417\u044b\u0445\u043e\u0434\u043d\u044b \u043a\u043e\u0434","Insert/Edit code sample":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c/\u0440\u044d\u0434\u0430\u0433\u0430\u0432\u0430\u0446\u044c \u043a\u043e\u0434","Language":"\u041c\u043e\u0432\u0430","Code sample...":"\u041f\u0440\u044b\u043a\u043b\u0430\u0434 \u043a\u043e\u0434\u0443...","Left to right":"\u0417\u043b\u0435\u0432\u0430 \u043d\u0430\u043f\u0440\u0430\u0432\u0430","Right to left":"\u0421\u043f\u0440\u0430\u0432\u0430 \u043d\u0430\u043b\u0435\u0432\u0430","Title":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a","Fullscreen":"\u041f\u043e\u045e\u043d\u0430\u044d\u043a\u0440\u0430\u043d\u043d\u044b \u0440\u044d\u0436\u044b\u043c","Action":"\u0414\u0437\u0435\u044f\u043d\u043d\u0435","Shortcut":"\u0428\u043e\u0440\u0442\u043a\u0430\u0442","Help":"\u0414\u0430\u043f\u0430\u043c\u043e\u0433\u0430","Address":"\u0410\u0434\u0440\u0430\u0441","Focus to menubar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u0440\u0430\u0434\u043e\u043a \u043c\u0435\u043d\u044e","Focus to toolbar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043f\u0430\u043d\u044d\u043b\u044c \u0456\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0430\u045e","Focus to element path":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u0448\u043b\u044f\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430","Focus to contextual toolbar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043a\u0430\u043d\u0442\u044d\u043a\u0441\u0442\u043d\u0443\u044e \u043f\u0430\u043d\u044d\u043b\u044c \u0456\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0430\u045e","Insert link (if link plugin activated)":"\u040e\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0443 (\u043a\u0430\u043b\u0456 \u043f\u043b\u0430\u0433\u0456\u043d \u0441\u043f\u0430\u0441\u044b\u043b\u0430\u043a \u0430\u043a\u0442\u044b\u0432\u0430\u0432\u0430\u043d\u044b)","Save (if save plugin activated)":"\u0417\u0430\u0445\u0430\u0432\u0430\u0446\u044c (\u043a\u0430\u043b\u0456 \u043f\u043b\u0430\u0433\u0456\u043d \u0437\u0430\u0445\u0430\u0432\u0430\u043d\u043d\u044f \u0430\u043a\u0442\u044b\u0432\u0430\u0432\u0430\u043d\u044b)","Find (if searchreplace plugin activated)":"\u0428\u0443\u043a\u0430\u0446\u044c (\u043a\u0430\u043b\u0456 \u043f\u043b\u0430\u0433\u0456\u043d \u043f\u043e\u0448\u0443\u043a\u0443 \u0430\u043a\u0442\u044b\u0432\u0430\u0432\u0430\u043d\u044b)","Plugins installed ({0}):":"\u0423\u0441\u0442\u0430\u043b\u044f\u0432\u0430\u043d\u0430 \u043f\u043b\u0430\u0433\u0456\u043d\u0430\u045e ({0}):","Premium plugins:":"\u041f\u0440\u044d\u043c\u0456\u044f\u043b\u044c\u043d\u044b\u044f \u043f\u043b\u0430\u0433\u0456\u043d\u044b:","Learn more...":"\u041f\u0430\u0434\u0440\u0430\u0431\u044f\u0437\u043d\u0435\u0439 ...","You are using {0}":"\u0412\u044b \u043a\u0430\u0440\u044b\u0441\u0442\u0430\u0435\u0446\u0435\u0441\u044f {0}","Plugins":"\u041f\u043b\u0430\u0433\u0456\u043d\u044b","Handy Shortcuts":"\u0417\u0440\u0443\u0447\u043d\u044b\u044f \u0448\u043e\u0440\u0442\u043a\u0430\u0442\u044b","Horizontal line":"\u0413\u0430\u0440\u044b\u0437\u0430\u043d\u0442\u0430\u043b\u044c\u043d\u0430\u044f \u043b\u0456\u043d\u0456\u044f","Insert/edit image":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c/\u0440\u044d\u0434\u0430\u0433\u0430\u0432\u0430\u0446\u044c \u0432\u044b\u044f\u0432\u0443","Alternative description":"\u0410\u043b\u044c\u0442\u044d\u0440\u043d\u0430\u0442\u044b\u045e\u043d\u0430\u0435 \u0430\u043f\u0456\u0441\u0430\u043d\u043d\u0435","Accessibility":"\u0421\u043f\u0435\u0446\u044b\u044f\u043b\u044c\u043d\u044b\u044f \u043c\u0430\u0433\u0447\u044b\u043c\u0430\u0441\u0446\u0456","Image is decorative":"\u0412\u044b\u044f\u0432\u0430 \u0437'\u044f\u045e\u043b\u044f\u0435\u0446\u0446\u0430 \u0434\u044d\u043a\u0430\u0440\u0430\u0442\u044b\u045e\u043d\u0430\u0439","Source":"\u041a\u0440\u044b\u043d\u0456\u0446\u0430","Dimensions":"\u041f\u0430\u043c\u0435\u0440","Constrain proportions":"\u0417\u0430\u0445\u0430\u0432\u0430\u0446\u044c \u043f\u0440\u0430\u043f\u043e\u0440\u0446\u044b\u0456","General":"\u0410\u0433\u0443\u043b\u044c\u043d\u0430\u0435","Advanced":"\u041f\u0430\u0448\u044b\u0440\u0430\u043d\u0430\u0435","Style":"\u0421\u0442\u044b\u043b\u044c","Vertical space":"\u0412\u0435\u0440\u0442\u044b\u043a\u0430\u043b\u044c\u043d\u044b \u0456\u043d\u0442\u044d\u0440\u0432\u0430\u043b","Horizontal space":"\u0413\u0430\u0440\u044b\u0437\u0430\u043d\u0442\u0430\u043b\u044c\u043d\u044b \u0456\u043d\u0442\u044d\u0440\u0432\u0430\u043b","Border":"\u041c\u044f\u0436\u0430","Insert image":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0432\u044b\u044f\u0432\u0443","Image...":"\u0412\u044b\u044f\u0432\u0430...","Image list":"\u0421\u043f\u0456\u0441 \u0432\u044b\u044f\u045e","Resize":"\u0417\u043c\u044f\u043d\u0456\u0446\u044c \u043f\u0430\u043c\u0435\u0440","Insert date/time":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0434\u0430\u0442\u0443/\u0447\u0430\u0441","Date/time":"\u0414\u0430\u0442\u0430/\u0447\u0430\u0441","Insert/edit link":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c/\u0440\u044d\u0434\u0430\u0433\u0430\u0432\u0430\u0446\u044c \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0443","Text to display":"\u0422\u044d\u043a\u0441\u0442 \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0456","Url":"\u0410\u0434\u0440\u0430\u0441 \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0456","Open link in...":"\u0410\u0434\u043a\u0440\u044b\u0446\u044c \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0443 \u0443...","Current window":"\u0411\u044f\u0433\u0443\u0447\u0430\u0435 \u0430\u043a\u043d\u043e","None":"\u041d\u044f\u043c\u0430","New window":"\u0423 \u043d\u043e\u0432\u044b\u043c \u0430\u043a\u043d\u0435","Open link":"\u0410\u0434\u043a\u0440\u044b\u0446\u044c \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0443","Remove link":"\u0412\u044b\u0434\u0430\u043b\u0456\u0446\u044c \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0443","Anchors":"\u042f\u043a\u0430\u0440\u044b","Link...":"\u0421\u043f\u0430\u0441\u044b\u043b\u043a\u0430...","Paste or type a link":"\u0423\u0441\u0442\u0430\u045e\u0446\u0435 \u0430\u0431\u043e \u045e\u0432\u044f\u0434\u0437\u0456\u0446\u0435 \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0443","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0423\u0432\u0435\u0434\u0437\u0435\u043d\u044b \u0430\u0434\u0440\u0430\u0441 \u043f\u0430\u0434\u043e\u0431\u043d\u044b \u043d\u0430 \u0430\u0434\u0440\u0430\u0441 \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u043d\u0430\u0439 \u043f\u043e\u0448\u0442\u044b. \u0416\u0430\u0434\u0430\u0435\u0446\u0435 \u0434\u0430\u0434\u0430\u0446\u044c \u043d\u0435\u0430\u0431\u0445\u043e\u0434\u043d\u044b mailto: \u043f\u0440\u044d\u0444\u0456\u043a\u0441?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0423\u0432\u0435\u0434\u0437\u0435\u043d\u044b \u0430\u0434\u0440\u0430\u0441 \u043f\u0430\u0434\u043e\u0431\u043d\u044b \u043d\u0430 \u0437\u043d\u0435\u0448\u043d\u044e\u044e \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0443. \u0416\u0430\u0434\u0430\u0435\u0446\u0435 \u0434\u0430\u0434\u0430\u0446\u044c \u043d\u0435\u0430\u0431\u0445\u043e\u0434\u043d\u044b http:// \u043f\u0440\u044d\u0444\u0456\u043a\u0441?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0412\u044b \u045e\u0432\u044f\u043b\u0456 URL \u044f\u043a\u0456 \u0432\u044b\u0433\u043b\u044f\u0434\u0430\u0435 \u044f\u043a \u0432\u043e\u043d\u043a\u0430\u0432\u0430\u044f \u0441\u043f\u0430\u0441\u044b\u043b\u043a\u0430. \u0426\u0456 \u0445\u043e\u0447\u0430\u0446\u0435 \u0432\u044b \u0434\u0430\u0434\u0430\u0446\u044c \u043d\u0435\u0430\u0431\u0445\u043e\u0434\u043d\u044b \u043f\u0440\u044d\u0444\u0456\u043a\u0441 https:// ?","Link list":"\u0421\u043f\u0456\u0441 \u0441\u043f\u0430\u0441\u044b\u043b\u0430\u043a","Insert video":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0432\u0456\u0434\u044d\u0430","Insert/edit video":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c/\u0440\u044d\u0434\u0430\u0433\u0430\u0432\u0430\u0446\u044c \u0432\u0456\u0434\u044d\u0430","Insert/edit media":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c/\u0440\u044d\u0434\u0430\u0433\u0430\u0432\u0430\u0446\u044c \u043c\u0435\u0434\u044b\u044f","Alternative source":"\u0410\u043b\u044c\u0442\u044d\u0440\u043d\u0430\u0442\u044b\u045e\u043d\u0430\u044f \u043a\u0440\u044b\u043d\u0456\u0446\u0430","Alternative source URL":"URL \u0430\u043b\u044c\u0442\u044d\u0440\u043d\u0430\u0442\u044b\u045e\u043d\u0430\u0439 \u043a\u0440\u044b\u043d\u0456\u0446\u044b","Media poster (Image URL)":"\u041f\u043e\u0441\u0442\u044d\u0440 \u043c\u0435\u0434\u044b\u044f (URL \u0432\u044b\u044f\u0432\u044b)","Paste your embed code below:":"\u0423\u0441\u0442\u0430\u045e\u0446\u0435 \u0432\u0430\u0448 \u043a\u043e\u0434 \u043d\u0456\u0436\u044d\u0439:","Embed":"\u041a\u043e\u0434 \u0434\u043b\u044f \u045e\u0441\u0442\u0430\u045e\u043a\u0456","Media...":"\u041c\u0435\u0434\u044b\u044f...","Nonbreaking space":"\u041d\u0435\u043f\u0430\u0440\u044b\u045e\u043d\u044b \u043f\u0440\u0430\u0431\u0435\u043b","Page break":"\u0420\u0430\u0437\u0440\u044b\u045e \u0441\u0442\u0430\u0440\u043e\u043d\u043a\u0456","Paste as text":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u044f\u043a \u0442\u044d\u043a\u0441\u0442","Preview":"\u041f\u0440\u0430\u0434\u043f\u0440\u0430\u0433\u043b\u044f\u0434","Print":"\u0414\u0440\u0443\u043a","Print...":"\u0414\u0440\u0443\u043a...","Save":"\u0417\u0430\u0445\u0430\u0432\u0430\u0446\u044c","Find":"\u0417\u043d\u0430\u0439\u0441\u0446\u0456","Replace with":"\u0417\u043c\u044f\u043d\u0456\u0446\u044c \u043d\u0430","Replace":"\u0417\u043c\u044f\u043d\u0456\u0446\u044c","Replace all":"\u0417\u043c\u044f\u043d\u0456\u0446\u044c \u0443\u0441\u0435","Previous":"\u041f\u0430\u043f\u044f\u0440\u044d\u0434\u043d\u0456","Next":"\u0423\u043d\u0456\u0437","Find and Replace":"\u041f\u043e\u0448\u0443\u043a \u0456 \u0417\u0430\u043c\u0435\u043d\u0430","Find and replace...":"\u041f\u043e\u0448\u0443\u043a \u0456 \u0437\u0430\u043c\u0435\u043d\u0430...","Could not find the specified string.":"\u0417\u0430\u0434\u0430\u0434\u0437\u0435\u043d\u044b \u0440\u0430\u0434\u043e\u043a \u043d\u0435 \u0437\u043d\u043e\u0439\u0434\u0437\u0435\u043d\u044b","Match case":"\u0423\u043b\u0456\u0447\u0432\u0430\u0446\u044c \u0440\u044d\u0433\u0456\u0441\u0442\u0440","Find whole words only":"\u0428\u0443\u043a\u0430\u0446\u044c \u0442\u043e\u043b\u044c\u043a\u0456 \u0446\u044d\u043b\u044b\u044f \u0441\u043b\u043e\u0432\u044b","Find in selection":"\u0417\u043d\u0430\u0439\u0441\u0446\u0456 \u045e \u0432\u044b\u043b\u0443\u0447\u0430\u043d\u044b\u043c","Insert table":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0442\u0430\u0431\u043b\u0456\u0446\u0443","Table properties":"\u0423\u043b\u0430\u0441\u0446\u0456\u0432\u0430\u0441\u0446\u0456 \u0442\u0430\u0431\u043b\u0456\u0446\u044b","Delete table":"\u0412\u044b\u0434\u0430\u043b\u0456\u0446\u044c \u0442\u0430\u0431\u043b\u0456\u0446\u0443","Cell":"\u042f\u0447\u044d\u0439\u043a\u0430","Row":"\u0420\u0430\u0434\u043e\u043a","Column":"\u0421\u043b\u0443\u043f\u043e\u043a","Cell properties":"\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u044f\u0447\u044d\u0439\u043a\u0456","Merge cells":"\u0410\u0431'\u044f\u0434\u043d\u0430\u0446\u044c \u044f\u0447\u044d\u0439\u043a\u0456","Split cell":"\u0420\u0430\u0437\u0431\u0456\u0446\u044c \u044f\u0447\u044d\u0439\u043a\u0443","Insert row before":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0440\u0430\u0434\u043e\u043a \u0437\u0432\u0435\u0440\u0445\u0443","Insert row after":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0440\u0430\u0434\u043e\u043a \u0437\u043d\u0456\u0437\u0443","Delete row":"\u0412\u044b\u0434\u0430\u043b\u0456\u0446\u044c \u0440\u0430\u0434\u043e\u043a","Row properties":"\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0440\u0430\u0434\u043a\u0430","Cut row":"\u0412\u044b\u0440\u0430\u0437\u0430\u0446\u044c \u0440\u0430\u0434\u043e\u043a","Cut column":"\u0412\u044b\u0440\u0430\u0437\u0430\u0446\u044c \u0441\u043b\u0443\u043f\u043e\u043a","Copy row":"\u041a\u0430\u043f\u0456\u044f\u0432\u0430\u0446\u044c \u0440\u0430\u0434\u043e\u043a","Copy column":"\u0417\u0440\u0430\u0431\u0456\u0446\u044c \u043a\u043e\u043f\u0456\u044e \u0441\u043b\u0443\u043f\u043a\u0430","Paste row before":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0440\u0430\u0434\u043e\u043a \u0437\u0432\u0435\u0440\u0445\u0443","Paste column before":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0441\u043b\u0443\u043f\u043e\u043a \u043f\u0435\u0440\u0430\u0434","Paste row after":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0440\u0430\u0434\u043e\u043a \u0437\u043d\u0456\u0437\u0443","Paste column after":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0441\u043b\u0443\u043f\u043e\u043a \u043f\u0430\u0441\u043b\u044f","Insert column before":"\u0414\u0430\u0434\u0430\u0446\u044c \u0441\u043b\u0443\u043f\u043e\u043a \u0437\u043b\u0435\u0432\u0430","Insert column after":"\u0414\u0430\u0434\u0430\u0446\u044c \u0441\u043b\u0443\u043f\u043e\u043a \u0441\u043f\u0440\u0430\u0432\u0430","Delete column":"\u0412\u044b\u0434\u0430\u043b\u0456\u0446\u044c \u0441\u043b\u0443\u043f\u043e\u043a","Cols":"\u0421\u043b\u0443\u043f\u043a\u0456","Rows":"\u0420\u0430\u0434\u043a\u0456","Width":"\u0428\u044b\u0440\u044b\u043d\u044f","Height":"\u0412\u044b\u0448\u044b\u043d\u044f","Cell spacing":"\u0417\u043d\u0435\u0448\u043d\u0456 \u0432\u043e\u0434\u0441\u0442\u0443\u043f","Cell padding":"\u0423\u043d\u0443\u0442\u0440\u0430\u043d\u044b \u0432\u043e\u0434\u0441\u0442\u0443\u043f","Row clipboard actions":"\u0414\u0437\u0435\u044f\u043d\u043d\u0456 \u0437 \u0431\u0443\u0444\u0435\u0440\u0430\u043c \u0430\u0431\u043c\u0435\u043d\u0443 \u0434\u043b\u044f \u0440\u0430\u0434\u043a\u0443","Column clipboard actions":"\u0414\u0437\u0435\u044f\u043d\u043d\u0456 \u0437 \u0431\u0443\u0444\u0435\u0440\u0430\u043c \u0430\u0431\u043c\u0435\u043d\u0443 \u0434\u043b\u044f \u0441\u043b\u0443\u043f\u043a\u0430","Table styles":"\u0421\u0442\u044b\u043b\u0456 \u0442\u0430\u0431\u043b\u0456\u0446\u044b","Cell styles":"\u0421\u0442\u044b\u043b\u0456 \u044f\u0447\u044d\u0439\u043a\u0456","Column header":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a \u0441\u043b\u0443\u043f\u043a\u0430","Row header":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a \u0440\u0430\u0434\u043a\u0443","Table caption":"\u041d\u0430\u0434\u043f\u0456\u0441 \u0434\u0430 \u0442\u0430\u0431\u043b\u0456\u0446\u044b","Caption":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a","Show caption":"\u041f\u0430\u043a\u0430\u0437\u0430\u0446\u044c \u043d\u0430\u0434\u043f\u0456\u0441","Left":"\u041f\u0430 \u043b\u0435\u0432\u044b\u043c \u043a\u0440\u0430\u0456","Center":"\u041f\u0430 \u0446\u044d\u043d\u0442\u0440\u044b","Right":"\u041f\u0430 \u043f\u0440\u0430\u0432\u044b\u043c \u043a\u0440\u0430\u0456","Cell type":"\u0422\u044b\u043f \u044f\u0447\u044d\u0439\u043a\u0456","Scope":"\u0421\u0444\u0435\u0440\u0430","Alignment":"\u0412\u044b\u0440\u0430\u045e\u043d\u043e\u045e\u0432\u0430\u043d\u043d\u0435","Horizontal align":"\u0420\u0430\u045e\u043d\u0430\u0432\u0430\u043d\u043d\u0435 \u043f\u0430 \u0433\u0430\u0440\u044b\u0437\u0430\u043d\u0442\u0430\u043b\u0456","Vertical align":"\u0420\u0430\u045e\u043d\u0430\u0432\u0430\u043d\u043d\u0435 \u043f\u0430 \u0432\u0435\u0440\u0442\u044b\u043a\u043e\u043b\u0456","Top":"\u0412\u0435\u0440\u0445","Middle":"\u0421\u044f\u0440\u044d\u0434\u0437\u0456\u043d\u0430","Bottom":"\u041d\u0456\u0437","Header cell":"\u0417\u0430\u0433\u0430\u043b\u043e\u0432\u0430\u043a","Row group":"\u0413\u0440\u0443\u043f\u0430 \u0440\u0430\u0434\u043a\u043e\u045e","Column group":"\u0413\u0440\u0443\u043f\u0430 \u0441\u043b\u0443\u043f\u043a\u043e\u045e","Row type":"\u0422\u044b\u043f \u0440\u0430\u0434\u043a\u0430","Header":"\u0428\u0430\u043f\u043a\u0430","Body":"\u0426\u0435\u043b\u0430","Footer":"\u041d\u0456\u0437","Border color":"\u041a\u043e\u043b\u0435\u0440 \u043c\u044f\u0436\u044b","Solid":"\u0421\u0443\u0446\u044d\u043b\u044c\u043d\u044b","Dotted":"\u041a\u0440\u043e\u043f\u043a\u0430\u043c\u0456","Dashed":"\u0420\u044b\u0441\u043a\u0430\u043c\u0456","Double":"\u041f\u0430\u0434\u0432\u043e\u0439\u043d\u044b","Groove":"\u0420\u0430\u0432\u043e\u043a","Ridge":"Ridge","Inset":"","Outset":"","Hidden":"\u0421\u0445\u0430\u0432\u0430\u043d\u044b","Insert template...":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0443\u0437\u043e\u0440...","Templates":"\u0428\u0430\u0431\u043b\u043e\u043d\u044b","Template":"\u0428\u0430\u0431\u043b\u043e\u043d","Insert Template":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c \u0423\u0437\u043e\u0440","Text color":"\u041a\u043e\u043b\u0435\u0440 \u0442\u044d\u043a\u0441\u0442\u0443","Background color":"\u041a\u043e\u043b\u0435\u0440 \u0444\u043e\u043d\u0443","Custom...":"\u041a\u0430\u0440\u044b\u0441\u0442\u0430\u0446\u043a\u0456...","Custom color":"\u041a\u0430\u0440\u044b\u0441\u0442\u0430\u0446\u043a\u0456 \u043a\u043e\u043b\u0435\u0440","No color":"\u0411\u0435\u0437 \u043a\u043e\u043b\u0435\u0440\u0443","Remove color":"\u0412\u044b\u0434\u0430\u043b\u0456\u0446\u044c \u043a\u043e\u043b\u0435\u0440","Show blocks":"\u041f\u0430\u043a\u0430\u0437\u0432\u0430\u0446\u044c \u0431\u043b\u043e\u043a\u0456","Show invisible characters":"\u041f\u0430\u043a\u0430\u0437\u0432\u0430\u0446\u044c \u043d\u044f\u0431\u0430\u0447\u043d\u044b\u044f \u0441\u0456\u043c\u0432\u0430\u043b\u044b","Word count":"\u041a\u043e\u043b\u044c\u043a\u0430\u0441\u0446\u044c \u0441\u043b\u043e\u045e","Count":"\u041a\u043e\u043b\u044c\u043a\u0430\u0441\u0446\u044c","Document":"\u0414\u0430\u043a\u0443\u043c\u0435\u043d\u0442","Selection":"\u0412\u044b\u0431\u0430\u0440","Words":"\u0421\u043b\u043e\u0432\u044b","Words: {0}":"\u041a\u043e\u043b\u044c\u043a\u0430\u0441\u0446\u044c \u0441\u043b\u043e\u045e: {0}","{0} words":"{0} \u0441\u043b\u043e\u045e","File":"\u0424\u0430\u0439\u043b","Edit":"\u0417\u043c\u044f\u043d\u0456\u0446\u044c","Insert":"\u0423\u0441\u0442\u0430\u0432\u0456\u0446\u044c","View":"\u0412\u044b\u0433\u043b\u044f\u0434","Format":"\u0424\u0430\u0440\u043c\u0430\u0442","Table":"\u0422\u0430\u0431\u043b\u0456\u0446\u0430","Tools":"\u041f\u0440\u044b\u043b\u0430\u0434\u044b","Powered by {0}":"\u041f\u0440\u0430\u0446\u0443\u0435 \u043d\u0430 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0422\u044d\u043a\u0441\u0442\u0430\u0432\u0430\u0435 \u043f\u043e\u043b\u0435. \u041d\u0430\u0446\u0456\u0441\u043d\u0456\u0446\u0435 ALT-F9, \u043a\u0430\u0431 \u0432\u044b\u043a\u043b\u0456\u043a\u0430\u0446\u044c \u043c\u0435\u043d\u044e, ALT-F10 - \u043f\u0430\u043d\u044d\u043b\u044c \u043f\u0440\u044b\u043b\u0430\u0434\u0430\u045e, ALT-0 - \u0434\u043b\u044f \u0432\u044b\u043a\u043b\u0456\u043a\u0443 \u0434\u0430\u043f\u0430\u043c\u043e\u0433\u0456.","Image title":"\u041d\u0430\u0437\u0432\u0430 \u0432\u044b\u044f\u0432\u044b","Border width":"\u0428\u044b\u0440\u044b\u043d\u044f \u043c\u044f\u0436\u044b","Border style":"\u0421\u0442\u044b\u043b\u044c \u043c\u044f\u0436\u044b","Error":"\u041f\u0430\u043c\u044b\u043b\u043a\u0430","Warn":"\u041f\u0430\u043f\u044f\u0440\u044d\u0434\u0436\u0430\u043d\u043d\u0435","Valid":"\u0421\u0430\u043f\u0440\u0430\u045e\u0434\u043d\u0430\u0435","To open the popup, press Shift+Enter":"\u041a\u0430\u0431 \u0430\u0434\u043a\u0440\u044b\u0446\u044c \u0443\u0441\u043f\u043b\u044b\u0432\u0430\u044e\u0447\u0430\u0435 \u0430\u043a\u0435\u043d\u0446\u0430, \u043d\u0430\u0446\u0456\u0441\u043d\u0456\u0446\u0435 Shift+Enter","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"","System Font":"\u0421\u0456\u0441\u0442\u044d\u043c\u043d\u044b \u0428\u0440\u044b\u0444\u0442","Failed to upload image: {0}":"\u041d\u0435 \u0430\u0442\u0440\u044b\u043c\u0430\u043b\u0430\u0441\u044f \u0437\u0430\u043f\u0430\u043c\u043f\u0430\u0432\u0430\u0446\u044c \u0432\u044b\u044f\u0432\u0443: {0}","Failed to load plugin: {0} from url {1}":"\u041d\u0435 \u0430\u0442\u0440\u044b\u043c\u0430\u043b\u0430\u0441\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u0456\u0446\u044c \u043f\u043b\u0430\u0433\u0456\u043d: {0} \u0437 url {1}","Failed to load plugin url: {0}":"\u041d\u0435 \u0430\u0442\u0440\u044b\u043c\u0430\u043b\u0430\u0441\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u0456\u0446\u044c url \u043f\u043b\u0430\u0433\u0456\u043d\u0430: {0}","Failed to initialize plugin: {0}":"\u041d\u0435 \u0430\u0442\u0440\u044b\u043c\u0430\u043b\u0430\u0441\u044f \u0456\u043d\u0456\u0446\u044b\u044f\u043b\u0456\u0437\u0430\u0432\u0430\u0446\u044c \u043f\u043b\u0430\u0433\u0456\u043d: {0}","example":"\u043f\u0440\u044b\u043a\u043b\u0430\u0434","Search":"\u041f\u043e\u0448\u0443\u043a","All":"\u0423\u0441\u0435","Currency":"\u0412\u0430\u043b\u044e\u0442\u0430","Text":"\u0422\u044d\u043a\u0441\u0442","Quotations":"\u0426\u044b\u0442\u0430\u0442\u044b","Mathematical":"\u041c\u0430\u0442\u044d\u043c\u0430\u0442\u044b\u0447\u043d\u044b\u044f","Extended Latin":"\u041f\u0430\u0448\u044b\u0440\u0430\u043d\u0430\u044f \u043b\u0430\u0446\u0456\u043d\u043a\u0430","Symbols":"\u0421\u0456\u043c\u0432\u0430\u043b\u044b","Arrows":"\u0421\u0442\u0440\u044d\u043b\u043a\u0456","User Defined":"\u0412\u044b\u0437\u043d\u0430\u0447\u0430\u043d\u0430 \u043a\u0430\u0440\u044b\u0441\u0442\u0430\u043b\u044c\u043d\u0456\u043a\u0430\u043c","dollar sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u0434\u043e\u043b\u0430\u0440\u0430","currency sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u0432\u0430\u043b\u044e\u0442\u044b","euro-currency sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u044d\u045e\u0440\u0430","colon sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u0434\u0432\u0443\u0445\u043a\u0440\u043e\u043f'\u044f","cruzeiro sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u043a\u0440\u0443\u0437\u044d\u0439\u0440\u0430","french franc sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u0444\u0440\u0430\u043d\u0446\u0443\u0437\u0441\u043a\u0430\u0433\u0430 \u0444\u0440\u0430\u043d\u043a\u0430","lira sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u043b\u0456\u0440\u044b","mill sign":"\u0437\u043d\u0430\u0447\u043e\u043a \u043c\u0456\u043b\u044e","naira sign":"","peseta sign":"","rupee sign":"","won sign":"","new sheqel sign":"","dong sign":"","kip sign":"","tugrik sign":"","drachma sign":"","german penny symbol":"","peso sign":"","guarani sign":"","austral sign":"","hryvnia sign":"","cedi sign":"","livre tournois sign":"","spesmilo sign":"","tenge sign":"","indian rupee sign":"","turkish lira sign":"","nordic mark sign":"","manat sign":"","ruble sign":"","yen character":"","yuan character":"","yuan character, in hong kong and taiwan":"","yen/yuan character variant one":"","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"","Animals and Nature":"","Food and Drink":"","Activity":"","Travel and Places":"","Objects":"","Flags":"","Characters":"","Characters (no spaces)":"","{0} characters":"","Error: Form submit field collision.":"","Error: No form element found.":"","Color swatch":"","Color Picker":"","Invalid hex color code: {0}":"","Invalid input":"","R":"R","Red component":"","G":"G","Green component":"","B":"B","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"","Green":"","Blue":"","Purple":"","Navy Blue":"","Dark Turquoise":"","Dark Green":"","Medium Blue":"","Medium Purple":"","Midnight Blue":"","Yellow":"","Orange":"","Red":"","Light Gray":"","Gray":"","Dark Yellow":"","Dark Orange":"","Dark Red":"","Medium Gray":"","Dark Gray":"","Light Green":"","Light Yellow":"","Light Red":"","Light Purple":"","Light Blue":"","Dark Purple":"","Dark Blue":"","Black":"","White":"","Switch to or from fullscreen mode":"","Open help dialog":"","history":"","styles":"","formatting":"","alignment":"","indentation":"","Font":"","Size":"","More...":"","Select...":"","Preferences":"","Yes":"","No":"","Keyboard Navigation":"","Version":"","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"\u0412\u044b\u0448\u044b\u043d\u044f \u0440\u0430\u0434\u043a\u0443","Dropped file type is not supported":"\u0422\u044b\u043f \u0444\u0430\u0439\u043b\u0430 \u043d\u0435 \u043f\u0430\u0434\u0442\u0440\u044b\u043c\u043b\u0456\u0432\u0430\u0435\u0446\u0446\u0430","Loading...":"\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430...","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/bg_BG.js b/deform/static/tinymce/langs/bg_BG.js index 728bda96..6f698da8 100644 --- a/deform/static/tinymce/langs/bg_BG.js +++ b/deform/static/tinymce/langs/bg_BG.js @@ -1,174 +1 @@ -tinymce.addI18n('bg_BG',{ -"Cut": "\u0418\u0437\u0440\u044f\u0437\u0432\u0430\u043d\u0435", -"Header 2": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0412\u0430\u0448\u0438\u044f\u0442 \u0431\u0440\u0430\u0443\u0437\u044a\u0440 \u043d\u0435 \u043f\u043e\u0434\u0434\u044a\u0440\u0436\u0430 \u0434\u0438\u0440\u0435\u043a\u0442\u0435\u043d \u0434\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u043a\u043b\u0438\u043f\u0431\u043e\u0440\u0434\u0430. \u0412\u043c\u0435\u0441\u0442\u043e \u0442\u043e\u0432\u0430 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u0442\u0435 \u043a\u043b\u0430\u0432\u0438\u0448\u043d\u0438\u0442\u0435 \u043a\u043e\u043c\u0431\u0438\u043d\u0430\u0446\u0438\u0438 Ctrl+X (\u0437\u0430 \u0438\u0437\u0440\u044f\u0437\u0432\u0430\u043d\u0435), Ctrl+C (\u0437\u0430 \u043a\u043e\u043f\u0438\u0440\u0430\u043d\u0435) \u0438 Ctrl+V (\u0437\u0430 \u043f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435).", -"Div": "\u0411\u043b\u043e\u043a", -"Paste": "\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435", -"Close": "\u0417\u0430\u0442\u0432\u0430\u0440\u044f\u043d\u0435", -"Pre": "\u041f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u043d\u043e \u043e\u0444\u043e\u0440\u043c\u0435\u043d \u0442\u0435\u043a\u0441\u0442", -"Align right": "\u041f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435 \u043e\u0442\u0434\u044f\u0441\u043d\u043e", -"New document": "\u041d\u043e\u0432 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442", -"Blockquote": "\u0426\u0438\u0442\u0430\u0442", -"Numbered list": "\u041d\u043e\u043c\u0435\u0440\u0438\u0440\u0430\u043d \u0441\u043f\u0438\u0441\u044a\u043a", -"Increase indent": "\u0423\u0432\u0435\u043b\u0438\u0447\u0430\u0432\u0430\u043d\u0435 \u043d\u0430 \u043e\u0442\u0441\u0442\u044a\u043f\u0430", -"Formats": "\u0424\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d\u0435", -"Headers": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u044f", -"Select all": "\u041c\u0430\u0440\u043a\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0446\u044f\u043b\u043e\u0442\u043e \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435", -"Header 3": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 3", -"Blocks": "\u0411\u043b\u043e\u043a\u043e\u0432\u0435", -"Undo": "\u0412\u044a\u0440\u043d\u0438", -"Strikethrough": "\u0417\u0430\u0447\u0435\u0440\u0442\u0430\u0432\u0430\u043d\u0435", -"Bullet list": "\u0421\u043f\u0438\u0441\u044a\u043a \u0441 \u0432\u043e\u0434\u0430\u0447\u0438", -"Header 1": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 1", -"Superscript": "\u0413\u043e\u0440\u0435\u043d \u0438\u043d\u0434\u0435\u043a\u0441", -"Clear formatting": "\u0418\u0437\u0447\u0438\u0441\u0442\u0438 \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d\u0435\u0442\u043e", -"Subscript": "\u0414\u043e\u043b\u0435\u043d \u0438\u043d\u0434\u0435\u043a\u0441", -"Header 6": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 6", -"Redo": "\u041e\u0442\u043c\u0435\u043d\u0438", -"Paragraph": "\u041f\u0430\u0440\u0430\u0433\u0440\u0430\u0444", -"Ok": "\u0414\u043e\u0431\u0440\u0435", -"Bold": "\u0423\u0434\u0435\u0431\u0435\u043b\u0435\u043d (\u043f\u043e\u043b\u0443\u0447\u0435\u0440)", -"Code": "\u041a\u043e\u0434", -"Italic": "\u041d\u0430\u043a\u043b\u043e\u043d\u0435\u043d (\u043a\u0443\u0440\u0441\u0438\u0432)", -"Align center": "\u0426\u0435\u043d\u0442\u0440\u0438\u0440\u0430\u043d\u043e", -"Header 5": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 5", -"Decrease indent": "\u041d\u0430\u043c\u0430\u043b\u044f\u0432\u0430\u043d\u0435 \u043d\u0430 \u043e\u0442\u0441\u0442\u044a\u043f\u0430", -"Header 4": "\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435\u0442\u043e \u0432 \u043c\u043e\u043c\u0435\u043d\u0442\u0430 \u0435 \u0432 \u043e\u0431\u0438\u043a\u043d\u043e\u0432\u0435\u043d \u0442\u0435\u043a\u0441\u0442\u043e\u0432 \u0440\u0435\u0436\u0438\u043c. \u0421\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435 \u0441\u0435\u0433\u0430 \u0449\u0435 \u0431\u044a\u0434\u0435 \u043f\u043e\u0441\u0442\u0430\u0432\u0435\u043d \u043a\u0430\u0442\u043e \u0442\u0435\u043a\u0441\u0442, \u0434\u043e\u043a\u0430\u0442\u043e \u043d\u0435 \u0438\u0437\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0442\u0430\u0437\u0438 \u043e\u043f\u0446\u0438\u044f.", -"Underline": "\u041f\u043e\u0434\u0447\u0435\u0440\u0442\u0430\u043d", -"Cancel": "\u041e\u0442\u043a\u0430\u0437", -"Justify": "\u0414\u0432\u0443\u0441\u0442\u0440\u0430\u043d\u043d\u043e \u043f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435", -"Inline": "\u041d\u0430 \u0435\u0434\u0438\u043d \u0440\u0435\u0434", -"Copy": "\u041a\u043e\u043f\u0438\u0440\u0430\u043d\u0435", -"Align left": "\u041f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435 \u043e\u0442\u043b\u044f\u0432\u043e", -"Visual aids": "\u0412\u0438\u0437\u0443\u0430\u043b\u043d\u043e \u043e\u0442\u043a\u0440\u043e\u044f\u0432\u0430\u043d\u0435 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0438 \u0431\u0435\u0437 \u043a\u0430\u043d\u0442\u043e\u0432\u0435 (\u0440\u0430\u043c\u043a\u0438)", -"Lower Greek": "\u041c\u0430\u043b\u043a\u0438 \u0433\u0440\u044a\u0446\u043a\u0438 \u0431\u0443\u043a\u0432\u0438", -"Square": "\u0417\u0430\u043f\u044a\u043b\u043d\u0435\u043d\u0438 \u043a\u0432\u0430\u0434\u0440\u0430\u0442\u0438", -"Default": "\u041f\u043e \u043f\u043e\u0434\u0440\u0430\u0437\u0431\u0438\u0440\u0430\u043d\u0435", -"Lower Alpha": "\u041c\u0430\u043b\u043a\u0438 \u0431\u0443\u043a\u0432\u0438", -"Circle": "\u041e\u043a\u0440\u044a\u0436\u043d\u043e\u0441\u0442\u0438", -"Disc": "\u041a\u0440\u044a\u0433\u0447\u0435\u0442\u0430", -"Upper Alpha": "\u0413\u043e\u043b\u0435\u043c\u0438 \u043b\u0430\u0442\u0438\u043d\u0441\u043a\u0438 \u0431\u0443\u043a\u0432\u0438", -"Upper Roman": "\u0413\u043e\u043b\u0435\u043c\u0438 \u0440\u0438\u043c\u0441\u043a\u0438 \u0446\u0438\u0444\u0440\u0438", -"Lower Roman": "\u041c\u0430\u043b\u043a\u0438 \u0440\u0438\u043c\u0441\u043a\u0438 \u0446\u0438\u0444\u0440\u0438", -"Name": "\u041d\u0430\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435", -"Anchor": "\u041a\u043e\u0442\u0432\u0430 (\u0432\u0440\u044a\u0437\u043a\u0430 \u0432 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430)", -"You have unsaved changes are you sure you want to navigate away?": "\u0412 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0438\u043c\u0430 \u043d\u0435\u0437\u0430\u043f\u0430\u0437\u0435\u043d\u0438 \u043f\u0440\u043e\u043c\u0435\u043d\u0438. \u0429\u0435 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438\u0442\u0435 \u043b\u0438?", -"Restore last draft": "\u0412\u044a\u0437\u0441\u0442\u0430\u043d\u043e\u0432\u044f\u0432\u0430\u043d\u0435 \u043d\u0430 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0430\u0442\u0430 \u0447\u0435\u0440\u043d\u043e\u0432\u0430", -"Special character": "\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u0435\u043d \u0437\u043d\u0430\u043a", -"Source code": "\u0418\u0437\u0445\u043e\u0434\u0435\u043d \u043a\u043e\u0434 \u043d\u0430 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0432 HTML", -"Right to left": "\u041e\u0442\u0434\u044f\u0441\u043d\u043e \u043d\u0430\u043b\u044f\u0432\u043e", -"Left to right": "\u041e\u0442\u043b\u044f\u0432\u043e \u043d\u0430\u0434\u044f\u0441\u043d\u043e", -"Emoticons": "\u0415\u043c\u043e\u0442\u0438\u043a\u043e\u043d\u0438", -"Robots": "\u0420\u043e\u0431\u043e\u0442\u0438 \u043d\u0430 \u0443\u0435\u0431 \u0442\u044a\u0440\u0441\u0430\u0447\u043a\u0438", -"Document properties": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u043d\u0430 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430", -"Title": "\u041d\u0430\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435", -"Keywords": "\u041a\u043b\u044e\u0447\u043e\u0432\u0438 \u0434\u0443\u043c\u0438", -"Encoding": "\u041a\u043e\u0434\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0437\u043d\u0430\u0446\u0438\u0442\u0435", -"Description": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435", -"Author": "\u0410\u0432\u0442\u043e\u0440", -"Fullscreen": "\u041d\u0430 \u0446\u044f\u043b \u0435\u043a\u0440\u0430\u043d", -"Horizontal line": "\u0425\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u043d\u0430 \u0447\u0435\u0440\u0442\u0430", -"Horizontal space": "\u0425\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u043d\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u043e", -"Insert\/edit image": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435\/\u043a\u043e\u0440\u0435\u043a\u0446\u0438\u044f \u043d\u0430 \u043a\u0430\u0440\u0442\u0438\u043d\u043a\u0430", -"General": "\u041e\u0431\u0449\u043e", -"Advanced": "\u041f\u043e\u0434\u0440\u043e\u0431\u043d\u043e", -"Source": "\u0410\u0434\u0440\u0435\u0441", -"Border": "\u041a\u0430\u043d\u0442 (\u0440\u0430\u043c\u043a\u0430)", -"Constrain proportions": "\u0417\u0430\u0432\u0430\u0437\u043d\u0430\u0432\u0435 \u043d\u0430 \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0438\u0438\u0442\u0435", -"Vertical space": "\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u043d\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u043e", -"Image description": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u043d\u0430 \u043a\u0430\u0440\u0442\u0438\u043d\u043a\u0430\u0442\u0430", -"Style": "\u0421\u0442\u0438\u043b", -"Dimensions": "\u0420\u0430\u0437\u043c\u0435\u0440", -"Insert image": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", -"Insert date\/time": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0434\u0430\u0442\u0430\/\u0447\u0430\u0441", -"Remove link": "\u041f\u0440\u0435\u043c\u0430\u0445\u0432\u0430\u043d\u0435 \u043d\u0430 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430", -"Url": "\u0410\u0434\u0440\u0435\u0441 (URL)", -"Text to display": "\u0422\u0435\u043a\u0441\u0442", -"Anchors": "\u041a\u043e\u0442\u0432\u0430 (\u0432\u0440\u044a\u0437\u043a\u0430 \u0432 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430)", -"Insert link": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430 (\u043b\u0438\u043d\u043a)", -"New window": "\u0412 \u043d\u043e\u0432 \u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446 (\u043f\u043e\u0434\u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446)", -"None": "\u0411\u0435\u0437", -"Target": "\u0426\u0435\u043b \u0432 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430", -"Insert\/edit link": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435\/\u043a\u043e\u0440\u0435\u043a\u0446\u0438\u044f \u043d\u0430 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430 (\u043b\u0438\u043d\u043a)", -"Insert\/edit video": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435\/\u043a\u043e\u0440\u0435\u043a\u0446\u0438\u044f \u043d\u0430 \u0432\u0438\u0434\u0435\u043e", -"Poster": "\u041f\u043e\u0441\u0442\u0435\u0440", -"Alternative source": "\u0410\u043b\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u0435\u043d \u0430\u0434\u0440\u0435\u0441", -"Paste your embed code below:": "\u041f\u043e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u043a\u043e\u0434\u0430 \u0437\u0430 \u0432\u0433\u0440\u0430\u0436\u0434\u0430\u043d\u0435 \u0432 \u043f\u043e\u043b\u0435\u0442\u043e \u043f\u043e-\u0434\u043e\u043b\u0443:", -"Insert video": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0432\u0438\u0434\u0435\u043e", -"Embed": "\u0412\u0433\u0440\u0430\u0436\u0434\u0430\u043d\u0435", -"Nonbreaking space": "\u0418\u043d\u0442\u0435\u0440\u0432\u0430\u043b", -"Page break": "\u041d\u043e\u0432\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430", -"Preview": "\u041f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u0435\u043d \u0438\u0437\u0433\u043b\u0435\u0434", -"Print": "\u041f\u0435\u0447\u0430\u0442", -"Save": "\u0421\u044a\u0445\u0440\u0430\u043d\u044f\u0432\u0430\u043d\u0435", -"Could not find the specified string.": "\u0422\u044a\u0440\u0441\u0435\u043d\u0438\u044f\u0442 \u0442\u0435\u043a\u0441\u0442 \u043d\u0435 \u0435 \u043d\u0430\u043c\u0435\u0440\u0435\u043d.", -"Replace": "\u0417\u0430\u043c\u044f\u043d\u0430", -"Next": "\u0421\u043b\u0435\u0434\u0432\u0430\u0449", -"Whole words": "\u0421\u0430\u043c\u043e \u0446\u0435\u043b\u0438 \u0434\u0443\u043c\u0438", -"Find and replace": "\u0422\u044a\u0440\u0441\u0435\u043d\u0435 \u0438 \u0437\u0430\u043c\u044f\u043d\u0430", -"Replace with": "\u0417\u0430\u043c\u044f\u043d\u0430 \u0441", -"Find": "\u0422\u044a\u0440\u0441\u0435\u043d\u0435 \u0437\u0430", -"Replace all": "\u0417\u0430\u043c\u044f\u043d\u0430 \u043d\u0430 \u0432\u0441\u0438\u0447\u043a\u0438 \u0441\u0440\u0435\u0449\u0430\u043d\u0438\u044f", -"Match case": "\u0421\u044a\u0432\u043f\u0430\u0434\u0435\u043d\u0438\u0435 \u043d\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u044a\u0440\u0430 (\u043c\u0430\u043b\u043a\u0438\/\u0433\u043b\u0430\u0432\u043d\u0438 \u0431\u0443\u043a\u0432\u0438)", -"Prev": "\u041f\u0440\u0435\u0434\u0438\u0448\u0435\u043d", -"Spellcheck": "\u041f\u0440\u043e\u0432\u0435\u0440\u043a\u0430 \u043d\u0430 \u043f\u0440\u0430\u0432\u043e\u043f\u0438\u0441\u0430", -"Finish": "\u041a\u0440\u0430\u0439", -"Ignore all": "\u0418\u0433\u043d\u043e\u0440\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0432\u0441\u0438\u0447\u043a\u043e", -"Ignore": "\u0418\u0433\u043d\u043e\u0440\u0438\u0440\u0430\u043d\u0435", -"Insert row before": "\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u043f\u0440\u0435\u0434\u0438", -"Rows": "\u0420\u0435\u0434\u043e\u0432\u0435", -"Height": "\u0412\u0438\u0441\u043e\u0447\u0438\u043d\u0430", -"Paste row after": "\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u0441\u043b\u0435\u0434", -"Alignment": "\u041f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435", -"Column group": "Column group", -"Row": "\u0420\u0435\u0434", -"Insert column before": "\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043e\u043b\u043e\u043d\u0430 \u043f\u0440\u0435\u0434\u0438", -"Split cell": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u043d\u0435 \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430", -"Cell padding": "\u0420\u0430\u0437\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0434\u043e \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435\u0442\u043e", -"Cell spacing": "\u0420\u0430\u0437\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u043c\u0435\u0436\u0434\u0443 \u043a\u043b\u0435\u0442\u043a\u0438\u0442\u0435", -"Row type": "\u0422\u0438\u043f \u043d\u0430 \u0440\u0435\u0434\u0430", -"Insert table": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0430", -"Body": "\u0421\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435 (body)", -"Caption": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0437\u0430\u0433\u043b\u0430\u0432\u0438\u0435 \u043f\u0440\u0435\u0434\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u0430\u0442\u0430", -"Footer": "\u0414\u043e\u043b\u0435\u043d \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b (footer)", -"Delete row": "\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434\u0430", -"Paste row before": "\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u043f\u0440\u0435\u0434\u0438", -"Scope": "\u041e\u0431\u0445\u0432\u0430\u0442", -"Delete table": "\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0430\u0442\u0430", -"Header cell": "\u0417\u0430\u0433\u043b\u0430\u0432\u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430 (\u0430\u043d\u0442\u0435\u0442\u043a\u0430)", -"Column": "\u041a\u043e\u043b\u043e\u043d\u0430", -"Cell": "\u041a\u043b\u0435\u0442\u043a\u0430", -"Header": "\u0417\u0430\u0433\u043b\u0430\u0432\u043d\u0430 \u0430\u043d\u0442\u0435\u0442\u043a\u0430 (header)", -"Cell type": "\u0422\u0438\u043f \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430\u0442\u0430", -"Copy row": "\u041a\u043e\u043f\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434", -"Row properties": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u043d\u0430 \u0440\u0435\u0434\u0430", -"Table properties": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0430\u0442\u0430", -"Row group": "Row group", -"Right": "\u0414\u044f\u0441\u043d\u043e", -"Insert column after": "\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043e\u043b\u043e\u043d\u0430 \u0441\u043b\u0435\u0434", -"Cols": "\u041a\u043e\u043b\u043e\u043d\u0438", -"Insert row after": "\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u0441\u043b\u0435\u0434", -"Width": "\u0428\u0438\u0440\u0438\u043d\u0430", -"Cell properties": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430\u0442\u0430", -"Left": "\u041b\u044f\u0432\u043e", -"Cut row": "\u0418\u0437\u0440\u044f\u0437\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434", -"Delete column": "\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043e\u043b\u043e\u043d\u0430\u0442\u0430", -"Center": "\u0426\u0435\u043d\u0442\u0440\u0438\u0440\u0430\u043d\u043e", -"Merge cells": "\u0421\u043b\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0438\u0442\u0435", -"Insert template": "\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0448\u0430\u0431\u043b\u043e\u043d", -"Templates": "\u0428\u0430\u0431\u043b\u043e\u043d\u0438", -"Background color": "\u0424\u043e\u043d\u043e\u0432 \u0446\u0432\u044f\u0442", -"Text color": "\u0426\u0432\u044f\u0442 \u043d\u0430 \u0448\u0440\u0438\u0444\u0442\u0430", -"Show blocks": "\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u043d\u0435 \u043d\u0430 \u0431\u043b\u043e\u043a\u043e\u0432\u0435\u0442\u0435", -"Show invisible characters": "\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u043d\u0435 \u043d\u0430 \u043d\u0435\u043f\u0435\u0447\u0430\u0442\u0430\u0435\u043c\u0438 \u0437\u043d\u0430\u0446\u0438", -"Words: {0}": "\u0411\u0440\u043e\u0439 \u0434\u0443\u043c\u0438: {0}", -"Insert": "\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435", -"File": "\u0424\u0430\u0439\u043b", -"Edit": "\u0420\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0435", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u041f\u043e\u043b\u0435 \u0437\u0430 \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d \u0442\u0435\u043a\u0441\u0442. \u041d\u0430\u0442\u0438\u0441\u043d\u0435\u0442\u0435 Alt+F9 \u0437\u0430 \u043c\u0435\u043d\u044e; Alt+F10 \u0437\u0430 \u043b\u0435\u043d\u0442\u0430 \u0441 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438; Alt+0 \u0437\u0430 \u043f\u043e\u043c\u043e\u0449.", -"Tools": "\u0418\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438", -"View": "\u0418\u0437\u0433\u043b\u0435\u0434", -"Table": "\u0422\u0430\u0431\u043b\u0438\u0446\u0430", -"Format": "\u0424\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d\u0435" -}); \ No newline at end of file +tinymce.addI18n("bg_BG",{"Redo":"\u041e\u0442\u043c\u0435\u043d\u044f\u043d\u0435","Undo":"\u0412\u0440\u044a\u0449\u0430\u043d\u0435","Cut":"\u0418\u0437\u0440\u044f\u0437\u0432\u0430\u043d\u0435","Copy":"\u041a\u043e\u043f\u0438\u0440\u0430\u043d\u0435","Paste":"\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435","Select all":"\u041c\u0430\u0440\u043a\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0446\u044f\u043b\u043e\u0442\u043e \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435","New document":"\u041d\u043e\u0432 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442","Ok":"\u0414\u043e\u0431\u0440\u0435","Cancel":"\u041e\u0442\u043a\u0430\u0437","Visual aids":"\u0412\u0438\u0437\u0443\u0430\u043b\u043d\u043e \u043e\u0442\u043a\u0440\u043e\u044f\u0432\u0430\u043d\u0435 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0438 \u0431\u0435\u0437 \u043a\u0430\u043d\u0442\u043e\u0432\u0435 (\u0440\u0430\u043c\u043a\u0438)","Bold":"\u0423\u0434\u0435\u0431\u0435\u043b\u0435\u043d (\u043f\u043e\u043b\u0443\u0447\u0435\u0440)","Italic":"\u041d\u0430\u043a\u043b\u043e\u043d\u0435\u043d (\u043a\u0443\u0440\u0441\u0438\u0432)","Underline":"\u041f\u043e\u0434\u0447\u0435\u0440\u0442\u0430\u0432\u0430\u043d\u0435","Strikethrough":"\u0417\u0430\u0447\u0435\u0440\u0442\u0430\u0432\u0430\u043d\u0435","Superscript":"\u0413\u043e\u0440\u0435\u043d \u0438\u043d\u0434\u0435\u043a\u0441","Subscript":"\u0414\u043e\u043b\u0435\u043d \u0438\u043d\u0434\u0435\u043a\u0441","Clear formatting":"\u0418\u0437\u0447\u0438\u0441\u0442\u0432\u0430\u043d\u0435 \u043d\u0430 \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d\u0435\u0442\u043e","Remove":"\u0418\u0437\u0442\u0440\u0438\u0439","Align left":"\u041f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435 \u043e\u0442\u043b\u044f\u0432\u043e","Align center":"\u0426\u0435\u043d\u0442\u0440\u0438\u0440\u0430\u043d\u0435","Align right":"\u041f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435 \u043e\u0442\u0434\u044f\u0441\u043d\u043e","No alignment":"\u0411\u0435\u0437 \u043f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435","Justify":"\u0414\u0432\u0443\u0441\u0442\u0440\u0430\u043d\u043d\u043e \u043f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435","Bullet list":"\u0421\u043f\u0438\u0441\u044a\u043a \u0441 \u0432\u043e\u0434\u0430\u0447\u0438","Numbered list":"\u041d\u043e\u043c\u0435\u0440\u0438\u0440\u0430\u043d \u0441\u043f\u0438\u0441\u044a\u043a","Decrease indent":"\u041d\u0430\u043c\u0430\u043b\u044f\u0432\u0430\u043d\u0435 \u043d\u0430 \u043e\u0442\u0441\u0442\u044a\u043f\u0430","Increase indent":"\u0423\u0432\u0435\u043b\u0438\u0447\u0430\u0432\u0430\u043d\u0435 \u043d\u0430 \u043e\u0442\u0441\u0442\u044a\u043f\u0430","Close":"\u0417\u0430\u0442\u0432\u0430\u0440\u044f\u043d\u0435","Formats":"\u0424\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d\u0435","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0412\u0430\u0448\u0438\u044f\u0442 \u0431\u0440\u0430\u0443\u0437\u044a\u0440 \u043d\u0435 \u043f\u043e\u0434\u0434\u044a\u0440\u0436\u0430 \u0434\u0438\u0440\u0435\u043a\u0442\u0435\u043d \u0434\u043e\u0441\u0442\u044a\u043f \u0434\u043e \u043a\u043b\u0438\u043f\u0431\u043e\u0440\u0434\u0430. \u0412\u043c\u0435\u0441\u0442\u043e \u0442\u043e\u0432\u0430 \u0438\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0439\u0442\u0435 \u043a\u043b\u0430\u0432\u0438\u0448\u043d\u0438\u0442\u0435 \u043a\u043e\u043c\u0431\u0438\u043d\u0430\u0446\u0438\u0438 Ctrl+X (\u0437\u0430 \u0438\u0437\u0440\u044f\u0437\u0432\u0430\u043d\u0435), Ctrl+C (\u0437\u0430 \u043a\u043e\u043f\u0438\u0440\u0430\u043d\u0435) \u0438 Ctrl+V (\u0437\u0430 \u043f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435).","Headings":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u044f","Heading 1":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 1","Heading 2":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 2","Heading 3":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 3","Heading 4":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 4","Heading 5":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 5","Heading 6":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 6","Preformatted":"\u041f\u0440\u0435\u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d","Div":"\u0411\u043b\u043e\u043a","Pre":"\u041f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u043d\u043e \u043e\u0444\u043e\u0440\u043c\u0435\u043d \u0442\u0435\u043a\u0441\u0442","Code":"\u041a\u043e\u0434","Paragraph":"\u041f\u0430\u0440\u0430\u0433\u0440\u0430\u0444","Blockquote":"\u0426\u0438\u0442\u0430\u0442","Inline":"\u041d\u0430 \u0435\u0434\u0438\u043d \u0440\u0435\u0434","Blocks":"\u0411\u043b\u043e\u043a\u043e\u0432\u0435","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435\u0442\u043e \u0432 \u043c\u043e\u043c\u0435\u043d\u0442\u0430 \u0435 \u0432 \u043e\u0431\u0438\u043a\u043d\u043e\u0432\u0435\u043d \u0442\u0435\u043a\u0441\u0442\u043e\u0432 \u0440\u0435\u0436\u0438\u043c. \u0421\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435\u0442\u043e \u0441\u0435\u0433\u0430 \u0449\u0435 \u0431\u044a\u0434\u0435 \u043f\u043e\u0441\u0442\u0430\u0432\u0435\u043d\u043e \u043a\u0430\u0442\u043e \u0442\u0435\u043a\u0441\u0442, \u0434\u043e\u043a\u0430\u0442\u043e \u043d\u0435 \u0438\u0437\u043a\u043b\u044e\u0447\u0438\u0442\u0435 \u0442\u0430\u0437\u0438 \u043e\u043f\u0446\u0438\u044f.","Fonts":"\u0428\u0440\u0438\u0444\u0442\u043e\u0432\u0435","Font sizes":"\u0420\u0430\u0437\u043c\u0435\u0440\u0438 \u043d\u0430 \u0448\u0440\u0438\u0444\u0442\u0430","Class":"\u041a\u043b\u0430\u0441","Browse for an image":"\u041f\u043e\u0442\u044a\u0440\u0441\u0435\u0442\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435","OR":"\u0418\u041b\u0418","Drop an image here":"\u041f\u0443\u0441\u043d\u0435\u0442\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435\u0442\u043e \u0442\u0443\u043a","Upload":"\u041a\u0430\u0447\u0432\u0430\u043d\u0435","Uploading image":"\u041a\u0430\u0447\u0438 \u0441\u043d\u0438\u043c\u043a\u0430","Block":"\u0411\u043b\u043e\u043a","Align":"\u041f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435","Default":"\u041f\u043e \u043f\u043e\u0434\u0440\u0430\u0437\u0431\u0438\u0440\u0430\u043d\u0435","Circle":"\u041e\u043a\u0440\u044a\u0436\u043d\u043e\u0441\u0442\u0438","Disc":"\u041a\u0440\u044a\u0433\u0447\u0435\u0442\u0430","Square":"\u0417\u0430\u043f\u044a\u043b\u043d\u0435\u043d\u0438 \u043a\u0432\u0430\u0434\u0440\u0430\u0442\u0438","Lower Alpha":"\u041c\u0430\u043b\u043a\u0438 \u0431\u0443\u043a\u0432\u0438","Lower Greek":"\u041c\u0430\u043b\u043a\u0438 \u0433\u0440\u044a\u0446\u043a\u0438 \u0431\u0443\u043a\u0432\u0438","Lower Roman":"\u0420\u0438\u043c\u0441\u043a\u0438 \u0447\u0438\u0441\u043b\u0430 \u0441 \u043c\u0430\u043b\u043a\u0438 \u0431\u0443\u043a\u0432\u0438","Upper Alpha":"\u0413\u043b\u0430\u0432\u043d\u0438 \u0431\u0443\u043a\u0432\u0438","Upper Roman":"\u0420\u0438\u043c\u0441\u043a\u0438 \u0447\u0438\u0441\u043b\u0430 \u0441 \u0433\u043b\u0430\u0432\u043d\u0438 \u0431\u0443\u043a\u0432\u0438","Anchor...":"\u041a\u043e\u0442\u0432\u0430...","Anchor":"\u0418\u043c\u0435 \u043d\u0430 \u043b\u0438\u043d\u043a","Name":"\u041d\u0430\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID-\u0442\u043e \u0442\u0440\u044f\u0431\u0432\u0430 \u0434\u0430 \u0437\u0430\u043f\u043e\u0447\u0432\u0430 \u0441 \u0431\u0443\u043a\u0432\u0430, \u043f\u043e\u0441\u043b\u0435\u0434\u0432\u0430\u043d\u043e \u0441\u0430\u043c\u043e \u043e\u0442 \u0431\u0443\u043a\u0432\u0438, \u0446\u0438\u0444\u0440\u0438, \u0442\u0438\u0440\u0435\u0442\u0430, \u0442\u043e\u0447\u043a\u0438, \u0442\u043e\u0447\u043a\u0430 \u0438 \u0437\u0430\u043f\u0435\u0442\u0430\u044f \u0438 \u0434\u043e\u043b\u043d\u0438 \u0447\u0435\u0440\u0442\u0438.","You have unsaved changes are you sure you want to navigate away?":"\u0412 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0438\u043c\u0430 \u043d\u0435\u0437\u0430\u043f\u0430\u0437\u0435\u043d\u0438 \u043f\u0440\u043e\u043c\u0435\u043d\u0438. \u0429\u0435 \u043f\u0440\u043e\u0434\u044a\u043b\u0436\u0438\u0442\u0435 \u043b\u0438?","Restore last draft":"\u0412\u044a\u0437\u0441\u0442\u0430\u043d\u043e\u0432\u044f\u0432\u0430\u043d\u0435 \u043d\u0430 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0430\u0442\u0430 \u0447\u0435\u0440\u043d\u043e\u0432\u0430","Special character...":"\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u0435\u043d \u0441\u0438\u043c\u0432\u043e\u043b...","Special Character":"\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u0435\u043d \u0437\u043d\u0430\u043a","Source code":"\u0418\u0437\u0445\u043e\u0434\u0435\u043d \u043a\u043e\u0434 \u043d\u0430 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0432 HTML","Insert/Edit code sample":"\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043f\u0440\u0438\u043c\u0435\u0440\u0435\u043d \u043a\u043e\u0434","Language":"\u0415\u0437\u0438\u043a","Code sample...":"\u041f\u0440\u0438\u043c\u0435\u0440\u0435\u043d \u043a\u043e\u0434...","Left to right":"\u041e\u0442\u043b\u044f\u0432\u043e \u043d\u0430\u0434\u044f\u0441\u043d\u043e","Right to left":"\u041e\u0442\u0434\u044f\u0441\u043d\u043e \u043d\u0430\u043b\u044f\u0432\u043e","Title":"\u041d\u0430\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435","Fullscreen":"\u041d\u0430 \u0446\u044f\u043b \u0435\u043a\u0440\u0430\u043d","Action":"\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u0435","Shortcut":"\u0411\u044a\u0440\u0437 \u043a\u043b\u0430\u0432\u0438\u0448","Help":"\u041f\u043e\u043c\u043e\u0449","Address":"\u0410\u0434\u0440\u0435\u0441","Focus to menubar":"\u0424\u043e\u043a\u0443\u0441\u0438\u0440\u0430\u043d\u0435 \u0432\u044a\u0440\u0445\u0443 \u043b\u0435\u043d\u0442\u0430\u0442\u0430 \u0441 \u043c\u0435\u043d\u044e\u0442\u0430","Focus to toolbar":"\u0424\u043e\u043a\u0443\u0441\u0438\u0440\u0430\u043d\u0435 \u0432\u044a\u0440\u0445\u0443 \u043b\u0435\u043d\u0442\u0430\u0442\u0430 \u0441 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438","Focus to element path":"\u0424\u043e\u043a\u0443\u0441\u0438\u0440\u0430\u043d\u0435 \u0432\u044a\u0440\u0445\u0443 \u043f\u044a\u0442\u044f \u0434\u043e \u0435\u043b\u0435\u043c\u0435\u043d\u0442","Focus to contextual toolbar":"\u0424\u043e\u043a\u0443\u0441\u0438\u0440\u0430\u043d\u0435 \u0432\u044a\u0440\u0445\u0443 \u043a\u043e\u043d\u0442\u0435\u043a\u0441\u0442\u0443\u0430\u043b\u043d\u0430\u0442\u0430 \u043b\u0435\u043d\u0442\u0430 \u0441 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438","Insert link (if link plugin activated)":"\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0432\u0440\u044a\u0437\u043a\u0430 (\u0430\u043a\u043e \u043f\u043b\u044a\u0433\u0438\u043d\u044a\u0442 \u0437\u0430 \u0432\u0440\u044a\u0437\u043a\u0438 \u0435 \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d)","Save (if save plugin activated)":"\u0417\u0430\u043f\u0438\u0441\u0432\u0430\u043d\u0435 (\u0430\u043a\u043e \u043f\u043b\u044a\u0433\u0438\u043d\u044a\u0442 \u0437\u0430 \u0437\u0430\u043f\u0438\u0441 \u0435 \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d)","Find (if searchreplace plugin activated)":"\u041d\u0430\u043c\u0438\u0440\u0430\u043d\u0435 (\u0430\u043a\u043e \u043f\u043b\u044a\u0433\u0438\u043d\u044a\u0442 \u0437\u0430 \u0442\u044a\u0440\u0441\u0435\u043d\u0435/\u0437\u0430\u043c\u044f\u043d\u0430 \u0435 \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u0430\u043d)","Plugins installed ({0}):":"\u0418\u043d\u0441\u0442\u0430\u043b\u0438\u0440\u0430\u043d\u0438 \u043f\u043b\u044a\u0433\u0438\u043d\u0438 ({0}):","Premium plugins:":"\u0414\u043e\u043f\u044a\u043b\u043d\u0438\u0442\u0435\u043b\u043d\u0438 \u043f\u043b\u044a\u0433\u0438\u043d\u0438:","Learn more...":"\u041d\u0430\u0443\u0447\u0435\u0442\u0435 \u043f\u043e\u0432\u0435\u0447\u0435...","You are using {0}":"\u0418\u0437\u043f\u043e\u043b\u0437\u0432\u0430\u0442\u0435 {0}","Plugins":"\u041f\u043b\u044a\u0433\u0438\u043d\u0438","Handy Shortcuts":"\u041f\u043e\u043b\u0435\u0437\u043d\u0438 \u0431\u044a\u0440\u0437\u0438 \u043a\u043b\u0430\u0432\u0438\u0448\u0438","Horizontal line":"\u0425\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u043d\u0430 \u0447\u0435\u0440\u0442\u0430","Insert/edit image":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435/\u043a\u043e\u0440\u0435\u043a\u0446\u0438\u044f \u043d\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435","Alternative description":"\u0410\u043b\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u043e \u043e\u043f\u0438\u0441\u0430\u043d\u0438\u0435","Accessibility":"\u0414\u043e\u0441\u0442\u044a\u043f\u043d\u043e\u0441\u0442","Image is decorative":"\u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435\u0442\u043e \u0435 \u0434\u0435\u043a\u043e\u0440\u0430\u0442\u0438\u0432\u043d\u043e","Source":"\u0410\u0434\u0440\u0435\u0441","Dimensions":"\u0420\u0430\u0437\u043c\u0435\u0440","Constrain proportions":"\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0430\u0432\u0430\u043d\u0435 \u043d\u0430 \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0438\u0438\u0442\u0435","General":"\u041e\u0431\u0449\u043e","Advanced":"\u041f\u043e\u0434\u0440\u043e\u0431\u043d\u043e","Style":"\u0421\u0442\u0438\u043b","Vertical space":"\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u043d\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u043e","Horizontal space":"\u0425\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u043d\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u043e","Border":"\u041a\u0430\u043d\u0442 (\u0440\u0430\u043c\u043a\u0430)","Insert image":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435","Image...":"\u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435...","Image list":"\u0421\u043f\u0438\u0441\u044a\u043a \u0441 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f","Resize":"\u041f\u0440\u0435\u043e\u0440\u0430\u0437\u043c\u0435\u0440\u044f\u0432\u0430\u043d\u0435","Insert date/time":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0434\u0430\u0442\u0430/\u0447\u0430\u0441","Date/time":"\u0414\u0430\u0442\u0430/\u0447\u0430\u0441","Insert/edit link":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430 (\u043b\u0438\u043d\u043a)","Text to display":"\u0422\u0435\u043a\u0441\u0442 \u0437\u0430 \u043f\u043e\u043a\u0430\u0437\u0432\u0430\u043d\u0435","Url":"\u0410\u0434\u0440\u0435\u0441 (URL)","Open link in...":"\u041e\u0442\u0432\u0430\u0440\u044f\u043d\u0435 \u043d\u0430 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430 \u0432...","Current window":"\u0422\u0435\u043a\u0443\u0449 \u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446","None":"\u0411\u0435\u0437","New window":"\u0412 \u043d\u043e\u0432 \u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446 (\u043f\u043e\u0434\u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446)","Open link":"\u041e\u0442\u0432\u043e\u0440\u0438 \u0432\u0440\u044a\u0437\u043a\u0430\u0442\u0430","Remove link":"\u041f\u0440\u0435\u043c\u0430\u0445\u0432\u0430\u043d\u0435 \u043d\u0430 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430","Anchors":"\u041a\u043e\u0442\u0432\u0438","Link...":"\u0425\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430...","Paste or type a link":"\u041f\u043e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u0438\u043b\u0438 \u043d\u0430\u043f\u0438\u0448\u0435\u0442\u0435 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0430","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL \u0430\u0434\u0440\u0435\u0441\u044a\u0442, \u043a\u043e\u0439\u0442\u043e \u0432\u044a\u0432\u0435\u0434\u043e\u0445\u0442\u0435, \u043f\u0440\u0438\u043b\u0438\u0447\u0430 \u043d\u0430 \u0438\u043c\u0435\u0439\u043b \u0430\u0434\u0440\u0435\u0441. \u0418\u0441\u043a\u0430\u0442\u0435 \u043b\u0438 \u0434\u0430 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u0435 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u0438\u044f \u043f\u0440\u0435\u0444\u0438\u043a\u0441 mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL \u0430\u0434\u0440\u0435\u0441\u044a\u0442, \u043a\u043e\u0439\u0442\u043e \u0432\u044a\u0432\u0435\u0434\u043e\u0445\u0442\u0435, \u043f\u0440\u0438\u043b\u0438\u0447\u0430 \u043d\u0430 \u0432\u044a\u043d\u0448\u0435\u043d \u0430\u0434\u0440\u0435\u0441. \u0418\u0441\u043a\u0430\u0442\u0435 \u043b\u0438 \u0434\u0430 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u0435 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u0438\u044f \u043f\u0440\u0435\u0444\u0438\u043a\u0441 http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0412\u044a\u0432\u0435\u0434\u0435\u043d\u0438\u044f\u0442 URL \u0430\u0434\u0440\u0435\u0441 \u0435 \u0432\u044a\u043d\u0448\u0435\u043d \u043b\u0438\u043d\u043a. \u0418\u0441\u043a\u0430\u0442\u0435 \u043b\u0438 \u0434\u0430 \u0441\u0435 \u0434\u043e\u0431\u0430\u0432\u0438 \u0437\u0430\u0434\u044a\u043b\u0436\u0438\u0442\u0435\u043b\u043d\u0438\u044f\u0442 https:// \u043f\u0440\u0435\u0444\u0438\u043a\u0441?","Link list":"\u0421\u043f\u0438\u0441\u044a\u043a \u0441 \u0445\u0438\u043f\u0435\u0440\u0432\u0440\u044a\u0437\u043a\u0438","Insert video":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0432\u0438\u0434\u0435\u043e\u043a\u043b\u0438\u043f","Insert/edit video":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0432\u0438\u0434\u0435\u043e\u043a\u043b\u0438\u043f","Insert/edit media":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043c\u0435\u0434\u0438\u044f","Alternative source":"\u0410\u043b\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u0435\u043d \u0430\u0434\u0440\u0435\u0441","Alternative source URL":"\u0410\u043b\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u0435\u043d \u0430\u0434\u0440\u0435\u0441 URL","Media poster (Image URL)":"\u041c\u0435\u0434\u0438\u0435\u043d \u043f\u043b\u0430\u043a\u0430\u0442 (\u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 URL)","Paste your embed code below:":"\u041f\u043e\u0441\u0442\u0430\u0432\u0435\u0442\u0435 \u043a\u043e\u0434\u0430 \u0437\u0430 \u0432\u0433\u0440\u0430\u0436\u0434\u0430\u043d\u0435 \u0432 \u043f\u043e\u043b\u0435\u0442\u043e \u043f\u043e-\u0434\u043e\u043b\u0443:","Embed":"\u0412\u0433\u0440\u0430\u0436\u0434\u0430\u043d\u0435","Media...":"\u041c\u0435\u0434\u0438\u044f...","Nonbreaking space":"\u0422\u0432\u044a\u0440\u0434 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b","Page break":"\u041d\u043e\u0432\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430","Paste as text":"\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043a\u0430\u0442\u043e \u0442\u0435\u043a\u0441\u0442","Preview":"\u041f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u0435\u043d \u0438\u0437\u0433\u043b\u0435\u0434","Print":"\u041f\u0440\u0438\u043d\u0442\u0438\u0440\u0430\u0439","Print...":"\u041e\u0442\u043f\u0435\u0447\u0430\u0442\u0432\u0430\u043d\u0435...","Save":"\u0421\u044a\u0445\u0440\u0430\u043d\u044f\u0432\u0430\u043d\u0435","Find":"\u0422\u044a\u0440\u0441\u0435\u043d\u0435 \u0437\u0430","Replace with":"\u0417\u0430\u043c\u044f\u043d\u0430 \u0441(\u044a\u0441)","Replace":"\u0417\u0430\u043c\u044f\u043d\u0430","Replace all":"\u0417\u0430\u043c\u044f\u043d\u0430 \u043d\u0430 \u0432\u0441\u0438\u0447\u043a\u0438 \u0441\u0440\u0435\u0449\u0430\u043d\u0438\u044f","Previous":"\u041f\u0440\u0435\u0434\u0438\u0448\u0435\u043d","Next":"\u0421\u043b\u0435\u0434\u0432\u0430\u0449","Find and Replace":"\u041d\u0430\u043c\u0435\u0440\u0438 \u0438 \u0417\u0430\u043c\u0435\u043d\u0438","Find and replace...":"\u041d\u0430\u043c\u0438\u0440\u0430\u043d\u0435 \u0438 \u0437\u0430\u043c\u044f\u043d\u0430...","Could not find the specified string.":"\u0422\u044a\u0440\u0441\u0435\u043d\u0438\u044f\u0442 \u0442\u0435\u043a\u0441\u0442 \u043d\u0435 \u0435 \u043d\u0430\u043c\u0435\u0440\u0435\u043d.","Match case":"\u0421\u044a\u0432\u043f\u0430\u0434\u0435\u043d\u0438\u0435 \u043d\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u044a\u0440\u0430 (\u043c\u0430\u043b\u043a\u0438/\u0433\u043b\u0430\u0432\u043d\u0438 \u0431\u0443\u043a\u0432\u0438)","Find whole words only":"\u0422\u044a\u0440\u0441\u0435\u043d\u0435 \u0441\u0430\u043c\u043e \u043d\u0430 \u0446\u0435\u043b\u0438 \u0434\u0443\u043c\u0438","Find in selection":"\u041d\u0430\u043c\u0435\u0440\u0438 \u0432 \u0441\u0435\u043b\u0435\u043a\u0442\u0438\u0440\u0430\u043d\u0438\u044f\u0442 \u0444\u0440\u0430\u0433\u043c\u0435\u043d\u0442","Insert table":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0430","Table properties":"\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0430\u0442\u0430","Delete table":"\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0430\u0442\u0430","Cell":"\u041a\u043b\u0435\u0442\u043a\u0430","Row":"\u0420\u0435\u0434","Column":"\u041a\u043e\u043b\u043e\u043d\u0430","Cell properties":"\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430\u0442\u0430","Merge cells":"\u0421\u043b\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0438\u0442\u0435","Split cell":"\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u043d\u0435 \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430","Insert row before":"\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u043f\u0440\u0435\u0434\u0438","Insert row after":"\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u0441\u043b\u0435\u0434","Delete row":"\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434\u0430","Row properties":"\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u043d\u0430 \u0440\u0435\u0434\u0430","Cut row":"\u0418\u0437\u0440\u044f\u0437\u0432\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434","Cut column":"\u0418\u0437\u0440\u0435\u0436\u0438 \u043a\u043e\u043b\u043e\u043d\u0430","Copy row":"\u041a\u043e\u043f\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434","Copy column":"\u041a\u043e\u043f\u0438\u0440\u0430\u0439 \u043a\u043e\u043b\u043e\u043d\u0430","Paste row before":"\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u043f\u0440\u0435\u0434\u0438","Paste column before":"\u041f\u043e\u0441\u0442\u0430\u0432\u0438 \u043a\u043e\u043b\u043e\u043d\u0430\u0442\u0430 \u043f\u0440\u0435\u0434\u0438","Paste row after":"\u041f\u043e\u0441\u0442\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0440\u0435\u0434 \u0441\u043b\u0435\u0434","Paste column after":"\u041f\u043e\u0441\u0442\u0430\u0432\u0438 \u043a\u043e\u043b\u043e\u043d\u0430\u0442\u0430 \u0441\u043b\u0435\u0434","Insert column before":"\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043e\u043b\u043e\u043d\u0430 \u043f\u0440\u0435\u0434\u0438","Insert column after":"\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043e\u043b\u043e\u043d\u0430 \u0441\u043b\u0435\u0434","Delete column":"\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u043a\u043e\u043b\u043e\u043d\u0430\u0442\u0430","Cols":"\u041a\u043e\u043b\u043e\u043d\u0438","Rows":"\u0420\u0435\u0434\u043e\u0432\u0435","Width":"\u0428\u0438\u0440\u0438\u043d\u0430","Height":"\u0412\u0438\u0441\u043e\u0447\u0438\u043d\u0430","Cell spacing":"\u0420\u0430\u0437\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u043c\u0435\u0436\u0434\u0443 \u043a\u043b\u0435\u0442\u043a\u0438\u0442\u0435","Cell padding":"\u0420\u0430\u0437\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0434\u043e \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435\u0442\u043e","Row clipboard actions":"\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f \u043d\u0430 \u043a\u043b\u0438\u043f\u0431\u043e\u0440\u0434\u0430 \u0437\u0430 \u0440\u0435\u0434\u0430","Column clipboard actions":"\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f \u043d\u0430 \u043a\u043b\u0438\u043f\u0431\u043e\u0440\u0434\u0430 \u0437\u0430 \u043a\u043e\u043b\u043e\u043d\u0430\u0442\u0430","Table styles":"\u0421\u0442\u0438\u043b\u043e\u0432\u0435 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0438","Cell styles":"\u0421\u0442\u0438\u043b\u043e\u0432\u0430 \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430\u0442\u0430","Column header":"\u0425\u0435\u0434\u044a\u0440 \u043d\u0430 \u043a\u043e\u043b\u043e\u043d\u0430","Row header":"\u0425\u0435\u0434\u044a\u0440 \u043d\u0430 \u0440\u0435\u0434","Table caption":"\u041d\u0430\u0434\u043f\u0438\u0441 \u043d\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u0430","Caption":"\u0414\u043e\u0431\u0430\u0432\u044f\u043d\u0435 \u043d\u0430 \u0437\u0430\u0433\u043b\u0430\u0432\u0438\u0435 \u043f\u0440\u0435\u0434\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u0430\u0442\u0430","Show caption":"\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u043d\u0435 \u043d\u0430 \u043d\u0430\u0434\u043f\u0438\u0441","Left":"\u041b\u044f\u0432\u043e","Center":"\u0426\u0435\u043d\u0442\u0440\u0438\u0440\u0430\u043d\u043e","Right":"\u0414\u044f\u0441\u043d\u043e","Cell type":"\u0422\u0438\u043f \u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430\u0442\u0430","Scope":"\u041e\u0431\u0445\u0432\u0430\u0442","Alignment":"\u041f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435","Horizontal align":"\u0425\u0438\u0440\u043e\u0437\u043e\u043d\u0442\u0430\u043b\u043d\u043e \u043f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435","Vertical align":"\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u043d\u043e \u043f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435","Top":"\u0413\u043e\u0440\u0435","Middle":"\u041f\u043e \u0441\u0440\u0435\u0434\u0430\u0442\u0430","Bottom":"\u0414\u043e\u043b\u0443","Header cell":"\u0417\u0430\u0433\u043b\u0430\u0432\u043d\u0430 \u043a\u043b\u0435\u0442\u043a\u0430 (\u0430\u043d\u0442\u0435\u0442\u043a\u0430)","Row group":"\u0413\u0440\u0443\u043f\u0430 \u0440\u0435\u0434\u043e\u0432\u0435","Column group":"\u0413\u0440\u0443\u043f\u0430 \u043a\u043e\u043b\u043e\u043d\u0438","Row type":"\u0422\u0438\u043f \u043d\u0430 \u0440\u0435\u0434\u0430","Header":"\u0413\u043e\u0440\u0435\u043d \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b (header)","Body":"\u0421\u044a\u0434\u044a\u0440\u0436\u0430\u043d\u0438\u0435 (body)","Footer":"\u0414\u043e\u043b\u0435\u043d \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b (footer)","Border color":"\u0426\u0432\u044f\u0442 \u043d\u0430 \u0440\u0430\u043c\u043a\u0430\u0442\u0430","Solid":"\u0421\u043e\u043b\u0438\u0434\u0435\u043d","Dotted":"\u041f\u0443\u043d\u043a\u0442\u0438\u0440\u0430\u043d","Dashed":"\u041f\u0443\u043d\u043a\u0442\u0438\u0440\u0430\u043d","Double":"\u0414\u0432\u043e\u0435\u043d","Groove":"\u0416\u043b\u0435\u0431","Ridge":"\u0420\u044a\u0431","Inset":"\u0412\u044a\u0442\u0440\u0435\u0448\u0435\u043d","Outset":"\u0412\u044a\u043d\u0448\u0435\u043d","Hidden":"\u0421\u043a\u0440\u0438\u0442","Insert template...":"\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435 \u043d\u0430 \u0448\u0430\u0431\u043b\u043e\u043d...","Templates":"\u0428\u0430\u0431\u043b\u043e\u043d\u0438","Template":"\u0428\u0430\u0431\u043b\u043e\u043d","Insert Template":"\u0414\u043e\u0431\u0430\u0432\u0438 \u0448\u0430\u0431\u043b\u043e\u043d","Text color":"\u0426\u0432\u044f\u0442 \u043d\u0430 \u0448\u0440\u0438\u0444\u0442\u0430","Background color":"\u0424\u043e\u043d\u043e\u0432 \u0446\u0432\u044f\u0442","Custom...":"\u0418\u0437\u0431\u0440\u0430\u043d...","Custom color":"\u0426\u0432\u044f\u0442 \u043f\u043e \u0438\u0437\u0431\u043e\u0440","No color":"\u0411\u0435\u0437 \u0446\u0432\u044f\u0442","Remove color":"\u041f\u0440\u0435\u043c\u0430\u0445\u0432\u0430\u043d\u0435 \u043d\u0430 \u0446\u0432\u0435\u0442\u0430","Show blocks":"\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u043d\u0435 \u043d\u0430 \u0431\u043b\u043e\u043a\u043e\u0432\u0435\u0442\u0435","Show invisible characters":"\u041f\u043e\u043a\u0430\u0437\u0432\u0430\u043d\u0435 \u043d\u0430 \u043d\u0435\u043f\u0435\u0447\u0430\u0442\u0430\u0435\u043c\u0438 \u0437\u043d\u0430\u0446\u0438","Word count":"\u0411\u0440\u043e\u0435\u043d\u0435 \u043d\u0430 \u0434\u0443\u043c\u0438","Count":"\u0411\u0440\u043e\u0439","Document":"\u0414\u043e\u043a\u0443\u043c\u0435\u043d\u0442","Selection":"\u0418\u0437\u0431\u0440\u0430\u043d\u043e","Words":"\u0414\u0443\u043c\u0438","Words: {0}":"\u0414\u0443\u043c\u0438: {0}","{0} words":"{0} \u0434\u0443\u043c\u0438","File":"\u0424\u0430\u0439\u043b","Edit":"\u0420\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u0430\u043d\u0435","Insert":"\u0412\u043c\u044a\u043a\u0432\u0430\u043d\u0435","View":"\u0418\u0437\u0433\u043b\u0435\u0434","Format":"\u0424\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d\u0435","Table":"\u0422\u0430\u0431\u043b\u0438\u0446\u0430","Tools":"\u0418\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438","Powered by {0}":"\u0421\u044a\u0437\u0434\u0430\u0434\u0435\u043d\u043e \u0441(\u044a\u0441) {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u041f\u043e\u043b\u0435 \u0437\u0430 \u043e\u0431\u043e\u0433\u0430\u0442\u0435\u043d \u0442\u0435\u043a\u0441\u0442. \u041d\u0430\u0442\u0438\u0441\u043d\u0435\u0442\u0435 Alt+F9 \u0437\u0430 \u043c\u0435\u043d\u044e, Alt+F10 \u0437\u0430 \u043b\u0435\u043d\u0442\u0430 \u0441 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438, Alt+0 \u0437\u0430 \u043f\u043e\u043c\u043e\u0449","Image title":"\u0417\u0430\u0433\u043b\u0430\u0432\u0438\u0435 \u043d\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435\u0442\u043e","Border width":"\u0428\u0438\u0440\u0438\u043d\u0430 \u043d\u0430 \u0440\u0430\u043c\u043a\u0430\u0442\u0430","Border style":"\u0421\u0442\u0438\u043b \u043d\u0430 \u0440\u0430\u043c\u043a\u0430\u0442\u0430","Error":"\u0413\u0440\u0435\u0448\u043a\u0430","Warn":"\u041f\u0440\u0435\u0434\u0443\u043f\u0440\u0435\u0436\u0434\u0435\u043d\u0438\u0435","Valid":"\u0412\u0430\u043b\u0438\u0434\u043d\u043e","To open the popup, press Shift+Enter":"\u0417\u0430 \u0434\u0430 \u043e\u0442\u0432\u043e\u0440\u0438\u0442\u0435 \u0438\u0437\u0441\u043a\u0430\u0447\u0430\u0449\u0438\u044f \u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446, \u043d\u0430\u0442\u0438\u0441\u043d\u0435\u0442\u0435 Shift+Enter","Rich Text Area":"\u041e\u0431\u043b\u0430\u0441\u0442 \u0441 \u043e\u0431\u043e\u0433\u0430\u0442\u0435\u043d \u0442\u0435\u043a\u0441\u0442","Rich Text Area. Press ALT-0 for help.":"\u041f\u043e\u043b\u0435 \u0437\u0430 \u043e\u0431\u043e\u0433\u0430\u0442\u0435\u043d \u0442\u0435\u043a\u0441\u0442. \u041d\u0430\u0442\u0438\u0441\u043d\u0435\u0442\u0435 ALT+0 \u0437\u0430 \u043f\u043e\u043c\u043e\u0449.","System Font":"\u0421\u0438\u0441\u0442\u0435\u043c\u0435\u043d \u0448\u0440\u0438\u0444\u0442","Failed to upload image: {0}":"\u041d\u0435\u0443\u0441\u043f\u0435\u0448\u043d\u043e \u043a\u0430\u0447\u0432\u0430\u043d\u0435 \u043d\u0430 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435: {0}","Failed to load plugin: {0} from url {1}":"\u041d\u0435\u0443\u0441\u043f\u0435\u0448\u043d\u043e \u0437\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0435 \u043d\u0430 \u043f\u043b\u044a\u0433\u0438\u043d {0} \u043e\u0442 URL {1}","Failed to load plugin url: {0}":"\u041d\u0435\u0443\u0441\u043f\u0435\u0448\u043d\u043e \u0437\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0435 \u043d\u0430 URL \u043d\u0430 \u043f\u043b\u044a\u0433\u0438\u043d: {0}","Failed to initialize plugin: {0}":"\u041d\u0435\u0443\u0441\u043f\u0435\u0448\u043d\u043e \u0438\u043d\u0438\u0446\u0438\u0430\u043b\u0438\u0437\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u043f\u043b\u044a\u0433\u0438\u043d: {0}","example":"\u043f\u0440\u0438\u043c\u0435\u0440","Search":"\u0422\u044a\u0440\u0441\u0435\u043d\u0435","All":"\u0412\u0441\u0438\u0447\u043a\u0438","Currency":"\u0412\u0430\u043b\u0443\u0442\u0430","Text":"\u0422\u0435\u043a\u0441\u0442","Quotations":"\u0426\u0438\u0442\u0430\u0442\u0438","Mathematical":"\u041c\u0430\u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438","Extended Latin":"\u0420\u0430\u0437\u0448\u0438\u0440\u0435\u043d\u0438 \u043b\u0430\u0442\u0438\u043d\u0441\u043a\u0438 \u0431\u0443\u043a\u0432\u0438","Symbols":"\u0421\u0438\u043c\u0432\u043e\u043b\u0438","Arrows":"\u0421\u0442\u0440\u0435\u043b\u043a\u0438","User Defined":"\u0417\u0430\u0434\u0430\u0434\u0435\u043d\u0438 \u043e\u0442 \u043f\u043e\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u044f","dollar sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0434\u043e\u043b\u0430\u0440","currency sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0432\u0430\u043b\u0443\u0442\u0430","euro-currency sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0435\u0432\u0440\u043e \u0432\u0430\u043b\u0443\u0442\u0430","colon sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043a\u043e\u043b\u043e\u043d","cruzeiro sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043a\u0440\u0443\u0437\u0435\u0439\u0440\u043e","french franc sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0444\u0440\u0435\u043d\u0441\u043a\u0438 \u0444\u0440\u0430\u043d\u043a","lira sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043b\u0438\u0440\u0430","mill sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043c\u0438\u043b","naira sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043d\u0430\u0439\u0440\u0430","peseta sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043f\u0435\u0441\u0435\u0442\u0430","rupee sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0440\u0443\u043f\u0438\u044f","won sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043a\u043e\u0440\u0435\u0439\u0441\u043a\u0438 \u0432\u043e\u043d","new sheqel sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043d\u043e\u0432 \u0448\u0435\u043a\u0435\u043b","dong sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0432\u0438\u0435\u0442\u043d\u0430\u043c\u0441\u043a\u0438 \u0434\u043e\u043d\u0433","kip sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043b\u0430\u043e\u0441\u043a\u0438 \u043a\u0438\u043f","tugrik sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043c\u043e\u043d\u0433\u043e\u043b\u0441\u043a\u0438 \u0442\u0443\u0433\u0440\u0438\u043a","drachma sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0434\u0440\u0430\u0445\u043c\u0430","german penny symbol":"\u0441\u0438\u043c\u0432\u043e\u043b \u0437\u0430 \u0433\u0435\u0440\u043c\u0430\u043d\u0441\u043a\u043e \u043f\u0435\u043d\u0438","peso sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043f\u0435\u0441\u043e","guarani sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0433\u0443\u0430\u0440\u0430\u043d\u0438","austral sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0430\u0443\u0441\u0442\u0440\u0430\u043b","hryvnia sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0433\u0440\u0438\u0432\u043d\u044f","cedi sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0441\u0435\u0434\u0438","livre tournois sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043b\u0438\u0432\u0440 \u0442\u0443\u0440\u043d\u0443\u0430","spesmilo sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0441\u043f\u0435\u0441\u043c\u0438\u043b\u043e","tenge sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0442\u0435\u043d\u0433\u0435","indian rupee sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0438\u043d\u0434\u0438\u0439\u0441\u043a\u0430 \u0440\u0443\u043f\u0438\u044f","turkish lira sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0442\u0443\u0440\u0441\u043a\u0430 \u043b\u0438\u0440\u0430","nordic mark sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043d\u043e\u0440\u0434\u0441\u043a\u0430 \u043c\u0430\u0440\u043a\u0430","manat sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u043c\u0430\u043d\u0430\u0442","ruble sign":"\u0437\u043d\u0430\u043a \u0437\u0430 \u0440\u0443\u0431\u043b\u0430","yen character":"\u0441\u0438\u043c\u0432\u043e\u043b \u0437\u0430 \u0439\u0435\u043d\u0430","yuan character":"\u0441\u0438\u043c\u0432\u043e\u043b \u0437\u0430 \u044e\u0430\u043d","yuan character, in hong kong and taiwan":"\u0441\u0438\u043c\u0432\u043e\u043b \u0437\u0430 \u044e\u0430\u043d \u0432 \u0425\u043e\u043d\u043a\u043e\u043d\u0433 \u0438 \u0422\u0430\u0439\u0432\u0430\u043d","yen/yuan character variant one":"\u0441\u0438\u043c\u0432\u043e\u043b \u0437\u0430 \u0439\u0435\u043d\u0430/\u044e\u0430\u043d \u0432\u0430\u0440\u0438\u0430\u043d\u0442 \u0435\u0434\u043d\u043e","Emojis":"\u0415\u043c\u043e\u0442\u0438\u043a\u043e\u043d\u0438","Emojis...":"\u0415\u043c\u043e\u0442\u0438\u043a\u043e\u043d\u0438...","Loading emojis...":"\u0417\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0435 \u043d\u0430 \u0435\u043c\u043e\u0434\u0436\u0438\u0442\u0430...","Could not load emojis":"\u0413\u0440\u0435\u0448\u043a\u0430 \u043f\u0440\u0438 \u0437\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0435 \u043d\u0430 \u0435\u043c\u043e\u0434\u0436\u0438\u0442\u0430","People":"\u0425\u043e\u0440\u0430","Animals and Nature":"\u0416\u0438\u0432\u043e\u0442\u043d\u0438 \u0438 \u043f\u0440\u0438\u0440\u043e\u0434\u0430","Food and Drink":"\u0425\u0440\u0430\u043d\u0430 \u0438 \u043d\u0430\u043f\u0438\u0442\u043a\u0438","Activity":"\u0414\u0435\u0439\u043d\u043e\u0441\u0442\u0438","Travel and Places":"\u041f\u044a\u0442\u0443\u0432\u0430\u043d\u0435 \u0438 \u043c\u0435\u0441\u0442\u0430","Objects":"\u041f\u0440\u0435\u0434\u043c\u0435\u0442\u0438","Flags":"\u0417\u043d\u0430\u043c\u0435\u043d\u0430","Characters":"\u0421\u0438\u043c\u0432\u043e\u043b\u0438","Characters (no spaces)":"\u0421\u0438\u043c\u0432\u043e\u043b\u0438 (\u0431\u0435\u0437 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b\u0438)","{0} characters":"{0} \u0441\u0438\u043c\u0432\u043e\u043b\u0430","Error: Form submit field collision.":"\u0413\u0440\u0435\u0448\u043a\u0430: \u041d\u0435\u0441\u044a\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u043d\u0430 \u043f\u043e\u043b\u0435 \u043f\u0440\u0438 \u0438\u0437\u043f\u0440\u0430\u0449\u0430\u043d\u0435 \u043d\u0430 \u0444\u043e\u0440\u043c\u0443\u043b\u044f\u0440.","Error: No form element found.":"\u0413\u0440\u0435\u0448\u043a\u0430: \u041d\u0435 \u0435 \u043e\u0442\u043a\u0440\u0438\u0442 \u0435\u043b\u0435\u043c\u0435\u043d\u0442 \u043d\u0430 \u0444\u043e\u0440\u043c\u0443\u043b\u044f\u0440\u0430.","Color swatch":"\u0426\u0432\u0435\u0442\u043d\u0430 \u043c\u043e\u0441\u0442\u0440\u0430","Color Picker":"\u0418\u0437\u0431\u0438\u0440\u0430\u043d\u0435 \u043d\u0430 \u0446\u0432\u044f\u0442","Invalid hex color code: {0}":"\u041d\u0435\u0432\u0430\u043b\u0438\u0434\u0435\u043d \u0448\u0435\u0441\u0442\u043d\u0430\u0434\u0435\u0441\u0435\u0442\u0438\u0447\u0435\u043d (HEX) \u043a\u043e\u0434 \u043d\u0430 \u0446\u0432\u044f\u0442: {0}","Invalid input":"\u041d\u0435\u0432\u0430\u043b\u0438\u0434\u0435\u043d \u0432\u0445\u043e\u0434","R":"R","Red component":"\u0427\u0435\u0440\u0432\u0435\u043d \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442","G":"G","Green component":"\u0417\u0435\u043b\u0435\u043d \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442","B":"B","Blue component":"\u0421\u0438\u043d \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442","#":"#","Hex color code":"\u0428\u0435\u0441\u0442\u043d\u0430\u0434\u0435\u0441\u0435\u0442\u0438\u0447\u0435\u043d \u043a\u043e\u0434 \u043d\u0430 \u0446\u0432\u0435\u0442\u0430","Range 0 to 255":"\u041e\u0442 0 \u0434\u043e 255","Turquoise":"\u0422\u044e\u0440\u043a\u043e\u0430\u0437\u0435\u043d\u043e","Green":"\u0417\u0435\u043b\u0435\u043d\u043e","Blue":"\u0421\u0438\u043d\u044c\u043e","Purple":"\u041b\u0438\u043b\u0430\u0432\u043e","Navy Blue":"\u041c\u043e\u0440\u0441\u043a\u043e\u0441\u0438\u043d\u044c\u043e","Dark Turquoise":"\u0422\u044a\u043c\u043d\u043e\u0442\u044e\u0440\u043a\u043e\u0430\u0437\u0435\u043d\u043e","Dark Green":"\u0422\u044a\u043c\u043d\u043e\u0437\u0435\u043b\u0435\u043d\u043e","Medium Blue":"\u0421\u0440\u0435\u0434\u043d\u043e\u0441\u0438\u043d\u044c\u043e","Medium Purple":"\u0421\u0440\u0435\u0434\u043d\u043e\u043b\u0438\u043b\u0430\u0432\u043e","Midnight Blue":"\u0421\u0440\u0435\u0434\u043d\u043e\u0449\u043d\u043e \u0441\u0438\u043d\u044c\u043e","Yellow":"\u0416\u044a\u043b\u0442\u043e","Orange":"\u041e\u0440\u0430\u043d\u0436\u0435\u0432\u043e","Red":"\u0427\u0435\u0440\u0432\u0435\u043d\u043e","Light Gray":"\u0421\u0432\u0435\u0442\u043b\u043e\u0441\u0438\u0432\u043e","Gray":"\u0421\u0438\u0432\u043e","Dark Yellow":"\u0422\u044a\u043c\u043d\u043e\u0436\u044a\u043b\u0442\u043e","Dark Orange":"\u0422\u044a\u043c\u043d\u043e\u043e\u0440\u0430\u043d\u0436\u0435\u0432\u043e","Dark Red":"\u0422\u044a\u043c\u043d\u043e\u0447\u0435\u0440\u0432\u0435\u043d\u043e","Medium Gray":"\u0421\u0440\u0435\u0434\u043d\u043e\u0441\u0438\u0432\u043e","Dark Gray":"\u0422\u044a\u043c\u043d\u043e\u0441\u0438\u0432\u043e","Light Green":"\u0421\u0432\u0435\u0442\u043b\u043e\u0437\u0435\u043b\u0435\u043d","Light Yellow":"\u0421\u0432\u0435\u0442\u043b\u043e\u0436\u044a\u043b\u0442","Light Red":"\u0421\u0432\u0435\u0442\u043b\u043e\u0447\u0435\u0440\u0432\u0435\u043d","Light Purple":"\u0421\u0432\u0435\u0442\u043b\u043e\u043b\u0438\u043b\u0430\u0432","Light Blue":"\u0421\u0432\u0435\u0442\u043b\u043e\u0441\u0438\u043d","Dark Purple":"\u0422\u044a\u043c\u043d\u043e\u043b\u0438\u043b\u0430\u0432","Dark Blue":"\u0422\u044a\u043c\u043d\u043e\u0441\u0438\u043d","Black":"\u0427\u0435\u0440\u043d\u043e","White":"\u0411\u044f\u043b\u043e","Switch to or from fullscreen mode":"\u041f\u0440\u0435\u0432\u043a\u043b\u044e\u0447\u0432\u0430\u043d\u0435 \u043a\u044a\u043c \u0438\u043b\u0438 \u043e\u0442 \u0440\u0435\u0436\u0438\u043c \u043d\u0430 \u0446\u044f\u043b \u0435\u043a\u0440\u0430\u043d","Open help dialog":"\u041e\u0442\u0432\u0430\u0440\u044f\u043d\u0435 \u043d\u0430 \u0434\u0438\u0430\u043b\u043e\u0433\u043e\u0432 \u043f\u0440\u043e\u0437\u043e\u0440\u0435\u0446 \u0437\u0430 \u043f\u043e\u043c\u043e\u0449","history":"\u0438\u0441\u0442\u043e\u0440\u0438\u044f","styles":"\u0441\u0442\u0438\u043b\u043e\u0432\u0435","formatting":"\u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u0430\u043d\u0435","alignment":"\u043f\u043e\u0434\u0440\u0430\u0432\u043d\u044f\u0432\u0430\u043d\u0435","indentation":"\u043e\u0442\u0441\u0442\u044a\u043f","Font":"\u0428\u0440\u0438\u0444\u0442","Size":"\u0420\u0430\u0437\u043c\u0435\u0440","More...":"\u041e\u0449\u0435...","Select...":"\u0418\u0437\u0431\u0435\u0440\u0438...","Preferences":"\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u043d\u0438\u044f","Yes":"\u0414\u0430","No":"\u041d\u0435","Keyboard Navigation":"\u041d\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u044f \u0441 \u043a\u043b\u0430\u0432\u0438\u0430\u0442\u0443\u0440\u0430","Version":"\u0412\u0435\u0440\u0441\u0438\u044f","Code view":"\u041f\u0440\u0435\u0433\u043b\u0435\u0434 \u043d\u0430 \u043a\u043e\u0434","Open popup menu for split buttons":"\u041e\u0442\u0432\u043e\u0440\u0438 \u043f\u043e\u043f-\u044a\u043f \u043c\u0435\u043d\u044e\u0442\u043e \u0437\u0430 \u0440\u0430\u0437\u0434\u0435\u043b\u0435\u043d\u0438\u0442\u0435 \u0431\u0443\u0442\u043e\u043d\u0438","List Properties":"\u0421\u043f\u0438\u0441\u044a\u043a \u0441 \u0440\u0435\u043a\u0432\u0438\u0437\u0438\u0442\u0438","List properties...":"\u0421\u043f\u0438\u0441\u044a\u043a \u0441 \u0440\u0435\u043a\u0432\u0438\u0437\u0438\u0442\u0438...","Start list at number":"\u0417\u0430\u043f\u043e\u0447\u043d\u0438 \u0441\u043f\u0438\u0441\u044a\u043a\u0430 \u043e\u0442 \u043d\u043e\u043c\u0435\u0440","Line height":"\u0412\u0438\u0441\u043e\u0447\u0438\u043d\u0430 \u043d\u0430 \u0440\u0435\u0434\u0430","Dropped file type is not supported":"\u0422\u0438\u043f\u0430 \u043d\u0430 \u043f\u043e\u0441\u0442\u0430\u0432\u0435\u043d\u0438\u044f\u0442 \u0444\u0430\u0439\u043b \u043d\u0435 \u0441\u0435 \u043f\u043e\u0434\u0434\u044a\u0440\u0436\u0430","Loading...":"\u0417\u0430\u0440\u0435\u0436\u0434\u0430\u043d\u0435...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP \u0433\u0440\u0435\u0448\u043a\u0430: \u041e\u0442\u0445\u0432\u044a\u0440\u043b\u0435\u043d\u0430 \u0437\u0430\u044f\u0432\u043a\u0430","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP \u0433\u0440\u0435\u0448\u043a\u0430: \u041d\u0435 \u043c\u043e\u0436\u0435 \u0434\u0430 \u043d\u0430\u043c\u0435\u0440\u0438 Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP \u0433\u0440\u0435\u0448\u043a\u0430: \u041d\u0435\u0432\u0430\u043b\u0438\u0434\u043d\u043e Image Proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP \u0433\u0440\u0435\u0448\u043a\u0430: \u041d\u0435\u043f\u043e\u0437\u043d\u0430\u0442\u0430 ImageProxy \u0433\u0440\u0435\u0448\u043a\u0430"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/bn_BD.js b/deform/static/tinymce/langs/bn_BD.js new file mode 100644 index 00000000..74604346 --- /dev/null +++ b/deform/static/tinymce/langs/bn_BD.js @@ -0,0 +1 @@ +tinymce.addI18n("bn_BD",{"Redo":"\u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u0995\u09b0\u09c1\u09a8","Undo":"\u09aa\u09c2\u09b0\u09cd\u09ac\u09be\u09ac\u09b8\u09cd\u09a5\u09be\u09af\u09bc \u09ab\u09bf\u09b0\u09c1\u09a8","Cut":"\u0995\u09b0\u09cd\u09a4\u09a8","Copy":"\u0985\u09a8\u09c1\u0995\u09b0\u09a3","Paste":"\u09aa\u09cd\u09b0\u09a4\u09bf\u09b2\u09c7\u09aa\u09a8 \u0995\u09b0\u09c1\u09a8","Select all":"\u09b8\u09ac \u09a8\u09bf\u09b0\u09cd\u09ac\u09be\u099a\u09a8 \u0995\u09b0\u09c1\u09a8","New document":"\u09a8\u09a4\u09c1\u09a8 \u09a6\u09b8\u09cd\u09a4\u09be\u09ac\u09c7\u099c","Ok":"\u09a0\u09bf\u0995 \u0986\u099b\u09c7","Cancel":"\u09ac\u09be\u09a4\u09bf\u09b2","Visual aids":"\u09ac\u09cd\u09af\u09be\u0996\u09cd\u09af\u09be\u09ae\u09c2\u09b2\u0995 \u09b8\u09be\u09b9\u09be\u09af\u09cd\u09af","Bold":"\u09b8\u09cd\u09a5\u09c2\u09b2","Italic":"\u09a4\u09bf\u09b0\u09cd\u09af\u0995","Underline":"\u09a8\u09bf\u09ae\u09cd\u09a8\u09b0\u09c7\u0996\u09be","Strikethrough":"\u09b8\u09cd\u099f\u09cd\u09b0\u09be\u0987\u0995\u09a5\u09cd\u09b0\u09c1","Superscript":"\u098a\u09b0\u09cd\u09a7\u09cd\u09ac\u09b2\u09bf\u09aa\u09bf","Subscript":"\u09a8\u09bf\u09ae\u09cd\u09a8\u09b2\u09bf\u09aa\u09bf","Clear formatting":"\u09ac\u09bf\u09a8\u09cd\u09af\u09be\u09b8 \u0985\u09aa\u09b8\u09be\u09b0\u09a3","Remove":"\u0985\u09aa\u09b8\u09be\u09b0\u09a3","Align left":"\u09ac\u09be\u09ae\u09c7 \u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995\u0995\u09b0\u09a3","Align center":"\u09ae\u09a7\u09cd\u09af\u09b8\u09cd\u09a5\u09be\u09a8\u09c7 \u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995\u0995\u09b0\u09a3","Align right":"\u09a1\u09be\u09a8\u09c7 \u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995\u0995\u09b0\u09a3","No alignment":"\u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995\u0995\u09b0\u09a3 \u09a8\u09c7\u0987","Justify":"\u0989\u09ad\u09df \u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995\u0995\u09b0\u09a3","Bullet list":"\u09ac\u09c1\u09b2\u09c7\u099f \u09a4\u09be\u09b2\u09bf\u0995\u09be","Numbered list":"\u09b8\u0982\u0996\u09cd\u09af\u09be\u09af\u09c1\u0995\u09cd\u09a4 \u09a4\u09be\u09b2\u09bf\u0995\u09be","Decrease indent":"\u0987\u09a8\u09cd\u09a1\u09c7\u09a8\u09cd\u099f \u0995\u09ae\u09be\u09a8","Increase indent":"\u0987\u09a8\u09cd\u09a1\u09c7\u09a8\u09cd\u099f \u09ac\u09be\u09a1\u09bc\u09be\u09a8","Close":"\u09ac\u09a8\u09cd\u09a7","Formats":"\u09ac\u09bf\u09a8\u09cd\u09af\u09be\u09b8","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0986\u09aa\u09a8\u09be\u09b0 \u09ac\u09cd\u09b0\u09be\u0989\u099c\u09be\u09b0 \u0995\u09cd\u09b2\u09bf\u09aa\u09ac\u09cb\u09b0\u09cd\u09a1 \u09a5\u09c7\u0995\u09c7 \u09b8\u09b0\u09be\u09b8\u09b0\u09bf \u09aa\u09cd\u09b0\u09ac\u09c7\u09b6\u09be\u09a7\u09bf\u0995\u09be\u09b0 \u09b8\u09ae\u09b0\u09cd\u09a5\u09a8 \u0995\u09b0\u09c7 \u09a8\u09be\u0964 \u0985\u09a8\u09c1\u0997\u09cd\u09b0\u09b9 \u0995\u09b0\u09c7 \u0995\u09c0\u09ac\u09cb\u09b0\u09cd\u09a1 \u09b6\u09b0\u09cd\u099f\u0995\u09be\u099f Ctrl +X/C/V \u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0 \u0995\u09b0\u09c1\u09a8\u0964","Headings":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae","Heading 1":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae \u09e7","Heading 2":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae \u09e8","Heading 3":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae \u09e9","Heading 4":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae \u09ea","Heading 5":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae \u09eb","Heading 6":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae \u09ec","Preformatted":"\u09aa\u09c2\u09b0\u09cd\u09ac\u09ac\u09bf\u09a8\u09cd\u09af\u09be\u09b8\u09bf\u09a4","Div":"\u09a1\u09bf\u09ad","Pre":"\u09aa\u09cd\u09b0\u09be\u0995","Code":"\u09b8\u0982\u0995\u09c7\u09a4\u09b2\u09bf\u09aa\u09bf","Paragraph":"\u09aa\u09cd\u09af\u09be\u09b0\u09be\u0997\u09cd\u09b0\u09be\u09ab","Blockquote":"\u09ac\u09cd\u09b2\u0995\u0995\u09cb\u099f","Inline":"\u09b8\u0999\u09cd\u0997\u09a4\u09bf\u09aa\u09c2\u09b0\u09cd\u09a3\u09ad\u09be\u09ac\u09c7","Blocks":"\u09b8\u09cd\u09a5\u09c2\u09b2 ","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u09aa\u09c7\u09b8\u09cd\u099f \u098f\u0996\u09a8 \u09aa\u09cd\u09b2\u09c7\u0987\u09a8 \u099f\u09c7\u0995\u09cd\u09b8\u099f \u09ae\u09cb\u09a1\u09c7\u0964 \u0986\u09aa\u09a8\u09bf \u098f\u0996\u09a8 \u098f\u0987 \u09ac\u09bf\u0995\u09b2\u09cd\u09aa \u09ac\u09a8\u09cd\u09a7 \u099f\u0997\u09b2 \u09aa\u09b0\u09cd\u09af\u09a8\u09cd\u09a4 \u09ac\u09bf\u09b7\u09af\u09bc\u09ac\u09b8\u09cd\u09a4\u09c1 \u098f\u0996\u09a8 \u09aa\u09cd\u09b2\u09c7\u0987\u09a8 \u099f\u09c7\u0995\u09cd\u09b8\u099f \u09b9\u09bf\u09b8\u09be\u09ac\u09c7 \u0986\u099f\u0995\u09be\u09a8\u09cb \u09b9\u09ac\u09c7\u0964","Fonts":"\u09ab\u09a8\u09cd\u099f\u09b8","Font sizes":"\u09ab\u09a8\u09cd\u099f \u0986\u0995\u09be\u09b0","Class":"\u0995\u09cd\u09b2\u09be\u09b8","Browse for an image":"\u098f\u0995\u099f\u09bf \u099b\u09ac\u09bf \u09ac\u09cd\u09b0\u09be\u0989\u099c \u0995\u09b0\u09c1\u09a8","OR":"\u0985\u09a5\u09ac\u09be","Drop an image here":"\u098f\u0996\u09be\u09a8\u09c7 \u098f\u0995\u099f\u09bf \u099b\u09ac\u09bf \u09a1\u09cd\u09b0\u09aa \u0995\u09b0\u09c1\u09a8","Upload":"\u0986\u09aa\u09b2\u09cb\u09a1","Uploading image":"\u099b\u09ac\u09bf \u0986\u09aa\u09b2\u09cb\u09a1 \u0995\u09b0\u09be \u09b9\u099a\u09cd\u099b\u09c7","Block":"\u09ac\u09cd\u09b2\u0995","Align":"\u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995\u09b0\u09a8","Default":"\u09a1\u09bf\u09ab\u09b2\u09cd\u099f","Circle":"\u09ac\u09c3\u09a4\u09cd\u09a4","Disc":"\u09a1\u09bf\u09b8\u09cd\u0995","Square":"\u09ac\u09b0\u09cd\u0997\u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0","Lower Alpha":"\u09a8\u09bf\u09ae\u09cd\u09a8 \u0986\u09b2\u09ab\u09be","Lower Greek":"\u09a8\u09bf\u09ae\u09cd\u09a8 \u0997\u09cd\u09b0\u09bf\u0995","Lower Roman":"\u09a8\u09bf\u09ae\u09cd\u09a8 \u09b0\u09cb\u09ae\u09be\u09a8","Upper Alpha":"\u0989\u099a\u09cd\u099a\u09a4\u09b0 \u0986\u09b2\u09ab\u09be","Upper Roman":"\u098a\u09b0\u09cd\u09a7\u09cd\u09ac \u09b0\u09cb\u09ae\u09be\u09a8","Anchor...":"\u098f\u0999\u09cd\u0995\u09b0...","Anchor":"\u098f\u0999\u09cd\u0995\u09b0","Name":"\u09a8\u09be\u09ae","ID":"\u0986\u0987\u09a1\u09bf","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u0986\u0987\u09a1\u09bf \u098f\u0995\u099f\u09bf \u09ac\u09b0\u09cd\u09a3 \u09a6\u09bf\u09df\u09c7 \u09b6\u09c1\u09b0\u09c1 \u09b9\u0993\u09df\u09be \u0989\u099a\u09bf\u09a4, \u0995\u09df\u09c7\u0995\u099f\u09bf \u09ac\u09b0\u09cd\u09a3, \u09b8\u0982\u0996\u09cd\u09af\u09be, \u09a1\u09cd\u09af\u09be\u09b6, \u09a1\u099f, \u0995\u09cb\u09b2\u09a8 \u0993 \u0986\u09a8\u09cd\u09a1\u09be\u09b0\u09b8\u09cd\u0995\u09cb\u09b0 \u09a6\u09cd\u09ac\u09be\u09b0\u09be \u0985\u09a8\u09c1\u09b6\u09b0\u09a8\u09bf\u09a4 \u09b9\u0993\u09df\u09be \u0989\u099a\u09bf\u09a4\u0964","You have unsaved changes are you sure you want to navigate away?":"\u0986\u09aa\u09a8\u09be\u09b0 \u0985\u09b8\u0982\u09b0\u0995\u09cd\u09b7\u09bf\u09a4 \u09aa\u09b0\u09bf\u09ac\u09b0\u09cd\u09a4\u09a8\u0997\u09c1\u09b2\u09bf \u0986\u09aa\u09a8\u09bf \u0995\u09bf \u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4 \u09af\u09c7 \u0986\u09aa\u09a8\u09bf \u09a8\u09c7\u09ad\u09bf\u0997\u09c7\u099f \u0995\u09b0\u09a4\u09c7 \u099a\u09be\u09a8?","Restore last draft":"\u09b6\u09c7\u09b7 \u0996\u09b8\u09a1\u09bc\u09be\u099f\u09bf \u09aa\u09c1\u09a8\u09b0\u09c1\u09a6\u09cd\u09a7\u09be\u09b0 \u0995\u09b0\u09c1\u09a8","Special character...":"\u09ac\u09bf\u09b6\u09c7\u09b7 \u09ac\u09b0\u09cd\u09a3...","Special Character":"\u09ac\u09bf\u09b6\u09c7\u09b7 \u09ac\u09b0\u09cd\u09a3","Source code":"\u0989\u09ce\u09b8 \u0995\u09cb\u09a1","Insert/Edit code sample":"\u0995\u09cb\u09a1 \u09a8\u09ae\u09c1\u09a8\u09be \u09a2\u09cb\u0995\u09be\u09a8 / \u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09a8\u09be \u0995\u09b0\u09c1\u09a8","Language":"\u09ad\u09be\u09b7\u09be","Code sample...":"\u09a8\u09ae\u09c1\u09a8\u09be \u0995\u09cb\u09a1","Left to right":"\u09ac\u09be\u09ae \u09a5\u09c7\u0995\u09c7 \u09a1\u09be\u09a8","Right to left":"\u09a1\u09be\u09a8 \u09a5\u09c7\u0995\u09c7 \u09ac\u09be\u09ae","Title":"\u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae","Fullscreen":"\u09aa\u09c2\u09b0\u09cd\u09a3 \u09aa\u09b0\u09cd\u09a6\u09be","Action":"\u0995\u09b0\u09cd\u09ae","Shortcut":"\u09b6\u09b0\u09cd\u099f\u0995\u09be\u099f","Help":"\u09b8\u09be\u09b9\u09be\u09af\u09cd\u09af \u0995\u09b0\u09c1\u09a8","Address":"\u09a0\u09bf\u0995\u09be\u09a8\u09be","Focus to menubar":"\u09ae\u09c7\u09a8\u09c1\u09ac\u09be\u09b0\u09c7 \u09ab\u09cb\u0995\u09be\u09b8 \u0995\u09b0\u09c1\u09a8","Focus to toolbar":"\u099f\u09c1\u09b2\u09ac\u09be\u09b0\u09c7 \u09ab\u09cb\u0995\u09be\u09b8 \u0995\u09b0\u09c1\u09a8","Focus to element path":"\u0989\u09aa\u09be\u09a6\u09be\u09a8 \u09aa\u09be\u09a5 \u09ab\u09cb\u0995\u09be\u09b8 \u0995\u09b0\u09c1\u09a8","Focus to contextual toolbar":"\u09aa\u09cd\u09b0\u09be\u09b8\u0999\u09cd\u0997\u09bf\u0995 \u099f\u09c1\u09b2\u09ac\u09be\u09b0\u09c7 \u09ab\u09cb\u0995\u09be\u09b8 \u0995\u09b0\u09c1\u09a8","Insert link (if link plugin activated)":"\u09b2\u09bf\u0999\u09cd\u0995 \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8 (\u09af\u09a6\u09bf \u09b2\u09bf\u0999\u09cd\u0995 \u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09cd\u099f\u09bf\u09ad\u09c7\u099f \u0995\u09b0\u09be \u09b9\u09af\u09bc)","Save (if save plugin activated)":"\u09b8\u0982\u09b0\u0995\u09cd\u09b7\u09a3 \u0995\u09b0\u09c1\u09a8 (\u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09cd\u099f\u09bf\u09ad\u09c7\u099f \u09b9\u09b2\u09c7)","Find (if searchreplace plugin activated)":"\u09b8\u09a8\u09cd\u09a7\u09be\u09a8 \u0995\u09b0\u09c1\u09a8 (\u09af\u09a6\u09bf \u0985\u09a8\u09c1\u09b8\u09a8\u09cd\u09a7\u09be\u09a8\u09af\u09cb\u0997\u09cd\u09af \u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8 \u09b8\u0995\u09cd\u09b0\u09bf\u09af\u09bc \u0995\u09b0\u09be \u09b9\u09af\u09bc)","Plugins installed ({0}):":"\u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8 \u0987\u09a8\u09b8\u09cd\u099f\u09b2 ({0}):","Premium plugins:":"\u09aa\u09cd\u09b0\u09bf\u09ae\u09bf\u09af\u09bc\u09be\u09ae \u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8:","Learn more...":"\u0986\u09b0\u0993 \u099c\u09be\u09a8\u09c1\u09a8...","You are using {0}":"\u0986\u09aa\u09a8\u09bf \u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0 \u0995\u09b0\u099b\u09c7\u09a8 {0}","Plugins":"\u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8","Handy Shortcuts":"\u09b8\u09b9\u099c \u09b6\u09b0\u09cd\u099f\u0995\u09be\u099f ","Horizontal line":"\u0985\u09a8\u09c1\u09ad\u09c2\u09ae\u09bf\u0995 \u09b0\u09c7\u0996\u09be","Insert/edit image":"\u0987\u09ae\u09c7\u099c \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 / \u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09a8\u09be \u0995\u09b0\u09c1\u09a8","Alternative description":"\u09ac\u09bf\u0995\u09b2\u09cd\u09aa \u09ac\u09b0\u09cd\u09a3\u09a8\u09be","Accessibility":"\u0985\u09cd\u09af\u09be\u0995\u09cd\u09b8\u09c7\u09b8\u09af\u09cb\u0997\u09cd\u09af\u09a4\u09be","Image is decorative":"\u099a\u09bf\u09a4\u09cd\u09b0\u099f\u09bf \u0986\u09b2\u0982\u0995\u09be\u09b0\u09bf\u0995","Source":"\u0989\u09ce\u09b8","Dimensions":"\u09ae\u09be\u09a4\u09cd\u09b0\u09be","Constrain proportions":"\u0985\u09a8\u09c1\u09aa\u09be\u09a4 \u09b8\u09c0\u09ae\u09be\u09ac\u09a6\u09cd\u09a7","General":"\u09b8\u09be\u09a7\u09be\u09b0\u09a3","Advanced":"\u0985\u0997\u09cd\u09b0\u09b8\u09b0","Style":"\u09b6\u09c8\u09b2\u09c0","Vertical space":"\u0989\u09b2\u09cd\u09b2\u09ae\u09cd\u09ac \u09b8\u09cd\u09a5\u09be\u09a8","Horizontal space":"\u0985\u09a8\u09c1\u09ad\u09c2\u09ae\u09bf\u0995 \u09b8\u09cd\u09a5\u09be\u09a8","Border":"\u09b8\u09c0\u09ae\u09be\u09a8\u09cd\u09a4","Insert image":"\u099a\u09bf\u09a4\u09cd\u09b0 \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Image...":"\u099a\u09bf\u09a4\u09cd\u09b0...","Image list":"\u099a\u09bf\u09a4\u09cd\u09b0 \u09a4\u09be\u09b2\u09bf\u0995\u09be","Resize":"\u09ae\u09be\u09aa \u09aa\u09b0\u09bf\u09ac\u09b0\u09cd\u09a4\u09a8 \u0995\u09b0\u09c1\u09a8","Insert date/time":"\u09a4\u09be\u09b0\u09bf\u0996 / \u09b8\u09ae\u09af\u09bc \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Date/time":"\u09a4\u09be\u09b0\u09bf\u0996 / \u09b8\u09ae\u09af\u09bc","Insert/edit link":"\u09b2\u09bf\u0999\u09cd\u0995 \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 / \u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09a8\u09be \u0995\u09b0\u09c1\u09a8","Text to display":"\u09aa\u09cd\u09b0\u09a6\u09b0\u09cd\u09b6\u09bf\u09a4 \u099f\u09c7\u0995\u09cd\u09b8\u099f","Url":"\u0987\u0989\u0986\u09b0\u098f\u09b2","Open link in...":"\u098f\u09a4\u09c7 \u09b2\u09bf\u0999\u09cd\u0995\u099f\u09bf \u0996\u09c1\u09b2\u09c1\u09a8...","Current window":"\u09ac\u09b0\u09cd\u09a4\u09ae\u09be\u09a8 \u0989\u0987\u09a8\u09cd\u09a1\u09cb","None":"\u0995\u09cb\u09a8\u09cb\u099f\u09bf\u0987 \u09a8\u09af\u09bc","New window":"\u09a8\u09a4\u09c1\u09a8 \u0989\u0987\u09a8\u09cd\u09a1\u09cb","Open link":"\u09b2\u09bf\u0999\u09cd\u0995\u099f\u09bf \u0996\u09c1\u09b2\u09c1\u09a8","Remove link":"\u09b2\u09bf\u0999\u09cd\u0995 \u09b8\u09b0\u09be\u09a8","Anchors":"\u09a8\u09cb\u0999\u09cd\u0997\u09b0","Link...":"\u09b2\u09bf\u0982\u0995...","Paste or type a link":"\u098f\u0995\u099f\u09bf \u09b2\u09bf\u0999\u09cd\u0995 \u0986\u099f\u0995\u09be\u09a8 \u09ac\u09be \u099f\u09be\u0987\u09aa \u0995\u09b0\u09c1\u09a8","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09cd\u09b0\u09ac\u09c7\u09b6 \u0995\u09b0\u09be \u0987\u0989\u0986\u09b0\u098f\u09b2\u099f\u09bf \u098f\u0995\u099f\u09bf \u0987\u09ae\u09c7\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be \u09ac\u09b2\u09c7 \u09ae\u09a8\u09c7 \u09b9\u099a\u09cd\u099b\u09c7\u0964 \u0986\u09aa\u09a8\u09bf \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u09c0\u09af\u09bc \u09ae\u09c7\u0987\u09b2\u099f\u09cb \u09af\u09cb\u0997 \u0995\u09b0\u09a4\u09c7 \u099a\u09be\u09a8: \u0989\u09aa\u09b8\u09b0\u09cd\u0997?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09cd\u09b0\u09ac\u09c7\u09b6 \u0995\u09b0\u09be \u0987\u0989\u0986\u09b0\u098f\u09b2\u099f\u09bf \u098f\u0995\u099f\u09bf \u09ac\u09b9\u09bf\u09b0\u09be\u0997\u09a4 \u09b2\u09bf\u0999\u09cd\u0995 \u09ac\u09b2\u09c7 \u09ae\u09a8\u09c7 \u09b9\u099a\u09cd\u099b\u09c7\u0964 \u0986\u09aa\u09a8\u09bf \u0995\u09bf \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u09c0\u09af\u09bc http:// \u09aa\u09cd\u09b0\u09bf\u09ab\u09bf\u0995\u09cd\u09b8 \u09af\u09cb\u0997 \u0995\u09b0\u09a4\u09c7 \u099a\u09be\u09a8?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09cd\u09b0\u09ac\u09c7\u09b6 \u0995\u09b0\u09be \u0987\u0989\u0986\u09b0\u098f\u09b2\u099f\u09bf \u098f\u0995\u099f\u09bf \u09ac\u09b9\u09bf\u09b0\u09be\u0997\u09a4 \u09b2\u09bf\u0999\u09cd\u0995 \u09ac\u09b2\u09c7 \u09ae\u09a8\u09c7 \u09b9\u099a\u09cd\u099b\u09c7\u0964 \u0986\u09aa\u09a8\u09bf \u0995\u09bf \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u09c0\u09af\u09bc http:// \u09aa\u09cd\u09b0\u09bf\u09ab\u09bf\u0995\u09cd\u09b8 \u09af\u09cb\u0997 \u0995\u09b0\u09a4\u09c7 \u099a\u09be\u09a8?","Link list":"\u09b2\u09bf\u0999\u09cd\u0995 \u09a4\u09be\u09b2\u09bf\u0995\u09be","Insert video":"\u09ad\u09bf\u09a1\u09bf\u0993 \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Insert/edit video":"\u09ad\u09bf\u09a1\u09bf\u0993 \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 / \u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09a8\u09be \u0995\u09b0\u09c1\u09a8","Insert/edit media":"\u09ae\u09bf\u09a1\u09bf\u09af\u09bc\u09be \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8 / \u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09a8\u09be \u0995\u09b0\u09c1\u09a8","Alternative source":"\u09ac\u09bf\u0995\u09b2\u09cd\u09aa \u0989\u09ce\u09b8","Alternative source URL":"\u09ac\u09bf\u0995\u09b2\u09cd\u09aa \u0989\u09ce\u09b8 \u0987\u0989\u0986\u09b0\u098f\u09b2","Media poster (Image URL)":"\u09ae\u09bf\u09a1\u09bf\u09af\u09bc\u09be \u09aa\u09cb\u09b8\u09cd\u099f\u09be\u09b0 (\u0987\u09ae\u09c7\u099c \u0987\u0989\u0986\u09b0\u098f\u09b2)","Paste your embed code below:":"\u09a8\u09c0\u099a\u09c7\u09b0 \u0986\u09aa\u09a8\u09be\u09b0 \u098f\u09ae\u09cd\u09ac\u09c7\u09a1 \u0995\u09cb\u09a1 \u0986\u099f\u0995\u09be\u09a8:","Embed":"\u098f\u09ae\u09cd\u09ac\u09c7\u09a1","Media...":"\u09ae\u09bf\u09a1\u09bf\u09af\u09bc\u09be...","Nonbreaking space":"\u0985\u09ac\u09bf\u099a\u09cd\u099b\u09bf\u09a8\u09cd\u09a8 \u09b8\u09cd\u09a5\u09be\u09a8","Page break":"\u09aa\u09c3\u09b7\u09cd\u09a0\u09be \u09ac\u09bf\u09b0\u09a4\u09bf","Paste as text":"\u09aa\u09be\u09a0\u09cd\u09af \u09b9\u09bf\u09b8\u09be\u09ac\u09c7 \u09aa\u09c7\u09b8\u09cd\u099f \u0995\u09b0\u09c1\u09a8","Preview":"\u09aa\u09c2\u09b0\u09cd\u09ac\u09b0\u09c2\u09aa","Print":"\u09ae\u09c1\u09a6\u09cd\u09b0\u09a8","Print...":"\u09ae\u09c1\u09a6\u09cd\u09b0\u09a8...","Save":"\u09b8\u0982\u09b0\u0995\u09cd\u09b7\u09a3","Find":"\u0996\u09c1\u0981\u099c\u09c1\u09a8","Replace with":"\u09aa\u09cd\u09b0\u09a4\u09bf\u09b8\u09cd\u09a5\u09be\u09aa\u09a8","Replace":"\u09aa\u09cd\u09b0\u09a4\u09bf\u09b8\u09cd\u09a5\u09be\u09aa\u09a8 \u0995\u09b0\u09be","Replace all":"\u09b8\u09ae\u09b8\u09cd\u09a4 \u09aa\u09cd\u09b0\u09a4\u09bf\u09b8\u09cd\u09a5\u09be\u09aa\u09a8","Previous":"\u09aa\u09c2\u09b0\u09cd\u09ac\u09ac\u09b0\u09cd\u09a4\u09c0","Next":"\u09aa\u09b0\u09ac\u09b0\u09cd\u09a4\u09c0","Find and Replace":"\u0996\u09c1\u0981\u099c\u09c1\u09a8 \u0993 \u09aa\u09cd\u09b0\u09a4\u09bf\u09b8\u09cd\u09a5\u09be\u09aa\u09a8 \u0995\u09b0\u09c1\u09a8","Find and replace...":"\u0996\u09c1\u0981\u099c\u09c1\u09a8 \u0993 \u09aa\u09cd\u09b0\u09a4\u09bf\u09b8\u09cd\u09a5\u09be\u09aa\u09a8 \u0995\u09b0\u09c1\u09a8...","Could not find the specified string.":"\u09a8\u09bf\u09b0\u09cd\u09a6\u09bf\u09b7\u09cd\u099f \u09b8\u09cd\u099f\u09cd\u09b0\u09bf\u0982\u099f\u09bf \u0996\u09c1\u0981\u099c\u09c7 \u09aa\u09be\u0993\u09af\u09bc\u09be \u09af\u09be\u09af\u09bc\u09a8\u09bf\u0964","Match case":"\u09ae\u09cd\u09af\u09be\u099a \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0\u09c7","Find whole words only":"\u09b6\u09c1\u09a7\u09c1\u09ae\u09be\u09a4\u09cd\u09b0 \u09aa\u09c1\u09b0\u09cb \u09b6\u09ac\u09cd\u09a6\u0997\u09c1\u09b2\u09bf \u09b8\u09a8\u09cd\u09a7\u09be\u09a8 \u0995\u09b0\u09c1\u09a8","Find in selection":"\u09a8\u09bf\u09b0\u09cd\u09ac\u09be\u099a\u09a8\u09c7 \u0996\u09c1\u0981\u099c\u09c1\u09a8","Insert table":"\u099f\u09c7\u09ac\u09bf\u09b2 \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Table properties":"\u099f\u09c7\u09ac\u09bf\u09b2 \u09ac\u09c8\u09b6\u09bf\u09b7\u09cd\u099f\u09cd\u09af","Delete table":"\u09b8\u09be\u09b0\u09a3\u09bf \u09ae\u09c1\u099b\u09c1\u09a8","Cell":"\u09b8\u09c7\u09b2","Row":"\u09b8\u09be\u09b0\u09bf","Column":"\u0995\u09b2\u09be\u09ae","Cell properties":"\u09b8\u09c7\u09b2 \u09ac\u09c8\u09b6\u09bf\u09b7\u09cd\u099f\u09cd\u09af","Merge cells":"\u09b8\u09c7\u09b2 \u09ae\u09be\u09b0\u09cd\u099c \u0995\u09b0\u09c1\u09a8","Split cell":"\u09b8\u09c7\u09b2 \u09ac\u09bf\u09ad\u0995\u09cd\u09a4 \u0995\u09b0\u09c1\u09a8","Insert row before":"\u0986\u0997\u09c7 \u09b8\u09be\u09b0\u09bf \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Insert row after":"\u09aa\u09b0\u09c7 \u09b8\u09be\u09b0\u09bf \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Delete row":"\u09b8\u09be\u09b0\u09bf \u09ae\u09c1\u099b\u09c1\u09a8","Row properties":"\u09b8\u09be\u09b0\u09bf \u09ac\u09c8\u09b6\u09bf\u09b7\u09cd\u099f\u09cd\u09af","Cut row":"\u09b8\u09be\u09b0\u09bf \u0995\u09be\u099f\u09c1\u09a8","Cut column":"\u0995\u09b2\u09be\u09ae \u0995\u09be\u099f\u09c1\u09a8","Copy row":"\u09b8\u09be\u09b0\u09bf \u0985\u09a8\u09c1\u09b2\u09bf\u09aa\u09bf \u0995\u09b0\u09c1\u09a8","Copy column":"\u0995\u09b2\u09be\u09ae \u0985\u09a8\u09c1\u09b2\u09bf\u09aa\u09bf \u0995\u09b0\u09c1\u09a8","Paste row before":"\u0986\u0997\u09c7 \u09b8\u09be\u09b0\u09bf \u09aa\u09cd\u09b0\u09a4\u09bf\u09b2\u09c7\u09aa\u09a8 \u0995\u09b0\u09c1\u09a8","Paste column before":"\u0986\u0997\u09c7 \u0995\u09b2\u09be\u09ae \u09aa\u09cd\u09b0\u09a4\u09bf\u09b2\u09c7\u09aa\u09a8 \u0995\u09b0\u09c1\u09a8","Paste row after":"\u09aa\u09b0\u09c7 \u09b8\u09be\u09b0\u09bf \u09aa\u09cd\u09b0\u09a4\u09bf\u09b2\u09c7\u09aa\u09a8 \u0995\u09b0\u09c1\u09a8","Paste column after":"\u09aa\u09b0\u09c7 \u0995\u09b2\u09be\u09ae \u09aa\u09cd\u09b0\u09a4\u09bf\u09b2\u09c7\u09aa\u09a8 \u0995\u09b0\u09c1\u09a8","Insert column before":"\u0986\u0997\u09c7 \u0995\u09b2\u09be\u09ae \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Insert column after":"\u09aa\u09b0\u09c7 \u0995\u09b2\u09be\u09ae \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Delete column":"\u0995\u09b2\u09be\u09ae \u09ae\u09c1\u099b\u09c1\u09a8","Cols":"\u0995\u09b2\u09be\u09ae\u0997\u09c1\u09b2\u09cb","Rows":"\u09b8\u09be\u09b0\u09bf\u0997\u09c1\u09b2\u09cb","Width":"\u09aa\u09cd\u09b0\u09b8\u09cd\u09a5","Height":"\u0989\u099a\u09cd\u099a\u09a4\u09be","Cell spacing":"\u09b8\u09c7\u09b2 \u09ab\u09be\u0981\u0995\u09be","Cell padding":"\u09b8\u09c7\u09b2 \u09aa\u09cd\u09af\u09be\u09a1\u09bf\u0982","Row clipboard actions":"\u09b8\u09be\u09b0\u09bf \u0995\u09cd\u09b2\u09bf\u09aa\u09ac\u09cb\u09b0\u09cd\u09a1 \u0995\u09b0\u09cd\u09ae","Column clipboard actions":"\u0995\u09b2\u09be\u09ae \u0995\u09cd\u09b2\u09bf\u09aa\u09ac\u09cb\u09b0\u09cd\u09a1 \u0995\u09b0\u09cd\u09ae","Table styles":"\u099f\u09c7\u09ac\u09bf\u09b2 \u09b6\u09c8\u09b2\u09c0","Cell styles":"\u09b8\u09c7\u09b2 \u09b6\u09c8\u09b2\u09c0","Column header":"\u0995\u09b2\u09be\u09ae \u09b6\u09bf\u09b0\u09a8\u09be\u09ae","Row header":"\u09b8\u09be\u09b0\u09bf \u09b6\u09bf\u09b0\u09a8\u09be\u09ae","Table caption":"\u099f\u09c7\u09ac\u09bf\u09b2 \u0995\u09cd\u09af\u09be\u09aa\u09b6\u09a8","Caption":"\u0995\u09cd\u09af\u09be\u09aa\u09b6\u09a8","Show caption":"\u0995\u09cd\u09af\u09be\u09aa\u09b6\u09a8 \u09a6\u09c7\u0996\u09be\u09a8","Left":"\u09ac\u09be\u09ae","Center":"\u0995\u09c7\u09a8\u09cd\u09a6\u09cd\u09b0","Right":"\u09a1\u09be\u09a8","Cell type":"\u09b8\u09c7\u09b2 \u099f\u09be\u0987\u09aa","Scope":"\u09ac\u09cd\u09af\u09be\u09aa\u09cd\u09a4\u09bf","Alignment":"\u09b6\u09cd\u09b0\u09c7\u09a3\u09c0\u09ac\u09bf\u09a8\u09cd\u09af\u09be\u09b8","Horizontal align":"\u0985\u09a8\u09c1\u09ad\u09c2\u09ae\u09bf\u0995 \u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995","Vertical align":"\u0989\u09b2\u09cd\u09b2\u09ae\u09cd\u09ac \u09aa\u09cd\u09b0\u09be\u09a8\u09cd\u09a4\u09bf\u0995","Top":"\u0989\u09aa\u09b0","Middle":"\u09ae\u09a7\u09cd\u09af\u09ae","Bottom":"\u09a8\u09bf\u099a\u09c7","Header cell":"\u09b9\u09c7\u09a1\u09be\u09b0 \u09b8\u09c7\u09b2","Row group":"\u09b8\u09be\u09b0\u09bf \u0997\u09cd\u09b0\u09c1\u09aa","Column group":"\u0995\u09b2\u09be\u09ae \u0997\u09cd\u09b0\u09c1\u09aa","Row type":"\u09b8\u09be\u09b0\u09bf\u09b0 \u09a7\u09b0\u09a8","Header":"\u09b9\u09c7\u09a1\u09be\u09b0","Body":"\u09ac\u09a1\u09bf","Footer":"\u09ab\u09c1\u099f\u09be\u09b0","Border color":"\u09b8\u09c0\u09ae\u09be\u09a8\u09cd\u09a4 \u09b0\u0999","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"\u099f\u09c7\u09ae\u09aa\u09cd\u09b2\u09c7\u099f \u09a2\u09cb\u0995\u09be\u09a8...","Templates":"\u099f\u09c7\u09ae\u09aa\u09cd\u09b2\u09c7\u099f","Template":"\u099f\u09c7\u09ae\u09aa\u09cd\u09b2\u09c7\u099f","Insert Template":"\u099f\u09c7\u09ae\u09aa\u09cd\u09b2\u09c7\u099f \u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6 \u0995\u09b0\u09c1\u09a8","Text color":"\u09b2\u09c7\u0996\u09be\u09b0 \u09b0\u0999","Background color":"\u09aa\u09c7\u099b\u09a8\u09c7\u09b0 \u09b0\u0982","Custom...":"\u0995\u09be\u09b8\u09cd\u099f\u09ae...","Custom color":"\u0995\u09be\u09b8\u09cd\u099f\u09ae \u09b0\u0982","No color":"\u0995\u09cb\u09a8 \u09b0\u0982 \u09a8\u09c7\u0987","Remove color":"\u09b0\u0999 \u09b8\u09b0\u09be\u09a8","Show blocks":"\u09ac\u09cd\u09b2\u0995 \u09a6\u09c7\u0996\u09be\u09a8","Show invisible characters":"\u0985\u09a6\u09c3\u09b6\u09cd\u09af \u0985\u0995\u09cd\u09b7\u09b0 \u09a6\u09c7\u0996\u09be\u09a8","Word count":"\u09b6\u09ac\u09cd\u09a6 \u0997\u09a3\u09a8\u09be","Count":"\u0997\u09a3\u09a8\u09be","Document":"\u09a6\u09b2\u09bf\u09b2","Selection":"\u09a8\u09bf\u09b0\u09cd\u09ac\u09be\u099a\u09a8","Words":"\u09b6\u09ac\u09cd\u09a6\u09b8\u09ae\u09c2\u09b9","Words: {0}":"\u09b6\u09ac\u09cd\u09a6: {0}","{0} words":"{0} \u09b6\u09ac\u09cd\u09a6","File":"\u09ab\u09be\u0987\u09b2","Edit":"\u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09a8 \u0995\u09b0\u09be","Insert":"\u09b8\u09a8\u09cd\u09a8\u09bf\u09ac\u09c7\u09b6","View":"\u09a6\u09c3\u09b6\u09cd\u09af","Format":"\u09ac\u09bf\u09a8\u09cd\u09af\u09be\u09b8","Table":"\u099f\u09c7\u09ac\u09bf\u09b2","Tools":"\u09b8\u09b0\u099e\u09cd\u099c\u09be\u09ae\u09b8\u09ae\u09c2\u09b9","Powered by {0}":"{0} \u09a6\u09cd\u09ac\u09be\u09b0\u09be \u099a\u09be\u09b2\u09bf\u09a4","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u09b0\u09bf\u099a \u099f\u09c7\u0995\u09cd\u09b8\u099f \u098f\u09b0\u09bf\u09af\u09bc\u09be \u09ae\u09c7\u09a8\u09c1 \u099c\u09a8\u09cd\u09af ALT-F9 \u099a\u09be\u09aa\u09c1\u09a8 \u099f\u09c1\u09b2\u09ac\u09be\u09b0\u09c7\u09b0 \u099c\u09a8\u09cd\u09af ALT-F10 \u099f\u09bf\u09aa\u09c1\u09a8 \u09b8\u09be\u09b9\u09be\u09af\u09cd\u09af\u09c7\u09b0 \u099c\u09a8\u09cd\u09af ALT-0 \u099a\u09be\u09aa\u09c1\u09a8","Image title":"\u0987\u09ae\u09c7\u099c\u09c7\u09b0 \u09b6\u09bf\u09b0\u09cb\u09a8\u09be\u09ae","Border width":"\u09b8\u09c0\u09ae\u09be\u09a8\u09be\u09b0 \u09aa\u09cd\u09b0\u09b6\u09b8\u09cd\u09a5\u09a4\u09be","Border style":"\u09b8\u09c0\u09ae\u09be\u09a8\u09be \u09b6\u09c8\u09b2\u09c0","Error":"\u09a4\u09cd\u09b0\u09c1\u099f\u09bf","Warn":"\u09b8\u09be\u09ac\u09a7\u09be\u09a8","Valid":"\u09ac\u09c8\u09a7","To open the popup, press Shift+Enter":"\u09aa\u09aa\u0986\u09aa \u0996\u09c1\u09b2\u09a4\u09c7, \u09b6\u09bf\u09ab\u099f + \u098f\u09a8\u09cd\u099f\u09be\u09b0 \u099f\u09bf\u09aa\u09c1\u09a8","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"\u09b8\u09ae\u09c3\u09a6\u09cd\u09a7 \u09aa\u09be\u09a0\u09cd\u09af \u0985\u099e\u09cd\u099a\u09b2\u0964 \u09b8\u09b9\u09be\u09af\u09bc\u09a4\u09be\u09b0 \u099c\u09a8\u09cd\u09af ALT-0 \u099f\u09bf\u09aa\u09c1\u09a8\u0964","System Font":"\u09b8\u09bf\u09b8\u09cd\u099f\u09c7\u09ae \u09ab\u09a8\u09cd\u099f","Failed to upload image: {0}":"\u099a\u09bf\u09a4\u09cd\u09b0 \u0986\u09aa\u09b2\u09cb\u09a1 \u0995\u09b0\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5 \u09b9\u09df\u09c7\u099b\u09c7: {0}","Failed to load plugin: {0} from url {1}":"\u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8 \u09b2\u09cb\u09a1 \u0995\u09b0\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5: {0} \u0987\u0989\u0986\u09b0\u098f\u09b2 \u09a5\u09c7\u0995\u09c7 {1}","Failed to load plugin url: {0}":"\u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8 \u0987\u0989\u0986\u09b0\u098f\u09b2 \u09b2\u09cb\u09a1 \u0995\u09b0\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5: {0}","Failed to initialize plugin: {0}":"\u09aa\u09cd\u09b2\u09be\u0997\u0987\u09a8 \u099a\u09be\u09b2\u09c1 \u0995\u09b0\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5 \u09b9\u09df\u09c7\u099b\u09c7: {0}","example":"\u0989\u09a6\u09be\u09b9\u09b0\u09a3","Search":"\u0985\u09a8\u09c1\u09b8\u09a8\u09cd\u09a7\u09be\u09a8 \u0995\u09b0\u09c1\u09a8","All":"\u09b8\u0995\u09b2","Currency":"\u09ae\u09c1\u09a6\u09cd\u09b0\u09be","Text":"\u099f\u09c7\u0995\u09cd\u09b8\u099f","Quotations":"\u0989\u09a6\u09cd\u09a7\u09c3\u09a4\u09bf","Mathematical":"\u0997\u09be\u09a3\u09bf\u09a4\u09bf\u0995","Extended Latin":"\u09ac\u09b0\u09cd\u09a7\u09bf\u09a4 \u09b2\u09be\u09a4\u09bf\u09a8","Symbols":"\u09aa\u09cd\u09b0\u09a4\u09c0\u0995","Arrows":"\u09a4\u09c0\u09b0","User Defined":"\u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0\u0995\u09be\u09b0\u09c0 \u09b8\u0982\u099c\u09cd\u099e\u09be\u09af\u09bc\u09bf\u09a4","dollar sign":"\u09a1\u09b2\u09be\u09b0 \u099a\u09bf\u09b9\u09cd\u09a8","currency sign":"\u09ae\u09c1\u09a6\u09cd\u09b0\u09be\u09b0 \u099a\u09bf\u09b9\u09cd\u09a8","euro-currency sign":"\u0987\u0989\u09b0\u09cb-\u09ae\u09c1\u09a6\u09cd\u09b0\u09be \u09b8\u09be\u0987\u09a8","colon sign":"\u0995\u09cb\u09b2\u09a8 \u099a\u09bf\u09b9\u09cd\u09a8","cruzeiro sign":"\u0995\u09cd\u09b0\u09c1\u099c\u09c1\u0987\u09b0\u09cb \u099a\u09bf\u09b9\u09cd\u09a8","french franc sign":"\u09ab\u09cd\u09b0\u09c7\u099e\u09cd\u099a \u09ab\u09cd\u09b0\u09cd\u09af\u09be\u0999\u09cd\u0995 \u099a\u09bf\u09b9\u09cd\u09a8","lira sign":"\u09b2\u09bf\u09b0\u09be \u099a\u09bf\u09b9\u09cd\u09a8","mill sign":"\u09ae\u09bf\u09b2 \u099a\u09bf\u09b9\u09cd\u09a8","naira sign":"\u09a8\u09be\u09df\u09b0\u09be \u099a\u09bf\u09b9\u09cd\u09a8","peseta sign":"\u09aa\u09c7\u09b8\u09c7\u099f\u09be \u099a\u09bf\u09b9\u09cd\u09a8","rupee sign":"\u09b0\u09c1\u09aa\u09bf \u099a\u09bf\u09b9\u09cd\u09a8","won sign":"\u0989\u09a8 \u099a\u09bf\u09b9\u09cd\u09a8","new sheqel sign":"\u09a8\u09a4\u09c1\u09a8 \u09b6\u09bf\u0995\u09c7\u09b2 \u099a\u09bf\u09b9\u09cd\u09a8","dong sign":"\u09a1\u0982 \u099a\u09bf\u09b9\u09cd\u09a8","kip sign":"\u0995\u09bf\u09aa \u099a\u09bf\u09b9\u09cd\u09a8","tugrik sign":"\u09a4\u09c1\u0997\u09b0\u09bf\u0995 \u099a\u09bf\u09b9\u09cd\u09a8","drachma sign":"\u09a1\u09cd\u09b0\u09be\u099a\u09ae\u09be \u099a\u09bf\u09b9\u09cd\u09a8","german penny symbol":"\u099c\u09be\u09b0\u09cd\u09ae\u09be\u09a8 \u09aa\u09c7\u09a8\u09bf \u099a\u09bf\u09b9\u09cd\u09a8","peso sign":"\u09aa\u09c7\u09b8\u09cb \u099a\u09bf\u09b9\u09cd\u09a8","guarani sign":"\u0997\u09c1\u09df\u09be\u09b0\u09be\u09a8\u09c0 \u099a\u09bf\u09b9\u09cd\u09a8","austral sign":"\u0993\u09b8\u09cd\u099f\u09cd\u09b0\u09be\u09b2 \u099a\u09bf\u09b9\u09cd\u09a8","hryvnia sign":"\u09b9\u09be\u09b0\u09ad\u09a8\u09bf\u09df\u09be \u099a\u09bf\u09b9\u09cd\u09a8","cedi sign":"\u09b8\u09c7\u09a1\u09bf \u099a\u09bf\u09b9\u09cd\u09a8","livre tournois sign":"\u09b2\u09bf\u09ad\u09cd\u09b0\u09c7 \u099f\u09c1\u09b0\u09a8\u0987\u09b8 \u099a\u09bf\u09b9\u09cd\u09a8","spesmilo sign":"\u09b8\u09cd\u09aa\u09c7\u09b8\u09ae\u09bf\u09b2\u09cb \u099a\u09bf\u09b9\u09cd\u09a8","tenge sign":"\u099f\u09bf\u09a8\u0997\u09c7 \u099a\u09bf\u09b9\u09cd\u09a8","indian rupee sign":"\u0987\u09a8\u09cd\u09a1\u09bf\u09df\u09be\u09a8 \u09b0\u09c1\u09aa\u09bf \u099a\u09bf\u09b9\u09cd\u09a8","turkish lira sign":"\u09a4\u09c1\u0995\u09bf\u09b8\u09cd\u09a4\u09be\u09a8 \u09b2\u09bf\u09b0\u09be \u099a\u09bf\u09b9\u09cd\u09a8","nordic mark sign":"\u09a8\u09b0\u09a1\u09bf\u0995 \u09ae\u09be\u09b0\u09cd\u0995 \u099a\u09bf\u09b9\u09cd\u09a8","manat sign":"\u09ae\u09be\u09a8\u09be\u099f \u099a\u09bf\u09b9\u09cd\u09a8","ruble sign":"\u09b0\u09c1\u09ac\u09c7\u09b2 \u099a\u09bf\u09b9\u09cd\u09a8","yen character":"\u0987\u09df\u09c7\u09a8 \u0985\u0995\u09cd\u09b7\u09b0","yuan character":"\u0987\u0989\u09af\u09bc\u09be\u09a8 \u0985\u0995\u09cd\u09b7\u09b0","yuan character, in hong kong and taiwan":"\u09b9\u0982\u0995\u0982 \u098f\u09ac\u0982 \u09a4\u09be\u0987\u0993\u09af\u09bc\u09be\u09a8\u09c7 \u0987\u0989\u09af\u09bc\u09be\u09a8 \u0985\u0995\u09cd\u09b7\u09b0","yen/yuan character variant one":"\u0987\u09af\u09bc\u09c7\u09a8/\u0987\u0989\u09af\u09bc\u09be\u09a8 \u0985\u0995\u09cd\u09b7\u09b0\u09c7\u09b0 \u098f\u0995\u099f\u09bf \u09ac\u09c8\u0995\u09b2\u09cd\u09aa\u09bf\u0995","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"\u099c\u09a8\u09b8\u09be\u09a7\u09be\u09b0\u09a3","Animals and Nature":"\u09aa\u09cd\u09b0\u09be\u09a3\u09c0 \u098f\u09ac\u0982 \u09aa\u09cd\u09b0\u0995\u09c3\u09a4\u09bf","Food and Drink":"\u0996\u09be\u09a6\u09cd\u09af \u0993 \u09aa\u09be\u09a8\u09c0\u09af\u09bc","Activity":"\u0995\u09be\u09b0\u09cd\u09af\u0995\u09b2\u09be\u09aa","Travel and Places":"\u09ad\u09cd\u09b0\u09ae\u09a3 \u098f\u09ac\u0982 \u09b8\u09cd\u09a5\u09be\u09a8","Objects":"\u0989\u09a6\u09cd\u09a6\u09c7\u09b6\u09cd\u09af","Flags":"\u09aa\u09a4\u09be\u0995\u09be","Characters":"\u0985\u0995\u09cd\u09b7\u09b0","Characters (no spaces)":"\u0985\u0995\u09cd\u09b7\u09b0 (\u0995\u09cb\u09a8\u0993 \u09b8\u09cd\u09aa\u09c7\u09b8 \u09a8\u09c7\u0987)","{0} characters":"{0} \u0985\u0995\u09cd\u09b7\u09b0","Error: Form submit field collision.":"\u09a4\u09cd\u09b0\u09c1\u099f\u09bf: \u09ab\u09b0\u09cd\u09ae \u099c\u09ae\u09be \u09a6\u09c7\u0993\u09af\u09bc\u09be\u09b0 \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0\u09c7 \u09b8\u0982\u0998\u09b0\u09cd\u09b7\u0964","Error: No form element found.":"\u09a4\u09cd\u09b0\u09c1\u099f\u09bf: \u0995\u09cb\u09a8\u0993 \u09ab\u09b0\u09cd\u09ae \u0989\u09aa\u09be\u09a6\u09be\u09a8 \u09aa\u09be\u0993\u09af\u09bc\u09be \u09af\u09be\u09af\u09bc \u09a8\u09bf\u0964","Color swatch":"\u09b0\u0999\u09cd\u0997\u09c7\u09b0 \u09aa\u09cd\u09b2\u09c7\u099f","Color Picker":"\u09b0\u0999 \u099a\u09af\u09bc\u09a8\u0995\u09be\u09b0\u09c0","Invalid hex color code: {0}":"\u0985\u09ac\u09c8\u09a7 \u09b9\u09c7\u0995\u09cd\u09b8 \u0995\u09be\u09b2\u09be\u09b0 \u0995\u09cb\u09a1: {0}","Invalid input":"\u0985\u09ac\u09c8\u09a7 \u09a8\u09bf\u09ac\u09c7\u09b6","R":"\u09b2\u09be","Red component":"\u09b2\u09be\u09b2 \u0989\u09aa\u09be\u09a6\u09be\u09a8","G":"\u09b8","Green component":"\u09b8\u09ac\u09c1\u099c \u0989\u09aa\u09be\u09a6\u09be\u09a8","B":"\u09a8\u09c0","Blue component":"\u09a8\u09c0\u09b2 \u0989\u09aa\u09be\u09a6\u09be\u09a8","#":"#","Hex color code":"\u09b9\u09c7\u0995\u09cd\u09b8 \u0995\u09be\u09b2\u09be\u09b0 \u0995\u09cb\u09a1","Range 0 to 255":"\u09b0\u09c7\u099e\u09cd\u099c 0 \u09a5\u09c7\u0995\u09c7 255","Turquoise":"\u09ab\u09bf\u09b0\u09cb\u099c\u09be","Green":"\u09b8\u09ac\u09c1\u099c","Blue":"\u09a8\u09c0\u09b2","Purple":"\u09ac\u09c7\u0997\u09c1\u09a8\u09c0","Navy Blue":"\u0986\u0995\u09be\u09b6\u09c0","Dark Turquoise":"\u0997\u09be\u09a2\u09bc \u09ab\u09bf\u09b0\u09cb\u099c\u09be","Dark Green":"\u0997\u09be\u09a2\u09bc \u09b8\u09ac\u09c1\u099c","Medium Blue":"\u09ae\u09be\u099d\u09be\u09b0\u09bf \u09a8\u09c0\u09b2","Medium Purple":"\u09ae\u09be\u099d\u09be\u09b0\u09bf \u09ac\u09c7\u0997\u09c1\u09a8\u09bf","Midnight Blue":"\u09ae\u09be\u099d\u09b0\u09be\u09a4\u09c7\u09b0 \u09a8\u09c0\u09b2","Yellow":"\u09b9\u09b2\u09c1\u09a6","Orange":"\u0995\u09ae\u09b2\u09be","Red":"\u09b2\u09be\u09b2","Light Gray":"\u09b9\u09be\u09b2\u0995\u09be \u09a7\u09c2\u09b8\u09b0","Gray":"\u09a7\u09c2\u09b8\u09b0","Dark Yellow":"\u0997\u09be\u09a2\u09bc \u09b9\u09b2\u09c1\u09a6","Dark Orange":"\u0997\u09be\u09a2\u09bc \u0995\u09ae\u09b2\u09be","Dark Red":"\u0997\u09be\u09a2\u09bc \u09b2\u09be\u09b2","Medium Gray":"\u09ae\u09cb\u099f\u09be\u09ae\u09c1\u099f\u09bf \u09a7\u09c2\u09b8\u09b0","Dark Gray":"\u0997\u09be\u09a2\u09bc \u09a7\u09c2\u09b8\u09b0","Light Green":"\u09b9\u09be\u09b2\u0995\u09be \u09b8\u09ac\u09c1\u099c","Light Yellow":"\u09b9\u09be\u09b2\u0995\u09be \u09b9\u09b2\u09c1\u09a6","Light Red":"\u09b9\u09be\u09b2\u0995\u09be \u09b2\u09be\u09b2","Light Purple":"\u09b9\u09be\u09b2\u0995\u09be \u09b0\u0995\u09cd\u09a4\u09ac\u09b0\u09cd\u09a3","Light Blue":"\u09b9\u09be\u09b2\u0995\u09be \u09a8\u09c0\u09b2","Dark Purple":"\u0997\u09be\u09a2\u09bc \u09b0\u0995\u09cd\u09a4\u09ac\u09b0\u09cd\u09a3","Dark Blue":"\u0997\u09be\u09a2\u09bc \u09a8\u09c0\u09b2","Black":"\u0995\u09be\u09b2\u09cb","White":"\u09b8\u09be\u09a6\u09be","Switch to or from fullscreen mode":"\u09aa\u09c2\u09b0\u09cd\u09a3\u09b8\u09cd\u0995\u09cd\u09b0\u09bf\u09a8 \u09ae\u09cb\u09a1\u09c7 \u09ac\u09be \u09a5\u09c7\u0995\u09c7 \u09b8\u09cd\u09af\u09c1\u0987\u099a \u0995\u09b0\u09c1\u09a8","Open help dialog":"\u09b8\u09b9\u09be\u09af\u09bc\u09a4\u09be \u09a1\u09be\u09af\u09bc\u09be\u09b2\u0997 \u0996\u09c1\u09b2\u09c1\u09a8","history":"\u0987\u09a4\u09bf\u09b9\u09be\u09b8","styles":"\u09b6\u09c8\u09b2\u09c0","formatting":"\u09ac\u09bf\u09a8\u09cd\u09af\u09be\u09b8","alignment":"\u09b8\u09ae\u09a4\u09b2\u09a4\u09be","indentation":"\u0996\u09be\u0981\u099c","Font":"\u09ab\u09a8\u09cd\u099f","Size":"\u0986\u09df\u09a4\u09a8","More...":"\u0986\u09b0\u09cb...","Select...":"\u09a8\u09bf\u09b0\u09cd\u09ac\u09be\u099a\u09a8...","Preferences":"\u09aa\u099b\u09a8\u09cd\u09a6\u09b8\u09ae\u09c2\u09b9","Yes":"\u09b9\u09cd\u09af\u09be\u0981","No":"\u09a8\u09be","Keyboard Navigation":"\u0995\u09c0\u09ac\u09cb\u09b0\u09cd\u09a1 \u09a8\u09c7\u09ad\u09bf\u0997\u09c7\u09b6\u09a8","Version":"\u09b8\u0982\u09b8\u09cd\u0995\u09b0\u09a3","Code view":"\u0995\u09cb\u09a1 \u09a6\u09c7\u0996\u09c1\u09a8","Open popup menu for split buttons":"\u09ac\u09bf\u09ad\u0995\u09cd\u09a4 \u09ac\u09cb\u09a4\u09be\u09ae\u0997\u09c1\u09b2\u09bf\u09b0 \u099c\u09a8\u09cd\u09af \u09aa\u09aa\u0986\u09aa \u09ae\u09c7\u09a8\u09c1 \u0996\u09c1\u09b2\u09c1\u09a8","List Properties":"\u09ac\u09c8\u09b6\u09bf\u09b7\u09cd\u099f\u09cd\u09af \u09a4\u09be\u09b2\u09bf\u0995\u09be","List properties...":"\u09ac\u09c8\u09b6\u09bf\u09b7\u09cd\u099f\u09cd\u09af \u09a4\u09be\u09b2\u09bf\u0995\u09be...","Start list at number":"-\u098f \u09a8\u09ae\u09cd\u09ac\u09b0\u09c7 \u09a4\u09be\u09b2\u09bf\u0995\u09be \u09b6\u09c1\u09b0\u09c1 \u0995\u09b0\u09c1\u09a8","Line height":"\u09b2\u09be\u0987\u09a8\u09c7\u09b0 \u0989\u099a\u09cd\u099a\u09a4\u09be","Dropped file type is not supported":"\u09a1\u09cd\u09b0\u09aa \u0995\u09b0\u09be \u09ab\u09be\u0987\u09b2 \u099f\u09be\u0987\u09aa \u09b8\u09ae\u09b0\u09cd\u09a5\u09bf\u09a4 \u09a8\u09af\u09bc","Loading...":"\u09b2\u09cb\u09a1 \u09b9\u099a\u09cd\u099b\u09c7...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP \u09a4\u09cd\u09b0\u09c1\u099f\u09bf: \u09aa\u09cd\u09b0\u09a4\u09cd\u09af\u09be\u0996\u09cd\u09af\u09be\u09a8 \u0985\u09a8\u09c1\u09b0\u09cb\u09a7","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP \u09a4\u09cd\u09b0\u09c1\u099f\u09bf: \u099a\u09bf\u09a4\u09cd\u09b0 \u09aa\u09cd\u09b0\u0995\u09cd\u09b8\u09bf \u0996\u09c1\u0981\u099c\u09c7 \u09aa\u09be\u0993\u09af\u09bc\u09be \u09af\u09be\u09af\u09bc\u09a8\u09bf","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP \u09a4\u09cd\u09b0\u09c1\u099f\u09bf: \u09ad\u09c1\u09b2 \u099a\u09bf\u09a4\u09cd\u09b0 \u09aa\u09cd\u09b0\u0995\u09cd\u09b8\u09bf \u0987\u0989\u0986\u09b0\u098f\u09b2","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP \u09a4\u09cd\u09b0\u09c1\u099f\u09bf: \u0985\u099c\u09be\u09a8\u09be ImageProxy \u09a4\u09cd\u09b0\u09c1\u099f\u09bf"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/bs.js b/deform/static/tinymce/langs/bs.js deleted file mode 100644 index 7bee854a..00000000 --- a/deform/static/tinymce/langs/bs.js +++ /dev/null @@ -1,174 +0,0 @@ -tinymce.addI18n('bs',{ -"Cut": "Izre\u017ei", -"Header 2": "Zaglavlje 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Va\u0161 browser ne podr\u017eava direktan pristup me\u0111umemoriji. Molimo vas da koristite pre\u010dice Ctrl+X\/C\/V na tastaturi.", -"Div": "Div", -"Paste": "Zalijepi", -"Close": "Zatvori", -"Pre": "Pre", -"Align right": "Poravnaj desno", -"New document": "Novi dokument", -"Blockquote": "Blok citat", -"Numbered list": "Numerisana lista", -"Increase indent": "Pove\u0107aj uvlaku", -"Formats": "Formati", -"Headers": "Zaglavlja", -"Select all": "Ozna\u010di sve", -"Header 3": "Zaglavlje 3", -"Blocks": "Blokovi", -"Undo": "Nazad", -"Strikethrough": "Precrtano", -"Bullet list": "Bullet lista", -"Header 1": "Zaglavlje 1", -"Superscript": "Eksponent", -"Clear formatting": "Poni\u0161ti formatiranje", -"Subscript": "Indeks", -"Header 6": "Zaglavlje 6", -"Redo": "Naprijed", -"Paragraph": "Paragraf", -"Ok": "U redu", -"Bold": "Podebljano", -"Code": "Kod", -"Italic": "Nakrivljen", -"Align center": "Centriraj", -"Header 5": "Zaglavlje 5", -"Decrease indent": "Smanji uvlaku", -"Header 4": "Zaglavlje 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Lijepljenje je sada u obi\u010dnom tekstualnom modu. Sadr\u017eaj \u0107e biti zalijepljen kao obi\u010dni tekst sve dok ne isklju\u010dite ovu opciju.", -"Underline": "Podvu\u010deno", -"Cancel": "Otka\u017ei", -"Justify": "Obostrano poravnanje", -"Inline": "U liniji", -"Copy": "Kopiraj", -"Align left": "Poravnaj lijevo", -"Visual aids": "Vizualna pomo\u0107", -"Lower Greek": "Mala gr\u010dka slova", -"Square": "Kvadrat", -"Default": "Po\u010detno", -"Lower Alpha": "Mala slova", -"Circle": "Krug", -"Disc": "Disk", -"Upper Alpha": "Velika slova", -"Upper Roman": "Velika rimska slova", -"Lower Roman": "Mala rimska slova", -"Name": "Ime", -"Anchor": "Anchor", -"You have unsaved changes are you sure you want to navigate away?": "Niste sa\u010duvali izmjene. Jeste li sigurni da \u017eelite napustiti stranicu?", -"Restore last draft": "Vrati posljednju skicu", -"Special character": "Specijalni znak", -"Source code": "Izvorni kod", -"Right to left": "S desna na lijevo", -"Left to right": "S lijeva na desno", -"Emoticons": "Smajliji", -"Robots": "Roboti", -"Document properties": "Svojstva dokumenta", -"Title": "Naslov", -"Keywords": "Klju\u010dne rije\u010di", -"Encoding": "Kodiranje", -"Description": "Opis", -"Author": "Autor", -"Fullscreen": "Cijeli ekran", -"Horizontal line": "Vodoravna linija", -"Horizontal space": "Horizontalni razmak", -"Insert\/edit image": "Umetni\/uredi sliku", -"General": "Op\u0107enito", -"Advanced": "Napredno", -"Source": "Izvor", -"Border": "Okvir", -"Constrain proportions": "Ograni\u010di proporcije", -"Vertical space": "Vertikalni razmak", -"Image description": "Opis slike", -"Style": "Stil", -"Dimensions": "Dimenzije", -"Insert image": "Umetni sliku", -"Insert date\/time": "Umetni datum\/vrijeme", -"Remove link": "Ukloni link", -"Url": "URL", -"Text to display": "Tekst za prikaz", -"Anchors": "Anchori", -"Insert link": "Umetni link", -"New window": "Novi prozor", -"None": "Ni\u0161ta", -"Target": "Odredi\u0161te", -"Insert\/edit link": "Umetni\/uredi link", -"Insert\/edit video": "Umetni\/uredi video", -"Poster": "Objavio", -"Alternative source": "Alternativni izvor", -"Paste your embed code below:": "Zalijepite va\u0161 ugradbeni kod ispod:", -"Insert video": "Umetni video", -"Embed": "Ugradi", -"Nonbreaking space": "Neprijelomni razmak", -"Page break": "Prijelom stranice", -"Preview": "Pregled", -"Print": "\u0160tampaj", -"Save": "Sa\u010duvaj", -"Could not find the specified string.": "Tra\u017eeni string nije prona\u0111en.", -"Replace": "Zamijeni", -"Next": "Sljede\u0107e", -"Whole words": "Cijele rije\u010di", -"Find and replace": "Prona\u0111i i zamijeni", -"Replace with": "Zamijena sa", -"Find": "Prona\u0111i", -"Replace all": "Zamijeni sve", -"Match case": "Razlikuj mala i velika slova", -"Prev": "Prethodno", -"Spellcheck": "Provjera pravopisa", -"Finish": "Zavr\u0161i", -"Ignore all": "Zanemari sve", -"Ignore": "Zanemari", -"Insert row before": "Umetni red iznad", -"Rows": "Redovi", -"Height": "Visina", -"Paste row after": "Zalijepi red iznad", -"Alignment": "Poravnanje", -"Column group": "Grupa kolone", -"Row": "Red", -"Insert column before": "Umetni kolonu iznad", -"Split cell": "Podijeli \u0107eliju", -"Cell padding": "Ispunjenje \u0107elije", -"Cell spacing": "Razmak \u0107elija", -"Row type": "Vrsta reda", -"Insert table": "Umetni tabelu", -"Body": "Tijelo", -"Caption": "Natpis", -"Footer": "Podno\u017eje", -"Delete row": "Obri\u0161i red", -"Paste row before": "Zalijepi red ispod", -"Scope": "Opseg", -"Delete table": "Obri\u0161i tabelu", -"Header cell": "\u0106elija zaglavlja", -"Column": "Kolona", -"Cell": "\u0106elija", -"Header": "Zaglavlje", -"Cell type": "Vrsta \u0107elije", -"Copy row": "Kopiraj red", -"Row properties": "Svojstva reda", -"Table properties": "Svojstva tabele", -"Row group": "Grupa reda", -"Right": "Desno", -"Insert column after": "Umetni kolonu ispod", -"Cols": "Kolone", -"Insert row after": "Umetni red ispod", -"Width": "\u0160irina", -"Cell properties": "Svojstva \u0107elije", -"Left": "Lijevo", -"Cut row": "Izre\u017ei red", -"Delete column": "Obri\u0161i kolonu", -"Center": "Centrirano", -"Merge cells": "Spoji \u0107elije", -"Insert template": "Umetni predlo\u017eak", -"Templates": "Predlo\u0161ci", -"Background color": "Boja pozadine", -"Text color": "Boja tekst", -"Show blocks": "Prika\u017ei blokove", -"Show invisible characters": "Prika\u017ei nevidljive znakove", -"Words: {0}": "Rije\u010di: {0}", -"Insert": "Umetni", -"File": "Datoteka", -"Edit": "Uredi", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Oblast za ure\u0111ivanje teksta. Pritisnite ALT-F9 za meni. Pritisnite ALT-F10 za prikaz alatne trake. Pritisnite ALT-0 za pomo\u0107.", -"Tools": "Alati", -"View": "Pregled", -"Table": "Tabela", -"Format": "Formatiranje" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ca.js b/deform/static/tinymce/langs/ca.js index 110b0109..40ddee40 100644 --- a/deform/static/tinymce/langs/ca.js +++ b/deform/static/tinymce/langs/ca.js @@ -1,118 +1 @@ -tinymce.addI18n('ca',{ -"Cut": "Retalla", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "El vostre navegador no suporta l'acc\u00e9s directe al portaobjectes. Si us plau, feu servir les dreceres de teclat Ctrl+X\/C\/V en el seu lloc", -"Paste": "Pega", -"Close": "Tanca", -"Align right": "Aliniat a la dreta", -"New document": "Nou document", -"Numbered list": "Llista enumerada", -"Increase indent": "Augmentar sagnat", -"Formats": "Formats", -"Select all": "Seleccionar-ho tot", -"Undo": "Desfer", -"Strikethrough": "Ratllat", -"Bullet list": "Llista no ordenada", -"Superscript": "Super\u00edndex", -"Clear formatting": "Eliminar format", -"Subscript": "Sub\u00edndex", -"Redo": "Refer", -"Ok": "Acceptar", -"Bold": "Negreta", -"Italic": "Cursiva", -"Align center": "Centrat", -"Decrease indent": "Disminuir sagnat", -"Underline": "Subratllat", -"Cancel": "Cancel\u00b7la", -"Justify": "Justificat", -"Copy": "Copia", -"Align left": "Aliniat a l'esquerra", -"Visual aids": "Assist\u00e8ncia visual", -"Lower Greek": "Grec menor", -"Square": "Quadrat", -"Default": "Per defecte", -"Lower Alpha": "Alfa menor", -"Circle": "Cercle", -"Disc": "Disc", -"Upper Alpha": "Alfa major", -"Upper Roman": "Roman major", -"Lower Roman": "Roman menor", -"Name": "Nom", -"Anchor": "\u00c0ncora", -"You have unsaved changes are you sure you want to navigate away?": "Teniu canvis sense desar, esteu segur que voleu deixar-ho ara?", -"Restore last draft": "Restaurar l'\u00faltim esborrany", -"Special character": "Car\u00e0cter especial", -"Source code": "Codi font", -"Right to left": "De dreta a esquerra", -"Left to right": "D'esquerra a dreta", -"Emoticons": "Emoticones", -"Robots": "Robots", -"Document properties": "Propietats del document", -"Title": "T\u00edtol", -"Keywords": "Paraules clau", -"Encoding": "Codificaci\u00f3", -"Description": "Descripci\u00f3", -"Author": "Autor", -"Fullscreen": "Pantalla completa", -"Horizontal line": "L\u00ednia horitzontal", -"Horizontal space": "Espai horitzontal", -"Insert\/edit image": "Inserir\/editar imatge", -"General": "General", -"Advanced": "Avan\u00e7at", -"Source": "Font", -"Border": "Vora", -"Constrain proportions": "Mantenir proporcions", -"Vertical space": "Espai vertical", -"Image description": "Descripci\u00f3 de la imatge", -"Style": "Estil", -"Dimensions": "Dimensions", -"Insert image": "Inserir imatge", -"Insert date\/time": "Inserir data\/hora", -"Remove link": "Treure enlla\u00e7", -"Url": "URL", -"Text to display": "Text per mostrar", -"Insert link": "Inserir enlla\u00e7", -"New window": "Finestra nova", -"None": "Cap", -"Target": "Dest\u00ed", -"Insert\/edit link": "Inserir\/editar enlla\u00e7", -"Insert\/edit video": "Inserir\/editar v\u00eddeo", -"Poster": "P\u00f3ster", -"Alternative source": "Font alternativa", -"Paste your embed code below:": "Enganxau el codi a sota:", -"Insert video": "Inserir v\u00eddeo", -"Embed": "Incloure", -"Nonbreaking space": "Espai fixe", -"Page break": "Salt de p\u00e0gina", -"Preview": "Previsualitzaci\u00f3", -"Print": "Imprimir", -"Save": "Desa", -"Could not find the specified string.": "No es pot trobar el text especificat.", -"Replace": "Rempla\u00e7ar", -"Next": "Seg\u00fcent", -"Whole words": "Paraules senceres", -"Find and replace": "Buscar i rempla\u00e7ar", -"Replace with": "Rempla\u00e7ar amb", -"Find": "Buscar", -"Replace all": "Rempla\u00e7ar-ho tot", -"Match case": "Coincidir maj\u00fascules", -"Prev": "Ant", -"Spellcheck": "Comprovar ortrografia", -"Finish": "Finalitzar", -"Ignore all": "Ignorar tots", -"Ignore": "Ignorar", -"Insert template": "Inserir plantilla", -"Templates": "Plantilles", -"Background color": "Color del fons", -"Text color": "Color del text", -"Show blocks": "Mostrar blocs", -"Show invisible characters": "Mostrar car\u00e0cters invisibles", -"Words: {0}": "Paraules: {0}", -"Insert": "Inserir", -"File": "Arxiu", -"Edit": "Edici\u00f3", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u00c0rea de text amb format. Premeu ALT-F9 per mostrar el men\u00fa, ALT F10 per la barra d'eines i ALT-0 per ajuda.", -"Tools": "Eines", -"View": "Veure", -"Table": "Taula", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("ca",{"Redo":"Refer","Undo":"Desfer","Cut":"Retalla","Copy":"Copia","Paste":"Enganxar","Select all":"Seleccionar-ho tot","New document":"Nou document","Ok":"Acceptar","Cancel":"Cancel\xb7lar","Visual aids":"Assist\xe8ncia visual","Bold":"Negreta","Italic":"Cursiva","Underline":"Subratllat","Strikethrough":"Barrat","Superscript":"Super\xedndex","Subscript":"Sub\xedndex","Clear formatting":"Eliminar format","Remove":"Eliminar","Align left":"Alinea a l'esquerra","Align center":"Alinea al centre","Align right":"Alinea a la dreta","No alignment":"Sense alineament","Justify":"Justificat","Bullet list":"Llista no ordenada","Numbered list":"Llista enumerada","Decrease indent":"Disminuir sagnat","Increase indent":"Augmentar sagnat","Close":"Tancar","Formats":"Formats","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"El vostre navegador no suporta l'acc\xe9s directe al portaobjectes. Si us plau, feu servir les dreceres de teclat Ctrl+X/C/V.","Headings":"Encap\xe7alaments","Heading 1":"Encap\xe7alament 1","Heading 2":"Encap\xe7alament 2","Heading 3":"Encap\xe7alament 3","Heading 4":"Encap\xe7alament 4","Heading 5":"Encap\xe7alament 5","Heading 6":"Encap\xe7alament 6","Preformatted":"Preformatat","Div":"Div","Pre":"Pre","Code":"Codi","Paragraph":"Par\xe0graf","Blockquote":"Cita","Inline":"En l\xednia","Blocks":"Blocs","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Enganxar ara \xe9s en mode text pla. Els continguts s'enganxaran com a text pla fins que desactivis aquesta opci\xf3.","Fonts":"Fonts","Font sizes":"Tamanys de font","Class":"Classe","Browse for an image":"Explorar per cercar una imatge","OR":"O","Drop an image here":"Deixar anar una imatge aqu\xed","Upload":"Pujar","Uploading image":"Pujant imatge","Block":"Bloc","Align":"Alinea","Default":"Predeterminat","Circle":"Cercle","Disc":"Disc","Square":"Quadrat","Lower Alpha":"Lletra min\xfascula","Lower Greek":"Lletra grega min\xfascula","Lower Roman":"N\xfameros romans en min\xfascula","Upper Alpha":"Lletra maj\xfascula","Upper Roman":"N\xfameros romans en maj\xfascula","Anchor...":"Ancoratge...","Anchor":"\xc0ncora","Name":"Nom","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"La ID ha de comen\xe7ar amb una lletra, seguida nom\xe9s per lletres, nombres, guions, punts, dos punts o guions baixos.","You have unsaved changes are you sure you want to navigate away?":"Teniu canvis sense desar, esteu segur que voleu deixar-ho ara?","Restore last draft":"Restaurar l'\xfaltim esborrany","Special character...":"Car\xe0cters especials\u2026","Special Character":"Car\xe0cter especial","Source code":"Codi font","Insert/Edit code sample":"Inserir/editar mostra de codi","Language":"Idioma","Code sample...":"Mostra de codi...","Left to right":"D'esquerra a dreta","Right to left":"De dreta a esquerra","Title":"T\xedtol","Fullscreen":"Pantalla completa","Action":"Acci\xf3","Shortcut":"Acc\xe9s directe","Help":"Ajuda","Address":"Adre\xe7a","Focus to menubar":"Enfocar la barra de men\xfa","Focus to toolbar":"Enfocar la barra d'eines","Focus to element path":"Enfocar la ruta d'elements","Focus to contextual toolbar":"Enfocar la barra d'eines contextual","Insert link (if link plugin activated)":"Inserir enlla\xe7 (si el complement d'enlla\xe7 est\xe0 activat)","Save (if save plugin activated)":"Desar (si el complement desar est\xe0 activat)","Find (if searchreplace plugin activated)":"Cercar (si el complement cercar-reempla\xe7ar est\xe0 activat)","Plugins installed ({0}):":"Complements instal\xb7lats ({0}):","Premium plugins:":"Complements pr\xe8mium:","Learn more...":"Apr\xe8n m\xe9s...","You are using {0}":"Est\xe0s utilitzant {0}","Plugins":"Complements","Handy Shortcuts":"Dreceres \xfatils","Horizontal line":"L\xednia horitzontal","Insert/edit image":"Insereix/edita imatge","Alternative description":"Descripci\xf3 alternativa","Accessibility":"Accessibilitat","Image is decorative":"La imatge \xe9s decorativa","Source":"Font","Dimensions":"Dimensions","Constrain proportions":"Conservar proporcions","General":"Generals","Advanced":"Avan\xe7ades","Style":"Estil","Vertical space":"Espai vertical","Horizontal space":"Espai horitzontal","Border":"Vora","Insert image":"Inserir imatge","Image...":"Imatge...","Image list":"Llista d'imatges","Resize":"Canviar mida","Insert date/time":"Inserir data/hora","Date/time":"Data/hora","Insert/edit link":"Inserir/editar l\u2019enlla\xe7","Text to display":"Text per visualitzar","Url":"URL","Open link in...":"Obrir l'enlla\xe7 a...","Current window":"Finestra actual","None":"Cap","New window":"Finestra nova","Open link":"Obrir l'enlla\xe7","Remove link":"Treure l\u2019enlla\xe7","Anchors":"\xc0ncores","Link...":"Enlla\xe7...","Paste or type a link":"Enganxa o escriu un enlla\xe7","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"L'URL que has escrit sembla una adre\xe7a de correu electr\xf2nic. Vols afegir-li el prefix obligatori \xabmailto:\xbb?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"L'URL que has escrit sembla un enlla\xe7 extern. Vols afegir-li el prefix obligatori \xabhttp://\xbb?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Sembla que l\u2019URL que has introdu\xeft \xe9s un enlla\xe7 extern. Vols afegir el prefix https:// necessari?","Link list":"Llista d'enlla\xe7os","Insert video":"Inserir v\xeddeo","Insert/edit video":"Inserir/editar v\xeddeo","Insert/edit media":"Inserir/editar multim\xe8dia","Alternative source":"Font alternativa","Alternative source URL":"URL de font alternativa","Media poster (Image URL)":"Cartell de multim\xe8dia (URL d'imatge)","Paste your embed code below:":"Enganxeu el codi a sota:","Embed":"Incloure","Media...":"Multim\xe8dia...","Nonbreaking space":"Espai cont\xednu","Page break":"Salt de p\xe0gina","Paste as text":"Enganxar com a text","Preview":"Visualitzaci\xf3 pr\xe8via","Print":"Imprimir","Print...":"Imprimir...","Save":"Desar","Find":"Cerca","Replace with":"Reempla\xe7a per","Replace":"Reempla\xe7ar","Replace all":"Reempla\xe7a totes","Previous":"Anterior","Next":"Seg\xfcent","Find and Replace":"Cercar i reempla\xe7ar","Find and replace...":"Cercar i reempla\xe7ar...","Could not find the specified string.":"No es pot trobar el text especificat.","Match case":"Fes coincidir maj\xfascules i min\xfascules","Find whole words only":"Cercar nom\xe9s paraules completes","Find in selection":"Buscar a la selecci\xf3","Insert table":"Inserir taula","Table properties":"Propietats de taula","Delete table":"Suprimir taula","Cell":"Cel\xb7la","Row":"Fila","Column":"Columna","Cell properties":"Propietats de cel\xb7la","Merge cells":"Fusionar cel\xb7les","Split cell":"Dividir cel\xb7les","Insert row before":"Inserir fila a sobre","Insert row after":"Inserir fila a sota","Delete row":"Suprimir la fila","Row properties":"Propietats de la fila","Cut row":"Retallar la fila","Cut column":"Retallar columna","Copy row":"Copiar la fila","Copy column":"Copiar columna","Paste row before":"Enganxar fila a sobre","Paste column before":"Enganxar columna abans","Paste row after":"Enganxar fila a sota","Paste column after":"Enganxar columna despr\xe9s","Insert column before":"Inserir columna abans","Insert column after":"Inserir columna despr\xe9s","Delete column":"Suprimir columna","Cols":"Columnes","Rows":"Files","Width":"Amplada","Height":"Al\xe7ada","Cell spacing":"Espai entre cel\xb7les","Cell padding":"Marge intern","Row clipboard actions":"Accions de fila del porta-retalls","Column clipboard actions":"Accions de columna del porta-retalls","Table styles":"Estils de taula","Cell styles":"Estils de cel\xb7la","Column header":"Cap\xe7alera de columna","Row header":"Cap\xe7alera de fila","Table caption":"T\xedtol de taula","Caption":"Encap\xe7alament","Show caption":"Mostrar encap\xe7alament","Left":"Esquerra","Center":"Centre","Right":"Dreta","Cell type":"Tipus de cel\xb7la","Scope":"Abast","Alignment":"Alineaci\xf3","Horizontal align":"Alineaci\xf3 horitzontal","Vertical align":"Alineaci\xf3 vertical","Top":"Part superior","Middle":"Centre","Bottom":"Part inferior","Header cell":"Cel\xb7la de cap\xe7alera","Row group":"Grup de fila","Column group":"Grup de columnes","Row type":"Tipus de fila","Header":"Encap\xe7alament","Body":"Cos","Footer":"Peu de p\xe0gina","Border color":"Color de la vora","Solid":"S\xf2lid","Dotted":"Puntejat","Dashed":"Guions","Double":"Doble","Groove":"Solc","Ridge":"Carena","Inset":"Insert","Outset":"Relleu","Hidden":"Ocult","Insert template...":"Inserir plantilla...","Templates":"Plantilles","Template":"Plantilla","Insert Template":"Inserir plantilla","Text color":"Color del text","Background color":"Color de fons","Custom...":"Personalitza...","Custom color":"Personalitzar el color","No color":"Sense color","Remove color":"Eliminar el color","Show blocks":"Mostrar blocs","Show invisible characters":"Mostrar car\xe0cters invisibles","Word count":"Recompte de paraules","Count":"Compta","Document":"Document","Selection":"Selecci\xf3","Words":"Paraules","Words: {0}":"Paraules: {0}","{0} words":"{0} paraules","File":"Arxiu","Edit":"Editar","Insert":"Inserir","View":"Veure","Format":"Format","Table":"Taula","Tools":"Eines","Powered by {0}":"Desenvolupat per {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\xc0rea de text amb format. Premeu ALT-F9 per mostrar el men\xfa, ALT F10 per la barra d'eines i ALT-0 per ajuda.","Image title":"T\xedtol de la imatge","Border width":"Amplada de la vora","Border style":"Estil de la vora","Error":"Error","Warn":"Alerta","Valid":"V\xe0lid","To open the popup, press Shift+Enter":"Per obrir la finestra emergent, premeu Maj.+Retorn","Rich Text Area":"\xc0rea de text enriquit","Rich Text Area. Press ALT-0 for help.":"\xc0rea de Text enriquit. Premeu ALT-0 per obtenir ajuda.","System Font":"Font del sistema","Failed to upload image: {0}":"No s'ha pogut carregar la imatge: {0}","Failed to load plugin: {0} from url {1}":"No s'ha pogut carregar el complement: {0} de l\u2019URL {1}","Failed to load plugin url: {0}":"No s'ha pogut carregar l\u2019URL del complement: {0}","Failed to initialize plugin: {0}":"No s'ha pogut inicialitzar el complement: {0}","example":"exemple","Search":"Cerca","All":"Tot","Currency":"Moneda","Text":"Text","Quotations":"Cites","Mathematical":"S\xedmbols matem\xe0tics","Extended Latin":"Llat\xed ampliat","Symbols":"S\xedmbols","Arrows":"Fletxes","User Defined":"Definit per l'usuari","dollar sign":"signe del d\xf2lar","currency sign":"signe de la moneda","euro-currency sign":"signe de l'euro","colon sign":"signe del col\xf3n","cruzeiro sign":"signe del cruzeiro","french franc sign":"signe del franc franc\xe8s","lira sign":"signe de la lira","mill sign":"signe del mill","naira sign":"signe de la naira","peseta sign":"signe de la pesseta","rupee sign":"signe de la rupia","won sign":"signe del won","new sheqel sign":"signe del nou x\xe9quel","dong sign":"signe del dong","kip sign":"signe del kip","tugrik sign":"signe del t\xf6gr\xf6g","drachma sign":"signe del dracma","german penny symbol":"signe del penic alemany","peso sign":"signe del peso","guarani sign":"signe del guaran\xed","austral sign":"signe de l\u2019austral","hryvnia sign":"signe de la hr\xedvnia","cedi sign":"signe del cedi","livre tournois sign":"signe de la lliura tornesa","spesmilo sign":"signe de l\u2019spesmilo","tenge sign":"signe del tenge","indian rupee sign":"signe de la rupia \xedndia","turkish lira sign":"signe de la lira turca","nordic mark sign":"signe del marc n\xf2rdic","manat sign":"signe del manat","ruble sign":"signe del ruble","yen character":"signe del ien","yuan character":"signe del iuan","yuan character, in hong kong and taiwan":"signe del iuan en Hong Kong i Taiwan","yen/yuan character variant one":"variaci\xf3 1 del signe del ien/iuan","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Carregant emojis...","Could not load emojis":"No s'han pogut carregar els emojis","People":"Gent","Animals and Nature":"Animals i natura","Food and Drink":"Menjar i beure","Activity":"Activitat","Travel and Places":"Viatges i llocs","Objects":"Objectes","Flags":"Banderes","Characters":"Car\xe0cters","Characters (no spaces)":"Car\xe0cters (sense espais)","{0} characters":"{0} car\xe0cters","Error: Form submit field collision.":"Error: error en el camp d\u2019enviament del formulari.","Error: No form element found.":"Error: no s'ha trobat l'element del formulari.","Color swatch":"Mostra de color","Color Picker":"Selector de colors","Invalid hex color code: {0}":"Codi hex de color inv\xe0lid: {0}","Invalid input":"Entrada inv\xe0lida","R":"R","Red component":"Component vermell","G":"G","Green component":"Component verd","B":"B","Blue component":"Component blau","#":"#","Hex color code":"Codi hexadecimal de color","Range 0 to 255":"Rang de 0 a 255","Turquoise":"Turquesa","Green":"Verd","Blue":"Blau","Purple":"Violeta","Navy Blue":"Blau mar\xed","Dark Turquoise":"Turquesa fosc","Dark Green":"Verd fosc","Medium Blue":"Blau mitj\xe0","Medium Purple":"Violeta mitj\xe0","Midnight Blue":"Blau mitjanit","Yellow":"Groc","Orange":"Taronja","Red":"Vermell","Light Gray":"Gris clar","Gray":"Gris","Dark Yellow":"Groc fosc","Dark Orange":"Taronja fosc","Dark Red":"Vermell fosc","Medium Gray":"Gris mitj\xe0","Dark Gray":"Gris fosc","Light Green":"Verd clar","Light Yellow":"Groc clar","Light Red":"Vermell clar","Light Purple":"Porpra clar","Light Blue":"Blau clar","Dark Purple":"Porpra fosc","Dark Blue":"Blau fosc","Black":"Negre","White":"Blanc","Switch to or from fullscreen mode":"Canviar a o del mode de pantalla completa","Open help dialog":"Obrir el quadre de di\xe0leg d'ajuda","history":"historial","styles":"estils","formatting":"format","alignment":"alineaci\xf3","indentation":"sagnat","Font":"Tipus de font","Size":"Mida","More...":"M\xe9s\u2026","Select...":"Selecciona\u2026","Preferences":"Par\xe0metres","Yes":"S\xed","No":"No","Keyboard Navigation":"Navegaci\xf3 per teclat","Version":"Versi\xf3","Code view":"Veure el codi","Open popup menu for split buttons":"Obre el men\xfa emergent per als botons dividits","List Properties":"Propietats de la llista","List properties...":"Propietats de la llista...","Start list at number":"N\xfamero on iniciar la llista","Line height":"Amplada de la l\xednia","Dropped file type is not supported":"El tipus de fitxer deixat no \xe9s compatible","Loading...":"Carregant...","ImageProxy HTTP error: Rejected request":"Error HTTP d'ImageProxy: Petici\xf3 rebutjada","ImageProxy HTTP error: Could not find Image Proxy":"Error HTTP d'ImageProxy: No s'ha trobat l'ImageProxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"Error HTTP d'ImageProxy: URL d'Image Proxy incorrecte","ImageProxy HTTP error: Unknown ImageProxy error":"Error HTTP d'ImageProxy: Error d'ImageProxy desconegut"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/cs.js b/deform/static/tinymce/langs/cs.js index 9ab436c3..d3932ab1 100644 --- a/deform/static/tinymce/langs/cs.js +++ b/deform/static/tinymce/langs/cs.js @@ -1,175 +1 @@ -tinymce.addI18n('cs',{ -"Cut": "Vyjmout", -"Header 2": "Nadpis 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "V\u00e1\u0161 prohl\u00ed\u017ee\u010d nepodporuje p\u0159\u00edm\u00fd p\u0159\u00edstup do schr\u00e1nky. Pou\u017eijte pros\u00edm kl\u00e1vesov\u00e9 zkratky Ctrl+X\/C\/V.", -"Div": "Div (blok)", -"Paste": "Vlo\u017eit", -"Close": "Zav\u0159\u00edt", -"Pre": "Pre (p\u0159edform\u00e1tov\u00e1no)", -"Align right": "Zarovnat vpravo", -"New document": "Nov\u00fd dokument", -"Blockquote": "Citace", -"Numbered list": "\u010c\u00edslov\u00e1n\u00ed", -"Increase indent": "Zv\u011bt\u0161it odsazen\u00ed", -"Formats": "Form\u00e1ty", -"Headers": "Nadpisy", -"Select all": "Vybrat v\u0161e", -"Header 3": "Nadpis 3", -"Blocks": "Blokov\u00e9 zobrazen\u00ed (block)", -"Undo": "Zp\u011bt", -"Strikethrough": "P\u0159e\u0161rktnut\u00e9", -"Bullet list": "Odr\u00e1\u017eky", -"Header 1": "Nadpis 1", -"Superscript": "Horn\u00ed index", -"Clear formatting": "Vymazat form\u00e1tov\u00e1n\u00ed", -"Subscript": "Doln\u00ed index", -"Header 6": "Nadpis 6", -"Redo": "Znovu", -"Paragraph": "Odstavec", -"Ok": "OK", -"Bold": "Tu\u010dn\u00e9", -"Code": "Code (k\u00f3d)", -"Italic": "Kurz\u00edva", -"Align center": "Zarovnat na st\u0159ed", -"Header 5": "Nadpis 5", -"Decrease indent": "Zmen\u0161it odsazen\u00ed", -"Header 4": "Nadpis 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Je zapnuto vkl\u00e1d\u00e1n\u00ed \u010dist\u00e9ho textu. Dokud nebude tato volba vypnuta, bude ve\u0161ker\u00fd obsah vlo\u017een jako \u010dist\u00fd text.", -"Underline": "Podtr\u017een\u00e9", -"Cancel": "Zru\u0161it", -"Justify": "Zarovnat do bloku", -"Inline": "\u0158\u00e1dkov\u00e9 zobrazen\u00ed (inline)", -"Copy": "Kop\u00edrovat", -"Align left": "Zarovnat vlevo", -"Visual aids": "Vizu\u00e1ln\u00ed pom\u016fcky", -"Lower Greek": "Mal\u00e9 p\u00edsmenkov\u00e1n\u00ed", -"Square": "\u010ctvere\u010dek", -"Default": "V\u00fdchoz\u00ed", -"Lower Alpha": "Norm\u00e1ln\u00ed \u010d\u00edslov\u00e1n\u00ed", -"Circle": "Kole\u010dko", -"Disc": "Punt\u00edk", -"Upper Alpha": "velk\u00e9 p\u00edsmenkov\u00e1n\u00ed", -"Upper Roman": "\u0158\u00edmsk\u00e9 \u010d\u00edslice", -"Lower Roman": "Mal\u00e9 \u0159\u00edmsk\u00e9 \u010d\u00edslice", -"Name": "N\u00e1zev", -"Anchor": "Kotva", -"You have unsaved changes are you sure you want to navigate away?": "M\u00e1te neulo\u017een\u00e9 zm\u011bny. Opravdu chcete opustit str\u00e1nku?", -"Restore last draft": "Obnovit posledn\u00ed koncept", -"Special character": "Speci\u00e1ln\u00ed znak", -"Source code": "Zdrojov\u00fd k\u00f3d", -"Right to left": "Zprava doleva", -"Left to right": "Zleva doprava", -"Emoticons": "Emotikony", -"Robots": "Roboti", -"Document properties": "Vlastnosti dokumentu", -"Title": "Titulek", -"Keywords": "Kl\u00ed\u010dov\u00e1 slova", -"Encoding": "K\u00f3dov\u00e1n\u00ed", -"Description": "Popis", -"Author": "Autor", -"Fullscreen": "Na celou obrazovku", -"Horizontal line": "Vodorovn\u00e1 \u010d\u00e1ra", -"Horizontal space": "Horizont\u00e1ln\u00ed mezera", -"Insert\/edit image": "Vlo\u017eit \/ upravit obr\u00e1zek", -"General": "Obecn\u00e9", -"Advanced": "Pokro\u010dil\u00e9", -"Source": "Zdroj", -"Border": "R\u00e1me\u010dek", -"Constrain proportions": "Zachovat proporce", -"Vertical space": "Vertik\u00e1ln\u00ed mezera", -"Image description": "Popis obr\u00e1zku", -"Style": "Styl", -"Dimensions": "Rozm\u011bry", -"Insert image": "Vlo\u017eit obr\u00e1zek", -"Insert date\/time": "Vlo\u017eit datum \/ \u010das", -"Remove link": "Odstranit odkaz", -"Url": "Odkaz", -"Text to display": "Text k zobrazen\u00ed", -"Anchors": "Kotvy", -"Insert link": "Vlo\u017eit odkaz", -"New window": "Nov\u00e9 okno", -"None": "\u017d\u00e1dn\u00e9", -"Target": "C\u00edl", -"Insert\/edit link": "Vlo\u017eit \/ upravit odkaz", -"Insert\/edit video": "Vlo\u017eit \/ upravit video", -"Poster": "N\u00e1hled", -"Alternative source": "Alternativn\u00ed zdroj", -"Paste your embed code below:": "Vlo\u017ete k\u00f3d pro vlo\u017een\u00ed n\u00ed\u017ee:", -"Insert video": "Vlo\u017eit video", -"Embed": "Vlo\u017eit", -"Nonbreaking space": "Pevn\u00e1 mezera", -"Page break": "Konec str\u00e1nky", -"Paste as text": "Vlo\u017eit jako text", -"Preview": "N\u00e1hled", -"Print": "Tisk", -"Save": "Ulo\u017eit", -"Could not find the specified string.": "Zadan\u00fd \u0159et\u011bzec nebyl nalezen.", -"Replace": "Nahradit", -"Next": "Dal\u0161\u00ed", -"Whole words": "Cel\u00e1 slova", -"Find and replace": "Naj\u00edt a nahradit", -"Replace with": "Nahradit za", -"Find": "Naj\u00edt", -"Replace all": "Nahradit v\u0161e", -"Match case": "Rozli\u0161ovat velikost", -"Prev": "P\u0159edchoz\u00ed", -"Spellcheck": "Kontrola pravopisu", -"Finish": "Ukon\u010dit", -"Ignore all": "Ignorovat v\u0161e", -"Ignore": "Ignorovat", -"Insert row before": "Vlo\u017eit \u0159\u00e1dek nad", -"Rows": "\u0158\u00e1dek", -"Height": "V\u00fd\u0161ka", -"Paste row after": "Vlo\u017eit \u0159\u00e1dek pod", -"Alignment": "Zarovn\u00e1n\u00ed", -"Column group": "Skupina sloupc\u016f", -"Row": "\u0158\u00e1dek", -"Insert column before": "Vlo\u017eit sloupec vlevo", -"Split cell": "Rozd\u011blit bu\u0148ky", -"Cell padding": "Vnit\u0159n\u00ed okraj bun\u011bk", -"Cell spacing": "Vn\u011bj\u0161\u00ed okraj bun\u011bk", -"Row type": "Typ \u0159\u00e1dku", -"Insert table": "Vlo\u017eit tabulku", -"Body": "T\u011blo", -"Caption": "Nadpis", -"Footer": "Pati\u010dka", -"Delete row": "Smazat \u0159\u00e1dek", -"Paste row before": "Vlo\u017eit \u0159\u00e1dek nad", -"Scope": "Rozsah", -"Delete table": "Smazat tabulku", -"Header cell": "Hlavi\u010dkov\u00e1 bu\u0148ka", -"Column": "Sloupec", -"Cell": "Bu\u0148ka", -"Header": "Hlavi\u010dka", -"Cell type": "Typ bu\u0148ky", -"Copy row": "Kop\u00edrovat \u0159\u00e1dek", -"Row properties": "Vlastnosti \u0159\u00e1dku", -"Table properties": "Vlastnosti tabulky", -"Row group": "Skupina \u0159\u00e1dk\u016f", -"Right": "Vpravo", -"Insert column after": "Vlo\u017eit sloupec vpravo", -"Cols": "Sloupc\u016f", -"Insert row after": "Vlo\u017eit \u0159\u00e1dek pod", -"Width": "\u0160\u00ed\u0159ka", -"Cell properties": "Vlastnosti bu\u0148ky", -"Left": "Vlevo", -"Cut row": "Vyjmout \u0159\u00e1dek", -"Delete column": "Smazat sloupec", -"Center": "Na st\u0159ed", -"Merge cells": "Slou\u010dit bu\u0148ky", -"Insert template": "Vlo\u017eit \u0161ablonu", -"Templates": "\u0160ablony", -"Background color": "Barva pozad\u00ed", -"Text color": "Barva p\u00edsma", -"Show blocks": "Uk\u00e1zat bloky", -"Show invisible characters": "Zobrazit speci\u00e1ln\u00ed znaky", -"Words: {0}": "Po\u010det slov: {0}", -"Insert": "Vlo\u017eit", -"File": "Soubor", -"Edit": "\u00dapravy", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Editor. Stiskn\u011bte ALT-F9 pro menu, ALT-F10 pro n\u00e1strojovou li\u0161tu a ALT-0 pro n\u00e1pov\u011bdu.", -"Tools": "N\u00e1stroje", -"View": "Zobrazit", -"Table": "Tabulka", -"Format": "Form\u00e1t" -}); \ No newline at end of file +tinymce.addI18n("cs",{"Redo":"Znovu","Undo":"Zp\u011bt","Cut":"Vyjmout","Copy":"Kop\xedrovat","Paste":"Vlo\u017eit","Select all":"Vybrat v\u0161e","New document":"Nov\xfd dokument","Ok":"OK","Cancel":"Zru\u0161it","Visual aids":"Vizu\xe1ln\xed pom\u016fcky","Bold":"Tu\u010dn\xe9","Italic":"Kurz\xedva","Underline":"Podtr\u017een\xe9","Strikethrough":"P\u0159e\u0161krtnut\xe9","Superscript":"Horn\xed index","Subscript":"Doln\xed index","Clear formatting":"Vymazat form\xe1tov\xe1n\xed","Remove":"Odebrat","Align left":"Zarovnat vlevo","Align center":"Zarovnat na st\u0159ed","Align right":"Zarovnat vpravo","No alignment":"Bez zarovn\xe1n\xed","Justify":"Do bloku","Bullet list":"Odr\xe1\u017eky","Numbered list":"\u010c\xedslov\xe1n\xed","Decrease indent":"Zmen\u0161it odsazen\xed","Increase indent":"Zv\u011bt\u0161it odsazen\xed","Close":"Zav\u0159\xedt","Formats":"Form\xe1ty","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"V\xe1\u0161 prohl\xed\u017ee\u010d nepodporuje p\u0159\xedm\xfd p\u0159\xedstup do schr\xe1nky. Pou\u017eijte pros\xedm kl\xe1vesov\xe9 zkratky Ctrl+X/C/V.","Headings":"Nadpisy","Heading 1":"Nadpis 1","Heading 2":"Nadpis 2","Heading 3":"Nadpis 3","Heading 4":"Nadpis 4","Heading 5":"Nadpis 5","Heading 6":"Nadpis 6","Preformatted":"P\u0159edform\xe1tovan\xfd text","Div":"Div (blok)","Pre":"Pre (p\u0159edform\xe1tov\xe1no)","Code":"Code (k\xf3d)","Paragraph":"Odstavec","Blockquote":"Citace","Inline":"\u0158\xe1dkov\xe9 zobrazen\xed (inline)","Blocks":"Blokov\xe9 zobrazen\xed (block)","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Je zapnuto vkl\xe1d\xe1n\xed \u010dist\xe9ho textu. Dokud nebude tato volba vypnuta, bude ve\u0161ker\xfd obsah vlo\u017een jako \u010dist\xfd text.","Fonts":"Typ p\xedsma","Font sizes":"Velikost p\xedsma","Class":"T\u0159\xedda","Browse for an image":"Vyhledat obr\xe1zek","OR":"NEBO","Drop an image here":"P\u0159et\xe1hn\u011bte obr\xe1zek do tohoto um\xedst\u011bn\xed","Upload":"Nahr\xe1t","Uploading image":"Nahr\xe1v\xe1n\xed obr\xe1zku","Block":"Do bloku","Align":"Zarovn\xe1n\xed","Default":"V\xfdchoz\xed","Circle":"Krou\u017eek","Disc":"Te\u010dka","Square":"\u010ctvere\u010dek","Lower Alpha":"Mal\xe1 p\xedsmena latinka","Lower Greek":"Mal\xe1 p\xedsmena \u0159e\u010dtina","Lower Roman":"Mal\xe9 \u0159\xedmsk\xe9 \u010d\xedslice","Upper Alpha":"Velk\xe1 p\xedsmena latinka","Upper Roman":"Velk\xe9 \u0159\xedmsk\xe9 \u010d\xedslice","Anchor...":"Kotva","Anchor":"Kotva","Name":"N\xe1zev","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID by m\u011blo za\u010d\xednat p\xedsmenem a n\xe1sledn\u011b obsahovat pouze p\xedsmena, \u010d\xedslice, \u010d\xe1rky, te\u010dky, st\u0159edn\xedky nebo podtr\u017e\xedtka.","You have unsaved changes are you sure you want to navigate away?":"N\u011bkter\xe9 zm\u011bny nejsou ulo\u017eeny. Jste si opravdu jisti, \u017ee chcete opustit tuto str\xe1nku?","Restore last draft":"Obnovit posledn\xed koncept","Special character...":"Speci\xe1ln\xed znak\u2026","Special Character":"Speci\xe1ln\xed znaky","Source code":"Zdrojov\xfd k\xf3d","Insert/Edit code sample":"Vlo\u017eit/upravit uk\xe1zku k\xf3du","Language":"Jazyk","Code sample...":"Uk\xe1zka k\xf3du","Left to right":"Zleva doprava","Right to left":"Zprava doleva","Title":"Titulek","Fullscreen":"Na celou obrazovku","Action":"Akce","Shortcut":"Zkratka","Help":"N\xe1pov\u011bda","Address":"Adresa","Focus to menubar":"P\u0159ej\xedt na panel nab\xeddek","Focus to toolbar":"P\u0159ej\xedt na panel n\xe1stroj\u016f","Focus to element path":"P\u0159ej\xedt na cestu prvku","Focus to contextual toolbar":"P\u0159ej\xedt na kontextov\xfd panel n\xe1stroj\u016f","Insert link (if link plugin activated)":"Vlo\u017eit odkaz (pokud je aktivn\xed plugin 'link')","Save (if save plugin activated)":"Ulo\u017eit (pokud je aktivn\xed plugin 'save')","Find (if searchreplace plugin activated)":"Hledat (pokud je aktivn\xed plugin 'searchreplace')","Plugins installed ({0}):":"Instalovan\xe9 pluginy ({0}):","Premium plugins:":"Pr\xe9miov\xe9 pluginy:","Learn more...":"Zjistit v\xedce...","You are using {0}":"Pou\u017e\xedv\xe1te {0}","Plugins":"Pluginy","Handy Shortcuts":"Praktick\xe9 kl\xe1vesov\xe9 zkratky","Horizontal line":"Vodorovn\xe1 \u010d\xe1ra","Insert/edit image":"Vlo\u017eit/upravit obr\xe1zek","Alternative description":"Alternativn\xed text","Accessibility":"Bez alternativn\xedho textu","Image is decorative":"(dekorativn\xed obr\xe1zek bez alternativn\xedho textu)","Source":"Zdrojov\xe1 URL","Dimensions":"Rozm\u011bry","Constrain proportions":"Zachovat proporce","General":"Obecn\xe9","Advanced":"Pokro\u010dil\xe9","Style":"CSS styl","Vertical space":"Svisl\xe9 odsazen\xed","Horizontal space":"Vodorovn\xe9 odsazen\xed","Border":"\u0160\xed\u0159ka ohrani\u010den\xed","Insert image":"Vlo\u017eit obr\xe1zek","Image...":"Obr\xe1zek","Image list":"Seznam obr\xe1zk\u016f","Resize":"Zm\u011bnit velikost","Insert date/time":"Vlo\u017eit datum/\u010das","Date/time":"Datum a \u010das","Insert/edit link":"Vlo\u017eit/upravit odkaz","Text to display":"Text odkazu","Url":"URL odkazu","Open link in...":"C\xedlov\xe9 okno URL","Current window":"Otev\u0159\xedt v nad\u0159azen\xe9 okn\u011b","None":"Nevybr\xe1no","New window":"Otev\u0159\xedt v nov\xe9m okn\u011b","Open link":"C\xedlov\xe9 okno URL","Remove link":"Odstranit odkaz","Anchors":"Kotvy","Link...":"Odkaz","Paste or type a link":"Zadejte nebo vlo\u017ete URL odkazu","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Zadan\xe9 URL vypad\xe1 jako e-mailov\xe1 adresa. Chcete doplnit povinn\xfd prefix mailto://?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Zadan\xe9 URL vypad\xe1 jako odkaz na jin\xfd web. Chcete doplnit povinn\xfd prefix http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Zadan\xe9 URL vypad\xe1 jako odkaz na jin\xfd web. Chcete doplnit povinn\xfd prefix https://?","Link list":"Seznam odkaz\u016f","Insert video":"Vlo\u017eit video","Insert/edit video":"Vlo\u017eit/upravit video","Insert/edit media":"Vlo\u017eit/upravit m\xe9dia","Alternative source":"Alternativn\xed zdroj","Alternative source URL":"Alternativn\xed zdrojov\xe1 URL","Media poster (Image URL)":"URL n\xe1hledu","Paste your embed code below:":"Vlo\u017ete k\xf3d pro vlo\u017een\xed:","Embed":"Vlo\u017een\xfd k\xf3d","Media...":"M\xe9dia","Nonbreaking space":"Pevn\xe1 mezera","Page break":"Konec str\xe1nky","Paste as text":"Vlo\u017eit jako \u010dist\xfd text","Preview":"N\xe1hled","Print":"Tisk","Print...":"Tisk...","Save":"Ulo\u017eit","Find":"Naj\xedt","Replace with":"Nahradit za","Replace":"Nahradit","Replace all":"Nahradit v\u0161e","Previous":"P\u0159edchoz\xed","Next":"N\xe1sleduj\xedc\xed","Find and Replace":"Naj\xedt a nahradit","Find and replace...":"Naj\xedt a nahradit","Could not find the specified string.":"Zadan\xfd \u0159et\u011bzec nebyl nalezen.","Match case":"Rozli\u0161ovat velikost p\xedsmen","Find whole words only":"Pouze cel\xe1 slova","Find in selection":"Ozna\u010den\xfd text","Insert table":"Vlo\u017eit tabulku","Table properties":"Vlastnosti tabulky","Delete table":"Smazat tabulku","Cell":"Bu\u0148ka","Row":"\u0158\xe1dek","Column":"Sloupec","Cell properties":"Vlastnosti bu\u0148ky","Merge cells":"Slou\u010dit bu\u0148ky","Split cell":"Rozd\u011blit bu\u0148ky","Insert row before":"Vlo\u017eit \u0159\xe1dek nad","Insert row after":"Vlo\u017eit \u0159\xe1dek pod","Delete row":"Smazat \u0159\xe1dek","Row properties":"Vlastnosti \u0159\xe1dku","Cut row":"Vyjmout \u0159\xe1dek","Cut column":"O\u0159\xedznout sloupec","Copy row":"Kop\xedrovat \u0159\xe1dek","Copy column":"Kop\xedrovat sloupec","Paste row before":"Vlo\u017eit \u0159\xe1dek nad","Paste column before":"Vlo\u017eit sloupec p\u0159ed","Paste row after":"Vlo\u017eit \u0159\xe1dek pod","Paste column after":"Vlo\u017eit sloupec za","Insert column before":"Vlo\u017eit sloupec vlevo","Insert column after":"Vlo\u017eit sloupec vpravo","Delete column":"Smazat sloupec","Cols":"Sloupc\u016f","Rows":"\u0158\xe1dek","Width":"\u0160\xed\u0159ka","Height":"V\xfd\u0161ka","Cell spacing":"Vn\u011bj\u0161\xed okraj bun\u011bk","Cell padding":"Vnit\u0159n\xed okraj bun\u011bk","Row clipboard actions":"Akce schr\xe1nky \u0159\xe1dku","Column clipboard actions":"Akce schr\xe1nky sloupce","Table styles":"Styly tabulky","Cell styles":"Styly bu\u0148ky","Column header":"Hlavi\u010dka sloupce","Row header":"Hlavi\u010dka \u0159\xe1dku","Table caption":"Nadpis tabulky","Caption":"Titulek","Show caption":"Zobrazit titulek","Left":"Vlevo","Center":"Na st\u0159ed","Right":"Vpravo","Cell type":"Typ bu\u0148ky","Scope":"Rozsah","Alignment":"Zarovn\xe1n\xed","Horizontal align":"Vodorovn\xe9 zarovn\xe1n\xed","Vertical align":"Svisl\xe9 zarovn\xe1n\xed","Top":"Nahoru","Middle":"Uprost\u0159ed","Bottom":"Dol\u016f","Header cell":"Bu\u0148ka z\xe1hlav\xed","Row group":"Skupina \u0159\xe1dk\u016f","Column group":"Skupina sloupc\u016f","Row type":"Typ \u0159\xe1dku","Header":"Z\xe1hlav\xed","Body":"T\u011blo","Footer":"Pati\u010dka","Border color":"Barva ohrani\u010den\xed","Solid":"Pln\xe1","Dotted":"Te\u010dkovan\xe1","Dashed":"\u010c\xe1rkovan\xe1","Double":"Dvojit\xe1","Groove":"Dr\xe1\u017ekov\xe1","Ridge":"H\u0159ebenov\xe1","Inset":"Vnit\u0159n\xed","Outset":"Vn\u011bj\u0161\xed","Hidden":"Skryt\xfd","Insert template...":"Vlo\u017eit \u0161ablonu","Templates":"\u0160ablony","Template":"\u0160ablona","Insert Template":"Vlo\u017eit \u0161ablonu","Text color":"Barva p\xedsma","Background color":"Barva pozad\xed","Custom...":"Vlastn\xed...","Custom color":"Vlastn\xed barva","No color":"Bez barvy","Remove color":"Odebrat barvu","Show blocks":"Zobrazit bloky","Show invisible characters":"Zobrazit neviditeln\xe9 znaky","Word count":"Po\u010det slov","Count":"Po\u010det","Document":"Dokument","Selection":"V\xfdb\u011br","Words":"Slova","Words: {0}":"Po\u010det slov: {0}","{0} words":"{0} slov","File":"Soubor","Edit":"\xdapravy","Insert":"Vlo\u017eit","View":"Zobrazit","Format":"Form\xe1t","Table":"Tabulka","Tools":"N\xe1stroje","Powered by {0}":"Poh\xe1n\u011bno {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Editor. Stiskn\u011bte ALT-F9 pro menu, ALT-F10 pro n\xe1strojovou li\u0161tu a ALT-0 pro n\xe1pov\u011bdu.","Image title":"N\xe1zev obr\xe1zku","Border width":"\u0160\xed\u0159ka ohrani\u010den\xed","Border style":"Styl ohrani\u010den\xed","Error":"Chyba","Warn":"Varov\xe1n\xed","Valid":"Platn\xfd","To open the popup, press Shift+Enter":"Vyskakovac\xed okno otev\u0159ete stisknut\xedm Shift+Enter","Rich Text Area":"Oblast pln\xe9ho textu","Rich Text Area. Press ALT-0 for help.":"Oblast Rich Text, stiskn\u011bte ALT-0 pro n\xe1pov\u011bdu.","System Font":"Typ p\xedsma","Failed to upload image: {0}":"Selhalo nahr\xe1n\xed obr\xe1zku: {0}","Failed to load plugin: {0} from url {1}":"Selhalo na\u010dten\xed pluginu: {0} z URL {1}","Failed to load plugin url: {0}":"Selhalo na\u010dten\xed URL pluginu: {0}","Failed to initialize plugin: {0}":"Selhala inicializace pluginu: {0}","example":"p\u0159\xedklad","Search":"Hledat","All":"V\u0161e","Currency":"M\u011bna","Text":"Text","Quotations":"Citace","Mathematical":"Matematick\xe9 symboly","Extended Latin":"Roz\u0161\xed\u0159en\xe1 latinka","Symbols":"Symboly","Arrows":"\u0160ipky","User Defined":"Definovan\xe9 u\u017eivatelem","dollar sign":"znak dolar","currency sign":"znak m\u011bny","euro-currency sign":"znak eura","colon sign":"znak colon","cruzeiro sign":"znak cruzeiro","french franc sign":"znak francouzsk\xfdo frank","lira sign":"znak lira","mill sign":"znak mill","naira sign":"znak nairo","peseta sign":"znak peseto","rupee sign":"znak rupie","won sign":"znak won","new sheqel sign":"znak nov\xfd \u0161ekel","dong sign":"znak dong","kip sign":"znak kip","tugrik sign":"znak tugrik","drachma sign":"znak drachma","german penny symbol":"znak n\u011bmeck\xfd fenik","peso sign":"znak peso","guarani sign":"znak guaran\xed","austral sign":"znak austral","hryvnia sign":"znak h\u0159ivna","cedi sign":"znak cedi","livre tournois sign":"znak tournois libra","spesmilo sign":"znak spesmilo","tenge sign":"znak tenge","indian rupee sign":"znak indick\xe1 rupie","turkish lira sign":"znak tureck\xe1 liry","nordic mark sign":"znak norsk\xe1 marka","manat sign":"znak manat","ruble sign":"znak rubl","yen character":"znak jen","yuan character":"znak juan","yuan character, in hong kong and taiwan":"znak juanu v hongkongu a tchaj-wanu","yen/yuan character variant one":"znak jenu/juanu, varianta 1","Emojis":"Emotikony","Emojis...":"Emotikony...","Loading emojis...":"Na\u010d\xedt\xe1n\xed emotikon...","Could not load emojis":"Nelze na\u010d\xedst emotikony","People":"Lid\xe9","Animals and Nature":"Zv\xed\u0159ata a p\u0159\xedroda","Food and Drink":"J\xeddlo a pit\xed","Activity":"Aktivita","Travel and Places":"Cestov\xe1n\xed a m\xedsta","Objects":"Objekty","Flags":"Vlajky","Characters":"Znaky","Characters (no spaces)":"Znaky (bez mezer)","{0} characters":"{0} znak\u016f","Error: Form submit field collision.":"Chyba: Kolize odes\xedlac\xedho formul\xe1\u0159ov\xe9ho pole.","Error: No form element found.":"Chyba: Nebyl nalezen \u017e\xe1dn\xfd prvek formul\xe1\u0159e.","Color swatch":"Vzorek barvy","Color Picker":"V\xfdb\u011br barvy","Invalid hex color code: {0}":"Chybn\xfd hex k\xf3d barvy: {0}","Invalid input":"Neplatn\xfd vstup","R":"R","Red component":"\u010cerven\xe1 slo\u017eka","G":"G","Green component":"Zelen\xe1 slo\u017eka","B":"B","Blue component":"Modr\xe1 slo\u017eka","#":"#","Hex color code":"Hex k\xf3d barvy","Range 0 to 255":"Rozsah 0 a\u017e 255","Turquoise":"Tyrkysov\xe1","Green":"Zelen\xe1","Blue":"Modr\xe1","Purple":"Fialov\xe1","Navy Blue":"N\xe1mo\u0159nick\xe1 mod\u0159","Dark Turquoise":"Tmav\u011b tyrkysov\xe1","Dark Green":"Tmav\u011b zelen\xe1","Medium Blue":"St\u0159edn\u011b modr\xe1","Medium Purple":"St\u0159edn\u011b fialov\xe1","Midnight Blue":"P\u016flno\u010dn\xed modr\xe1","Yellow":"\u017dlut\xe1","Orange":"Oran\u017eov\xe1","Red":"\u010cerven\xe1","Light Gray":"Sv\u011btle \u0161ed\xe1","Gray":"\u0160ed\xe1","Dark Yellow":"Tmav\u011b \u017elut\xe1","Dark Orange":"Tmav\u011b oran\u017eov\xe1","Dark Red":"Tmav\u011b \u010derven\xe1","Medium Gray":"St\u0159edn\u011b \u0161ed\xe1","Dark Gray":"Tmav\u011b \u0161ed\xe1","Light Green":"Sv\u011btle zelen\xe1","Light Yellow":"Sv\u011btle \u017elut\xe1","Light Red":"Sv\u011btle \u010derven\xe1","Light Purple":"Sv\u011btle fialov\xe1","Light Blue":"Sv\u011btle modr\xe1","Dark Purple":"Tmav\u011b fialov\xe1","Dark Blue":"Tmav\u011b modr\xe1","Black":"\u010cern\xe1","White":"B\xedl\xe1","Switch to or from fullscreen mode":"P\u0159ep\xedn\xe1n\xed mezi re\u017eimem cel\xe9 obrazovky","Open help dialog":"Otev\u0159\xedt okno n\xe1pov\u011bdy","history":"historie","styles":"styly","formatting":"form\xe1tov\xe1n\xed","alignment":"zarovn\xe1n\xed","indentation":"odsazen\xed","Font":"P\xedsmo","Size":"Velikost","More...":"Dal\u0161\xed\u2026","Select...":"Vybrat","Preferences":"P\u0159edvolby","Yes":"Ano","No":"Ne","Keyboard Navigation":"Navigace pomoc\xed kl\xe1vesnice","Version":"Verze","Code view":"Zobrazit k\xf3d","Open popup menu for split buttons":"Otev\u0159ete vyskakovac\xed nab\xeddku pro rozd\u011blen\xe1 tla\u010d\xedtka","List Properties":"Vlastnosti seznamu","List properties...":"Vlastnosti seznamu...","Start list at number":"Po\u010d\xe1te\u010dn\xed \u010d\xedslo seznamu","Line height":"V\xfd\u0161ka \u0159\xe1dku","Dropped file type is not supported":"Nahr\xe1van\xfd soubor nen\xed podporov\xe1n","Loading...":"Nahr\xe1v\xe1n\xed...","ImageProxy HTTP error: Rejected request":"Chyba ImageProxy HTTP: Po\u017eadavek zam\xedtnut","ImageProxy HTTP error: Could not find Image Proxy":"Chyba ImageProxy HTTP: Nelze nalest Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"Chyba ImageProxy HTTP: Chybn\xe1 adresa Image Proxy","ImageProxy HTTP error: Unknown ImageProxy error":"Chyba ImageProxy HTTP: Nezn\xe1m\xe1 chyba"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/cy.js b/deform/static/tinymce/langs/cy.js index 280c1a11..74cb86a8 100644 --- a/deform/static/tinymce/langs/cy.js +++ b/deform/static/tinymce/langs/cy.js @@ -1,174 +1 @@ -tinymce.addI18n('cy',{ -"Cut": "Torri", -"Header 2": "Pennawd 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Dyw eich porwr ddim yn cynnal mynediad uniongyrchol i'r clipfwrdd. Defnyddiwch yr allweddau llwybr brys Ctrl+X\/C\/V yn lle 'ny.", -"Div": "Div", -"Paste": "Gludo", -"Close": "Cau", -"Pre": "Pre", -"Align right": "Aliniad dde", -"New document": "Dogfen newydd", -"Blockquote": "Dyfyniad bloc", -"Numbered list": "Rhestr rifol", -"Increase indent": "Cynyddu mewnoliad", -"Formats": "Fformatiau", -"Headers": "Penawdau", -"Select all": "Dewis popeth", -"Header 3": "Pennawd 3", -"Blocks": "Blociau", -"Undo": "Dadwneud", -"Strikethrough": "Llinell drwodd", -"Bullet list": "Rhestr fwled", -"Header 1": "Pennawd 1", -"Superscript": "Uwchsgript", -"Clear formatting": "Clirio fformatio", -"Subscript": "Is-sgript", -"Header 6": "Pennawd 6", -"Redo": "AIlwneud", -"Paragraph": "Paragraff", -"Ok": "Iawn", -"Bold": "Bras", -"Code": "Cod", -"Italic": "Italig", -"Align center": "Aliniad canol", -"Header 5": "Pennawd 5", -"Decrease indent": "Lleinhau mewnoliad", -"Header 4": "Pennawd 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Mae gludo nawr yn gweithio mewn modd testun plaen. Caiff testun plaen ei ludo nawr tan gaiff yr opsiwn hwn ei doglo bant.", -"Underline": "Tanlinellu", -"Cancel": "Canslo", -"Justify": "Unioni", -"Inline": "Mewn llinell", -"Copy": "Cop\u00efo", -"Align left": "Aliniad chwith", -"Visual aids": "Cymorth gweledol", -"Lower Greek": "Groeg Is", -"Square": "Sgw\u00e2r", -"Default": "Diofyn", -"Lower Alpha": "Alffa Is", -"Circle": "Cylch", -"Disc": "Disg", -"Upper Alpha": "Alffa Uwch", -"Upper Roman": "Rhufeinig Uwch", -"Lower Roman": "Rhufeinig Is", -"Name": "Enw", -"Anchor": "Angor", -"You have unsaved changes are you sure you want to navigate away?": "Mae newidiadau heb eu cadw - ydych chi wir am symud i ffwrdd?", -"Restore last draft": "Adfer y drafft olaf", -"Special character": "Nod arbennig", -"Source code": "Cod gwreiddiol", -"Right to left": "Dde i'r chwith", -"Left to right": "Chwith i'r dde", -"Emoticons": "Gwenogluniau", -"Robots": "Robotiaid", -"Document properties": "Priodweddau'r ddogfen", -"Title": "Teitl", -"Keywords": "Allweddeiriau", -"Encoding": "Amgodiad", -"Description": "Disgrifiad", -"Author": "Awdur", -"Fullscreen": "Sgrin llawn", -"Horizontal line": "Llinell lorweddol", -"Horizontal space": "Gofod llorweddol", -"Insert\/edit image": "Mewnosod\/golygu delwedd", -"General": "Cyffredinol", -"Advanced": "Uwch", -"Source": "Ffynhonnell", -"Border": "Ymyl", -"Constrain proportions": "Gorfodi cyfrannedd", -"Vertical space": "Gofod fertigol", -"Image description": "Disgrifiad y ddelwedd", -"Style": "Arddull", -"Dimensions": "Dimensiynau", -"Insert image": "Mewnosod delwedd", -"Insert date\/time": "Mewnosod dyddiad\/amser", -"Remove link": "Tynnu dolen", -"Url": "Url", -"Text to display": "Testun i'w ddangos", -"Anchors": "Angorau", -"Insert link": "Mewnosod dolen", -"New window": "Ffenest newydd", -"None": "Dim", -"Target": "Targed", -"Insert\/edit link": "Mewnosod\/golygu dolen", -"Insert\/edit video": "Mewnosod\/golygu fideo", -"Poster": "Poster", -"Alternative source": "Ffynhonnell amgen", -"Paste your embed code below:": "Gludwch eich cod mewnosod isod:", -"Insert video": "Mewnosod fideo", -"Embed": "Mewnosod", -"Nonbreaking space": "Bwlch heb dorri", -"Page break": "Toriad tudalen", -"Preview": "Rhagolwg", -"Print": "Argraffu", -"Save": "Cadw", -"Could not find the specified string.": "Methu ffeindio'r llinyn hwnnw.", -"Replace": "Amnewid", -"Next": "Nesaf", -"Whole words": "Geiriau cyfan", -"Find and replace": "Chwilio ac amnewid", -"Replace with": "Amnewid gyda", -"Find": "Chwilio", -"Replace all": "Amnewid pob", -"Match case": "Cydweddu'r un c\u00eas", -"Prev": "Cynt", -"Spellcheck": "Sillafydd", -"Finish": "Gorffen", -"Ignore all": "Amwybyddu pob", -"Ignore": "Anwybyddu", -"Insert row before": "Mewnosod rhes cyn", -"Rows": "Rhesi", -"Height": "Uchder", -"Paste row after": "Gludo rhes ar \u00f4l", -"Alignment": "Aliniad", -"Column group": "Gr\u0175p colofn", -"Row": "Rhes", -"Insert column before": "Mewnosod colofn cyn", -"Split cell": "Hollti celloedd", -"Cell padding": "Padio cell", -"Cell spacing": "Bylchiau cell", -"Row type": "Math y rhes", -"Insert table": "Mewnosod tabl", -"Body": "Corff", -"Caption": "Pennawd", -"Footer": "Troedyn", -"Delete row": "Dileu rhes", -"Paste row before": "Gludo rhes cyn", -"Scope": "Sgop", -"Delete table": "Dileu'r tabl", -"Header cell": "Cell bennawd", -"Column": "Colofn", -"Cell": "Cell", -"Header": "Pennyn", -"Cell type": "Math y gell", -"Copy row": "Cop\u00efo rhes", -"Row properties": "Priodweddau rhes", -"Table properties": "Priodweddau tabl", -"Row group": "Gr\u0175p rhes", -"Right": "Dde", -"Insert column after": "Mewnosod colofn ar \u00f4l", -"Cols": "Col'u", -"Insert row after": "Mewnosod rhes ar \u00f4l", -"Width": "Lled", -"Cell properties": "Priodweddau'r gell", -"Left": "Chwith", -"Cut row": "Torri rhes", -"Delete column": "Dileu colofn", -"Center": "Canol", -"Merge cells": "Cyfuno celloedd", -"Insert template": "Mewnosod templed", -"Templates": "Templedi", -"Background color": "Lliw cefndir", -"Text color": "Lliw testun", -"Show blocks": "Dangos blociau", -"Show invisible characters": "Dangos nodau anweledig", -"Words: {0}": "Geiriau: {0}", -"Insert": "Mewnosod", -"File": "Ffeil", -"Edit": "Golygu", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Ardal Testun Uwch. Pwyswch ALT-F9 ar gyfer y ddewislen, Pwyswch ALT-F10 ar gyfer y bar offer. Pwyswch ALT-0 am gymorth", -"Tools": "Offer", -"View": "Dangos", -"Table": "Tabl", -"Format": "Fformat" -}); \ No newline at end of file +tinymce.addI18n("cy",{"Redo":"Ailwneud","Undo":"Dadwneud","Cut":"Torri","Copy":"Cop\xefo","Paste":"Gludo","Select all":"Dewis popeth","New document":"Dogfen newydd","Ok":"Iawn","Cancel":"Canslo","Visual aids":"Cymorth gweledol","Bold":"Trwm","Italic":"Italig","Underline":"Tanlinellu","Strikethrough":"Llinell drwodd","Superscript":"Uwchsgript","Subscript":"Is-sgript","Clear formatting":"Clirio pob fformat","Remove":"Gwaredu","Align left":"Aliniad chwith","Align center":"Aliniad canol","Align right":"Aliniad de","No alignment":"Dim aliniad","Justify":"Unioni","Bullet list":"Rhestr fwled","Numbered list":"Rhestr rifol","Decrease indent":"Lleihau mewnoliad","Increase indent":"Cynyddu mewnoliad","Close":"Cau","Formats":"Fformatau","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Dyw eich porwr ddim yn cynnal mynediad uniongyrchol i'r clipfwrdd. Yn hytrach defnyddiwch y bysellau llwybrau byr Ctrl+X/C/V.","Headings":"Penawdau","Heading 1":"Pennawd 1","Heading 2":"Pennawd 2","Heading 3":"Pennawd 3","Heading 4":"Pennawd 4","Heading 5":"Pennawd 5","Heading 6":"Pennawd 6","Preformatted":"Wedi ei rag-fformatio","Div":"Div","Pre":"Pre","Code":"Cod","Paragraph":"Paragraff","Blockquote":"Dyfyniad Bloc","Inline":"Mewnlin","Blocks":"Blociau","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Mae gludo nawr yn gweithio yn y modd testun plaen. Caiff testun plaen ei ludo nawr tan gaiff yr opsiwn ei doglo i'w ddiffodd.","Fonts":"Ffontau","Font sizes":"Meintiau ffont","Class":"Dosbarth","Browse for an image":"Pori am ddelwedd","OR":"NEU","Drop an image here":"Gollwng delwedd yma","Upload":"Uwchlwytho","Uploading image":"Uwchlwytho delwedd","Block":"Bloc","Align":"Alinio","Default":"Diofyn","Circle":"Cylch","Disc":"Disg","Square":"Sgw\xe2r","Lower Alpha":"Llythrennau Bach","Lower Greek":"Groeg (Llythrennau Bach)","Lower Roman":"Rhufeinig (Llythrennau Bach)","Upper Alpha":"Priflythrennau","Upper Roman":"Rhufeinig (Priflythrennau)","Anchor...":"Angor...","Anchor":"Angor","Name":"Enw","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"Dylai\u2019r ID gychwyn gyda llythyren, yn cael ei ddilyn gan ddim ond lythrennau, rhifau, llinellau toredig, dotiau, colonau neu thanlinellau.","You have unsaved changes are you sure you want to navigate away?":"Mae newidiadau heb eu cadw - ydych chi wir am symud i ffwrdd?","Restore last draft":"Adfer y drafft olaf","Special character...":"Nod arbennig...","Special Character":"Nod arbennig","Source code":"Cod gwreiddiol","Insert/Edit code sample":"Mewnosod/golygu sampl cod","Language":"Iaith","Code sample...":"Sampl cod...","Left to right":"Chwith i'r dde","Right to left":"De i'r chwith","Title":"Teitl","Fullscreen":"Sgrin llawn","Action":"Gweithred","Shortcut":"Llwybr Byr","Help":"Cymorth","Address":"Cyfeiriad","Focus to menubar":"Ffocws i'r bar dewislen","Focus to toolbar":"Ffocws i'r bar offer","Focus to element path":"Ffocws i lwybr elfen","Focus to contextual toolbar":"Ffocws i far offer y cyd-destun","Insert link (if link plugin activated)":"Mewnosod dolen (os yw'r ategyn dolen yn weithredol)","Save (if save plugin activated)":"Cadw (os yw'r ategyn cadw yn weithredol)","Find (if searchreplace plugin activated)":"Canfod (os yw'r ategyn chwilio ac amnewid yn weithredol)","Plugins installed ({0}):":"Ategio wedi eu gosod ({0}):","Premium plugins:":"Ategion premiwm:","Learn more...":"Dysgu Mwy...","You are using {0}":"Rydych yn defnyddio {0}","Plugins":"Ategion","Handy Shortcuts":"Llwybrau byr cyfleus","Horizontal line":"Llinell lorweddol","Insert/edit image":"Mewnosod/golygu delwedd","Alternative description":"Disgrifiad arall","Accessibility":"Hygyrchedd","Image is decorative":"Delwedd yn addurniadol","Source":"Ffynhonnell","Dimensions":"Dimensiynau","Constrain proportions":"Cyfyngu cyfranneddau","General":"Cyffredinol","Advanced":"Uwch","Style":"Arddull","Vertical space":"Gofod fertigol","Horizontal space":"Gofod llorweddol","Border":"Border","Insert image":"Mewnosod delwedd","Image...":"Delwedd...","Image list":"Rhestr delweddau","Resize":"Ailfeintio","Insert date/time":"Mewnosod dyddiad/amser","Date/time":"Dyddiad/amser","Insert/edit link":"Mewnosod/golygu dolen","Text to display":"Testun i'w ddangos","Url":"URL","Open link in...":"Agor dolen yn...","Current window":"Ffenestr gyfredol","None":"Dim","New window":"Ffenestr newydd","Open link":"Agor dolen","Remove link":"Tynnu dolen","Anchors":"Angorau","Link...":"Dolen...","Paste or type a link":"Gludo neu deipio dolen","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Mae'n debyg mai cyfeiriad e-bost yw'r URL hwn. Ydych chi am ychwanegu'r rhagddoddiad mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Mae'n debyg mai dolen allanol yw'r URL hwn. Ydych chi am ychwanegu'r rhagddodiad http:// ?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Ymddengys mai dolen allannol yw'r URL a roddoch chi. Ydych chi eisiau ychwanegu'r rhagddodiad https:// gofynnol?","Link list":"Rhestr dolenni","Insert video":"Mewnosod fideo","Insert/edit video":"Mewnosod/golygu fideo","Insert/edit media":"Mewnosod/golygu cyfrwng","Alternative source":"Ffynhonnell arall","Alternative source URL":"Ffynhonnell URL arall","Media poster (Image URL)":"Poster cyfrwng (URL delwedd)","Paste your embed code below:":"Gludwch eich cod mewnblannu isod:","Embed":"Mewnblannu","Media...":"Cyfrwng...","Nonbreaking space":"Bwlch di-dor","Page break":"Toriad tudalen","Paste as text":"Gludo fel testun","Preview":"Rhagolwg","Print":"Argraffu","Print...":"Argraffu...","Save":"Cadw","Find":"Chwilio","Replace with":"Amnewid gyda","Replace":"Amnewid","Replace all":"Amnewid y cwbl","Previous":"Blaenorol","Next":"Nesaf","Find and Replace":"Canfod a Newid","Find and replace...":"Chwilio ac amnewid","Could not find the specified string.":"Methu dod o hyd 'r llinyn dan sylw.","Match case":"Cydweddu cas","Find whole words only":"Canfod geiriau llawn yn unig","Find in selection":"Canfod yn y dewisiad","Insert table":"Mewnosod tabl","Table properties":"Priodweddau tabl","Delete table":"Dileu'r tabl","Cell":"Cell","Row":"Rhes","Column":"Colofn","Cell properties":"Priodweddau'r gell","Merge cells":"Cyfuno celloedd","Split cell":"Hollti cell","Insert row before":"Mewnosod rhes cyn","Insert row after":"Mewnosod rhes ar \xf4l","Delete row":"Dileu rhes","Row properties":"Priodweddau rhes","Cut row":"Torri rhes","Cut column":"Torri colofn","Copy row":"Cop\xefo rhes","Copy column":"Cop\xefo colofn","Paste row before":"Gludo rhes cyn","Paste column before":"Gludo colofn cyn","Paste row after":"Gludo rhes ar \xf4l","Paste column after":"Gludo colofn ar \xf4l","Insert column before":"Mewnosod colofn cyn","Insert column after":"Mewnosod colofn ar \xf4l","Delete column":"Dileu colofn","Cols":"Colofnau","Rows":"Rhesi","Width":"Lled","Height":"Uchder","Cell spacing":"Bylchiad celloedd","Cell padding":"Padio celloedd","Row clipboard actions":"Camau clipfwrdd rhes","Column clipboard actions":"Camau clipfwrdd colofn","Table styles":"Arddulliau tabl","Cell styles":"Arddulliau cell","Column header":"Pennyn colofn","Row header":"Pennyn rhes","Table caption":"Capsiwn tabl","Caption":"Capsiwn","Show caption":"Dangos capsiwn","Left":"Chwith","Center":"Canol","Right":"De","Cell type":"Math y gell","Scope":"Cwmpas","Alignment":"Aliniad","Horizontal align":"Alinio llorweddol","Vertical align":"Alinio fertigol","Top":"Brig","Middle":"Canol","Bottom":"Gwaelod","Header cell":"Cell bennyn","Row group":"Gr\u0175p rhes","Column group":"Gr\u0175p colofn","Row type":"Math y rhes","Header":"Pennyn","Body":"Corff","Footer":"Troedyn","Border color":"Lliw Border","Solid":"Solid","Dotted":"Dotiog","Dashed":"Llinell doredig","Double":"Dwbl","Groove":"Rhych","Ridge":"Esgair","Inset":"Encilio","Outset":"Ymwthio","Hidden":"Cudd","Insert template...":"Mewnosod templed...","Templates":"Templedi","Template":"Templed","Insert Template":"Mewnosod templed","Text color":"Lliw testun","Background color":"Lliw cefndir","Custom...":"Personol...","Custom color":"Lliw personol","No color":"Dim Lliw","Remove color":"Tynnu lliw","Show blocks":"Dangos blociau","Show invisible characters":"Dangos nodau anweledig","Word count":"Cyfri geiriau","Count":"Cyfrif","Document":"Dogfen","Selection":"Dewis","Words":"Geiriau","Words: {0}":"Geiriau: {0}","{0} words":"{0} o eiriau","File":"Ffeil","Edit":"Golygu","Insert":"Mewnosod","View":"Gweld","Format":"Fformat","Table":"Tabl","Tools":"Offer","Powered by {0}":"Gyrrir gan {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Ardal Testun Cyfoethog. Pwyswch ALT-F9 ar gyfer y ddewislen, Pwyswch ALT-F10 ar gyfer y bar offer. Pwyswch ALT-0 am gymorth","Image title":"Teitl delwedd","Border width":"Lled border","Border style":"Steil border","Error":"Gwall","Warn":"Rhybuddio","Valid":"Dilys","To open the popup, press Shift+Enter":"I agor y llamlen, pwyswch Shift+Enter","Rich Text Area":"Ardal testun cyfoethog","Rich Text Area. Press ALT-0 for help.":"Ardal testun cyfoethog. Pwyswch ALT-0 am help.","System Font":"Ffont system","Failed to upload image: {0}":"Wedi methu uwchlwytho'r ddelwedd: {0}","Failed to load plugin: {0} from url {1}":"Wedi methu llwytho'r ategyn: {0} o'r url {1}","Failed to load plugin url: {0}":"Wedi methu llwytho url yr ategyn: {0}","Failed to initialize plugin: {0}":"Wedi methu ymgychwyn yr ategyn: {0}","example":"enghraifft","Search":"Chwilio","All":"Y cwbl","Currency":"Arian cyfred","Text":"Testun","Quotations":"Dyfyniadau","Mathematical":"Mathemategol","Extended Latin":"Lladin estynedig","Symbols":"Symbolau","Arrows":"Saethau","User Defined":"Diffinir gan y defnyddiwr","dollar sign":"Arwydd dolar","currency sign":"Arwydd arian cyfred","euro-currency sign":"Arwydd euro","colon sign":"Arwydd colon","cruzeiro sign":"Arwydd cruzeiro","french franc sign":"Arwydd ffranc Ffrengig","lira sign":"Arwydd lira","mill sign":"arwydd mill","naira sign":"arwydd naira","peseta sign":"arwydd peseta","rupee sign":"arwydd rupee","won sign":"arwydd won","new sheqel sign":"arwydd sheqel newydd","dong sign":"arwydd dong","kip sign":"arwydd kip","tugrik sign":"arwydd tugrik","drachma sign":"arwydd drachma","german penny symbol":"arwydd ceiniog almaenig","peso sign":"arwydd peso","guarani sign":"arwydd quarani","austral sign":"arwydd austral","hryvnia sign":"arwydd hryvnia","cedi sign":"arwydd cedi","livre tournois sign":"arwydd punt tournois","spesmilo sign":"arwydd spesmilo","tenge sign":"arwydd tenge","indian rupee sign":"arwydd rupee india","turkish lira sign":"arwydd lira twrcaidd","nordic mark sign":"arwydd marc nordig","manat sign":"arwydd manat","ruble sign":"arwydd ruble","yen character":"nod yen","yuan character":"nod yuan","yuan character, in hong kong and taiwan":"nod yuan yn Hong Kong a Taiwan","yen/yuan character variant one":"nod yen/yuan amrywiad un","Emojis":"Emojis","Emojis...":"Emojis\u2026","Loading emojis...":"Llwytho emojis\u2026","Could not load emojis":"Ddim yn gallu llwytho emojis","People":"Pobl","Animals and Nature":"Anifeiliaid a Natur","Food and Drink":"Bwyd a Diod","Activity":"Gweithgaredd","Travel and Places":"Teithio a lleoedd","Objects":"Gwrthrychau","Flags":"Baneri","Characters":"Nodau","Characters (no spaces)":"Nodau (dim gofod)","{0} characters":"{0} nod","Error: Form submit field collision.":"Gwall: Gwrthdrawiad maes cyflwyno ffurflen","Error: No form element found.":"Gwall: Ni chafwyd elfen ffurflen","Color swatch":"Casgliad lliwiau","Color Picker":"Dewisydd Lliw","Invalid hex color code: {0}":"Cod lliw hecs annilys: {0}","Invalid input":"Mewnbwn annilys","R":"C","Red component":"Cydran goch","G":"Gw","Green component":"Cydran werdd","B":"Gl","Blue component":"Cydran las","#":"#","Hex color code":"Cod lliw hecs","Range 0 to 255":"Ystod 0 i 255","Turquoise":"Gwyrddlas","Green":"Gwyrdd","Blue":"Glas","Purple":"Porffor","Navy Blue":"Dulas","Dark Turquoise":"Gwyrddlas tywyll","Dark Green":"Gwyrdd tywyll","Medium Blue":"Glas canolig","Medium Purple":"Porffor canolig","Midnight Blue":"Glas y nos","Yellow":"Melyn","Orange":"Oren","Red":"Coch","Light Gray":"Llwyd golau","Gray":"d","Dark Yellow":"Melyn tywyll","Dark Orange":"Oren tywyll","Dark Red":"Coch tywyll","Medium Gray":"Llwyd canolig","Dark Gray":"Llwyd tywyll","Light Green":"Gwyrdd Golau","Light Yellow":"Melyn Golau","Light Red":"Coch Golau","Light Purple":"Porffor Golau","Light Blue":"Glas Golau","Dark Purple":"Porffor Tywyll","Dark Blue":"Glas Tywyll","Black":"Du","White":"Gwyn","Switch to or from fullscreen mode":"Newid i neu o'r modd sgr\xeen llawn","Open help dialog":"Agor y ddeialog gymorth","history":"hanes","styles":"steiliau","formatting":"fformatio","alignment":"aliniad","indentation":"mewnoli","Font":"Ffont","Size":"Maint","More...":"Mwy...","Select...":"Dewis...","Preferences":"Dewisiadau","Yes":"Iawn","No":"Na","Keyboard Navigation":"Llywio Bysellfwrdd","Version":"Fersiwn","Code view":"Golwg cod","Open popup menu for split buttons":"Agor naidlen ar gyfer botymau hollt","List Properties":"Rhestru Priodweddau","List properties...":"Rhestru priodweddau...","Start list at number":"Dechrau rhestr efo rhif","Line height":"Uchder llinell","Dropped file type is not supported":"Dyw\u2019r math o ffeil a ollyngwyd ddim yn cael ei gefnogi","Loading...":"Llwytho\u2026","ImageProxy HTTP error: Rejected request":"Gwall HTTP ImageProxy: cais wedi\u2019i wrthod","ImageProxy HTTP error: Could not find Image Proxy":"Gwall HTTP ImageProxy: methwyd dod o hyd i Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"Gwall HTTP ImageProxy: URL Image Proxy anghywir","ImageProxy HTTP error: Unknown ImageProxy error":"Gwall HTTP ImageProxy: gwall ImageProxy anhysbys"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/da.js b/deform/static/tinymce/langs/da.js index 3cf7acb5..9f4ae0a6 100644 --- a/deform/static/tinymce/langs/da.js +++ b/deform/static/tinymce/langs/da.js @@ -1,156 +1 @@ -tinymce.addI18n('da',{ -"Cut": "Klip", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Din browser underst\u00f8tter ikke direkte adgang til clipboard. Benyt Ctrl+X\/C\/ keybord shortcuts i stedet for.", -"Paste": "Inds\u00e6t", -"Close": "Luk", -"Align right": "H\u00f8jrejusteret", -"New document": "Nyt dokument", -"Numbered list": "Nummerering", -"Increase indent": "For\u00f8g indrykning", -"Formats": "Formater", -"Select all": "V\u00e6lg alle", -"Undo": "Fortryd", -"Strikethrough": "Gennemstreg", -"Bullet list": "Punkt tegn", -"Superscript": "Superscript", -"Clear formatting": "Nulstil formattering", -"Subscript": "Subscript", -"Redo": "Genopret", -"Ok": "Ok", -"Bold": "Fed", -"Italic": "Kursiv", -"Align center": "Centreret", -"Decrease indent": "Formindsk indrykning", -"Underline": "Understreg", -"Cancel": "Fortryd", -"Justify": "Justering", -"Copy": "Kopier", -"Align left": "Venstrejusteret", -"Visual aids": "Visuel hj\u00e6lp", -"Lower Greek": "Lower Gr\u00e6sk", -"Square": "Kvadrat", -"Default": "Standard", -"Lower Alpha": "Lower Alpha", -"Circle": "Cirkel", -"Disc": "Disk", -"Upper Alpha": "Upper Alpha", -"Upper Roman": "Upper Roman", -"Lower Roman": "Lavere Roman", -"Name": "Navn", -"Anchor": "Anchor", -"You have unsaved changes are you sure you want to navigate away?": "Du har ikke gemte \u00e6ndringer. Er du sikker p\u00e5 at du vil forts\u00e6tte?", -"Restore last draft": "Genopret sidste kladde", -"Special character": "Specielle tegn", -"Source code": "Kildekode", -"Right to left": "H\u00f8jre til venstre", -"Left to right": "Venstre til h\u00f8jre", -"Emoticons": "Emoticons", -"Robots": "Robotter", -"Document properties": "Dokument egenskaber", -"Title": "Titel", -"Keywords": "S\u00f8geord", -"Encoding": "Kodning", -"Description": "Beskrivelse", -"Author": "Forfatter", -"Fullscreen": "Fuldsk\u00e6rm", -"Horizontal line": "Vandret linie", -"Horizontal space": "Vandret afstand", -"Insert\/edit image": "Inds\u00e6t\/ret billede", -"General": "Generet", -"Advanced": "Avanceret", -"Source": "Kilde", -"Border": "Kant", -"Constrain proportions": "Behold propertioner", -"Vertical space": "Lodret afstand", -"Image description": "Billede beskrivelse", -"Style": "Stil", -"Dimensions": "Dimensioner", -"Insert date\/time": "Inds\u00e6t dato\/klokkeslet", -"Url": "Url", -"Text to display": "Vis tekst", -"Insert link": "Inds\u00e6t link", -"New window": "Nyt vindue", -"None": "Ingen", -"Target": "Target", -"Insert\/edit link": "Inds\u00e6t\/ret link", -"Insert\/edit video": "Inds\u00e6t\/ret video", -"Poster": "Poster", -"Alternative source": "Alternativ kilde", -"Paste your embed code below:": "Inds\u00e6t din embed kode herunder:", -"Insert video": "Inds\u00e6t video", -"Embed": "Integrer", -"Nonbreaking space": "H\u00e5rd mellemrum", -"Page break": "Sideskift", -"Preview": "Forh\u00e5ndsvisning", -"Print": "Udskriv", -"Save": "Gem", -"Could not find the specified string.": "Kunne ikke finde s\u00f8getekst", -"Replace": "Erstat", -"Next": "N\u00e6ste", -"Whole words": "Hele ord", -"Find and replace": "Find og erstat", -"Replace with": "Erstat med", -"Find": "Find", -"Replace all": "Erstat alt", -"Match case": "STORE og sm\u00e5 bogstaver", -"Prev": "Forrige", -"Spellcheck": "Stavekontrol", -"Finish": "F\u00e6rdig", -"Ignore all": "Ignorer alt", -"Ignore": "Ignorer", -"Insert row before": "Inds\u00e6t r\u00e6kke f\u00f8r", -"Rows": "R\u00e6kker", -"Height": "H\u00f8jde", -"Paste row after": "Inds\u00e6t r\u00e6kke efter", -"Alignment": "Tilpasning", -"Column group": "Kolonne gruppe", -"Row": "R\u00e6kke", -"Insert column before": "Inds\u00e6t kolonne f\u00f8r", -"Split cell": "Split celle", -"Cell padding": "Celle padding", -"Cell spacing": "Celle afstand", -"Row type": "R\u00e6kke type", -"Insert table": "Inds\u00e6t tabel", -"Body": "Krop", -"Caption": "Tekst", -"Footer": "Sidefod", -"Delete row": "Slet r\u00e6kke", -"Paste row before": "Inds\u00e6t r\u00e6kke f\u00f8r", -"Scope": "Anvendelsesomr\u00e5de", -"Delete table": "Slet tabel", -"Header cell": "Header celle", -"Column": "Kolonne", -"Cell": "Celle", -"Header": "Overskrift", -"Cell type": "Celle type", -"Copy row": "Kopier r\u00e6kke", -"Row properties": "R\u00e6kke egenskaber", -"Table properties": "Tabel egenskaber", -"Row group": "R\u00e6kke gruppe", -"Right": "H\u00f8jre", -"Insert column after": "Inds\u00e6t kolonne efter", -"Cols": "Kolonne", -"Insert row after": "Inds\u00e6t r\u00e6kke efter", -"Width": "Bredde", -"Cell properties": "Celle egenskaber", -"Left": "Venstre", -"Cut row": "Klip r\u00e6kke", -"Delete column": "Slet kolonne", -"Center": "Centrering", -"Merge cells": "Flet celler", -"Insert template": "Inds\u00e6t skabelon", -"Templates": "Skabeloner", -"Background color": "Baggrunds farve", -"Text color": "Tekst farve", -"Show blocks": "Vis klokke", -"Show invisible characters": "Vis usynlige tegn", -"Words: {0}": "Ord: {0}", -"Insert": "Inds\u00e6t", -"File": "Fil", -"Edit": "\u00c6ndre", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich Text omr\u00e5de. Tryk ALT-F9 for menu. Tryk ALT-F10 for toolbar. Tryk ALT-0 for hj\u00e6lp", -"Tools": "V\u00e6rkt\u00f8j", -"View": "Vis", -"Table": "Tabel", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("da",{"Redo":"Gendan","Undo":"Fortryd","Cut":"Klip","Copy":"Kopier","Paste":"S\xe6t ind","Select all":"V\xe6lg alle","New document":"Nyt dokument","Ok":"Ok","Cancel":"Annuller","Visual aids":"Visuel hj\xe6lp","Bold":"Fed","Italic":"Kursiv","Underline":"Understreget","Strikethrough":"Gennemstreget","Superscript":"H\xe6vet skrift","Subscript":"S\xe6nket skrift","Clear formatting":"Nulstil formattering","Remove":"Slet","Align left":"Opstil til venstre","Align center":"Centrer","Align right":"Opstil til h\xf8jre","No alignment":"Ingen justering","Justify":"Justering","Bullet list":"Punktopstillet liste","Numbered list":"Nummereret liste","Decrease indent":"Formindsk indrykning","Increase indent":"For\xf8g indrykning","Close":"Luk","Formats":"Formater","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Din browser underst\xf8tter ikke direkte adgang til udklipsholder. Benyt Ctrl+X/C/ tastaturgenveje i stedet for.","Headings":"Overskrifter","Heading 1":"Overskrift 1","Heading 2":"Overskrift 2","Heading 3":"Overskrift 3","Heading 4":"Overskrift 4","Heading 5":"Overskrift 5","Heading 6":"Overskrift 6","Preformatted":"Forudformateret","Div":"Div","Pre":"Pre","Code":"Kode","Paragraph":"Afsnit","Blockquote":"Citatblok","Inline":"Inline","Blocks":"Blokke","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":'"Inds\xe6t" er nu i Ren Tekst tilstand. Indhold vil nu blive indsat som ren tekst, indtil du sl\xe5r denne funktion fra igen.',"Fonts":"Skrifttyper","Font sizes":"Skriftst\xf8rrelse","Class":"Klasse","Browse for an image":"S\xf8g efter et billede","OR":"ELLER","Drop an image here":"Slip et billede her","Upload":"Upload","Uploading image":"Uploader billede","Block":"Blok\xe9r","Align":"Juster","Default":"Standard","Circle":"Cirkel","Disc":"Udfyldt cirkel","Square":"Firkant","Lower Alpha":"Sm\xe5 bogstaver","Lower Greek":"Sm\xe5 gr\xe6ske","Lower Roman":"Sm\xe5 romertal","Upper Alpha":"Store bogstaver","Upper Roman":"Store romertal","Anchor...":"Anker...","Anchor":"Anker","Name":"Navn","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID skal starte med et bogstav, og m\xe5 kun efterf\xf8lges af bogstaver, tal, bindestreg, punktum, kolon eller underscore.","You have unsaved changes are you sure you want to navigate away?":"Du har ikke gemte \xe6ndringer. Er du sikker p\xe5 at du vil forts\xe6tte?","Restore last draft":"Genopret sidste kladde","Special character...":"Specielle tegn...","Special Character":"Specialtegn","Source code":"Kildekode","Insert/Edit code sample":"Inds\xe6t/Ret kodeeksempel","Language":"Sprog","Code sample...":"Kodeeksempel...","Left to right":"Venstre mod h\xf8jre","Right to left":"H\xf8jre mod venstre","Title":"Titel","Fullscreen":"Fuld sk\xe6rm","Action":"Handling","Shortcut":"Genvej","Help":"Hj\xe6lp","Address":"Adresse","Focus to menubar":"Fokus p\xe5 menulinjen","Focus to toolbar":"Fokus p\xe5 v\xe6rkt\xf8jslinjen","Focus to element path":"Fokuser p\xe5 elementvej","Focus to contextual toolbar":"Fokuser p\xe5 kontekstuel v\xe6rkt\xf8jslinje","Insert link (if link plugin activated)":"Inds\xe6t link (hvis link plugin er aktiveret)","Save (if save plugin activated)":"Gem (hvis gem plugin er aktiveret)","Find (if searchreplace plugin activated)":"Find (hvis searchreplace plugin er aktiveret)","Plugins installed ({0}):":"Installerede plugins ({0}):","Premium plugins:":"Premium plugins:","Learn more...":"L\xe6r mere...","You are using {0}":"Du benytter {0}","Plugins":"Plugins","Handy Shortcuts":"Praktiske Genveje","Horizontal line":"Vandret linje","Insert/edit image":"Inds\xe6t/rediger billede","Alternative description":"Alternativ beskrivelse","Accessibility":"Tilg\xe6ngelighed","Image is decorative":"Billede er dekorativt","Source":"Kilde","Dimensions":"Dimensioner","Constrain proportions":"Begr\xe6ns proportioner","General":"Generelt","Advanced":"Avanceret","Style":"Typografi","Vertical space":"Lodret mellemrum","Horizontal space":"Vandret mellemrum","Border":"Kant","Insert image":"Inds\xe6t billede","Image...":"Billede...","Image list":"Billedliste","Resize":"Skaler","Insert date/time":"Inds\xe6t dato/klokkesl\xe6t","Date/time":"Dato/klokkesl\xe6t","Insert/edit link":"Inds\xe6t/rediger link","Text to display":"Tekst som skal vises","Url":"Url","Open link in...":"\xc5bn link med...","Current window":"Aktuelle vindue","None":"Ingen","New window":"Nyt vindue","Open link":"\xc5ben link","Remove link":"Fjern link","Anchors":"Ankre","Link...":"Link...","Paste or type a link":"Inds\xe6t eller skriv et link","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL\u2019en som du angav ser ud til at v\xe6re en e-mailadresse. \xd8nsker du at tilf\xf8je det kr\xe6vede pr\xe6fiks mailto: ?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL\u2019en som du angav ser ud til at v\xe6re et eksternt link. \xd8nsker du at tilf\xf8je det kr\xe6vede pr\xe6fiks http:// ?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"URL'en som du angav ser ud til at v\xe6re et eksternt link. \xd8nsker du at tilf\xf8je det n\xf8dvendige https:// pr\xe6fiks?","Link list":"Linkliste","Insert video":"Inds\xe6t video","Insert/edit video":"Inds\xe6t/rediger video","Insert/edit media":"Inds\xe6t/rediger medier","Alternative source":"Alternativ kilde","Alternative source URL":"Alternativ kilde URL","Media poster (Image URL)":"Medieplakat (billede URL)","Paste your embed code below:":"Inds\xe6t din indlejrede kode herunder:","Embed":"Indlejr","Media...":"Medie...","Nonbreaking space":"H\xe5rdt mellemrum","Page break":"Sideskift","Paste as text":"Inds\xe6t som tekst","Preview":"Eksempelvisning","Print":"Print","Print...":"Udskriv...","Save":"Gem","Find":"S\xf8g","Replace with":"Erstat med","Replace":"Erstat","Replace all":"Erstat alle","Previous":"Forrige","Next":"N\xe6ste","Find and Replace":"Find og erstat","Find and replace...":"Find og erstat...","Could not find the specified string.":"Kunne ikke finde s\xf8getekst.","Match case":"Forskel p\xe5 store og sm\xe5 bogstaver","Find whole words only":"Find kun hele ord","Find in selection":"Find i det valgte","Insert table":"Inds\xe6t tabel","Table properties":"Tabelegenskaber","Delete table":"Slet tabel","Cell":"Celle","Row":"R\xe6kke","Column":"Kolonne","Cell properties":"Celleegenskaber","Merge cells":"Flet celler","Split cell":"Del celle","Insert row before":"Inds\xe6t r\xe6kke f\xf8r","Insert row after":"Inds\xe6t r\xe6kke efter","Delete row":"Slet r\xe6kke","Row properties":"R\xe6kkeegenskaber","Cut row":"Klip r\xe6kke","Cut column":"Klip kolonne","Copy row":"Kopier r\xe6kke","Copy column":"Kopier kolonne","Paste row before":"Inds\xe6t r\xe6kke f\xf8r","Paste column before":"Inds\xe6t kolonne f\xf8r","Paste row after":"Inds\xe6t r\xe6kke efter","Paste column after":"Inds\xe6t kolonne efter","Insert column before":"Inds\xe6t kolonne f\xf8r","Insert column after":"Inds\xe6t kolonne efter","Delete column":"Slet kolonne","Cols":"Kolonne","Rows":"R\xe6kke","Width":"Bredde","Height":"H\xf8jde","Cell spacing":"Celleafstand","Cell padding":"Celle padding","Row clipboard actions":"R\xe6kke udklipsholder handlinger","Column clipboard actions":"Kolonne udklipsholder handlinger","Table styles":"Tabel styling","Cell styles":"Celle styling","Column header":"Kolonne overskrift","Row header":"R\xe6kke overskrift","Table caption":"Tabeltekst","Caption":"Tekst","Show caption":"Vis overskrift","Left":"Venstre","Center":"Midte","Right":"H\xf8jre","Cell type":"Celletype","Scope":"Omr\xe5de","Alignment":"Justering","Horizontal align":"Horisontal justering","Vertical align":"Vertikal justering","Top":"Top","Middle":"Midte","Bottom":"Bund","Header cell":"Sidehoved celle","Row group":"R\xe6kke gruppe","Column group":"Kolonnegruppe","Row type":"R\xe6kke type","Header":"Overskrift","Body":"Br\xf8dtekst","Footer":"Sidefod","Border color":"Kantfarve","Solid":"Solid","Dotted":"Prikket","Dashed":"Stiplet","Double":"Dobbel","Groove":"Rille","Ridge":"Ryg","Inset":"Fors\xe6nket","Outset":"Begyndelse","Hidden":"Skjult","Insert template...":"Inds\xe6t skabelon...","Templates":"Skabeloner","Template":"Skabelon","Insert Template":"Inds\xe6t Skabelon","Text color":"Tekstfarve","Background color":"Baggrundsfarve","Custom...":"Brugerdefineret...","Custom color":"Brugerdefineret farve","No color":"Ingen farve","Remove color":"Fjern farve","Show blocks":"Vis blokke","Show invisible characters":"Vis usynlige tegn","Word count":"Optalte ord","Count":"Antal","Document":"Dokument","Selection":"Valg","Words":"Ord","Words: {0}":"Ord: {0}","{0} words":"{0} ord","File":"Fil","Edit":"Rediger","Insert":"Inds\xe6t","View":"Gennemse","Format":"Formater","Table":"Tabel","Tools":"V\xe6rkt\xf8jer","Powered by {0}":"Drevet af {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Rich Text omr\xe5de. Tryk ALT-F9 for menu. Tryk ALT-F10 for v\xe6rkt\xf8jslinje. Tryk ALT-0 for hj\xe6lp","Image title":"Billedtitel","Border width":"Kantbredde","Border style":"Kantstil","Error":"Fejl","Warn":"Advar","Valid":"Gyldig","To open the popup, press Shift+Enter":"Tryk skift + enter for at \xe5bne pop op","Rich Text Area":"Rich Text Omr\xe5de","Rich Text Area. Press ALT-0 for help.":"Rich tekst omr\xe5de. Tryk p\xe5 ALT-0 for hj\xe6lp.","System Font":"Systemskrifttype","Failed to upload image: {0}":"Mislykket billed-upload:","Failed to load plugin: {0} from url {1}":"Mislykket plugin indl\xe6sning: {0} fra url {1}","Failed to load plugin url: {0}":"Mislykket indl\xe6sning af plugin-url: {0}","Failed to initialize plugin: {0}":"Mislykket initiering a plugin: {0}","example":"eksempel","Search":"S\xf8g","All":"Alle","Currency":"Valuta","Text":"Tekst","Quotations":"Anf\xf8rselstegn","Mathematical":"Matematiske tegn","Extended Latin":"Udvidet Latin","Symbols":"Symboler","Arrows":"Pile","User Defined":"Brugerdefineret","dollar sign":"dollartegn","currency sign":"valutategn","euro-currency sign":"euro-tegn","colon sign":"kolontegn","cruzeiro sign":"cruzeiro-tegn","french franc sign":"fransk frank-tegn","lira sign":"lira-tegn","mill sign":"mill-tegn","naira sign":"naira-tegn","peseta sign":"peseta-tegn","rupee sign":"rupee-tegn","won sign":"won-tegn","new sheqel sign":"ny sheqel-tegn","dong sign":"dong-tegn","kip sign":"kip-tegn","tugrik sign":"tugrik-tegn","drachma sign":"drakmer-tegn","german penny symbol":"tysk penny-symbol","peso sign":"peso-tegn","guarani sign":"guarani-tegn","austral sign":"austral-tegn","hryvnia sign":"hryvnia-tegn","cedi sign":"cedi-tegn","livre tournois sign":"livre tournois-tegn","spesmilo sign":"spesmilo-tegn","tenge sign":"tenge-tegn","indian rupee sign":"indisk rupee-tegn","turkish lira sign":"tyrkisk lira-tegn","nordic mark sign":"nordisk mark-tegn","manat sign":"manat-tegn","ruble sign":"rubel-tegn","yen character":"yen-tegn","yuan character":"yuan-tegn","yuan character, in hong kong and taiwan":"yuan-tegn, i hong kong og taiwan","yen/yuan character variant one":"yen/yuan-tegn variant en","Emojis":"Emojier","Emojis...":"Emojier...","Loading emojis...":"Indl\xe6ser emojier...","Could not load emojis":"Kunne ikke indl\xe6se emojier","People":"Folk","Animals and Nature":"Dyr og natur","Food and Drink":"F\xf8de og drikke","Activity":"Aktivitet","Travel and Places":"Rejser og steder","Objects":"Objekter","Flags":"Flag","Characters":"Tegn","Characters (no spaces)":"Tegn (uden mellemrum)","{0} characters":"{0} tegn","Error: Form submit field collision.":"Fejl: Form submit felt kollision","Error: No form element found.":"Fejl: Ingen form element fundet.","Color swatch":"Farvepr\xf8ve","Color Picker":"Farvev\xe6lger","Invalid hex color code: {0}":"Ugyldig hex farvekode: {0}","Invalid input":"Ugyldig indtastning","R":"R","Red component":"R\xf8d komponent","G":"G","Green component":"Gr\xf8n komponent","B":"B","Blue component":"Bl\xe5 komponent","#":"#","Hex color code":"Hex farvekode","Range 0 to 255":"Interval 0 til 255","Turquoise":"Turkis","Green":"Gr\xf8n","Blue":"Bl\xe5","Purple":"Lilla","Navy Blue":"Marinebl\xe5","Dark Turquoise":"M\xf8rketurkis","Dark Green":"M\xf8rkegr\xf8n","Medium Blue":"Medium bl\xe5","Medium Purple":"Medium lilla","Midnight Blue":"Midnatsbl\xe5","Yellow":"Gul","Orange":"Orange","Red":"R\xf8d","Light Gray":"Lysegr\xe5","Gray":"Gr\xe5","Dark Yellow":"M\xf8rkegul","Dark Orange":"M\xf8rkeorange","Dark Red":"M\xf8rker\xf8d","Medium Gray":"Mellemgr\xe5","Dark Gray":"M\xf8rkegr\xe5","Light Green":"Lysegr\xf8n","Light Yellow":"Lysegul","Light Red":"Lyser\xf8d","Light Purple":"Lyslilla","Light Blue":"Lysebl\xe5","Dark Purple":"M\xf8rkelilla","Dark Blue":"M\xf8rkebl\xe5","Black":"Sort","White":"Hvid","Switch to or from fullscreen mode":"Skift til eller fra fuldsk\xe6rmstilstand","Open help dialog":"\xc5bn hj\xe6lpedialog","history":"historie","styles":"stile","formatting":"formatering","alignment":"justering","indentation":"indrykning","Font":"Skrifttype","Size":"St\xf8rrelse","More...":"Mere...","Select...":"V\xe6lg...","Preferences":"Pr\xe6ferencer","Yes":"Ja","No":"Nej","Keyboard Navigation":"Navigation med tastatur","Version":"Version","Code view":"Kodevisning","Open popup menu for split buttons":"\xc5ben popup menu for split knapper","List Properties":"List indstillinger","List properties...":"List indstillinger...","Start list at number":"Start liste ved nummer","Line height":"Linjeh\xf8jde","Dropped file type is not supported":"Den placerede fil type er ikke underst\xf8ttet","Loading...":"Indl\xe6ser...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP fejl: Anmodning afvist","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP fejl: Kunne ikke finde Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP fejl: Forkert Image Proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP fejl: Ukendt ImageProxy fejl"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/de.js b/deform/static/tinymce/langs/de.js index 01d96891..1cc79734 100644 --- a/deform/static/tinymce/langs/de.js +++ b/deform/static/tinymce/langs/de.js @@ -1,174 +1 @@ -tinymce.addI18n('de',{ -"Cut": "Schneiden", -"Header 2": "\u00dcberschrift 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Ihr Browser unterst\u00fctzt leider keine direkten Zugriff auf die Zwischenablage. Bitte benutzen Sie die Strg + X \/ C \/ V Tastenkombinationen.", -"Div": "Textblock", -"Paste": "Einf\u00fcgen", -"Close": "Schliessen", -"Pre": "Vorformatierter Text", -"Align right": "Rechts ausrichten ", -"New document": "Neues Dokument", -"Blockquote": "Zitat", -"Numbered list": "Alphabetische Sortierung", -"Increase indent": "Einr\u00fcckung vergr\u00f6\u00dfern", -"Formats": "Formate", -"Headers": "\u00dcberschriften", -"Select all": "Alles ausw\u00e4hlen", -"Header 3": "\u00dcberschrift 3", -"Blocks": "Bl\u00f6cke", -"Undo": "Undo", -"Strikethrough": "Durchstreichen", -"Bullet list": "Aufz\u00e4hlungszeichen", -"Header 1": "\u00dcberschrift 1", -"Superscript": "Exponent", -"Clear formatting": "Klare Formatierung ", -"Subscript": "tiefstehendes Zeichen", -"Header 6": "\u00dcberschrift 6", -"Redo": "Redo", -"Paragraph": "Absatz", -"Ok": "Ok", -"Bold": "Bold", -"Code": "Quelltext", -"Italic": "Italic", -"Align center": "Zentriert ausrichten", -"Header 5": "\u00dcberschrift 5", -"Decrease indent": "Einzug verringern", -"Header 4": "\u00dcberschrift 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Einf\u00fcgungen erfolgen bis auf Weiteres als reiner Text. ", -"Underline": "Unterstreichen", -"Cancel": "Abbrechen", -"Justify": "Blockausrichtung", -"Inline": "zeilenb\u00fcndig", -"Copy": "Kopieren", -"Align left": "Ausrichtung nach links", -"Visual aids": "Visuelle Hilfen", -"Lower Greek": "Lower Greek", -"Square": "Quadrat", -"Default": "Voreingestellt", -"Lower Alpha": "Lower Alpha", -"Circle": "Zirkel", -"Disc": "Disc", -"Upper Alpha": "Upper Alpha", -"Upper Roman": "Upper Roman", -"Lower Roman": "Lower Roman", -"Name": "Name", -"Anchor": "Textmarke", -"You have unsaved changes are you sure you want to navigate away?": "Sie haben noch nicht die \u00c4nderungen gespeichert, sind Sie sicher dass Sie weg navigieren wollen ? ", -"Restore last draft": "Zur\u00fcckholen den letzten Entwurf", -"Special character": "Spezieller Charakter", -"Source code": "Quellcode", -"Right to left": "Links nach Rechts", -"Left to right": "Rechts nach Links", -"Emoticons": "Emoticons", -"Robots": "Robots", -"Document properties": "Dokumenteigenschaften", -"Title": "Titel", -"Keywords": "Sch\u00fcsselw\u00f6rter", -"Encoding": "Enkodieren", -"Description": "Beschreibung", -"Author": "Ersteller", -"Fullscreen": "Vollbild", -"Horizontal line": "Horizontale Linie", -"Horizontal space": "Horizontaler Platz", -"Insert\/edit image": "Bild bearbeiten", -"General": "Allgemein", -"Advanced": "Benutzerdefiniert", -"Source": "Quelle", -"Border": "Grenze", -"Constrain proportions": "Gr\u00f6ssenverh\u00e4ltniss", -"Vertical space": "Vertikaler Platz", -"Image description": "Bild Beschreibung", -"Style": "Stil", -"Dimensions": "Dimensionen", -"Insert image": "Bild einf\u00fcgen", -"Insert date\/time": "Datum \/ Uhrzeit einf\u00fcgen ", -"Remove link": "Verweis entfernen", -"Url": "Url", -"Text to display": "Text anzeigen", -"Anchors": "Textmarken", -"Insert link": "Link einf\u00fcgen", -"New window": "Neues Fenster", -"None": "Nichts", -"Target": "Ziel", -"Insert\/edit link": "Link Einf\u00fcgen\/bearbeiten", -"Insert\/edit video": "Video Einf\u00fcgen\/bearbeiten", -"Poster": "Poster", -"Alternative source": "Alternative Quelle", -"Paste your embed code below:": "F\u00fcgen Sie Ihren code hier:", -"Insert video": "Video einf\u00fcgen", -"Embed": "Einbetten", -"Nonbreaking space": "Gesch\u00fctztes Leerzeichen", -"Page break": "Seitenumbruch", -"Preview": "Voransicht", -"Print": "Drucken", -"Save": "Speichern", -"Could not find the specified string.": "Konnte nicht gefunden die angegebene Zeichenfolge.", -"Replace": "Ersetzen", -"Next": "N\u00e4chstes", -"Whole words": "Ganze W\u00f6rter", -"Find and replace": "Finden und ersetzen", -"Replace with": "Ersetzen mit", -"Find": "Finden", -"Replace all": "Alles ersetzen", -"Match case": "Gro\u00df-\/Kleinschreibung", -"Prev": "Vor", -"Spellcheck": "Rechtschreibpr\u00fcfung", -"Finish": "Ende", -"Ignore all": "Alles Ignorieren", -"Ignore": "Ignorieren", -"Insert row before": "Zeile einf\u00fcgen bevor ", -"Rows": "Zeilen", -"Height": "H\u00f6he", -"Paste row after": "Zelle danach einf\u00fcgen", -"Alignment": "Ausrichtung ", -"Column group": "Spalten gruppen", -"Row": "Zeile", -"Insert column before": "Spalte einf\u00fcgen bevor ", -"Split cell": "Zellen splitten", -"Cell padding": "Zellauff\u00fcllung ", -"Cell spacing": "Zellenabstand", -"Row type": "Zellentypen", -"Insert table": "Tabelle einf\u00fcgen", -"Body": "K\u00f6rper", -"Caption": "Titel", -"Footer": "Fu\u00dfzeile", -"Delete row": "Zelle l\u00f6schen", -"Paste row before": "Zelle bevor einf\u00fcgen", -"Scope": "Rahmen", -"Delete table": "Tabelle l\u00f6schen", -"Header cell": "Kopfzelle ", -"Column": "Spalte", -"Cell": "Zelle", -"Header": "Kopfzeile", -"Cell type": "Zellentyp", -"Copy row": "Zelle Kopieren", -"Row properties": "Zelle Proportionen", -"Table properties": "Tabelleproportionen", -"Row group": "Zellen gruppen", -"Right": "Rechts", -"Insert column after": "Spalte danach einf\u00fcgen", -"Cols": "Cols", -"Insert row after": "Zelle danach einf\u00fcgen", -"Width": "Breite", -"Cell properties": "Zellenproportionen", -"Left": "Links", -"Cut row": "Zelle schneiden", -"Delete column": "Spalte l\u00f6schen", -"Center": "Zentrum", -"Merge cells": "Zellen verbinden", -"Insert template": "Vorlage einf\u00fcgen ", -"Templates": "Vorlagen", -"Background color": "Hintergrundfarbe", -"Text color": "Textfarbe", -"Show blocks": " Bl\u00f6cke anzeigen", -"Show invisible characters": "Zeigen unsichtbare Zeichen", -"Words: {0}": "W\u00f6rter: {0}", -"Insert": "Einf\u00fcgen", -"File": "Datei", -"Edit": "Bearbeiten", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich-Text- Area. Dr\u00fccken Sie ALT -F9 f\u00fcr das Men\u00fc. Dr\u00fccken Sie ALT -F10 f\u00fcr Symbolleiste. Dr\u00fccken Sie ALT -0 f\u00fcr Hilfe", -"Tools": "Tools", -"View": "Anzeigen", -"Table": "Tabelle", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("de",{"Redo":"Wiederholen","Undo":"R\xfcckg\xe4ngig machen","Cut":"Ausschneiden","Copy":"Kopieren","Paste":"Einf\xfcgen","Select all":"Alles ausw\xe4hlen","New document":"Neues Dokument","Ok":"Ok","Cancel":"Abbrechen","Visual aids":"Visuelle Hilfen","Bold":"Fett","Italic":"Kursiv","Underline":"Unterstrichen","Strikethrough":"Durchgestrichen","Superscript":"Hochgestellt","Subscript":"Tiefgestellt","Clear formatting":"Formatierung entfernen","Remove":"Entfernen","Align left":"Linksb\xfcndig ausrichten","Align center":"Zentrieren","Align right":"Rechtsb\xfcndig ausrichten","No alignment":"Keine Ausrichtung","Justify":"Blocksatz","Bullet list":"Aufz\xe4hlung","Numbered list":"Nummerierte Liste","Decrease indent":"Einzug verkleinern","Increase indent":"Einzug vergr\xf6\xdfern","Close":"Schlie\xdfen","Formats":"Formate","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Ihr Browser unterst\xfctzt leider keinen direkten Zugriff auf die Zwischenablage. Bitte benutzen Sie die Tastenkombinationen Strg+X/C/V.","Headings":"\xdcberschriften","Heading 1":"\xdcberschrift 1","Heading 2":"\xdcberschrift 2","Heading 3":"\xdcberschrift 3","Heading 4":"\xdcberschrift 4","Heading 5":"\xdcberschrift 5","Heading 6":"\xdcberschrift 6","Preformatted":"Vorformatiert","Div":"Div","Pre":"Pre","Code":"Code","Paragraph":"Absatz","Blockquote":"Blockzitat","Inline":"Zeichenformate","Blocks":"Bl\xf6cke","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Einf\xfcgen ist nun im unformatierten Textmodus. Inhalte werden ab jetzt als unformatierter Text eingef\xfcgt, bis Sie diese Einstellung wieder deaktivieren.","Fonts":"Schriftarten","Font sizes":"Schriftgr\xf6\xdfen","Class":"Klasse","Browse for an image":"Bild...","OR":"ODER","Drop an image here":"Bild hier ablegen","Upload":"Hochladen","Uploading image":"Bild wird hochgeladen","Block":"Blocksatz","Align":"Ausrichtung","Default":"Standard","Circle":"Kreis","Disc":"Scheibe","Square":"Rechteck","Lower Alpha":"Lateinisches Alphabet in Kleinbuchstaben","Lower Greek":"Griechische Kleinbuchstaben","Lower Roman":"Kleiner r\xf6mischer Buchstabe","Upper Alpha":"Lateinisches Alphabet in Gro\xdfbuchstaben","Upper Roman":"Gro\xdfer r\xf6mischer Buchstabe","Anchor...":"Textmarke","Anchor":"Anker","Name":"Name","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"Die ID muss mit einem Buchstaben beginnen gefolgt von Buchstaben, Zahlen, Bindestrichen, Punkten, Doppelpunkten oder Unterstrichen.","You have unsaved changes are you sure you want to navigate away?":"Die \xc4nderungen wurden noch nicht gespeichert. Sind Sie sicher, dass Sie diese Seite verlassen wollen?","Restore last draft":"Letzten Entwurf wiederherstellen","Special character...":"Sonderzeichen...","Special Character":"Sonderzeichen","Source code":"Quellcode","Insert/Edit code sample":"Codebeispiel einf\xfcgen/bearbeiten","Language":"Sprache","Code sample...":"Codebeispiel...","Left to right":"Von links nach rechts","Right to left":"Von rechts nach links","Title":"Titel","Fullscreen":"Vollbild","Action":"Aktion","Shortcut":"Tastenkombination","Help":"Hilfe","Address":"Adresse","Focus to menubar":"Fokus auf Men\xfcleiste","Focus to toolbar":"Fokus auf Symbolleiste","Focus to element path":"Fokus auf Elementpfad","Focus to contextual toolbar":"Fokus auf kontextbezogene Symbolleiste","Insert link (if link plugin activated)":"Link einf\xfcgen (wenn Link-Plugin aktiviert ist)","Save (if save plugin activated)":"Speichern (wenn Save-Plugin aktiviert ist)","Find (if searchreplace plugin activated)":"Suchen (wenn Suchen/Ersetzen-Plugin aktiviert ist)","Plugins installed ({0}):":"Installierte Plugins ({0}):","Premium plugins:":"Premium-Plugins:","Learn more...":"Erfahren Sie mehr dazu...","You are using {0}":"Sie verwenden {0}","Plugins":"Plugins","Handy Shortcuts":"Praktische Tastenkombinationen","Horizontal line":"Horizontale Linie","Insert/edit image":"Bild einf\xfcgen/bearbeiten","Alternative description":"Alternative Beschreibung","Accessibility":"Barrierefreiheit","Image is decorative":"Bild ist dekorativ","Source":"Quelle","Dimensions":"Abmessungen","Constrain proportions":"Seitenverh\xe4ltnis beibehalten","General":"Allgemein","Advanced":"Erweitert","Style":"Formatvorlage","Vertical space":"Vertikaler Raum","Horizontal space":"Horizontaler Raum","Border":"Rahmen","Insert image":"Bild einf\xfcgen","Image...":"Bild...","Image list":"Bildliste","Resize":"Skalieren","Insert date/time":"Datum/Uhrzeit einf\xfcgen","Date/time":"Datum/Uhrzeit","Insert/edit link":"Link einf\xfcgen/bearbeiten","Text to display":"Anzuzeigender Text","Url":"URL","Open link in...":"Link \xf6ffnen in...","Current window":"Aktuelles Fenster","None":"Keine","New window":"Neues Fenster","Open link":"Link \xf6ffnen","Remove link":"Link entfernen","Anchors":"Anker","Link...":"Link...","Paste or type a link":"Link einf\xfcgen oder eingeben","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Diese URL scheint eine E-Mail-Adresse zu sein. M\xf6chten Sie das dazu ben\xf6tigte mailto: voranstellen?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Diese URL scheint ein externer Link zu sein. M\xf6chten Sie das dazu ben\xf6tigte http:// voranstellen?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Die eingegebene URL scheint ein externer Link zu sein. Soll das fehlende https:// davor erg\xe4nzt werden?","Link list":"Linkliste","Insert video":"Video einf\xfcgen","Insert/edit video":"Video einf\xfcgen/bearbeiten","Insert/edit media":"Medien einf\xfcgen/bearbeiten","Alternative source":"Alternative Quelle","Alternative source URL":"URL der alternativen Quelle","Media poster (Image URL)":"Medienposter (Bild-URL)","Paste your embed code below:":"F\xfcgen Sie Ihren Einbettungscode unten ein:","Embed":"Einbettung","Media...":"Medien...","Nonbreaking space":"Gesch\xfctztes Leerzeichen","Page break":"Seitenumbruch","Paste as text":"Als Text einf\xfcgen","Preview":"Vorschau","Print":"Drucken","Print...":"Drucken...","Save":"Speichern","Find":"Suchen","Replace with":"Ersetzen durch","Replace":"Ersetzen","Replace all":"Alle ersetzen","Previous":"Vorherige","Next":"N\xe4chste","Find and Replace":"Suchen und Ersetzen","Find and replace...":"Suchen und ersetzen...","Could not find the specified string.":"Die angegebene Zeichenfolge wurde nicht gefunden.","Match case":"Gro\xdf-/Kleinschreibung beachten","Find whole words only":"Nur ganze W\xf6rter suchen","Find in selection":"In Auswahl suchen","Insert table":"Tabelle einf\xfcgen","Table properties":"Tabelleneigenschaften","Delete table":"Tabelle l\xf6schen","Cell":"Zelle","Row":"Zeile","Column":"Spalte","Cell properties":"Zelleigenschaften","Merge cells":"Zellen verbinden","Split cell":"Zelle aufteilen","Insert row before":"Neue Zeile davor einf\xfcgen","Insert row after":"Neue Zeile danach einf\xfcgen","Delete row":"Zeile l\xf6schen","Row properties":"Zeileneigenschaften","Cut row":"Zeile ausschneiden","Cut column":"Spalte ausschneiden","Copy row":"Zeile kopieren","Copy column":"Spalte kopieren","Paste row before":"Zeile davor einf\xfcgen","Paste column before":"Spalte davor einf\xfcgen","Paste row after":"Zeile danach einf\xfcgen","Paste column after":"Spalte danach einf\xfcgen","Insert column before":"Neue Spalte davor einf\xfcgen","Insert column after":"Neue Spalte danach einf\xfcgen","Delete column":"Spalte l\xf6schen","Cols":"Spalten","Rows":"Zeilen","Width":"Breite","Height":"H\xf6he","Cell spacing":"Zellenabstand","Cell padding":"Zelleninnenabstand","Row clipboard actions":"Zeilen-Zwischenablage-Aktionen","Column clipboard actions":"Spalten-Zwischenablage-Aktionen","Table styles":"Tabellenstil","Cell styles":"Zellstil","Column header":"Spaltenkopf","Row header":"Zeilenkopf","Table caption":"Tabellenbeschriftung","Caption":"Beschriftung","Show caption":"Beschriftung anzeigen","Left":"Links","Center":"Zentriert","Right":"Rechts","Cell type":"Zelltyp","Scope":"Bereich","Alignment":"Ausrichtung","Horizontal align":"Horizontal ausrichten","Vertical align":"Vertikal ausrichten","Top":"Oben","Middle":"Mitte","Bottom":"Unten","Header cell":"Kopfzelle","Row group":"Zeilengruppe","Column group":"Spaltengruppe","Row type":"Zeilentyp","Header":"Kopfzeile","Body":"Inhalt","Footer":"Fu\xdfzeile","Border color":"Rahmenfarbe","Solid":"Durchgezogen","Dotted":"Gepunktet","Dashed":"Gestrichelt","Double":"Doppelt","Groove":"Gekantet","Ridge":"Eingeritzt","Inset":"Eingelassen","Outset":"Hervorstehend","Hidden":"Unsichtbar","Insert template...":"Vorlage einf\xfcgen...","Templates":"Vorlagen","Template":"Vorlage","Insert Template":"Vorlage einf\xfcgen","Text color":"Textfarbe","Background color":"Hintergrundfarbe","Custom...":"Benutzerdefiniert...","Custom color":"Benutzerdefinierte Farbe","No color":"Keine Farbe","Remove color":"Farbauswahl aufheben","Show blocks":"Bl\xf6cke anzeigen","Show invisible characters":"Unsichtbare Zeichen anzeigen","Word count":"Anzahl der W\xf6rter","Count":"Anzahl","Document":"Dokument","Selection":"Auswahl","Words":"W\xf6rter","Words: {0}":"Wortzahl: {0}","{0} words":"{0} W\xf6rter","File":"Datei","Edit":"Bearbeiten","Insert":"Einf\xfcgen","View":"Ansicht","Format":"Format","Table":"Tabelle","Tools":"Werkzeuge","Powered by {0}":"Betrieben von {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Rich-Text-Bereich. Dr\xfccken Sie Alt+F9 f\xfcr das Men\xfc. Dr\xfccken Sie Alt+F10 f\xfcr die Symbolleiste. Dr\xfccken Sie Alt+0 f\xfcr Hilfe.","Image title":"Bildtitel","Border width":"Rahmenbreite","Border style":"Rahmenstil","Error":"Fehler","Warn":"Warnung","Valid":"G\xfcltig","To open the popup, press Shift+Enter":"Dr\xfccken Sie Umschalt+Eingabe, um das Popup-Fenster zu \xf6ffnen.","Rich Text Area":"Rich-Text-Area","Rich Text Area. Press ALT-0 for help.":"Rich-Text-Bereich. Dr\xfccken Sie Alt+0 f\xfcr Hilfe.","System Font":"Betriebssystemschriftart","Failed to upload image: {0}":"Bild konnte nicht hochgeladen werden: {0}","Failed to load plugin: {0} from url {1}":"Plugin konnte nicht geladen werden: {0} von URL {1}","Failed to load plugin url: {0}":"Plugin-URL konnte nicht geladen werden: {0}","Failed to initialize plugin: {0}":"Plugin konnte nicht initialisiert werden: {0}","example":"Beispiel","Search":"Suchen","All":"Alle","Currency":"W\xe4hrung","Text":"Text","Quotations":"Anf\xfchrungszeichen","Mathematical":"Mathematisch","Extended Latin":"Erweitertes Latein","Symbols":"Symbole","Arrows":"Pfeile","User Defined":"Benutzerdefiniert","dollar sign":"Dollarzeichen","currency sign":"W\xe4hrungssymbol","euro-currency sign":"Eurozeichen","colon sign":"Doppelpunkt","cruzeiro sign":"Cruzeirozeichen","french franc sign":"Franczeichen","lira sign":"Lirezeichen","mill sign":"Millzeichen","naira sign":"Nairazeichen","peseta sign":"Pesetazeichen","rupee sign":"Rupiezeichen","won sign":"Wonzeichen","new sheqel sign":"Schekelzeichen","dong sign":"Dongzeichen","kip sign":"Kipzeichen","tugrik sign":"Tugrikzeichen","drachma sign":"Drachmezeichen","german penny symbol":"Pfennigzeichen","peso sign":"Pesozeichen","guarani sign":"Guaranizeichen","austral sign":"Australzeichen","hryvnia sign":"Hrywnjazeichen","cedi sign":"Cedizeichen","livre tournois sign":"Livrezeichen","spesmilo sign":"Spesmilozeichen","tenge sign":"Tengezeichen","indian rupee sign":"Indisches Rupiezeichen","turkish lira sign":"T\xfcrkisches Lirazeichen","nordic mark sign":"Zeichen nordische Mark","manat sign":"Manatzeichen","ruble sign":"Rubelzeichen","yen character":"Yenzeichen","yuan character":"Yuanzeichen","yuan character, in hong kong and taiwan":"Yuanzeichen in Hongkong und Taiwan","yen/yuan character variant one":"Yen-/Yuanzeichen Variante 1","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Lade Emojis...","Could not load emojis":"Emojis konnten nicht geladen werden","People":"Menschen","Animals and Nature":"Tiere und Natur","Food and Drink":"Essen und Trinken","Activity":"Aktivit\xe4t","Travel and Places":"Reisen und Orte","Objects":"Objekte","Flags":"Flaggen","Characters":"Zeichen","Characters (no spaces)":"Zeichen (ohne Leerzeichen)","{0} characters":"{0}\xa0Zeichen","Error: Form submit field collision.":"Fehler: Kollision der Formularbest\xe4tigungsfelder.","Error: No form element found.":"Fehler: Kein Formularelement gefunden.","Color swatch":"Farbpalette","Color Picker":"Farbwahl","Invalid hex color code: {0}":"Ung\xfcltiger Hexadezimal-Farbwert: {0}","Invalid input":"Ung\xfcltige Eingabe","R":"R","Red component":"Rotanteil","G":"G","Green component":"Gr\xfcnanteil","B":"B","Blue component":"Blauanteil","#":"#","Hex color code":"Hexadezimal-Farbwert","Range 0 to 255":"Spanne 0 bis 255","Turquoise":"T\xfcrkis","Green":"Gr\xfcn","Blue":"Blau","Purple":"Violett","Navy Blue":"Marineblau","Dark Turquoise":"Dunkelt\xfcrkis","Dark Green":"Dunkelgr\xfcn","Medium Blue":"Mittleres Blau","Medium Purple":"Mittelviolett","Midnight Blue":"Mitternachtsblau","Yellow":"Gelb","Orange":"Orange","Red":"Rot","Light Gray":"Hellgrau","Gray":"Grau","Dark Yellow":"Dunkelgelb","Dark Orange":"Dunkelorange","Dark Red":"Dunkelrot","Medium Gray":"Mittelgrau","Dark Gray":"Dunkelgrau","Light Green":"Hellgr\xfcn","Light Yellow":"Hellgelb","Light Red":"Hellrot","Light Purple":"Helllila","Light Blue":"Hellblau","Dark Purple":"Dunkellila","Dark Blue":"Dunkelblau","Black":"Schwarz","White":"Wei\xdf","Switch to or from fullscreen mode":"Vollbildmodus umschalten","Open help dialog":"Hilfe-Dialog \xf6ffnen","history":"Historie","styles":"Stile","formatting":"Formatierung","alignment":"Ausrichtung","indentation":"Einr\xfcckungen","Font":"Schriftart","Size":"Schriftgr\xf6\xdfe","More...":"Mehr...","Select...":"Auswahl...","Preferences":"Einstellungen","Yes":"Ja","No":"Nein","Keyboard Navigation":"Tastaturnavigation","Version":"Version","Code view":"Code Ansicht","Open popup menu for split buttons":"\xd6ffne Popup Menge um Buttons zu trennen","List Properties":"Liste Eigenschaften","List properties...":"Liste Eigenschaften","Start list at number":"Beginne Liste mit Nummer","Line height":"Liniendicke","Dropped file type is not supported":"Hereingezogener Dateityp wird nicht unterst\xfctzt","Loading...":"Wird geladen...","ImageProxy HTTP error: Rejected request":"Image Proxy HTTP Fehler: Abgewiesene Anfrage","ImageProxy HTTP error: Could not find Image Proxy":"Image Proxy HTTP Fehler: Kann Image Proxy nicht finden","ImageProxy HTTP error: Incorrect Image Proxy URL":"Image Proxy HTTP Fehler: Falsche Image Proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"Image Proxy HTTP Fehler: Unbekannter Image Proxy Fehler"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/de_AT.js b/deform/static/tinymce/langs/de_AT.js deleted file mode 100644 index d41ab6b3..00000000 --- a/deform/static/tinymce/langs/de_AT.js +++ /dev/null @@ -1,156 +0,0 @@ -tinymce.addI18n('de_AT',{ -"Cut": "Ausschneiden", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Ihr Browser unterst\u00fctzt keinen direkten Zugriff auf die Zwischenablage. Bitte nutzen Sie die Tastaturk\u00fcrzel Strg+X\/C\/V stattdessen.", -"Paste": "Einf\u00fcgen", -"Close": "Schlie\u00dfen", -"Align right": "Rechtsb\u00fcndig", -"New document": "Neues Dokument", -"Numbered list": "Sortierte Liste", -"Increase indent": "Einr\u00fccken", -"Formats": "Formate", -"Select all": "Alles ausw\u00e4hlen", -"Undo": "Wiederholen", -"Strikethrough": "Durchgestrichen", -"Bullet list": "Unsortierte Liste", -"Superscript": "Hochgestellt", -"Clear formatting": "Formatierungen zur\u00fccksetzen", -"Subscript": "Tiefgestellt", -"Redo": "R\u00fcckg\u00e4ngig", -"Ok": "Ok", -"Bold": "Fett", -"Italic": "Kursiv", -"Align center": "Zentriert", -"Decrease indent": "Ausr\u00fccken", -"Underline": "Unterstrichen", -"Cancel": "Abbrechen", -"Justify": "Blocksatz", -"Copy": "Kopieren", -"Align left": "Linksb\u00fcndig", -"Visual aids": "Hilfslinien und unsichtbare Elemente einblenden", -"Lower Greek": "Griechische Kleinbuchstaben", -"Square": "Quadrat", -"Default": "Standard", -"Lower Alpha": "Kleinbuchstaben", -"Circle": "Kreis", -"Disc": "Scheibe", -"Upper Alpha": "Griechische Gro\u00dfbuchstaben", -"Upper Roman": "R\u00f6mische Gro\u00dfbuchstaben", -"Lower Roman": "R\u00f6mische Kleinbuchstaben", -"Name": "Name", -"Anchor": "Anker", -"You have unsaved changes are you sure you want to navigate away?": "Sie haben ungespeicherte \u00c4nderungen. Sind Sie sicher, dass Sie die Seite verlassen wollen?", -"Restore last draft": "Letzten Entwurf speichern.", -"Special character": "Sonderzeichen", -"Source code": "Quelltext", -"Right to left": "Rechts nach links", -"Left to right": "Links nach rechts", -"Emoticons": "Emoticons", -"Robots": "Suchmaschinen", -"Document properties": "Dokumenteigenschaften", -"Title": "Titel", -"Keywords": "Schl\u00fcsselw\u00f6rter", -"Encoding": "Encoding", -"Description": "Beschreibung", -"Author": "Author", -"Fullscreen": "Vollbild", -"Horizontal line": "Horizontale Trennlinie", -"Horizontal space": "Horizontaler Abstand", -"Insert\/edit image": "Bild einf\u00fcgen\/bearbeiten", -"General": "Allgemein", -"Advanced": "Erweitert", -"Source": "Adresse", -"Border": "Rahmen", -"Constrain proportions": "Seitenverh\u00e4ltnis beibehalten", -"Vertical space": "Vertikaler Abstand", -"Image description": "Bildbeschreibung", -"Style": "Format", -"Dimensions": "Ausma\u00dfe", -"Insert date\/time": "Zeit\/Datum einf\u00fcgen", -"Url": "Url", -"Text to display": "Angezeigter Text", -"Insert link": "Link einf\u00fcgen", -"New window": "Neues Fenster", -"None": "Keine", -"Target": "Ziel", -"Insert\/edit link": "Link einf\u00fcgen\/bearbeiten", -"Insert\/edit video": "Video einf\u00fcgen\/bearbeiten", -"Poster": "Poster", -"Alternative source": "Alternative Quelle", -"Paste your embed code below:": "F\u00fcgen unten Sie Ihren Quellcode zum einbetten ein", -"Insert video": "Video einf\u00fcgen", -"Embed": "Einbetten", -"Nonbreaking space": "gesch\u00fctztes Leerzeichen", -"Page break": "Seitenumbruch", -"Preview": "Vorschau", -"Print": "Drucken", -"Save": "Speichern", -"Could not find the specified string.": "Keine \u00dcbereinstimmung gefunden", -"Replace": "Ersetzen", -"Next": "N\u00e4chstes", -"Whole words": "Vollst\u00e4ndige W\u00f6rter", -"Find and replace": "Suchen und ersetzen", -"Replace with": "Ersetzen mit", -"Find": "Suchen", -"Replace all": "Alle ersetzen", -"Match case": "Gro\u00df-\/Kleinschreibung beachten", -"Prev": "Vorheriges", -"Spellcheck": "Rechtschreibung \u00fcberpr\u00fcfen", -"Finish": "Fertig", -"Ignore all": "Alle ignorieren", -"Ignore": "Ignorieren", -"Insert row before": "Neue Zeile oberhalb einf\u00fcgen", -"Rows": "Zeilen", -"Height": "H\u00f6he", -"Paste row after": "Zeile unterhalb einf\u00fcgen", -"Alignment": "Ausrichtung", -"Column group": "Spaltengruppe", -"Row": "Zeile", -"Insert column before": "Neue Spalte links einf\u00fcgen", -"Split cell": "Verbundene Zellen trennen", -"Cell padding": "Abstand innerhalb der Zellen", -"Cell spacing": "Zellenabstand", -"Row type": "Zeilentyp", -"Insert table": "Tabelle einf\u00fcgen", -"Body": "Tabellenk\u00f6rper", -"Caption": "Beschriftung der Tabelle", -"Footer": "Tabellenfu\u00df", -"Delete row": "Zeile l\u00f6schen", -"Paste row before": "Zeile oberhalb einf\u00fcgen", -"Scope": "Geltungsbereich", -"Delete table": "Tabelle l\u00f6schen", -"Header cell": "\u00dcberschrift", -"Column": "Spalte", -"Cell": "Zelle", -"Header": "\u00dcberschrift", -"Cell type": "Zellentyp", -"Copy row": "Zeile kopieren", -"Row properties": "Zeileneigenschaften", -"Table properties": "Tabelleneigenschaften", -"Row group": "Zeilengruppe", -"Right": "Rechts", -"Insert column after": "Neue Spalte rechts einf\u00fcgen", -"Cols": "Spalten", -"Insert row after": "Neue Zeile unterhalb einf\u00fcgen", -"Width": "Breite", -"Cell properties": "Zelleneigenschaften", -"Left": "Links", -"Cut row": "Zeile ausschneiden", -"Delete column": "Spalte l\u00f6schen", -"Center": "Zentriert", -"Merge cells": "Zellen vereinen", -"Insert template": "Vorlage einf\u00fcgen", -"Templates": "Vorlagen", -"Background color": "Hintergrundfarbe", -"Text color": "Textfarbe", -"Show blocks": "Blockelemente einblenden", -"Show invisible characters": "Unsichtbare Zeichen einblenden", -"Words: {0}": "W\u00f6rter: {0}", -"Insert": "Einf\u00fcgen", -"File": "Datei", -"Edit": "Bearbeiten", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich Text Area. Dr\u00fccken Sie ALT-F9 f\u00fcr das Men\u00fc. Dr\u00fccken Sie ALT-F10 f\u00fcr die Werkzeugleiste. Dr\u00fccken Sie ALT-0 f\u00fcr Hilfe", -"Tools": "Extras", -"View": "Ansicht", -"Table": "Tabelle", -"Format": "Format" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/dv.js b/deform/static/tinymce/langs/dv.js new file mode 100644 index 00000000..5cc50b50 --- /dev/null +++ b/deform/static/tinymce/langs/dv.js @@ -0,0 +1 @@ +tinymce.addI18n("dv",{"Redo":"\u0783\u07a9\u0791\u07ab","Undo":"\u0787\u07a6\u0782\u07b0\u0791\u07ab","Cut":"\u0786\u07a6\u0793\u07b0","Copy":"\u0786\u07ae\u0795\u07a9","Paste":"\u0795\u07ad\u0790\u07b0\u0793\u07b0","Select all":"\u0790\u07ac\u078d\u07ac\u0786\u07b0\u0793\u07b0 \u0787\u07af\u078d\u07b0","New document":"\u0787\u07a7 \u0791\u07ae\u0786\u07a8\u0787\u07aa\u0789\u07ac\u0782\u07b0\u0793\u07b0","Ok":"\u0787\u07af\u0786\u07ad","Cancel":"\u0786\u07ac\u0782\u07b0\u0790\u07a6\u078d\u07b0","Visual aids":"\u0788\u07a8\u079d\u07aa\u0787\u07a6\u078d\u07b0 \u0787\u07ac\u0787\u07a8\u0791\u07b0\u0790\u07b0","Bold":"\u0784\u07af\u078d\u07b0\u0791\u07b0","Italic":"\u0787\u07a8\u0793\u07a6\u078d\u07a8\u0786\u07b0","Underline":"\u078b\u07a6\u0781\u07aa\u0783\u07ae\u0782\u078e\u07aa","Strikethrough":"\u0789\u07ac\u078b\u07aa \u0783\u07ae\u0782\u078e\u07ae","Superscript":"\u0789\u07a6\u078c\u07a9\u0787\u07a6\u0786\u07aa\u0783\u07aa","Subscript":"\u078c\u07a8\u0783\u07a9\u0787\u07a6\u0786\u07aa\u0783\u07aa","Clear formatting":"\u078a\u07af\u0789\u07ac\u0793\u07b0\u078c\u07a6\u0787\u07b0 \u078a\u07ae\u0780\u07ad","Remove":"","Align left":"\u0788\u07a7\u078c\u07a6\u0781\u07b0 \u0796\u07a6\u0787\u07b0\u0790\u07a7","Align center":"\u0789\u07ac\u078b\u07a6\u0781\u07b0 \u0796\u07a6\u0787\u07b0\u0790\u07a7","Align right":"\u0786\u07a6\u0782\u07a7\u078c\u07a6\u0781\u07b0 \u0796\u07a6\u0787\u07b0\u0790\u07a7","No alignment":"","Justify":"\u0787\u07ac\u0787\u07b0\u0788\u07a6\u0783\u07aa \u0786\u07aa\u0783\u07ad","Bullet list":"\u0784\u07aa\u078d\u07ac\u0793\u07b0 \u078d\u07a8\u0790\u07b0\u0793\u07b0","Numbered list":"\u0782\u07a6\u0782\u07b0\u0784\u07a6\u0783\u07aa \u078d\u07a8\u0790\u07b0\u0793\u07b0","Decrease indent":"\u078b\u07aa\u0783\u07aa\u0789\u07a8\u0782\u07b0 \u0786\u07aa\u0791\u07a6\u0786\u07aa\u0783\u07ad","Increase indent":"\u078b\u07aa\u0783\u07aa\u0789\u07a8\u0782\u07b0 \u0784\u07ae\u0791\u07aa\u0786\u07aa\u0783\u07ad","Close":"\u0782\u07a8\u0787\u07b0\u0788\u07a7","Formats":"\u078a\u07af\u0789\u07ac\u0793\u07b0\u078c\u07a6\u0787\u07b0","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0786\u07b0\u078d\u07a8\u0795\u07b0\u0784\u07af\u0791\u07b0 \u0784\u07ad\u0782\u07aa\u0782\u07b0 \u0786\u07aa\u0783\u07aa\u0789\u07aa\u078e\u07ac \u0780\u07aa\u0787\u07b0\u078b\u07a6\u060c \u0784\u07b0\u0783\u07af\u0792\u07a6\u0783\u0787\u07a6\u0786\u07aa\u0782\u07b0 \u0782\u07aa\u078b\u07ad! Ctrl+X/C/V \u0784\u07ad\u0782\u07aa\u0782\u07b0 \u0786\u07aa\u0783\u07ad!","Headings":"\u0780\u07ac\u0791\u07a8\u0782\u07b0","Heading 1":"\u0780\u07ac\u0791\u07a8\u0782\u07b0 1","Heading 2":"\u0780\u07ac\u0791\u07a8\u0782\u07b0 2","Heading 3":"\u0780\u07ac\u0791\u07a8\u0782\u07b0 3","Heading 4":"\u0780\u07ac\u0791\u07a8\u0782\u07b0 4","Heading 5":"\u0780\u07ac\u0791\u07a8\u0782\u07b0 5","Heading 6":"\u0780\u07ac\u0791\u07a8\u0782\u07b0 6","Preformatted":"","Div":"\u0791\u07a6\u0787\u07a8\u0788\u07b0","Pre":"\u0795\u07b0\u0783\u07a9","Code":"\u0786\u07af\u0791\u07b0","Paragraph":"\u0795\u07ac\u0783\u07ac\u078e\u07b0\u0783\u07a7\u078a\u07b0","Blockquote":"\u0784\u07b0\u078d\u07ae\u0786\u07b0-\u0786\u07af\u0793\u07b0","Inline":"\u0787\u07a8\u0782\u07b0\u078d\u07a6\u0787\u07a8\u0782\u07b0","Blocks":"\u0784\u07b0\u078d\u07ae\u0786\u07b0\u078c\u07a6\u0787\u07b0","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0795\u07ad\u0790\u07b0\u0793\u07b0 \u0786\u07aa\u0783\u07ac\u0788\u07ad\u0782\u07a9 \u0795\u07b0\u078d\u07ac\u0787\u07a8\u0782\u07b0\u0786\u07ae\u0781\u07b0! \u0784\u07a6\u078b\u07a6\u078d\u07aa \u0786\u07aa\u0783\u07ac\u0787\u07b0\u0788\u07aa\u0789\u07a6\u0781\u07b0 \u0789\u07a8 \u0787\u07ae\u0795\u07b0\u079d\u07a6\u0782\u07b0 \u0787\u07ae\u078a\u07b0 \u0786\u07ae\u0781\u07b0\u078d\u07a6\u0787\u07b0\u0788\u07a7!","Fonts":"\u078a\u07ae\u0782\u07b0\u0793\u07aa\u078c\u07a6\u0787\u07b0","Font sizes":"","Class":"\u0786\u07b0\u078d\u07a7\u0790\u07b0","Browse for an image":"\u0787\u07a8\u0789\u07ad\u0796\u07ac\u0787\u07b0 \u078d\u07af\u0791\u07aa\u0786\u07aa\u0783\u07ad","OR":"\u0782\u07aa\u0788\u07a6\u078c\u07a6","Drop an image here":"\u0787\u07a8\u0789\u07ad\u0796\u07ac\u0787\u07b0 \u0788\u07a6\u0787\u07b0\u0793\u07a7\u078d\u07a7","Upload":"\u0787\u07a6\u0795\u07b0\u078d\u07af\u0791\u07aa","Uploading image":"","Block":"\u0784\u07b0\u078d\u07ae\u0786\u07b0","Align":"\u078a\u07a6\u0783\u07a7\u078c\u07a6\u0786\u07a6\u0781\u07b0 \u0796\u07ac\u0787\u07b0\u0790\u07aa\u0782\u07b0","Default":"\u0791\u07a8\u078a\u07af\u078d\u07b0\u0793\u07b0","Circle":"\u0784\u07ae\u0785\u07aa","Disc":"\u0788\u07a6\u0781\u07b0\u0784\u07aa\u0783\u07aa","Square":"\u078e\u07ae\u0785\u07a8","Lower Alpha":"\u078d\u07af\u0788\u07a6\u0783 \u0787\u07a6\u078d\u07b0\u078a\u07a7","Lower Greek":"\u078d\u07af\u0788\u07a6\u0783 \u078e\u07b0\u0783\u07a9\u0786\u07b0","Lower Roman":"\u078d\u07af\u0788\u07a6\u0783 \u0783\u07af\u0789\u07a6\u0782\u07b0","Upper Alpha":"\u0787\u07a6\u0795\u07a7 \u0787\u07a6\u078d\u07b0\u078a\u07a7","Upper Roman":"\u0787\u07a6\u0795\u07a7 \u0783\u07af\u0789\u07a6\u0782\u07b0","Anchor...":"\u0782\u07a6\u078e\u07a8\u078d\u07a8..","Anchor":"","Name":"\u0782\u07a6\u0782\u07b0","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\u0784\u07a6\u078b\u07a6\u078d\u07aa\u078c\u07a6\u0787\u07b0 \u0790\u07ad\u0788\u07b0 \u0782\u07aa\u0786\u07ae\u0781\u07b0 \u078b\u07ab\u0786\u07ae\u0781\u07b0\u078d\u07a6\u0782\u07b0\u0788\u07a9\u078c\u07a6\u061f","Restore last draft":"\u078a\u07a6\u0780\u07aa\u078e\u07ac \u0791\u07b0\u0783\u07a7\u078a\u07b0\u0793\u07b0 \u0783\u07ac\u0790\u07b0\u0793\u07af \u0786\u07aa\u0783\u07ad","Special character...":"\u079a\u07a7\u0787\u07b0\u0790\u07a6 \u0787\u07a6\u0786\u07aa\u0783\u07aa","Special Character":"","Source code":"\u0789\u07a6\u0790\u07b0\u078b\u07a6\u0783\u07aa","Insert/Edit code sample":"\u0786\u07af\u0791\u07aa \u0789\u07a8\u0790\u07a7\u078d\u07aa \u0787\u07a8\u0782\u07b0\u0790\u07a7\u0793\u07aa/\u0787\u07ac\u0791\u07a8\u0793\u07b0 \u0786\u07aa\u0783\u07aa\u0782\u07b0","Language":"\u0784\u07a6\u0790\u07b0","Code sample...":"\u0790\u07a7\u0789\u07b0\u0795\u07a6\u078d\u07b0 \u0786\u07af\u0791\u07aa","Left to right":"\u0788\u07a7\u078c\u07aa\u0782\u07b0 \u0786\u07a6\u0782\u07a7\u078c\u07a6\u0781\u07b0","Right to left":"\u0786\u07a6\u0782\u07a7\u078c\u07aa\u0782\u07b0 \u0788\u07a7\u078c\u07a6\u0781\u07b0","Title":"\u0793\u07a6\u0787\u07a8\u0793\u07a6\u078d\u07b0","Fullscreen":"\u078a\u07aa\u078d\u07b0\u0790\u07b0\u0786\u07b0\u0783\u07a9\u0782\u07b0","Action":"\u0787\u07ac\u0786\u07b0\u079d\u07a6\u0782\u07b0","Shortcut":"\u0786\u07aa\u0783\u07aa\u0789\u07a6\u078e\u07aa\u078c\u07a6\u0787\u07b0","Help":"\u0787\u07ac\u0780\u07a9","Address":"\u0787\u07ac\u0791\u07b0\u0783\u07ac\u0790\u07b0","Focus to menubar":"\u0789\u07ac\u0782\u07ab\u0784\u07a7\u0787\u07a6\u0781\u07b0 \u078a\u07af\u0786\u07a6\u0790\u07b0\u0786\u07aa\u0783\u07ad","Focus to toolbar":"\u0793\u07ab\u078d\u07b0\u0784\u07a7\u0787\u07a6\u0781\u07b0 \u078a\u07af\u0786\u07a6\u078d\u07b0\u0786\u07aa\u0783\u07ad","Focus to element path":"\u0787\u07ac\u078d\u07ac\u0789\u07ac\u0782\u07b0\u0793\u07b0\u078e\u07ac \u0795\u07ac\u078c\u07a6\u0781\u07b0 \u078a\u07af\u0786\u07a6\u0790\u07b0 \u0786\u07aa\u0783\u07ad","Focus to contextual toolbar":"","Insert link (if link plugin activated)":"","Save (if save plugin activated)":"","Find (if searchreplace plugin activated)":"","Plugins installed ({0}):":"","Premium plugins:":"","Learn more...":"\u0787\u07a8\u078c\u07aa\u0783\u07a6\u0781\u07b0 \u078b\u07a6\u0790\u07b0\u0786\u07aa\u0783\u07aa\u0789\u07a6\u0781\u07b0...","You are using {0}":"","Plugins":"\u0795\u07b0\u078d\u07a6\u078e\u07a8\u0782\u07b0\u078c\u07a6\u0787\u07b0","Handy Shortcuts":"\u0789\u07aa\u0780\u07a8\u0782\u07b0\u0789\u07aa \u0786\u07aa\u0783\u07aa\u0789\u07a6\u078e\u07aa\u078c\u07a6\u0787\u07b0","Horizontal line":"\u0780\u07aa\u0783\u07a6\u0790\u07b0 \u0783\u07ae\u0782\u078e\u07aa","Insert/edit image":"\u078a\u07ae\u0793\u07af\u078d\u07aa\u0782\u07b0/\u0784\u07a6\u078b\u07a6\u078d\u07aa\u0786\u07aa\u0783\u07aa\u0782\u07b0","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"\u0789\u07a6\u0790\u07b0\u078b\u07a6\u0783\u07aa","Dimensions":"\u0789\u07a8\u0782\u07b0\u078c\u07a6\u0787\u07b0","Constrain proportions":"\u0788\u07a6\u0792\u07a6\u0782\u07b0 \u0780\u07a8\u078a\u07a6\u0780\u07a6\u0787\u07b0\u0793\u07a7","General":"\u0787\u07a7\u0782\u07b0\u0789\u07aa","Advanced":"\u0787\u07ac\u0791\u07b0\u0788\u07a7\u0782\u07b0\u0790\u07b0\u0791\u07b0","Style":"\u0790\u07b0\u0793\u07a6\u0787\u07a8\u078d\u07b0","Vertical space":"\u0788\u07a7\u0793\u07a8\u0786\u07a6\u078d\u07b0 \u0790\u07b0\u0795\u07ad\u0790\u07b0","Horizontal space":"\u0780\u07ae\u0783\u07a8\u0792\u07af\u0782\u07b0\u0793\u07a6\u078d\u07b0 \u0790\u07b0\u0795\u07ad\u0790\u07b0","Border":"\u0784\u07af\u0791\u07a6\u0783\u07aa","Insert image":"\u078a\u07ae\u0793\u07af \u0787\u07a8\u0782\u07b0\u0790\u07a7\u0793\u07b0 \u0786\u07aa\u0783\u07ad","Image...":"\u0787\u07a8\u0789\u07ad\u0796\u07aa...","Image list":"\u0787\u07a8\u0789\u07ad\u0796\u07aa \u078d\u07a8\u0790\u07b0\u0793\u07b0","Resize":"\u0790\u07a6\u0787\u07a8\u0792\u07aa\u0784\u07a6\u078b\u07a6\u078d\u07aa\u0786\u07aa\u0783\u07aa\u0782\u07b0","Insert date/time":"\u0788\u07a6\u078e\u07aa\u078c\u07aa/\u078c\u07a7\u0783\u07a9\u079a\u07b0 \u078d\u07aa\u0782\u07b0","Date/time":"\u078c\u07a7\u0783\u07a9\u079a\u07b0/\u0788\u07a6\u078e\u07aa\u078c\u07aa","Insert/edit link":"\u078d\u07a8\u0782\u07b0\u0786\u07b0 \u078d\u07aa\u0782\u07b0/\u0784\u07a6\u078b\u07a6\u078d\u07aa \u078e\u07ac\u0782\u07a6\u0787\u07aa\u0782\u07b0","Text to display":"\u078b\u07a6\u0787\u07b0\u0786\u07a6\u0782\u07b0\u0788\u07a9 \u0787\u07a8\u0784\u07a7\u0783\u07a7\u078c\u07b0","Url":"\u0794\u07ab.\u0787\u07a7\u0783\u07b0.\u0787\u07ac\u078d\u07b0","Open link in...":"","Current window":"","None":"\u0782\u07ae\u0782\u07b0","New window":"\u0787\u07a7 \u0788\u07a8\u0782\u07b0\u0791\u07af\u0787\u07a6\u0786\u07a6\u0781\u07b0","Open link":"","Remove link":"\u078d\u07a8\u0782\u07b0\u0786\u07b0 \u078a\u07ae\u0780\u07ad","Anchors":"\u0787\u07ac\u0782\u07b0\u0786\u07a6\u0783\u078c\u07a6\u0787\u07b0","Link...":"\u078a\u07a7\u078d\u07a6\u0782\u07b0...","Paste or type a link":"\u078d\u07a8\u0782\u07b0\u0786\u07aa \u078d\u07a8\u0794\u07aa\u0787\u07b0\u0788\u07a7 \u0782\u07aa\u0788\u07a6\u078c\u07a6 \u0795\u07ad\u0790\u07b0\u0793\u07b0 \u0786\u07aa\u0783\u07a6\u0787\u07b0\u0788\u07a7","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0789\u07ac\u0787\u07a8\u078d\u07b0\u0793\u07ab - \u0786\u07aa\u0783\u07a8\u0787\u07a6\u0781\u07b0 \u0787\u07a8\u078c\u07aa\u0783\u07aa\u0786\u07aa\u0783\u07a6\u0787\u07b0\u0788\u07a6\u0782\u07b0 \u0784\u07ad\u0782\u07aa\u0782\u07b0\u078a\u07aa\u0785\u07aa\u078c\u07af\u061f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u078c\u07a8\u0794\u07a6 \u078d\u07a8\u0794\u07aa\u0787\u07b0\u0788\u07a9 \u0787\u07ac\u0780\u07ac\u0782\u07b0 \u0790\u07a6\u0787\u07a8\u0793\u07ac\u0787\u07b0\u078e\u07ac \u078d\u07a8\u0782\u07b0\u0786\u07ac\u0787\u07b0\u0786\u07a6\u0789\u07aa\u0782\u07b0 \u0787\u07ac\u0797\u07b0.\u0793\u07a9.\u0793\u07a9.\u0795\u07a9 \u0786\u07aa\u0783\u07a8\u0787\u07a6\u0781\u07b0 \u0787\u07a8\u078c\u07aa\u0783\u07aa \u0786\u07aa\u0783\u07a6\u0782\u07b0\u078c\u07af\u061f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"\u078a\u07a7\u078d\u07a6\u0782\u07b0\u078c\u07a6\u0787\u07b0","Insert video":"\u0788\u07a9\u0791\u07a8\u0787\u07af \u078d\u07aa\u0782\u07b0","Insert/edit video":"\u0788\u07a9\u0791\u07a8\u0787\u07af \u078d\u07aa\u0782\u07b0/\u0784\u07a6\u078b\u07a6\u078d\u07aa \u078e\u07ac\u0782\u07a6\u0787\u07aa\u0782\u07b0","Insert/edit media":"\u0787\u07a8\u0782\u07b0\u0790\u07a7\u0793\u07b0/\u0787\u07ac\u0791\u07a8\u0793\u07b0 \u0789\u07a9\u0791\u07a8\u0787\u07a7","Alternative source":"\u0787\u07a6\u078d\u07b0\u0793\u07a6\u0782\u07ad\u0793\u07a8\u0788\u07b0 \u0790\u07af\u0790\u07b0","Alternative source URL":"","Media poster (Image URL)":"","Paste your embed code below:":"\u0787\u07ac\u0789\u07b0\u0784\u07ac\u0791\u07b0 \u0786\u07af\u0791\u07b0 \u078c\u07a8\u0783\u07a9\u078e\u07a6\u0787\u07a8 \u0795\u07ad\u0790\u07b0\u0793\u07b0 \u0786\u07aa\u0783\u07ad","Embed":"\u0787\u07ac\u0789\u07b0\u0784\u07ac\u0791\u07b0","Media...":"","Nonbreaking space":"\u0782\u07ae\u0782\u07b0 \u0784\u07b0\u0783\u07ad\u0786\u07a8\u0782\u07b0 \u0790\u07b0\u0795\u07ad\u0790\u07b0","Page break":"\u0795\u07ad\u0796\u07b0 \u0784\u07b0\u0783\u07ad\u0786\u07b0","Paste as text":"\u0793\u07ac\u0786\u07b0\u0790\u07b0\u0793\u07b0 \u078e\u07ae\u078c\u07a6\u0781\u07b0 \u0795\u07ad\u0790\u07b0\u0793\u07b0 \u0786\u07aa\u0783\u07ad","Preview":"\u0795\u07b0\u0783\u07a9\u0788\u07a8\u0787\u07aa","Print":"","Print...":"\u0795\u07b0\u0783\u07a8\u0782\u07b0\u0793\u07b0...","Save":"\u0790\u07ad\u0788\u07b0 \u0786\u07aa\u0783\u07ad","Find":"\u0780\u07af\u078b\u07a7","Replace with":"\u0784\u07a6\u078b\u07a6\u078d\u07aa\u078e\u07a6\u0787\u07a8 \u0784\u07ad\u0782\u07aa\u0782\u07b0 \u0786\u07aa\u0783\u07a7\u0782\u07a9","Replace":"\u0784\u07a6\u078b\u07a6\u078d\u07aa \u0786\u07aa\u0783\u07ad","Replace all":"\u0780\u07aa\u0783\u07a8\u0780\u07a7 \u0787\u07ac\u0787\u07b0\u0797\u07ac\u0787\u07b0 \u0784\u07a6\u078b\u07a6\u078d\u07aa \u0786\u07aa\u0783\u07ad","Previous":"","Next":"\u078a\u07a6\u0780\u07a6\u078c\u07a6\u0781\u07b0","Find and Replace":"","Find and replace...":"","Could not find the specified string.":"\u078c\u07a8\u0794\u07a6 \u0780\u07af\u0787\u07b0\u078b\u07a6\u0788\u07a7 \u078d\u07a6\u078a\u07aa\u0792\u07ac\u0787\u07b0 \u0782\u07aa\u078a\u07ac\u0782\u07aa\u0782\u07aa","Match case":"\u0786\u07ad\u0790\u07b0 \u0787\u07a6\u0781\u07b0 \u0784\u07a6\u078d\u07a7","Find whole words only":"","Find in selection":"","Insert table":"\u0793\u07ad\u0784\u07a6\u078d\u07b0 \u078d\u07aa\u0782\u07b0","Table properties":"\u0793\u07ad\u0784\u07a6\u078d\u07b0\u078e\u07ac \u0790\u07a8\u078a\u07a6\u078c\u07a6\u0787\u07b0","Delete table":"\u0793\u07ad\u0784\u07a6\u078d\u07b0 \u078a\u07ae\u0780\u07ad","Cell":"\u0790\u07ac\u078d\u07b0","Row":"\u0783\u07af","Column":"\u0786\u07ae\u078d\u07a6\u0789\u07b0","Cell properties":"\u0790\u07ac\u078d\u07b0\u078e\u07ac \u0790\u07a8\u078a\u07a6\u078c\u07a6\u0787\u07b0","Merge cells":"\u0790\u07ac\u078d\u07b0 \u0787\u07ac\u0787\u07b0\u0786\u07aa\u0783\u07ad","Split cell":"\u0790\u07ac\u078d\u07b0 \u0788\u07a6\u0786\u07a8\u0786\u07aa\u0783\u07ad","Insert row before":"\u0786\u07aa\u0783\u07a8\u0787\u07a6\u0781\u07b0 \u0783\u07af\u0787\u07ac\u0787\u07b0 \u0787\u07a8\u078c\u07aa\u0783\u07aa \u0786\u07aa\u0783\u07ad","Insert row after":"\u078a\u07a6\u0780\u07a6\u078c\u07a6\u0781\u07b0 \u0783\u07af\u0787\u07ac\u0787\u07b0 \u0787\u07a8\u078c\u07aa\u0783\u07aa \u0786\u07aa\u0783\u07ad","Delete row":"\u0783\u07af \u078a\u07ae\u0780\u07ad","Row properties":"\u0783\u07af\u078e\u07ac \u0790\u07a8\u078a\u07a6\u078c\u07a6\u0787\u07b0","Cut row":"\u0783\u07af \u0786\u07a6\u0793\u07b0\u0786\u07aa\u0783\u07ad","Cut column":"","Copy row":"\u0783\u07af \u0786\u07ae\u0795\u07a9\u0786\u07aa\u0783\u07ad","Copy column":"","Paste row before":"\u0786\u07aa\u0783\u07a8\u0787\u07a6\u0781\u07b0 \u0783\u07af \u0795\u07ad\u0790\u07b0\u0793\u07b0 \u0786\u07aa\u0783\u07ad","Paste column before":"","Paste row after":"\u078a\u07a6\u0780\u07a6\u078c\u07a6\u0781\u07b0 \u0783\u07af \u0795\u07ad\u0790\u07b0\u0793\u07b0 \u0786\u07aa\u0783\u07ad","Paste column after":"","Insert column before":"\u0786\u07aa\u0783\u07a8\u0787\u07a6\u0781\u07b0 \u0786\u07ae\u078d\u07a6\u0789\u07ac\u0787\u07b0 \u0787\u07a8\u078c\u07aa\u0783\u07aa \u0786\u07aa\u0783\u07ad","Insert column after":"\u078a\u07a6\u0780\u07a6\u078c\u07a6\u0781\u07b0 \u0786\u07ae\u078d\u07a6\u0789\u07ac\u0787\u07b0 \u0787\u07a8\u078c\u07aa\u0783\u07aa \u0786\u07aa\u0783\u07ad","Delete column":"\u0786\u07ae\u078d\u07a6\u0789\u07b0 \u078a\u07ae\u0780\u07ad","Cols":"\u0786\u07ae\u078d\u07a6\u0789\u07b0","Rows":"\u0783\u07af","Width":"\u078a\u07aa\u0785\u07a7\u0789\u07a8\u0782\u07b0","Height":"\u078b\u07a8\u078e\u07aa\u0789\u07a8\u0782\u07b0","Cell spacing":"\u0790\u07ac\u078d\u07b0 \u0790\u07b0\u0795\u07ad\u0790\u07a8\u0782\u07b0\u078e","Cell padding":"\u0790\u07ac\u078d\u07b0 \u0795\u07ac\u0791\u07a8\u0782\u07b0","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"\u0786\u07ac\u0795\u07b0\u079d\u07a6\u0782\u07b0","Show caption":"","Left":"\u0788\u07a7\u078c\u07a6\u0781\u07b0","Center":"\u0789\u07ac\u078b\u07a6\u0781\u07b0","Right":"\u0786\u07a6\u0782\u07a7\u078c\u07a6\u0781\u07b0","Cell type":"\u0790\u07ac\u078d\u07b0\u078e\u07ac \u0788\u07a6\u0787\u07b0\u078c\u07a6\u0783\u07aa","Scope":"\u0790\u07b0\u0786\u07af\u0795\u07b0","Alignment":"\u0787\u07ac\u078d\u07a6\u0787\u07a8\u0782\u07b0\u0789\u07ac\u0782\u07b0\u0793\u07b0","Horizontal align":"","Vertical align":"","Top":"\u0789\u07a6\u078c\u07a8","Middle":"\u0789\u07ac\u078b\u07aa","Bottom":"\u078c\u07a8\u0783\u07a8","Header cell":"\u0780\u07ac\u0791\u07a7 \u0790\u07ac\u078d\u07b0","Row group":"\u0783\u07af \u078e\u07b0\u0783\u07ab\u0795\u07b0","Column group":"\u0786\u07ae\u078d\u07a6\u0789\u07b0 \u078e\u07b0\u0783\u07ab\u0795\u07b0","Row type":"\u0783\u07af\u078e\u07ac \u0788\u07a6\u0787\u07b0\u078c\u07a6\u0783\u07aa","Header":"\u0780\u07ac\u0791\u07a7","Body":"\u0784\u07ae\u0791\u07a9","Footer":"\u078a\u07ab\u0793\u07a6\u0783","Border color":"\u0784\u07af\u0791\u07a6\u0783\u07aa \u0786\u07aa\u078d\u07a6","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"","Templates":"\u0793\u07ac\u0789\u07b0\u0795\u07b0\u078d\u07ad\u0793\u07b0\u078c\u07a6\u0787\u07b0","Template":"\u0782\u07a6\u0789\u07ab\u0782\u07a7","Insert Template":"","Text color":"\u0787\u07a6\u0786\u07aa\u0783\u07aa\u078e\u07ac \u0786\u07aa\u078d\u07a6","Background color":"\u0784\u07ac\u0786\u07b0\u078e\u07b0\u0783\u07a6\u0787\u07aa\u0782\u07b0\u0791\u07b0\u078e\u07ac \u0786\u07aa\u078d\u07a6","Custom...":"\u0787\u07a6\u0789\u07a8\u0787\u07b0\u078d\u07a6","Custom color":"\u0787\u07a6\u0789\u07a8\u0787\u07b0\u078d\u07a6 \u0786\u07aa\u078d\u07a6","No color":"\u0786\u07aa\u078d\u07a6 \u0782\u07aa\u0796\u07a6\u0787\u07b0\u0790\u07a7","Remove color":"","Show blocks":"\u0784\u07b0\u078d\u07ae\u0786\u07b0\u078c\u07a6\u0787\u07b0 \u078b\u07a6\u0787\u07b0\u0786\u07a7","Show invisible characters":"\u0782\u07aa\u078a\u07ac\u0782\u07b0\u0782\u07a6 \u0787\u07a6\u0786\u07aa\u0783\u07aa\u078c\u07a6\u0787\u07b0 \u078b\u07a6\u0787\u07b0\u0786\u07a7","Word count":"","Count":"","Document":"","Selection":"","Words":"\u0784\u07a6\u0790\u07b0\u078c\u07a6\u0787\u07b0","Words: {0}":"\u0784\u07a6\u0790\u07b0: {0}","{0} words":"{0} \u0784\u07a6\u0790\u07b0","File":"\u078a\u07a6\u0787\u07a8\u078d\u07b0","Edit":"\u0784\u07a6\u078b\u07a6\u078d\u07aa \u078e\u07ac\u0782\u07a6\u0787\u07aa\u0782\u07b0","Insert":"\u0787\u07a8\u0782\u07b0\u0790\u07a7\u0793\u07b0","View":"\u0788\u07a8\u0787\u07aa","Format":"\u078a\u07af\u0789\u07ac\u0793\u07b0","Table":"\u0793\u07ad\u0784\u07a6\u078d\u07b0","Tools":"\u0793\u07ab\u078d\u07b0\u078c\u07a6\u0787\u07b0","Powered by {0}":"\u0787\u07ac\u0780\u07a9\u078c\u07ac\u0783\u07a8\u0788\u07ac\u078b\u07a8\u0782\u07a9 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0783\u07a8\u0797\u07b0 \u0793\u07ac\u0786\u07b0\u0790\u07b0\u0793\u07b0 \u0787\u07ad\u0783\u07a8\u0787\u07a7. \u0789\u07ac\u0782\u07ab \u0780\u07af\u078b\u07aa\u0789\u07a6\u0781\u07b0 ALT-F9. \u0793\u07ab\u078d\u07b0\u0784\u07a6\u0783 \u0780\u07af\u078b\u07aa\u0789\u07a6\u0781\u07b0 ALT-F10. \u0787\u07ac\u0780\u07a9 \u0780\u07af\u078b\u07aa\u0789\u07a6\u0781\u07b0 ALT-0","Image title":"\u0787\u07a8\u0789\u07ad\u0796\u07aa\u078e\u07ac \u0782\u07a6\u0782\u07b0","Border width":"","Border style":"","Error":"","Warn":"","Valid":"","To open the popup, press Shift+Enter":"","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"","System Font":"","Failed to upload image: {0}":"","Failed to load plugin: {0} from url {1}":"","Failed to load plugin url: {0}":"","Failed to initialize plugin: {0}":"","example":"","Search":"","All":"","Currency":"","Text":"","Quotations":"","Mathematical":"","Extended Latin":"","Symbols":"","Arrows":"","User Defined":"","dollar sign":"","currency sign":"","euro-currency sign":"","colon sign":"","cruzeiro sign":"","french franc sign":"","lira sign":"","mill sign":"","naira sign":"","peseta sign":"","rupee sign":"","won sign":"","new sheqel sign":"","dong sign":"","kip sign":"","tugrik sign":"","drachma sign":"","german penny symbol":"","peso sign":"","guarani sign":"","austral sign":"","hryvnia sign":"","cedi sign":"","livre tournois sign":"","spesmilo sign":"","tenge sign":"","indian rupee sign":"","turkish lira sign":"","nordic mark sign":"","manat sign":"","ruble sign":"","yen character":"","yuan character":"","yuan character, in hong kong and taiwan":"","yen/yuan character variant one":"","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"","Animals and Nature":"","Food and Drink":"","Activity":"","Travel and Places":"","Objects":"","Flags":"","Characters":"","Characters (no spaces)":"","{0} characters":"","Error: Form submit field collision.":"","Error: No form element found.":"","Color swatch":"","Color Picker":"\u0786\u07aa\u078d\u07a6 \u0782\u07ac\u078e\u07a8","Invalid hex color code: {0}":"","Invalid input":"","R":"\u0787\u07a7\u0783\u07aa","Red component":"","G":"\u0796\u07a9","Green component":"","B":"\u0784\u07a9","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"","Green":"","Blue":"","Purple":"","Navy Blue":"","Dark Turquoise":"","Dark Green":"","Medium Blue":"","Medium Purple":"","Midnight Blue":"","Yellow":"","Orange":"","Red":"","Light Gray":"","Gray":"","Dark Yellow":"","Dark Orange":"","Dark Red":"","Medium Gray":"","Dark Gray":"","Light Green":"","Light Yellow":"","Light Red":"","Light Purple":"","Light Blue":"","Dark Purple":"","Dark Blue":"","Black":"","White":"","Switch to or from fullscreen mode":"","Open help dialog":"","history":"","styles":"","formatting":"","alignment":"","indentation":"","Font":"\u078a\u07ae\u0782\u07b0\u0793\u07aa","Size":"\u0790\u07a6\u0787\u07a8\u0792\u07aa","More...":"\u0787\u07a8\u078c\u07aa\u0783\u07aa \u0784\u07a6\u0787\u07a8\u078c\u07a6\u0787\u07b0..","Select...":"","Preferences":"","Yes":"\u0787\u07a7\u0782","No":"\u0782\u07ab\u0782\u07b0","Keyboard Navigation":"","Version":"\u0787\u07a8\u0790\u07b0\u078b\u07a7\u0783\u07aa","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/el.js b/deform/static/tinymce/langs/el.js index 23d73df4..9f842e03 100644 --- a/deform/static/tinymce/langs/el.js +++ b/deform/static/tinymce/langs/el.js @@ -1,156 +1 @@ -tinymce.addI18n('el',{ -"Cut": "\u0391\u03c0\u03bf\u03ba\u03bf\u03c0\u03b7", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "O browser \u03c3\u03b1\u03c2 \u03b4\u03b5\u03bd \u03c5\u03c0\u03bf\u03c3\u03c4\u03b7\u03c1\u03af\u03b6\u03b5\u03b9 \u03c4\u03b7\u03bd \u03ac\u03bc\u03b5\u03c3\u03b7 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03c3\u03c4\u03bf clipboard. \u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03c7\u03c1\u03b7\u03c3\u03b9\u03bc\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03c4\u03b5 \u03c4\u03b9\u03c2 \u03c3\u03c5\u03bd\u03c4\u03bf\u03bc\u03b5\u03cd\u03c3\u03b5\u03b9\u03c2 \u03c0\u03bb\u03b7\u03ba\u03c4\u03c1\u03bf\u03bb\u03bf\u03b3\u03af\u03bf\u03c5 Ctrl + X\/C\/V.", -"Paste": "\u0395\u03c0\u03b9\u03ba\u03bf\u03bb\u03bb\u03b7\u03c3\u03b7", -"Close": "\u039a\u03bb\u03b5\u03b9\u03c3\u03b9\u03bc\u03bf", -"Align right": "\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7 \u03b4\u03b5\u03be\u03b9\u03ac", -"New document": "\u039d\u03b5\u03bf \u03bd\u03c4\u03bf\u03ba\u03bf\u03c5\u03bc\u03b5\u03bd\u03c4\u03bf", -"Numbered list": "\u0391\u03c1\u03b9\u03b8\u03bc\u03b7\u03bc\u03ad\u03bd\u03b7 \u03bb\u03af\u03c3\u03c4\u03b1 ", -"Increase indent": "\u0391\u03cd\u03be\u03b7\u03c3\u03b7 \u03b5\u03c3\u03bf\u03c7\u03ae\u03c2", -"Formats": "\u03a4\u03c5\u03c0\u03bf\u03b9", -"Select all": "\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03b7 \u03bf\u03bb\u03c9\u03bd", -"Undo": "\u0391\u03bd\u03b1\u03af\u03c1\u03b5\u03c3\u03b7", -"Strikethrough": "\u0394\u03b9\u03b1\u03b3\u03c1\u03ac\u03bc\u03bc\u03b9\u03c3\u03b7 ", -"Bullet list": "\u039b\u03af\u03c3\u03c4\u03b1 \u03bc\u03b5 \u03ba\u03bf\u03c5\u03ba\u03ba\u03af\u03b4\u03b5\u03c2 ", -"Superscript": "\u0395\u03ba\u03b8\u03ad\u03c4\u03b7\u03c2", -"Clear formatting": "\u0391\u03c0\u03b1\u03bb\u03bf\u03b9\u03c6\u03ae \u03bc\u03bf\u03c1\u03c6\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7\u03c2 ", -"Subscript": "\u0394\u03b5\u03af\u03ba\u03c4\u03b7\u03c2", -"Redo": "\u0395\u03c0\u03b1\u03bd\u03b1\u03c6\u03bf\u03c1\u03ac", -"Ok": "Ok", -"Bold": "Bold", -"Italic": "Italic", -"Align center": "\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7 \u03c3\u03c4\u03bf \u03ba\u03ad\u03bd\u03c4\u03c1\u03bf ", -"Decrease indent": "\u039c\u03b5\u03af\u03c9\u03c3\u03b7 \u03b5\u03c3\u03bf\u03c7\u03ae\u03c2", -"Underline": "\u03a5\u03c0\u03bf\u03b3\u03c1\u03ac\u03bc\u03bc\u03b9\u03c3\u03b7", -"Cancel": "\u0394\u03b9\u03b1\u03ba\u03bf\u03c0\u03b7", -"Justify": "\u03a0\u03bb\u03ae\u03c1\u03b7\u03c2 \u03c3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7", -"Copy": "\u0391\u03bd\u03c4\u03b9\u03b3\u03c1\u03b1\u03c6\u03b7", -"Align left": "\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7 \u03b1\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac", -"Visual aids": "\u03bf\u03c0\u03c4\u03b9\u03ba\u03ac \u03b2\u03bf\u03b7\u03b8\u03ae\u03bc\u03b1\u03c4\u03b1 ", -"Lower Greek": "Lower Greek", -"Square": "\u03a4\u03b5\u03c4\u03c1\u03ac\u03b3\u03c9\u03bd\u03bf", -"Default": "\u03a0\u03c1\u03bf\u03ba\u03b1\u03b8\u03bf\u03c1\u03b9\u03c3\u03bc\u03bf\u03c2", -"Lower Alpha": "Lower Alpha", -"Circle": "\u039a\u03c5\u03ba\u03bb\u03bf\u03c2", -"Disc": "\u0394\u03b9\u03c3\u03ba\u03bf\u03c2", -"Upper Alpha": "Upper Alpha", -"Upper Roman": "Upper Roman", -"Lower Roman": "Lower Roman", -"Name": "\u039f\u03bd\u03bf\u03bc\u03b1", -"Anchor": "\u0386\u03b3\u03ba\u03c5\u03c1\u03b1 ", -"You have unsaved changes are you sure you want to navigate away?": "\u0388\u03c7\u03b5\u03c4\u03b5 \u03bc\u03b7 \u03b1\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03c5\u03bc\u03ad\u03bd\u03b5\u03c2 \u03b1\u03bb\u03bb\u03b1\u03b3\u03ad\u03c2 \u03b5\u03af\u03bd\u03b1\u03b9 \u0395\u03af\u03c3\u03c4\u03b5 \u03b2\u03ad\u03b2\u03b1\u03b9\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03c6\u03cd\u03b3\u03b5\u03c4\u03b5?", -"Restore last draft": "\u0395\u03c0\u03b1\u03bd\u03b1\u03c6\u03bf\u03c1\u03ac \u03c4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03bf\u03c5 \u03c3\u03c7\u03ad\u03b4\u03b9\u03bf\u03c5", -"Special character": "\u0395\u03b9\u03b4\u03b9\u03ba\u03bf\u03c2 \u03c7\u03b1\u03c1\u03b1\u03ba\u03c4\u03b7\u03c1\u03b1\u03c2", -"Source code": "\u03a0\u03b7\u03b3\u03b1\u03af\u03bf\u03c2 \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1\u03c2", -"Right to left": "\u0391\u03c0\u03bf \u03c4\u03b1 \u03b4\u03b5\u03be\u03b9\u03b1 \u03c0\u03c1\u03bf\u03c2 \u03c4\u03b1 \u03b1\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03b1", -"Left to right": "\u0391\u03c0\u03cc \u03b1\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac \u03c0\u03c1\u03bf\u03c2 \u03c4\u03b1 \u03b4\u03b5\u03be\u03b9\u03ac ", -"Emoticons": "\u03a6\u03b1\u03c4\u03c3\u03bf\u03cd\u03bb\u03b5\u03c2", -"Robots": "Robots", -"Document properties": "\u0399\u03b4\u03b9\u03cc\u03c4\u03b7\u03c4\u03b5\u03c2 \u03bd\u03c4\u03bf\u03ba\u03bf\u03c5\u03bc\u03b5\u03bd\u03c4\u03bf\u03c5", -"Title": "\u03a4\u03b9\u03c4\u03bb\u03bf\u03c2", -"Keywords": "\u039b\u03b5\u03be\u03b5\u03b9\u03c2 \u03ba\u03bb\u03b5\u03b9\u03b4\u03b9\u03b1", -"Encoding": "\u039a\u03c9\u03b4\u03b9\u03ba\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7", -"Description": "\u03a0\u03b5\u03c1\u03b9\u03b3\u03c1\u03b1\u03c6\u03b7", -"Author": "\u0394\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03bf\u03c2", -"Fullscreen": "\u039f\u03bb\u03bf\u03ba\u03bb\u03b7\u03c1\u03b7 \u03bf\u03b8\u03bf\u03bd\u03b7", -"Horizontal line": "\u039f\u03c1\u03b9\u03b6\u03bf\u03bd\u03c4\u03b9\u03b1 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7", -"Horizontal space": " \u039f\u03c1\u03b9\u03b6\u03bf\u03bd\u03c4\u03b9\u03bf\u03c2 \u03c7\u03ce\u03c1\u03bf\u03c2", -"Insert\/edit image": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7\/\u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03b9\u03b1 \u03b5\u03b9\u03ba\u03bf\u03bd\u03b1\u03c2", -"General": "\u0393\u03b5\u03bd\u03b9\u03ba\u03b1", -"Advanced": "\u0391\u03bd\u03b1\u03bb\u03c5\u03c4\u03b9\u03ba\u03b1", -"Source": "\u03a0\u03b7\u03b3\u03b7", -"Border": "\u03a3\u03c5\u03bd\u03bf\u03c1\u03bf", -"Constrain proportions": "\u03a0\u03b5\u03c1\u03b9\u03bf\u03c1\u03b9\u03c3\u03bc\u03cc\u03c2 \u03b1\u03bd\u03b1\u03bb\u03bf\u03b3\u03b9\u03ce\u03bd", -"Vertical space": "\u039a\u03ac\u03b8\u03b5\u03c4\u03bf\u03c2 \u03c7\u03ce\u03c1\u03bf\u03c2", -"Image description": "\u03a0\u03b5\u03c1\u03b9\u03b3\u03c1\u03b1\u03c6\u03b7 \u03b5\u03b9\u03ba\u03bf\u03bd\u03b1\u03c2", -"Style": "\u03a3\u03c4\u03b9\u03bb", -"Dimensions": "\u039c\u03b5\u03b3\u03b5\u03b8\u03bf\u03b9", -"Insert date\/time": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7 \u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03b9\u03b1\u03c2\/\u03c9\u03c1\u03b1\u03c2", -"Url": "Url", -"Text to display": "\u039a\u03b5\u03b9\u03bc\u03b5\u03bd\u03bf \u03b3\u03b9\u03b1 \u03b5\u03bc\u03c6\u03b1\u03bd\u03b9\u03c3\u03b7", -"Insert link": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7 \u03bb\u03b9\u03bd\u03ba", -"New window": "\u039d\u03b5\u03bf \u03c0\u03b1\u03c1\u03b1\u03b8\u03c5\u03c1\u03bf", -"None": "\u039a\u03b1\u03bd\u03b5\u03bd\u03b1\u03c2", -"Target": "\u03a3\u03c4\u03bf\u03c7\u03bf\u03c2", -"Insert\/edit link": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7\/\u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03b9\u03b1 \u03bb\u03b9\u03bd\u03ba", -"Insert\/edit video": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7\/\u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03b9\u03b1 \u0392\u03b9\u03bd\u03c4\u03b5\u03bf", -"Poster": "\u0391\u03c6\u03af\u03c3\u03b1", -"Alternative source": "\u0395\u03bd\u03b1\u03bb\u03bb\u03b1\u03ba\u03c4\u03b9\u03ba\u03ae \u03c0\u03b7\u03b3\u03ae", -"Paste your embed code below:": "\u0395\u03b9\u03c3\u03b1\u03b3\u03b5\u03c4\u03b5 \u03b5\u03b4\u03c9 \u03c4\u03bf\u03bd \u03ba\u03c9\u03b4\u03b9\u03ba\u03bf \u03c3\u03b1\u03c2:", -"Insert video": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7 \u0392\u03b9\u03bd\u03c4\u03b5\u03bf", -"Embed": "\u0395\u03bd\u03c3\u03c9\u03bc\u03b1\u03c4\u03c9\u03bc\u03b5\u03bd\u03b1", -"Nonbreaking space": "\u039a\u03b5\u03bd\u03cc \u03c7\u03c9\u03c1\u03af\u03c2 \u03b4\u03b9\u03b1\u03ba\u03bf\u03c0\u03ae", -"Page break": "\u0391\u03bb\u03bb\u03b1\u03b3\u03ae \u03c3\u03b5\u03bb\u03af\u03b4\u03b1\u03c2", -"Preview": "\u03a0\u03c1\u03bf\u03b5\u03c0\u03b9\u03c3\u03ba\u03bf\u03c0\u03b7\u03c3\u03b7", -"Print": "\u0395\u03ba\u03c4\u03c5\u03c0\u03c9\u03c3\u03b7", -"Save": "\u0391\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03c5\u03c3\u03b7", -"Could not find the specified string.": "\u0394\u03b5\u03bd \u03ae\u03c4\u03b1\u03bd \u03b4\u03c5\u03bd\u03b1\u03c4\u03ae \u03b7 \u03b5\u03cd\u03c1\u03b5\u03c3\u03b7 \u03c4\u03bf\u03c5 \u03ba\u03b1\u03b8\u03bf\u03c1\u03b9\u03c3\u03bc\u03ad\u03bd\u03bf\u03c5 string.", -"Replace": "\u0391\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03b1\u03c3\u03b7", -"Next": "\u0395\u03c0\u03bf\u03bc\u03b5\u03bd\u03bf", -"Whole words": "\u039f\u03bb\u03b5\u03c2 \u03bf\u03b9 \u03bb\u03b5\u03be\u03b5\u03b9\u03c2", -"Find and replace": "\u0395\u03c5\u03c1\u03b5\u03c3\u03b7 \u03ba\u03b1\u03b9 \u03b1\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03b1\u03c3\u03b7", -"Replace with": "\u0391\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03b1\u03c3\u03b7 \u03bc\u03b5", -"Find": "\u0395\u03c5\u03c1\u03b5\u03c3\u03b7", -"Replace all": "\u0391\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03b1\u03c3\u03b7 \u03bf\u03bb\u03c9\u03bd", -"Match case": "\u03a0\u03b5\u03c1\u03af\u03c0\u03c4\u03c9\u03c3\u03b7 ", -"Prev": "\u03a0\u03c1\u03bf", -"Spellcheck": "\u039f\u03c1\u03b8\u03bf\u03b3\u03c1\u03b1\u03c6\u03b9\u03ba\u03cc\u03c2 \u03ad\u03bb\u03b5\u03b3\u03c7\u03bf\u03c2 ", -"Finish": "\u03a4\u03b5\u03bb\u03bf\u03c2", -"Ignore all": "\u0391\u03b3\u03bd\u03bf\u03b7\u03c3\u03b7 \u03bf\u03bb\u03c9\u03bd", -"Ignore": "\u0391\u03b3\u03bd\u03bf\u03b7\u03c3\u03b7", -"Insert row before": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2 \u03c0\u03c1\u03b9\u03bd ", -"Rows": "\u03a3\u03b5\u03b9\u03c1\u03b5\u03c2", -"Height": "\u038e\u03c8\u03bf\u03c2", -"Paste row after": "\u0395\u03c0\u03b9\u03ba\u03bf\u03bb\u03bb\u03b7\u03c3\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7\u03c2 \u03bc\u03b5\u03c4\u03b1", -"Alignment": "\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7 ", -"Column group": "\u039f\u03bc\u03b1\u03b4\u03b1 \u03c3\u03c4\u03b7\u03bb\u03b7\u03c2", -"Row": "\u03a3\u03b5\u03b9\u03c1\u03ac", -"Insert column before": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2 \u03c0\u03c1\u03b9\u03bd ", -"Split cell": "\u0394\u03b9\u03b1\u03bc\u03b5\u03bb\u03b9\u03c3\u03bc\u03bf\u03c2 \u03ba\u03c5\u03c4\u03c4\u03b1\u03c1\u03c9\u03bd", -"Cell padding": "Padding \u03ba\u03c5\u03c4\u03c4\u03ac\u03c1\u03c9\u03bd", -"Cell spacing": "\u0391\u03c0\u03cc\u03c3\u03c4\u03b1\u03c3\u03b7 \u03ba\u03b5\u03bb\u03b9\u03ce\u03bd ", -"Row type": "\u03a4\u03c5\u03c0\u03bf\u03c2 \u03ba\u03c5\u03c4\u03c4\u03b1\u03c1\u03c9\u03bd", -"Insert table": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7 \u03c4\u03b1\u03bc\u03c0\u03b5\u03bb\u03b1\u03c2", -"Body": "\u039a\u03bf\u03c1\u03bc\u03bf\u03c2", -"Caption": "\u0395\u03c0\u03b9\u03ba\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1", -"Footer": "\u03a5\u03c0\u03bf\u03c3\u03ad\u03bb\u03b9\u03b4\u03bf ", -"Delete row": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7\u03c2", -"Paste row before": "\u0395\u03c0\u03b9\u03ba\u03bf\u03bb\u03bb\u03b7\u03c3\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7\u03c2 \u03c0\u03c1\u03b9\u03bd", -"Scope": "\u0388\u03ba\u03c4\u03b1\u03c3\u03b7 ", -"Delete table": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03b7 \u03c4\u03b1\u03bc\u03c0\u03b5\u03bb\u03b1\u03c2", -"Header cell": "\u039a\u03b5\u03c6\u03b1\u03bb\u03b7 \u03ba\u03c5\u03c4\u03c4\u03b1\u03c1\u03c9\u03bd", -"Column": "\u03a3\u03c4\u03ae\u03bb\u03b7", -"Cell": "\u039a\u03cd\u03c4\u03c4\u03b1\u03c1\u03bf", -"Header": "\u039a\u03b5\u03c6\u03b1\u03bb\u03b7", -"Cell type": "\u03a4\u03c5\u03c0\u03bf\u03c2 \u039a\u03cd\u03c4\u03c4\u03b1\u03c1\u03bf\u03c5", -"Copy row": "\u0391\u03bd\u03c4\u03b9\u03b3\u03c1\u03b1\u03c6\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7\u03c2", -"Row properties": "\u0399\u03b4\u03b9\u03bf\u03c4\u03b7\u03c4\u03b5\u03c2 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7\u03c2", -"Table properties": "\u0399\u03b4\u03b9\u03cc\u03c4\u03b7\u03c4\u03b5\u03c2 \u03c4\u03b1\u03bc\u03c0\u03b5\u03bb\u03b1\u03c2", -"Row group": "\u039f\u03bc\u03b1\u03b4\u03b1 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7\u03c2", -"Right": "\u0394\u03b5\u03be\u03b9\u03b1", -"Insert column after": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2 \u03bc\u03b5\u03c4\u03ac ", -"Cols": "Cols", -"Insert row after": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2 \u03bc\u03b5\u03c4\u03b1", -"Width": "\u03a0\u03bb\u03ac\u03c4\u03bf\u03c2", -"Cell properties": "\u0399\u03b4\u03b9\u03cc\u03c4\u03b7\u03c4\u03b5\u03c2 \u03ba\u03c5\u03c4\u03c4\u03b1\u03c1\u03bf\u03c5 ", -"Left": "\u0391\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac", -"Cut row": "\u0391\u03c0\u03bf\u03ba\u03bf\u03c0\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03b7\u03c2", -"Delete column": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03b7 \u03c3\u03c4\u03b7\u03bb\u03b7\u03c2", -"Center": "\u039a\u03b5\u03bd\u03c4\u03c1\u03bf", -"Merge cells": "\u03a3\u03c5\u03b3\u03c7\u03ce\u03bd\u03b5\u03c5\u03c3\u03b7 \u03ba\u03c5\u03c4\u03c4\u03b1\u03c1\u03c9\u03bd", -"Insert template": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c0\u03c1\u03bf\u03c4\u03cd\u03c0\u03bf\u03c5 ", -"Templates": "\u03a0\u03c1\u03cc\u03c4\u03c5\u03c0\u03b1", -"Background color": "\u03a7\u03c1\u03ce\u03bc\u03b1 \u03c6\u03cc\u03bd\u03c4\u03bf\u03c5", -"Text color": "\u03a7\u03c1\u03ce\u03bc\u03b1 \u03ba\u03b5\u03b9\u03bc\u03ad\u03bd\u03bf\u03c5 ", -"Show blocks": "\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03bc\u03c0\u03bb\u03bf\u03ba ", -"Show invisible characters": "\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03b1\u03cc\u03c1\u03b1\u03c4\u03bf\u03bd \u03c7\u03b1\u03c1\u03b1\u03ba\u03c4\u03ae\u03c1\u03c9\u03bd", -"Words: {0}": "\u039b\u03b5\u03be\u03b5\u03b9\u03c2: {0}", -"Insert": "\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b7", -"File": "\u0391\u03c1\u03c7\u03b5\u03b9\u03bf", -"Edit": "\u0395\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03b9\u03b1", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich Text Area. \u03a0\u03b1\u03c4\u03b7\u03c3\u03c4\u03b5 ALT-F9 \u03b3\u03b9\u03b1 \u03bc\u03b5\u03bd\u03bf\u03c5. \u03a0\u03b1\u03c4\u03b7\u03c3\u03c4\u03b5 ALT-F10 \u03b3\u03b9\u03b1 toolbar. \u03a0\u03b1\u03c4\u03b7\u03c3\u03c4\u03b5 ALT-0 \u03b3\u03b9\u03b1 \u03b2\u03bf\u03b7\u03b8\u03b5\u03b9\u03b1", -"Tools": "\u0395\u03c1\u03b3\u03b1\u03bb\u03b5\u03b9\u03b1", -"View": "\u0395\u03bc\u03c6\u03b1\u03bd\u03b9\u03c3\u03b7", -"Table": "\u03a4\u03b1\u03bc\u03c0\u03b5\u03bb\u03b1", -"Format": "\u03a4\u03c5\u03c0\u03bf\u03c2" -}); \ No newline at end of file +tinymce.addI18n("el",{"Redo":"\u0395\u03c0\u03b1\u03bd\u03ac\u03bb\u03b7\u03c8\u03b7","Undo":"\u0391\u03bd\u03b1\u03af\u03c1\u03b5\u03c3\u03b7","Cut":"\u0391\u03c0\u03bf\u03ba\u03bf\u03c0\u03ae","Copy":"\u0391\u03bd\u03c4\u03b9\u03b3\u03c1\u03b1\u03c6\u03ae","Paste":"\u0395\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7","Select all":"\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae \u03cc\u03bb\u03c9\u03bd","New document":"\u039d\u03ad\u03bf \u03ad\u03b3\u03b3\u03c1\u03b1\u03c6\u03bf","Ok":"\u0395\u03bd\u03c4\u03ac\u03be\u03b5\u03b9","Cancel":"\u0391\u03ba\u03cd\u03c1\u03c9\u03c3\u03b7","Visual aids":"O\u03c0\u03c4\u03b9\u03ba\u03ac \u03b2\u03bf\u03b7\u03b8\u03ae\u03bc\u03b1\u03c4\u03b1 ","Bold":"\u0388\u03bd\u03c4\u03bf\u03bd\u03b7","Italic":"\u03a0\u03bb\u03ac\u03b3\u03b9\u03b1","Underline":"\u03a5\u03c0\u03bf\u03b3\u03c1\u03ac\u03bc\u03bc\u03b9\u03c3\u03b7","Strikethrough":"\u0394\u03b9\u03b1\u03ba\u03c1\u03b9\u03c4\u03ae \u03b4\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae","Superscript":"\u0395\u03ba\u03b8\u03ad\u03c4\u03b7\u03c2","Subscript":"\u0394\u03b5\u03af\u03ba\u03c4\u03b7\u03c2","Clear formatting":"\u0391\u03c0\u03b1\u03bb\u03bf\u03b9\u03c6\u03ae \u03bc\u03bf\u03c1\u03c6\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7\u03c2","Remove":"\u0391\u03c6\u03b1\u03af\u03c1\u03b5\u03c3\u03b7","Align left":"\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7 \u03b1\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac","Align center":"\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7 \u03c3\u03c4\u03bf \u03ba\u03ad\u03bd\u03c4\u03c1\u03bf","Align right":"\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7 \u03b4\u03b5\u03be\u03b9\u03ac","No alignment":"\u03a7\u03c9\u03c1\u03af\u03c2 \u0395\u03c5\u03b8\u03c5\u03b3\u03c1\u03ac\u03bc\u03bc\u03b9\u03c3\u03b7","Justify":"\u03a0\u03bb\u03ae\u03c1\u03b7\u03c2 \u03c3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7","Bullet list":"\u039b\u03af\u03c3\u03c4\u03b1 \u03bc\u03b5 \u03ba\u03bf\u03c5\u03ba\u03ba\u03af\u03b4\u03b5\u03c2","Numbered list":"\u0391\u03c1\u03b9\u03b8\u03bc\u03b7\u03bc\u03ad\u03bd\u03b7 \u03bb\u03af\u03c3\u03c4\u03b1","Decrease indent":"\u039c\u03b5\u03af\u03c9\u03c3\u03b7 \u03b5\u03c3\u03bf\u03c7\u03ae\u03c2","Increase indent":"\u0391\u03cd\u03be\u03b7\u03c3\u03b7 \u03b5\u03c3\u03bf\u03c7\u03ae\u03c2","Close":"\u039a\u03bb\u03b5\u03af\u03c3\u03b9\u03bc\u03bf","Formats":"\u039c\u03bf\u03c1\u03c6\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u039f \u03c0\u03b5\u03c1\u03b9\u03b7\u03b3\u03b7\u03c4\u03ae\u03c2 \u03c3\u03b1\u03c2 \u03b4\u03b5\u03bd \u03c5\u03c0\u03bf\u03c3\u03c4\u03b7\u03c1\u03af\u03b6\u03b5\u03b9 \u03ac\u03bc\u03b5\u03c3\u03b7 \u03c0\u03c1\u03cc\u03c3\u03b2\u03b1\u03c3\u03b7 \u03c3\u03c4\u03bf \u03c0\u03c1\u03cc\u03c7\u03b5\u03b9\u03c1\u03bf. \u03a0\u03b1\u03c1\u03b1\u03ba\u03b1\u03bb\u03ce \u03c7\u03c1\u03b7\u03c3\u03b9\u03bc\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03c4\u03b5 \u03c4\u03b9\u03c2 \u03c3\u03c5\u03bd\u03c4\u03bf\u03bc\u03b5\u03cd\u03c3\u03b5\u03b9\u03c2 \u03c0\u03bb\u03b7\u03ba\u03c4\u03c1\u03bf\u03bb\u03bf\u03b3\u03af\u03bf\u03c5 Ctrl+X/C/V.","Headings":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b5\u03c2","Heading 1":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 1","Heading 2":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 2","Heading 3":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 3","Heading 4":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 4","Heading 5":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 5","Heading 6":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 6","Preformatted":"\u03a0\u03c1\u03bf\u03b4\u03b9\u03b1\u03bc\u03bf\u03c1\u03c6\u03c9\u03bc\u03ad\u03bd\u03bf","Div":"Div","Pre":"Pre","Code":"\u039a\u03ce\u03b4\u03b9\u03ba\u03b1\u03c2","Paragraph":"\u03a0\u03b1\u03c1\u03ac\u03b3\u03c1\u03b1\u03c6\u03bf\u03c2","Blockquote":"\u03a0\u03b5\u03c1\u03b9\u03bf\u03c7\u03ae \u03c0\u03b1\u03c1\u03ac\u03b8\u03b5\u03c3\u03b7\u03c2","Inline":"\u0395\u03bd\u03c3\u03c9\u03bc\u03b1\u03c4\u03c9\u03bc\u03ad\u03bd\u03b7","Blocks":"\u03a4\u03bc\u03ae\u03bc\u03b1\u03c4\u03b1","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0397 \u03b5\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7 \u03b5\u03af\u03bd\u03b1\u03b9 \u03c4\u03ce\u03c1\u03b1 \u03c3\u03b5 \u03bb\u03b5\u03b9\u03c4\u03bf\u03c5\u03c1\u03b3\u03af\u03b1 \u03b1\u03c0\u03bb\u03bf\u03cd \u03ba\u03b5\u03b9\u03bc\u03ad\u03bd\u03bf\u03c5. \u03a4\u03b1 \u03c0\u03b5\u03c1\u03b9\u03b5\u03c7\u03cc\u03bc\u03b5\u03bd\u03b1 \u03bc\u03b9\u03b1\u03c2 \u03b5\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7\u03c2 \u03b8\u03b1 \u03b5\u03c0\u03b9\u03ba\u03bf\u03bb\u03bb\u03bf\u03cd\u03bd\u03c4\u03b1\u03b9 \u03c9\u03c2 \u03b1\u03c0\u03bb\u03cc \u03ba\u03b5\u03af\u03bc\u03b5\u03bd\u03bf \u03cc\u03c3\u03bf \u03b7 \u03bb\u03b5\u03b9\u03c4\u03bf\u03c5\u03c1\u03b3\u03af\u03b1 \u03b1\u03c5\u03c4\u03ae \u03c0\u03b1\u03c1\u03b1\u03bc\u03ad\u03bd\u03b5\u03b9 \u03b5\u03bd\u03b5\u03c1\u03b3\u03ae.","Fonts":"\u0393\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03bf\u03c3\u03b5\u03b9\u03c1\u03ad\u03c2","Font sizes":"\u039c\u03ad\u03b3\u03b5\u03b8\u03bf\u03c2 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ac\u03c4\u03c9\u03bd","Class":"\u039a\u03bb\u03ac\u03c3\u03b7","Browse for an image":"\u0391\u03bd\u03b1\u03b6\u03b7\u03c4\u03ae\u03c3\u03c4\u03b5 \u03bc\u03b9\u03b1 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1","OR":"\u0389","Drop an image here":"\u03a1\u03af\u03be\u03c4\u03b5 \u03bc\u03b9\u03b1 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1 \u03b5\u03b4\u03ce","Upload":"\u039c\u03b5\u03c4\u03b1\u03c6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7","Uploading image":"\u0391\u03bd\u03ad\u03b2\u03b1\u03c3\u03bc\u03b1 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2","Block":"\u03a4\u03bc\u03ae\u03bc\u03b1","Align":"\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7","Default":"\u03a0\u03c1\u03bf\u03ba\u03b1\u03b8\u03bf\u03c1\u03b9\u03c3\u03bc\u03ad\u03bd\u03bf","Circle":"\u039a\u03cd\u03ba\u03bb\u03bf\u03c2","Disc":"\u0394\u03af\u03c3\u03ba\u03bf\u03c2","Square":"\u03a4\u03b5\u03c4\u03c1\u03ac\u03b3\u03c9\u03bd\u03bf","Lower Alpha":"\u03a0\u03b5\u03b6\u03ac \u03bb\u03b1\u03c4\u03b9\u03bd\u03b9\u03ba\u03ac","Lower Greek":"\u03a0\u03b5\u03b6\u03ac \u03b5\u03bb\u03bb\u03b7\u03bd\u03b9\u03ba\u03ac","Lower Roman":"\u03a0\u03b5\u03b6\u03ac \u03c1\u03c9\u03bc\u03b1\u03ca\u03ba\u03ac","Upper Alpha":"\u039a\u03b5\u03c6\u03b1\u03bb\u03b1\u03af\u03b1 \u03bb\u03b1\u03c4\u03b9\u03bd\u03b9\u03ba\u03ac","Upper Roman":"\u039a\u03b5\u03c6\u03b1\u03bb\u03b1\u03af\u03b1 \u03c1\u03c9\u03bc\u03b1\u03ca\u03ba\u03ac","Anchor...":"\u0386\u03b3\u03ba\u03c5\u03c1\u03b1...","Anchor":"\u0386\u03b3\u03ba\u03c5\u03c1\u03b1","Name":"\u038c\u03bd\u03bf\u03bc\u03b1","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u03a4\u03bf ID \u03c0\u03c1\u03ad\u03c0\u03b5\u03b9 \u03bd\u03b1 \u03be\u03b5\u03ba\u03b9\u03bd\u03ac \u03bc\u03b5 \u03b3\u03c1\u03ac\u03bc\u03bc\u03b1 \u03ba\u03b1\u03b9 \u03bd\u03b1 \u03b1\u03ba\u03bf\u03bb\u03bf\u03c5\u03b8\u03b5\u03af\u03c4\u03b1\u03b9 \u03bc\u03cc\u03bd\u03bf \u03b1\u03c0\u03cc \u03b3\u03c1\u03ac\u03bc\u03bc\u03b1\u03c4\u03b1, \u03b1\u03c1\u03b9\u03b8\u03bc\u03bf\u03cd\u03c2, \u03c0\u03b1\u03cd\u03bb\u03b5\u03c2, \u03c4\u03b5\u03bb\u03b5\u03af\u03b5\u03c2, \u03b5\u03bb\u03bb\u03b7\u03bd\u03b9\u03ba\u03ac \u03b5\u03c1\u03c9\u03c4\u03b7\u03bc\u03b1\u03c4\u03b9\u03ba\u03ac \u03ba\u03b1\u03b9 \u03ba\u03ac\u03c4\u03c9 \u03c0\u03b1\u03cd\u03bb\u03b5\u03c2.","You have unsaved changes are you sure you want to navigate away?":"\u0388\u03c7\u03b5\u03c4\u03b5 \u03bc\u03b7 \u03b1\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03c5\u03bc\u03ad\u03bd\u03b5\u03c2 \u03b1\u03bb\u03bb\u03b1\u03b3\u03ad\u03c2. \u0395\u03af\u03c3\u03c4\u03b5 \u03b2\u03ad\u03b2\u03b1\u03b9\u03bf\u03b9 \u03cc\u03c4\u03b9 \u03b8\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03c6\u03cd\u03b3\u03b5\u03c4\u03b5 \u03b1\u03c0\u03cc \u03c4\u03b7\u03bd \u03c3\u03b5\u03bb\u03af\u03b4\u03b1;","Restore last draft":"\u0395\u03c0\u03b1\u03bd\u03b1\u03c6\u03bf\u03c1\u03ac \u03c4\u03b5\u03bb\u03b5\u03c5\u03c4\u03b1\u03af\u03bf\u03c5 \u03c3\u03c7\u03b5\u03b4\u03af\u03bf\u03c5","Special character...":"\u0395\u03b9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c7\u03b1\u03c1\u03b1\u03ba\u03c4\u03ae\u03c1\u03b1\u03c2...","Special Character":"\u0395\u03b9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c7\u03b1\u03c1\u03b1\u03ba\u03c4\u03ae\u03c1\u03b1\u03c2","Source code":"\u03a0\u03b7\u03b3\u03b1\u03af\u03bf\u03c2 \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1\u03c2","Insert/Edit code sample":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae/\u0395\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1 \u03b4\u03b5\u03af\u03b3\u03bc\u03b1\u03c4\u03bf\u03c2 \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1","Language":"\u0393\u03bb\u03ce\u03c3\u03c3\u03b1","Code sample...":"\u0394\u03b5\u03af\u03b3\u03bc\u03b1 \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1...","Left to right":"\u0391\u03c0\u03cc \u03b1\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac \u03c0\u03c1\u03bf\u03c2 \u03c4\u03b1 \u03b4\u03b5\u03be\u03b9\u03ac","Right to left":"\u0391\u03c0\u03cc \u03b4\u03b5\u03be\u03b9\u03ac \u03c0\u03c1\u03bf\u03c2 \u03c4\u03b1 \u03b1\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac","Title":"\u03a4\u03af\u03c4\u03bb\u03bf\u03c2","Fullscreen":"\u03a0\u03bb\u03ae\u03c1\u03b7\u03c2 \u03bf\u03b8\u03cc\u03bd\u03b7","Action":"\u0395\u03bd\u03ad\u03c1\u03b3\u03b5\u03b9\u03b1","Shortcut":"\u03a3\u03c5\u03bd\u03c4\u03cc\u03bc\u03b5\u03c5\u03c3\u03b7","Help":"\u0392\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1","Address":"\u0394\u03b9\u03b5\u03cd\u03b8\u03c5\u03bd\u03c3\u03b7","Focus to menubar":"\u0395\u03c3\u03c4\u03af\u03b1\u03c3\u03b7 \u03c3\u03c4\u03bf \u03bc\u03b5\u03bd\u03bf\u03cd","Focus to toolbar":"\u0395\u03c3\u03c4\u03af\u03b1\u03c3\u03b7 \u03c3\u03c4\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae \u03b5\u03c1\u03b3\u03b1\u03bb\u03b5\u03af\u03c9\u03bd","Focus to element path":"\u0395\u03c3\u03c4\u03af\u03b1\u03c3\u03b7 \u03c3\u03c4\u03b7 \u03b4\u03b9\u03b1\u03b4\u03c1\u03bf\u03bc\u03ae \u03c3\u03c4\u03bf\u03b9\u03c7\u03b5\u03af\u03bf\u03c5","Focus to contextual toolbar":"\u0395\u03c3\u03c4\u03af\u03b1\u03c3\u03b7 \u03c3\u03c4\u03b7 \u03c3\u03c5\u03bd\u03b1\u03c6\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae \u03b5\u03c1\u03b3\u03b1\u03bb\u03b5\u03af\u03c9\u03bd","Insert link (if link plugin activated)":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c3\u03c5\u03bd\u03b4\u03ad\u03c3\u03bc\u03bf\u03c5 (\u03b5\u03ac\u03bd \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03b7\u03bc\u03ad\u03bd\u03bf \u03c4\u03bf \u03c0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03bf \u03c4\u03bf\u03c5 \u03c3\u03c5\u03bd\u03b4\u03ad\u03c3\u03bc\u03bf\u03c5)","Save (if save plugin activated)":"\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7 (\u03b5\u03ac\u03bd \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03b7\u03bc\u03ad\u03bd\u03bf \u03c4\u03bf \u03c0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03bf \u03c4\u03b7\u03c2 \u03b1\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7\u03c2)","Find (if searchreplace plugin activated)":"\u0395\u03cd\u03c1\u03b5\u03c3\u03b7 (\u03b5\u03ac\u03bd \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03b7\u03bc\u03ad\u03bd\u03bf \u03c4\u03bf \u03c0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03bf \u03c4\u03b7\u03c2 \u03b1\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b7\u03c2)","Plugins installed ({0}):":"\u0395\u03b3\u03ba\u03b1\u03c4\u03b5\u03c3\u03c4\u03b7\u03bc\u03ad\u03bd\u03b1 \u03c0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1 ({0}):","Premium plugins:":"\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1 \u03c5\u03c8\u03b7\u03bb\u03ae\u03c2 \u03c0\u03bf\u03b9\u03cc\u03c4\u03b7\u03c4\u03b1\u03c2:","Learn more...":"\u039c\u03ac\u03b8\u03b5\u03c4\u03b5 \u03c0\u03b5\u03c1\u03b9\u03c3\u03c3\u03cc\u03c4\u03b5\u03c1\u03b1...","You are using {0}":"\u03a7\u03c1\u03b7\u03c3\u03b9\u03bc\u03bf\u03c0\u03bf\u03b9\u03b5\u03af\u03c4\u03b5 {0}","Plugins":"\u03a0\u03c1\u03cc\u03c3\u03b8\u03b5\u03c4\u03b1","Handy Shortcuts":"\u03a7\u03c1\u03ae\u03c3\u03b9\u03bc\u03b5\u03c2 \u03c3\u03c5\u03bd\u03c4\u03bf\u03bc\u03b5\u03cd\u03c3\u03b5\u03b9\u03c2","Horizontal line":"\u039f\u03c1\u03b9\u03b6\u03cc\u03bd\u03c4\u03b9\u03b1 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae","Insert/edit image":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae/\u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2","Alternative description":"\u0395\u03bd\u03b1\u03bb\u03bb\u03b1\u03ba\u03c4\u03b9\u03ba\u03ae \u03a0\u03b5\u03c1\u03b9\u03b3\u03c1\u03b1\u03c6\u03ae","Accessibility":"\u03a0\u03c1\u03bf\u03c3\u03b2\u03b1\u03c3\u03b9\u03bc\u03cc\u03c4\u03b7\u03c4\u03b1","Image is decorative":"\u0397 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1 \u03b5\u03af\u03bd\u03b1\u03b9 \u03b4\u03b9\u03b1\u03ba\u03bf\u03c3\u03bc\u03b7\u03c4\u03b9\u03ba\u03ae","Source":"\u03a0\u03b7\u03b3\u03ae","Dimensions":"\u0394\u03b9\u03b1\u03c3\u03c4\u03ac\u03c3\u03b5\u03b9\u03c2","Constrain proportions":"\u03a0\u03b5\u03c1\u03b9\u03bf\u03c1\u03b9\u03c3\u03bc\u03cc\u03c2 \u03b1\u03bd\u03b1\u03bb\u03bf\u03b3\u03b9\u03ce\u03bd","General":"\u0393\u03b5\u03bd\u03b9\u03ba\u03ac","Advanced":"\u0393\u03b9\u03b1 \u03a0\u03c1\u03bf\u03c7\u03c9\u03c1\u03b7\u03bc\u03ad\u03bd\u03bf\u03c5\u03c2","Style":"\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7","Vertical space":"\u039a\u03ac\u03b8\u03b5\u03c4\u03bf \u03b4\u03b9\u03ac\u03c3\u03c4\u03b7\u03bc\u03b1","Horizontal space":"\u039f\u03c1\u03b9\u03b6\u03cc\u03bd\u03c4\u03b9\u03bf \u03b4\u03b9\u03ac\u03c3\u03c4\u03b7\u03bc\u03b1","Border":"\u03a0\u03bb\u03b1\u03af\u03c3\u03b9\u03bf","Insert image":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2","Image...":"\u0395\u03b9\u03ba\u03cc\u03bd\u03b1...","Image list":"\u039b\u03af\u03c3\u03c4\u03b1 \u03b5\u03b9\u03ba\u03cc\u03bd\u03c9\u03bd","Resize":"\u0391\u03bb\u03bb\u03b1\u03b3\u03ae \u03bc\u03b5\u03b3\u03ad\u03b8\u03bf\u03c5\u03c2","Insert date/time":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03b7\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1\u03c2/\u03ce\u03c1\u03b1\u03c2","Date/time":"\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1/\u03ce\u03c1\u03b1","Insert/edit link":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae/\u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1 \u03c3\u03c5\u03bd\u03b4\u03ad\u03c3\u03bc\u03bf\u03c5","Text to display":"\u039a\u03b5\u03af\u03bc\u03b5\u03bd\u03bf \u03b3\u03b9\u03b1 \u03b5\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7","Url":"URL","Open link in...":"\u0386\u03bd\u03bf\u03b9\u03b3\u03bc\u03b1 \u03c3\u03c5\u03bd\u03b4\u03ad\u03c3\u03bc\u03bf\u03c5 \u03c3\u03b5...","Current window":"\u03a4\u03c1\u03ad\u03c7\u03bf\u03bd \u03c0\u03b1\u03c1\u03ac\u03b8\u03c5\u03c1\u03bf","None":"\u039a\u03b1\u03bc\u03af\u03b1","New window":"\u039d\u03ad\u03bf \u03c0\u03b1\u03c1\u03ac\u03b8\u03c5\u03c1\u03bf","Open link":"\u0386\u03bd\u03bf\u03b9\u03b3\u03bc\u03b1 \u03c3\u03c5\u03bd\u03b4\u03ad\u03c3\u03bc\u03bf\u03c5","Remove link":"\u0391\u03c6\u03b1\u03af\u03c1\u03b5\u03c3\u03b7 \u03c3\u03c5\u03bd\u03b4\u03ad\u03c3\u03bc\u03bf\u03c5","Anchors":"\u0386\u03b3\u03ba\u03c5\u03c1\u03b5\u03c2","Link...":"\u03a3\u03cd\u03bd\u03b4\u03b5\u03c3\u03bc\u03bf\u03c2...","Paste or type a link":"\u0395\u03c0\u03b9\u03ba\u03bf\u03bb\u03bb\u03ae\u03c3\u03c4\u03b5 \u03ae \u03c0\u03bb\u03b7\u03ba\u03c4\u03c1\u03bf\u03bb\u03bf\u03b3\u03ae\u03c3\u03c4\u03b5 \u03ad\u03bd\u03b1 \u03c3\u03cd\u03bd\u03b4\u03b5\u03c3\u03bc\u03bf","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0397 \u03b4\u03b9\u03b5\u03cd\u03b8\u03c5\u03bd\u03c3\u03b7 URL \u03c0\u03bf\u03c5 \u03b5\u03b9\u03c3\u03ac\u03c7\u03b8\u03b7\u03ba\u03b5 \u03c0\u03b9\u03b8\u03b1\u03bd\u03ce\u03c2 \u03b5\u03af\u03bd\u03b1\u03b9 \u03b4\u03b9\u03b5\u03cd\u03b8\u03c5\u03bd\u03c3\u03b7 email. \u0398\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03c0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf \u03b1\u03c0\u03b1\u03b9\u03c4\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf \u03c0\u03c1\u03cc\u03b8\u03b7\u03bc\u03b1 mailto:;","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0397 \u03b4\u03b9\u03b5\u03cd\u03b8\u03c5\u03bd\u03c3\u03b7 URL \u03c0\u03bf\u03c5 \u03b5\u03b9\u03c3\u03ac\u03c7\u03b8\u03b7\u03ba\u03b5 \u03c0\u03b9\u03b8\u03b1\u03bd\u03ce\u03c2 \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03be\u03c9\u03c4\u03b5\u03c1\u03b9\u03ba\u03cc\u03c2 \u03c3\u03cd\u03bd\u03b4\u03b5\u03c3\u03bc\u03bf\u03c2. \u0398\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03c0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf \u03b1\u03c0\u03b1\u03b9\u03c4\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf \u03c0\u03c1\u03cc\u03b8\u03b7\u03bc\u03b1 http://;","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0397 \u03b4\u03b9\u03b5\u03cd\u03b8\u03c5\u03bd\u03c3\u03b7 URL \u03c0\u03bf\u03c5 \u03b5\u03b9\u03c3\u03b1\u03b3\u03ac\u03b3\u03b1\u03c4\u03b5 \u03c0\u03b9\u03b8\u03b1\u03bd\u03ce\u03c2 \u03b5\u03af\u03bd\u03b1\u03b9 \u03b5\u03be\u03c9\u03c4\u03b5\u03c1\u03b9\u03ba\u03cc\u03c2 \u03c3\u03cd\u03bd\u03b4\u03b5\u03c3\u03bc\u03bf\u03c2. \u0398\u03ad\u03bb\u03b5\u03c4\u03b5 \u03bd\u03b1 \u03c0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf \u03b1\u03c0\u03b1\u03b9\u03c4\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf \u03c0\u03c1\u03cc\u03b8\u03b7\u03bc\u03b1 http://;","Link list":"\u039b\u03af\u03c3\u03c4\u03b1 \u03c3\u03c5\u03bd\u03b4\u03ad\u03c3\u03bc\u03c9\u03bd","Insert video":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03b2\u03af\u03bd\u03c4\u03b5\u03bf","Insert/edit video":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae/\u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1 \u03b2\u03af\u03bd\u03c4\u03b5\u03bf","Insert/edit media":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae/\u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1 media","Alternative source":"\u0395\u03bd\u03b1\u03bb\u03bb\u03b1\u03ba\u03c4\u03b9\u03ba\u03ae \u03c0\u03c1\u03bf\u03ad\u03bb\u03b5\u03c5\u03c3\u03b7","Alternative source URL":"\u0395\u03bd\u03b1\u03bb\u03bb\u03b1\u03ba\u03c4\u03b9\u03ba\u03ae \u03c0\u03b7\u03b3\u03ae","Media poster (Image URL)":"\u0391\u03c6\u03af\u03c3\u03b1 \u03bc\u03ad\u03c3\u03c9\u03bd (URL \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2)","Paste your embed code below:":"\u0395\u03b9\u03c3\u03ac\u03b3\u03b5\u03c4\u03b5 \u03c4\u03bf\u03bd \u03b5\u03bd\u03c3\u03c9\u03bc\u03b1\u03c4\u03c9\u03bc\u03ad\u03bd\u03bf \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1 \u03c0\u03b1\u03c1\u03b1\u03ba\u03ac\u03c4\u03c9:","Embed":"\u0395\u03bd\u03c3\u03c9\u03bc\u03ac\u03c4\u03c9\u03c3\u03b7","Media...":"\u03a0\u03bf\u03bb\u03c5\u03bc\u03ad\u03c3\u03b1...","Nonbreaking space":"\u039a\u03b5\u03bd\u03cc \u03c7\u03c9\u03c1\u03af\u03c2 \u03b4\u03b9\u03b1\u03ba\u03bf\u03c0\u03ae","Page break":"\u0391\u03bb\u03bb\u03b1\u03b3\u03ae \u03c3\u03b5\u03bb\u03af\u03b4\u03b1\u03c2","Paste as text":"\u0395\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7 \u03c9\u03c2 \u03ba\u03b5\u03af\u03bc\u03b5\u03bd\u03bf","Preview":"\u03a0\u03c1\u03bf\u03b5\u03c0\u03b9\u03c3\u03ba\u03cc\u03c0\u03b7\u03c3\u03b7","Print":"\u0395\u03ba\u03c4\u03cd\u03c0\u03c9\u03c3\u03b7","Print...":"\u0395\u03ba\u03c4\u03c5\u03c0\u03c9\u03c3\u03b7...","Save":"\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7","Find":"\u0395\u03cd\u03c1\u03b5\u03c3\u03b7","Replace with":"\u0391\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7 \u03bc\u03b5","Replace":"\u0391\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7","Replace all":"\u0391\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7 \u03cc\u03bb\u03c9\u03bd","Previous":"\u03a0\u03c1\u03bf\u03b7\u03b3\u03bf\u03cd\u03bc\u03b5\u03bd\u03bf","Next":"\u0395\u03c0\u03cc\u03bc.","Find and Replace":"\u0395\u03cd\u03c1\u03b5\u03c3\u03b7 \u03ba\u03b1\u03b9 \u0391\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03ac\u03c3\u03c4\u03b1\u03c3\u03b7","Find and replace...":"\u0395\u03c5\u03c1\u03b5\u03c3\u03b7 \u03ba\u03b1\u03b9 \u03b1\u03bd\u03c4\u03b9\u03ba\u03b1\u03c4\u03b1\u03c3\u03c4\u03b1\u03c3\u03b7...","Could not find the specified string.":"\u0394\u03b5\u03bd \u03ae\u03c4\u03b1\u03bd \u03b4\u03c5\u03bd\u03b1\u03c4\u03ae \u03b7 \u03b5\u03cd\u03c1\u03b5\u03c3\u03b7 \u03c4\u03bf\u03c5 \u03ba\u03b1\u03b8\u03bf\u03c1\u03b9\u03c3\u03bc\u03ad\u03bd\u03bf\u03c5 \u03b1\u03bb\u03c6\u03b1\u03c1\u03b9\u03b8\u03bc\u03b7\u03c4\u03b9\u03ba\u03bf\u03cd.","Match case":"\u03a4\u03b1\u03af\u03c1\u03b9\u03b1\u03c3\u03bc\u03b1 \u03c0\u03b5\u03b6\u03ce\u03bd/\u03ba\u03b5\u03c6\u03b1\u03bb\u03b1\u03af\u03c9\u03bd","Find whole words only":"\u039f\u03bb\u03b5\u03c2 \u03bf\u03b9 \u03bb\u03b5\u03be\u03b5\u03b9\u03c2","Find in selection":"\u0395\u03cd\u03c1\u03b5\u03c3\u03b7 \u03c3\u03c4\u03b7\u03bd \u03b5\u03c0\u03b9\u03bb\u03bf\u03b3\u03ae","Insert table":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c0\u03af\u03bd\u03b1\u03ba\u03b1","Table properties":"\u0399\u03b4\u03b9\u03cc\u03c4\u03b7\u03c4\u03b5\u03c2 \u03c0\u03af\u03bd\u03b1\u03ba\u03b1","Delete table":"\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03c0\u03af\u03bd\u03b1\u03ba\u03b1","Cell":"\u039a\u03b5\u03bb\u03af","Row":"\u0393\u03c1\u03b1\u03bc\u03bc\u03ae","Column":"\u03a3\u03c4\u03ae\u03bb\u03b7","Cell properties":"\u0399\u03b4\u03b9\u03cc\u03c4\u03b7\u03c4\u03b5\u03c2 \u03ba\u03b5\u03bb\u03b9\u03bf\u03cd","Merge cells":"\u03a3\u03c5\u03b3\u03c7\u03ce\u03bd\u03b5\u03c5\u03c3\u03b7 \u03ba\u03b5\u03bb\u03b9\u03ce\u03bd","Split cell":"\u0394\u03b9\u03b1\u03af\u03c1\u03b5\u03c3\u03b7 \u03ba\u03b5\u03bb\u03b9\u03bf\u03cd","Insert row before":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2 \u03b5\u03c0\u03ac\u03bd\u03c9","Insert row after":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2 \u03ba\u03ac\u03c4\u03c9","Delete row":"\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2","Row properties":"\u0399\u03b4\u03b9\u03cc\u03c4\u03b7\u03c4\u03b5\u03c2 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2","Cut row":"\u0391\u03c0\u03bf\u03ba\u03bf\u03c0\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2","Cut column":"\u0391\u03c0\u03bf\u03ba\u03bf\u03c0\u03ae \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2","Copy row":"\u0391\u03bd\u03c4\u03b9\u03b3\u03c1\u03b1\u03c6\u03ae \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2","Copy column":"\u0391\u03bd\u03c4\u03b9\u03b3\u03c1\u03b1\u03c6\u03ae \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2","Paste row before":"\u0395\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2 \u03b5\u03c0\u03ac\u03bd\u03c9","Paste column before":"\u0395\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7 \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2 \u03c0\u03c1\u03b9\u03bd","Paste row after":"\u0395\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2 \u03ba\u03ac\u03c4\u03c9","Paste column after":"\u0395\u03c0\u03b9\u03ba\u03cc\u03bb\u03bb\u03b7\u03c3\u03b7 \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2 \u03bc\u03b5\u03c4\u03ac","Insert column before":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2 \u03b1\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac","Insert column after":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2 \u03b4\u03b5\u03be\u03b9\u03ac","Delete column":"\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2","Cols":"\u03a3\u03c4\u03ae\u03bb\u03b5\u03c2","Rows":"\u0393\u03c1\u03b1\u03bc\u03bc\u03ad\u03c2","Width":"\u03a0\u03bb\u03ac\u03c4\u03bf\u03c2","Height":"\u038e\u03c8\u03bf\u03c2","Cell spacing":"\u0391\u03c0\u03cc\u03c3\u03c4\u03b1\u03c3\u03b7 \u03ba\u03b5\u03bb\u03b9\u03ce\u03bd","Cell padding":"\u0391\u03bd\u03b1\u03c0\u03bb\u03ae\u03c1\u03c9\u03c3\u03b7 \u03ba\u03b5\u03bb\u03b9\u03ce\u03bd","Row clipboard actions":"\u0394\u03c1\u03ac\u03c3\u03b5\u03b9\u03c2 \u03c0\u03c1\u03bf\u03c7\u03b5\u03af\u03c1\u03bf\u03c5 \u03b3\u03b9\u03b1 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ad\u03c2","Column clipboard actions":"\u0394\u03c1\u03ac\u03c3\u03b5\u03b9\u03c2 \u03c0\u03c1\u03bf\u03c7\u03b5\u03af\u03c1\u03bf\u03c5 \u03b3\u03b9\u03b1 \u03c3\u03c4\u03ae\u03bb\u03b5\u03c2","Table styles":"\u03a3\u03c4\u03c5\u03bb \u03c0\u03af\u03bd\u03b1\u03ba\u03b1","Cell styles":"\u03a3\u03c4\u03c5\u03bb \u03ba\u03b5\u03bb\u03b9\u03bf\u03cd","Column header":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 \u03c3\u03c4\u03ae\u03bb\u03b7\u03c2","Row header":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2","Table caption":"\u039b\u03b5\u03b6\u03ac\u03bd\u03c4\u03b1 \u03c0\u03af\u03bd\u03b1\u03ba\u03b1","Caption":"\u039b\u03b5\u03b6\u03ac\u03bd\u03c4\u03b1","Show caption":"\u03a0\u03c1\u03bf\u03b2\u03bf\u03bb\u03ae \u03bb\u03b5\u03b6\u03ac\u03bd\u03c4\u03b1\u03c2","Left":"\u0391\u03c1\u03b9\u03c3\u03c4\u03b5\u03c1\u03ac","Center":"\u039a\u03b5\u03bd\u03c4\u03c1\u03b1\u03c1\u03b9\u03c3\u03bc\u03ad\u03bd\u03b7","Right":"\u0394\u03b5\u03be\u03b9\u03ac","Cell type":"\u03a4\u03cd\u03c0\u03bf\u03c2 \u03ba\u03b5\u03bb\u03b9\u03bf\u03cd","Scope":"\u0388\u03ba\u03c4\u03b1\u03c3\u03b7","Alignment":"\u03a3\u03c4\u03bf\u03af\u03c7\u03b9\u03c3\u03b7","Horizontal align":"\u039f\u03c1\u03b9\u03b6\u03cc\u03bd\u03c4\u03b9\u03b1 \u03b5\u03c5\u03b8\u03c5\u03b3\u03c1\u03ac\u03bc\u03bc\u03b9\u03c3\u03b7","Vertical align":"\u039a\u03ac\u03b8\u03b5\u03c4\u03b7 \u03b5\u03c5\u03b8\u03c5\u03b3\u03c1\u03ac\u03bc\u03bc\u03b9\u03c3\u03b7","Top":"\u039a\u03bf\u03c1\u03c5\u03c6\u03ae","Middle":"\u039c\u03ad\u03c3\u03b7","Bottom":"\u039a\u03ac\u03c4\u03c9","Header cell":"\u039a\u03b5\u03bb\u03af-\u03ba\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1","Row group":"\u039f\u03bc\u03ac\u03b4\u03b1 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ce\u03bd","Column group":"\u039f\u03bc\u03ac\u03b4\u03b1 \u03c3\u03c4\u03b7\u03bb\u03ce\u03bd","Row type":"\u03a4\u03cd\u03c0\u03bf\u03c2 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2","Header":"\u039a\u03b5\u03c6\u03b1\u03bb\u03af\u03b4\u03b1","Body":"\u03a3\u03ce\u03bc\u03b1","Footer":"\u03a5\u03c0\u03bf\u03c3\u03ad\u03bb\u03b9\u03b4\u03bf","Border color":"\u03a7\u03c1\u03ce\u03bc\u03b1 \u03c0\u03bb\u03b1\u03b9\u03c3\u03af\u03bf\u03c5","Solid":"\u039f\u03bc\u03bf\u03b9\u03bf\u03b3\u03b5\u03bd\u03ad\u03c2","Dotted":"\u039c\u03b5 \u03c4\u03b5\u03bb\u03b5\u03af\u03b5\u03c2","Dashed":"\u039c\u03b5 \u03c0\u03b1\u03cd\u03bb\u03b5\u03c2","Double":"\u0394\u03b9\u03c0\u03bb\u03cc","Groove":"\u039a\u03c5\u03bc\u03b1\u03c4\u03b9\u03c3\u03bc\u03cc\u03c2","Ridge":"\u039a\u03bf\u03c1\u03c5\u03c6\u03bf\u03b3\u03c1\u03b1\u03bc\u03bc\u03ae","Inset":"\u0388\u03bd\u03b8\u03b5\u03c4\u03bf","Outset":"\u0388\u03ba\u03b8\u03b5\u03c4\u03bf","Hidden":"\u039a\u03c1\u03c5\u03c6\u03cc","Insert template...":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03c0\u03c1\u03bf\u03c4\u03cd\u03c0\u03bf\u03c5","Templates":"\u03a0\u03c1\u03cc\u03c4\u03c5\u03c0\u03b1","Template":"\u03a0\u03c1\u03cc\u03c4\u03c5\u03c0\u03bf","Insert Template":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae \u03a0\u03c1\u03bf\u03c4\u03cd\u03c0\u03bf\u03c5","Text color":"\u03a7\u03c1\u03ce\u03bc\u03b1 \u03ba\u03b5\u03b9\u03bc\u03ad\u03bd\u03bf\u03c5 ","Background color":"\u03a7\u03c1\u03ce\u03bc\u03b1 \u03c6\u03cc\u03bd\u03c4\u03bf\u03c5","Custom...":"\u03a0\u03c1\u03bf\u03c3\u03b1\u03c1\u03bc\u03bf\u03b3\u03ae...","Custom color":"\u03a0\u03c1\u03bf\u03c3\u03b1\u03c1\u03bc\u03bf\u03c3\u03bc\u03ad\u03bd\u03bf \u03c7\u03c1\u03ce\u03bc\u03b1","No color":"\u03a7\u03c9\u03c1\u03af\u03c2 \u03c7\u03c1\u03ce\u03bc\u03b1","Remove color":"\u0391\u03c6\u03b1\u03af\u03c1\u03b5\u03c3\u03b7 \u03c7\u03c1\u03ce\u03bc\u03b1\u03c4\u03bf\u03c2","Show blocks":"\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03c4\u03bc\u03b7\u03bc\u03ac\u03c4\u03c9\u03bd","Show invisible characters":"\u0395\u03bc\u03c6\u03ac\u03bd\u03b9\u03c3\u03b7 \u03ba\u03c1\u03c5\u03c6\u03ce\u03bd \u03c7\u03b1\u03c1\u03b1\u03ba\u03c4\u03ae\u03c1\u03c9\u03bd","Word count":"\u0386\u03b8\u03c1\u03bf\u03b9\u03c3\u03bc\u03b1 \u03bb\u03ad\u03be\u03b5\u03c9\u03bd","Count":"\u03a3\u03cd\u03bd\u03bf\u03bb\u03bf","Document":"\u0388\u03b3\u03b3\u03c1\u03b1\u03c6\u03bf","Selection":"\u0395\u03c0\u03b9\u03bb\u03b5\u03b3\u03bc\u03ad\u03bd\u03bf","Words":"\u039b\u03ad\u03be\u03b5\u03b9\u03c2","Words: {0}":"\u039b\u03ad\u03be\u03b5\u03b9\u03c2: {0}","{0} words":"{0} \u03bb\u03ad\u03be\u03b5\u03b9\u03c2","File":"\u0391\u03c1\u03c7\u03b5\u03af\u03bf","Edit":"\u0395\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1","Insert":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03ae","View":"\u03a0\u03c1\u03bf\u03b2\u03bf\u03bb\u03ae","Format":"\u039c\u03bf\u03c1\u03c6\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7","Table":"\u03a0\u03af\u03bd\u03b1\u03ba\u03b1\u03c2","Tools":"\u0395\u03c1\u03b3\u03b1\u03bb\u03b5\u03af\u03b1","Powered by {0}":"\u03a4\u03c1\u03bf\u03c6\u03bf\u03b4\u03bf\u03c4\u03b5\u03af\u03c4\u03b1\u03b9 \u03b1\u03c0\u03cc {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u03a0\u03b5\u03c1\u03b9\u03bf\u03c7\u03ae \u0395\u03bc\u03c0\u03bb\u03bf\u03c5\u03c4\u03b9\u03c3\u03bc\u03ad\u03bd\u03bf \u039a\u03b5\u03b9\u03bc\u03ad\u03bd\u03bf\u03c5. \u03a0\u03b1\u03c4\u03ae\u03c3\u03c4\u03b5 ALT-F9 \u03b3\u03b9\u03b1 \u03c4\u03bf \u03bc\u03b5\u03bd\u03bf\u03cd. \u03a0\u03b1\u03c4\u03ae\u03c3\u03c4\u03b5 ALT-F10 \u03b3\u03b9\u03b1 \u03c4\u03b7 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae \u03b5\u03c1\u03b3\u03b1\u03bb\u03b5\u03af\u03c9\u03bd. \u03a0\u03b1\u03c4\u03ae\u03c3\u03c4\u03b5 ALT-0 \u03b3\u03b9\u03b1 \u03b2\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1","Image title":"\u03a4\u03af\u03c4\u03bb\u03bf\u03c2 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2","Border width":"\u03a0\u03bb\u03ac\u03c4\u03bf\u03c2 \u03c0\u03b5\u03c1\u03b9\u03b3\u03c1\u03ac\u03bc\u03bc\u03b1\u03c4\u03bf\u03c2","Border style":"\u03a3\u03c4\u03cd\u03bb \u03c0\u03b5\u03c1\u03b9\u03b3\u03c1\u03ac\u03bc\u03bc\u03b1\u03c4\u03bf\u03c2","Error":"\u039b\u03ac\u03b8\u03bf\u03c2","Warn":"\u03a0\u03c1\u03bf\u03b5\u03b9\u03b4\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7","Valid":"\u0388\u03b3\u03ba\u03c5\u03c1\u03bf","To open the popup, press Shift+Enter":"\u0393\u03b9\u03b1 \u03bd\u03b1 \u03b1\u03bd\u03bf\u03af\u03be\u03b5\u03c4\u03b5 \u03c4\u03bf \u03c0\u03b1\u03c1\u03ac\u03b8\u03c5\u03c1\u03bf, \u03c0\u03b9\u03ad\u03c3\u03c4\u03b5 Shift+Enter","Rich Text Area":"\u03a0\u03b5\u03c1\u03b9\u03bf\u03c7\u03ae \u03c0\u03bb\u03bf\u03cd\u03c3\u03b9\u03bf\u03c5 \u03ba\u03b5\u03b9\u03bc\u03ad\u03bd\u03bf\u03c5","Rich Text Area. Press ALT-0 for help.":"\u03a0\u03b5\u03c1\u03b9\u03bf\u03c7\u03ae \u03b5\u03bc\u03c0\u03bb\u03bf\u03c5\u03c4\u03b9\u03c3\u03bc\u03ad\u03bd\u03bf\u03c5 \u03ba\u03b5\u03b9\u03bc\u03ad\u03bd\u03bf\u03c5. \u03a0\u03b1\u03c4\u03ae\u03c3\u03c4\u03b5 ALT-0 \u03b3\u03b9\u03b1 \u03b2\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1.","System Font":"\u0393\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03bf\u03c3\u03b5\u03b9\u03c1\u03ac \u03c3\u03c5\u03c3\u03c4\u03ae\u03bc\u03b1\u03c4\u03bf\u03c2","Failed to upload image: {0}":"\u0391\u03c0\u03bf\u03c4\u03c5\u03c7\u03af\u03b1 \u03bc\u03b5\u03c4\u03b1\u03c6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7\u03c2 \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2: {0}","Failed to load plugin: {0} from url {1}":"\u0391\u03c0\u03bf\u03c4\u03c5\u03c7\u03af\u03b1 \u03c6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7\u03c2 \u03c0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c4\u03bf\u03c5: {0} \u03b1\u03c0\u03bf {1}","Failed to load plugin url: {0}":"\u0391\u03c0\u03bf\u03c4\u03c5\u03c7\u03af\u03b1 \u03c6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7\u03c2 \u03c0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c4\u03bf\u03c5 url: {0}","Failed to initialize plugin: {0}":"\u0391\u03c0\u03bf\u03c4\u03c5\u03c7\u03af\u03b1 \u03c6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7\u03c2 \u03c0\u03c1\u03bf\u03c3\u03b8\u03ad\u03c4\u03bf\u03c5: {0}","example":"\u03a0\u03b1\u03c1\u03ac\u03b4\u03b5\u03b9\u03b3\u03bc\u03b1","Search":"\u0391\u03bd\u03b1\u03b6\u03ae\u03c4\u03b7\u03c3\u03b7","All":"\u038c\u03bb\u03b1","Currency":"\u039d\u03cc\u03bc\u03b9\u03c3\u03bc\u03b1","Text":"\u039a\u03b5\u03af\u03bc\u03b5\u03bd\u03bf","Quotations":"\u0395\u03b9\u03c3\u03b1\u03b3\u03c9\u03b3\u03b9\u03ba\u03ac","Mathematical":"\u039c\u03b1\u03b8\u03b7\u03bc\u03b1\u03c4\u03b9\u03ba\u03cc","Extended Latin":"\u0395\u03ba\u03c4\u03b5\u03c4\u03b1\u03bc\u03ad\u03bd\u03b7 \u039b\u03b1\u03c4\u03b9\u03bd\u03b9\u03ba\u03ae","Symbols":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03b1","Arrows":"\u0392\u03b5\u03bb\u03ac\u03ba\u03b9\u03b1","User Defined":"\u039f\u03c1\u03b9\u03b6\u03cc\u03bc\u03b5\u03bd\u03bf \u03b1\u03c0\u03bf \u03c4\u03bf\u03bd \u03c7\u03c1\u03ae\u03c3\u03c4\u03b7","dollar sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b4\u03bf\u03bb\u03bb\u03b1\u03c1\u03af\u03bf\u03c5","currency sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03bd\u03bf\u03bc\u03af\u03c3\u03bc\u03b1\u03c4\u03bf\u03c2","euro-currency sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b5\u03c5\u03c1\u03ce","colon sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c7\u03c1\u03ce\u03bc\u03b1\u03c4\u03bf\u03c2","cruzeiro sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03ba\u03c1\u03bf\u03c5\u03b1\u03b6\u03b9\u03b5\u03c1\u03cc\u03c0\u03bb\u03bf\u03b9\u03bf\u03c5","french franc sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b3\u03b1\u03bb\u03bb\u03b9\u03ba\u03bf\u03cd \u03c6\u03c1\u03ac\u03b3\u03ba\u03bf\u03c5","lira sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u039b\u03af\u03c1\u03b1\u03c2","mill sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03bc\u03cd\u03bb\u03bf\u03c5","naira sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf ","peseta sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c0\u03b5\u03c3\u03ad\u03c4\u03b1\u03c2","rupee sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c1\u03bf\u03c5\u03c0\u03af\u03b1\u03c2","won sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b3\u03bf\u03c5\u03cc\u03bd","new sheqel sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03bd\u03b5\u03bf\u03c5 \u03c3\u03b5\u03ba\u03ad\u03bb","dong sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03bd\u03c4\u03cc\u03bd\u03b3\u03ba","kip sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03ba\u03b9\u03c0","tugrik sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c4\u03bf\u03c5\u03c1\u03b3\u03ba\u03af\u03ba","drachma sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b4\u03c1\u03b1\u03c7\u03bc\u03ae\u03c2","german penny symbol":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b3\u03b5\u03c1\u03bc\u03b1\u03bd\u03b9\u03ba\u03bf\u03cd \u03bb\u03b5\u03c0\u03c4\u03bf\u03cd","peso sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c0\u03ad\u03c3\u03bf\u03c2","guarani sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b3\u03ba\u03bf\u03c5\u03b1\u03c1\u03ac\u03bd\u03b9","austral sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b1\u03bf\u03c5\u03c3\u03c4\u03c1\u03ac\u03bb","hryvnia sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u0393\u03c1\u03af\u03b2\u03bd\u03b1","cedi sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c3\u03ad\u03bd\u03c4\u03b9 \u03b3\u03ba\u03ac\u03bd\u03b1\u03c2","livre tournois sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03bb\u03af\u03b2\u03c1 \u03c4\u03bf\u03c5\u03c1\u03bd\u03bf\u03c5\u03ac","spesmilo sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c3\u03c0\u03b5\u03c3\u03bc\u03af\u03bb\u03bf","tenge sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c4\u03ad\u03bd\u03b3\u03ba\u03b5","indian rupee sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b9\u03bd\u03b4\u03b9\u03ba\u03ae\u03c2 \u03c1\u03bf\u03c5\u03c0\u03af\u03b1\u03c2","turkish lira sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c4\u03bf\u03c5\u03c1\u03ba\u03b9\u03ba\u03ae\u03c2 \u03bb\u03af\u03c1\u03b1\u03c2","nordic mark sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c3\u03ba\u03b1\u03bd\u03b4\u03b9\u03bd\u03b1\u03b2\u03b9\u03ba\u03bf\u03cd \u03bc\u03ac\u03c1\u03ba\u03bf\u03c5","manat sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b9\u03bd\u03b4\u03b9\u03ba\u03ae\u03c2 \u03c1\u03bf\u03c5\u03c0\u03af\u03b1\u03c2","ruble sign":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03c1\u03bf\u03c5\u03b2\u03bb\u03b9\u03bf\u03cd","yen character":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b3\u03b5\u03bd","yuan character":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b3\u03b9\u03bf\u03c5\u03ac\u03bd","yuan character, in hong kong and taiwan":"\u03a3\u03cd\u03bc\u03b2\u03bf\u03bb\u03bf \u03b3\u03b9\u03bf\u03c5\u03ac\u03bd, \u03b1\u03c0\u03bf \u03c7\u03cc\u03bd\u03b3\u03ba \u03ba\u03cc\u03bd\u03b3\u03ba \u03ba\u03b1\u03b9 \u03c4\u03b1\u03b9\u03b2\u03ac\u03bd","yen/yuan character variant one":"\u0393\u03b9\u03ad\u03bd/\u0393\u03b9\u03bf\u03c5\u03ac\u03bd \u03c4\u03cd\u03c0\u03bf\u03c2 \u03ad\u03bd\u03b1","Emojis":"Emoji","Emojis...":"Emoji...","Loading emojis...":"\u03a6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7 emoji...","Could not load emojis":"\u0391\u03b4\u03c5\u03bd\u03b1\u03bc\u03af\u03b1 \u03c6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7\u03c2 emoji","People":"\u0386\u03bd\u03b8\u03c1\u03c9\u03c0\u03bf\u03b9","Animals and Nature":"\u0396\u03ce\u03b1 \u03ba\u03b1\u03b9 \u03c6\u03cd\u03c3\u03b7","Food and Drink":"\u03a6\u03b1\u03b3\u03b7\u03c4\u03cc \u03ba\u03b1\u03b9 \u03c0\u03bf\u03c4\u03ac","Activity":"\u0394\u03c1\u03b1\u03c3\u03c4\u03b7\u03c1\u03b9\u03cc\u03c4\u03b7\u03c4\u03b1","Travel and Places":"\u03a4\u03b1\u03be\u03af\u03b4\u03b9\u03b1 \u03ba\u03b1\u03b9 \u03bc\u03ad\u03c1\u03b7","Objects":"\u0391\u03bd\u03c4\u03b9\u03ba\u03b5\u03af\u03bc\u03b5\u03bd\u03b1","Flags":"\u03a3\u03b7\u03bc\u03b1\u03af\u03b5\u03c2","Characters":"\u03a7\u03b1\u03c1\u03b1\u03ba\u03c4\u03ae\u03c1\u03b5\u03c2","Characters (no spaces)":"\u03a7\u03b1\u03c1\u03b1\u03ba\u03c4\u03ae\u03c1\u03b5\u03c2 (\u03c7\u03c9\u03c1\u03af\u03c2 \u03ba\u03b5\u03bd\u03ac)","{0} characters":"{0} \u03c7\u03b1\u03c1\u03b1\u03ba\u03c4\u03ae\u03c1\u03b5\u03c2","Error: Form submit field collision.":"\u039b\u03ac\u03b8\u03bf\u03c2: \u03c3\u03cd\u03b3\u03ba\u03c1\u03bf\u03c5\u03c3\u03b7 \u03c0\u03b5\u03b4\u03af\u03c9\u03bd \u03c4\u03b7\u03c2 \u03c0\u03c1\u03bf\u03c2 \u03c5\u03c0\u03bf\u03b2\u03bf\u03bb\u03ae\u03c2 \u03c6\u03cc\u03c1\u03bc\u03b1\u03c2.","Error: No form element found.":"\u039b\u03ac\u03b8\u03bf\u03c2: \u0394\u03b5\u03bd \u03b2\u03c1\u03ad\u03b8\u03b7\u03ba\u03b5 \u03c4\u03bf \u03c0\u03b5\u03b4\u03af\u03bf \u03c4\u03b7\u03c2 \u03c6\u03cc\u03c1\u03bc\u03b1\u03c2.","Color swatch":"\u0394\u03b5\u03af\u03b3\u03bc\u03b1 \u03c7\u03c1\u03ce\u03bc\u03b1\u03c4\u03bf\u03c2","Color Picker":"\u0395\u03c0\u03b9\u03bb\u03bf\u03b3\u03ad\u03b1\u03c2 \u03c7\u03c1\u03ce\u03bc\u03b1\u03c4\u03bf\u03c2","Invalid hex color code: {0}":"\u0386\u03ba\u03c5\u03c1\u03bf\u03c2 \u03b4\u03b5\u03ba\u03b1\u03b5\u03be\u03b1\u03b4\u03b9\u03ba\u03cc\u03c2 \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c7\u03c1\u03ce\u03bc\u03b1\u03c4\u03bf\u03c2: {0}","Invalid input":"\u0386\u03ba\u03c5\u03c1\u03b7 \u03b5\u03b9\u03c3\u03b1\u03ba\u03c4\u03ad\u03b1 \u03c4\u03b9\u03bc\u03ae","R":"\u039a","Red component":"\u039a\u03cc\u03ba\u03ba\u03b9\u03bd\u03bf \u03c3\u03c4\u03bf\u03b9\u03c7\u03b5\u03af\u03bf","G":"\u03a0","Green component":"\u03a0\u03c1\u03ac\u03c3\u03b9\u03bd\u03bf \u03c3\u03c4\u03bf\u03b9\u03c7\u03b5\u03af\u03bf","B":"\u039c","Blue component":"\u039c\u03c0\u03bb\u03b5 \u03c3\u03c4\u03bf\u03b9\u03c7\u03b5\u03af\u03bf","#":"#","Hex color code":"\u0394\u03b5\u03ba\u03b1\u03b5\u03be\u03b1\u03b4\u03b9\u03ba\u03cc\u03c2 \u03ba\u03c9\u03b4\u03b9\u03ba\u03cc\u03c2 \u03c7\u03c1\u03ce\u03bc\u03b1\u03c4\u03bf\u03c2","Range 0 to 255":"\u0395\u03cd\u03c1\u03bf\u03c2 0 \u03ad\u03c9\u03c2 255","Turquoise":"\u03a4\u03c5\u03c1\u03ba\u03bf\u03c5\u03ac\u03b6","Green":"\u03a0\u03c1\u03ac\u03c3\u03c3\u03b9\u03bd\u03bf","Blue":"\u039c\u03c0\u03bb\u03ad","Purple":"\u039c\u03c9\u03b2","Navy Blue":"\u039d\u03b1\u03c5\u03c4\u03b9\u03ba\u03cc \u03bc\u03c0\u03bb\u03ad","Dark Turquoise":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03c4\u03c5\u03c1\u03ba\u03bf\u03c5\u03ac\u03b6","Dark Green":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03c0\u03c1\u03ac\u03c3\u03c3\u03b9\u03bd\u03bf","Medium Blue":"\u039c\u03b5\u03c3\u03b1\u03af\u03bf \u03bc\u03c0\u03bb\u03ad","Medium Purple":"\u039c\u03b5\u03c3\u03b1\u03af\u03bf \u03bc\u03c9\u03b2","Midnight Blue":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u039c\u03c0\u03bb\u03b5","Yellow":"\u039a\u03af\u03c4\u03c1\u03b9\u03bd\u03bf","Orange":"\u03a0\u03bf\u03c1\u03c4\u03bf\u03ba\u03b1\u03bb\u03af","Red":"\u039a\u03cc\u03ba\u03ba\u03b9\u03bd\u03bf","Light Gray":"\u0391\u03bd\u03bf\u03b9\u03c7\u03c4\u03cc \u03b3\u03ba\u03c1\u03af","Gray":"\u0393\u03ba\u03c1\u03af","Dark Yellow":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03ba\u03af\u03c4\u03c1\u03b9\u03bd\u03bf","Dark Orange":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03a0\u03bf\u03c1\u03c4\u03bf\u03ba\u03b1\u03bb\u03af","Dark Red":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03ba\u03cc\u03ba\u03ba\u03b9\u03bd\u03bf","Medium Gray":"\u039c\u03b5\u03c3\u03b1\u03af\u03bf \u03b3\u03ba\u03c1\u03b9","Dark Gray":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03b3\u03ba\u03c1\u03af","Light Green":"\u0391\u03bd\u03bf\u03b9\u03c7\u03c4\u03cc \u03b3\u03ba\u03c1\u03af","Light Yellow":"\u0391\u03bd\u03bf\u03b9\u03c7\u03c4\u03cc \u03ba\u03af\u03c4\u03c1\u03b9\u03bd\u03bf","Light Red":"\u0391\u03bd\u03bf\u03b9\u03c7\u03c4\u03cc \u03ba\u03cc\u03ba\u03ba\u03b9\u03bd\u03bf","Light Purple":"\u0391\u03bd\u03bf\u03b9\u03c7\u03c4\u03cc \u03bc\u03c9\u03b2","Light Blue":"\u0391\u03bd\u03bf\u03b9\u03c7\u03c4\u03cc \u03bc\u03c0\u03bb\u03ad","Dark Purple":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03bc\u03c9\u03b2","Dark Blue":"\u03a3\u03ba\u03bf\u03cd\u03c1\u03bf \u03bc\u03c0\u03bb\u03ad","Black":"\u039c\u03b1\u03cd\u03c1\u03bf","White":"\u039b\u03b5\u03c5\u03ba\u03cc","Switch to or from fullscreen mode":"\u039c\u03b5\u03c4\u03b1\u03b2\u03b5\u03af\u03c4\u03b5 \u03c3\u03b5 \u03ae \u03b1\u03c0\u03cc \u03bb\u03b5\u03b9\u03c4\u03bf\u03c5\u03c1\u03b3\u03af\u03b1 \u03c0\u03bb\u03ae\u03c1\u03bf\u03c5\u03c2 \u03bf\u03b8\u03cc\u03bd\u03b7\u03c2","Open help dialog":"\u0386\u03bd\u03bf\u03b9\u03b3\u03bc\u03b1 \u03b4\u03b9\u03b1\u03bb\u03cc\u03b3\u03bf\u03c5 \u03b2\u03bf\u03ae\u03b8\u03b5\u03b9\u03b1\u03c2","history":"\u0399\u03c3\u03c4\u03bf\u03c1\u03b9\u03ba\u03cc","styles":"\u03a3\u03c4\u03cd\u03bb","formatting":"\u039c\u03bf\u03c1\u03c6\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7","alignment":"\u0395\u03c5\u03b8\u03c5\u03b3\u03c1\u03ac\u03bc\u03bc\u03b9\u03c3\u03b7","indentation":"\u0395\u03c3\u03bf\u03c7\u03ae","Font":"\u0393\u03c1\u03b1\u03bc\u03bc\u03b1\u03c4\u03bf\u03c3\u03b5\u03b9\u03c1\u03ac","Size":"\u039c\u03ad\u03b3\u03b5\u03b8\u03bf\u03c2","More...":"\u03a0\u03b5\u03c1\u03b9\u03c3\u03c3\u03cc\u03c4\u03b5\u03c1\u03b1...","Select...":"\u0395\u03c0\u03b9\u03bb\u03ad\u03be\u03c4\u03b5...","Preferences":"\u03a0\u03c1\u03bf\u03c4\u03b9\u03bc\u03ae\u03c3\u03b5\u03b9\u03c2","Yes":"\u039d\u03b1\u03b9","No":"\u038c\u03c7\u03b9","Keyboard Navigation":"\u03a0\u03bb\u03bf\u03ae\u03b3\u03b7\u03c3\u03b7 \u03c0\u03bb\u03b7\u03ba\u03c4\u03c1\u03bf\u03bb\u03bf\u03b3\u03af\u03bf\u03c5","Version":"\u0388\u03ba\u03b4\u03bf\u03c3\u03b7","Code view":"\u03a0\u03c1\u03bf\u03b2\u03bf\u03bb\u03ae \u03ba\u03ce\u03b4\u03b9\u03ba\u03b1","Open popup menu for split buttons":"\u0386\u03bd\u03bf\u03b9\u03b3\u03bc\u03b1 \u03b1\u03bd\u03b1\u03b4\u03c5\u03cc\u03bc\u03b5\u03bd\u03bf\u03c5 \u03bc\u03b5\u03bd\u03bf\u03cd \u03b3\u03b9\u03b1 \u03b4\u03b9\u03b1\u03b9\u03c1\u03bf\u03cd\u03bc\u03b5\u03bd\u03b1 \u03ba\u03bf\u03c5\u03bc\u03c0\u03b9\u03ac","List Properties":"\u039b\u03af\u03c3\u03c4\u03b1 \u0399\u03b4\u03b9\u03bf\u03c4\u03ae\u03c4\u03c9\u03bd","List properties...":"\u039b\u03af\u03c3\u03c4\u03b1 \u03b9\u03b4\u03b9\u03bf\u03c4\u03ae\u03c4\u03c9\u03bd...","Start list at number":"\u0388\u03bd\u03b1\u03c1\u03be\u03b7 \u03bb\u03af\u03c3\u03c4\u03b1\u03c2 \u03c3\u03c4\u03bf\u03bd \u03b1\u03c1\u03b9\u03b8\u03bc\u03cc","Line height":"\u038e\u03c8\u03bf\u03c2 \u03b3\u03c1\u03b1\u03bc\u03bc\u03ae\u03c2","Dropped file type is not supported":"\u039f \u03c4\u03cd\u03c0\u03bf\u03c2 \u03b1\u03c1\u03c7\u03b5\u03af\u03bf\u03c5 \u03b4\u03b5\u03bd \u03c5\u03c0\u03bf\u03c3\u03c4\u03b7\u03c1\u03af\u03b6\u03b5\u03c4\u03b1\u03b9","Loading...":"\u03a6\u03cc\u03c1\u03c4\u03c9\u03c3\u03b7...","ImageProxy HTTP error: Rejected request":"\u03a3\u03c6\u03ac\u03bb\u03bc\u03b1 HTTP \u03b5\u03bd\u03b4\u03b9\u03ac\u03bc\u03b5\u03c3\u03bf\u03c5 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03b1\u03c2: \u0391\u03af\u03c4\u03b7\u03bc\u03b1 \u03b1\u03c0\u03bf\u03c1\u03c1\u03af\u03c6\u03b8\u03b7\u03ba\u03b5","ImageProxy HTTP error: Could not find Image Proxy":"\u03a3\u03c6\u03ac\u03bb\u03bc\u03b1 HTTP \u03b5\u03bd\u03b4\u03b9\u03ac\u03bc\u03b5\u03c3\u03bf\u03c5 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03c9\u03bd: \u0394\u03b5 \u03b2\u03c1\u03ad\u03b8\u03b7\u03ba\u03b5 \u03bf \u03b5\u03bd\u03b4\u03b9\u03ac\u03bc\u03b5\u03c3\u03bf\u03c2 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae\u03c2 \u03b5\u03b9\u03ba\u03cc\u03bd\u03c9\u03bd","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u03a3\u03c6\u03ac\u03bb\u03bc\u03b1 HTTP \u03b5\u03bd\u03b4\u03b9\u03ac\u03bc\u03b5\u03c3\u03bf\u03c5 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03c9\u03bd: \u039b\u03ac\u03b8\u03bf\u03c2 \u03b4\u03b9\u03b5\u03cd\u03b8\u03c5\u03bd\u03c3\u03b7 URL \u03b5\u03bd\u03b4\u03b9\u03ac\u03bc\u03b5\u03c3\u03bf\u03c5 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03c9\u03bd","ImageProxy HTTP error: Unknown ImageProxy error":"\u03a3\u03c6\u03ac\u03bb\u03bc\u03b1 HTTP \u03b5\u03bd\u03b4\u03b9\u03ac\u03bc\u03b5\u03c3\u03bf\u03c5 \u03b4\u03b9\u03b1\u03ba\u03bf\u03bc\u03b9\u03c3\u03c4\u03ae \u03b5\u03b9\u03ba\u03cc\u03bd\u03c9\u03bd: \u0386\u03b3\u03bd\u03c9\u03c3\u03c4\u03bf \u03c3\u03c6\u03ac\u03bb\u03bc\u03b1"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/eo.js b/deform/static/tinymce/langs/eo.js new file mode 100644 index 00000000..3c579d34 --- /dev/null +++ b/deform/static/tinymce/langs/eo.js @@ -0,0 +1 @@ +tinymce.addI18n("eo",{"Redo":"Refari","Undo":"Malfari","Cut":"Eltran\u0109i","Copy":"Kopii","Paste":"Englui","Select all":"Elekti \u0109ion","New document":"Nova dokumento","Ok":"Bone","Cancel":"Nuligi","Visual aids":"Videblaj helpiloj","Bold":"Dika","Italic":"Oblikva","Underline":"Substreki","Strikethrough":"Trastreki","Superscript":"Superskribi","Subscript":"Malsuperskribi","Clear formatting":"Forigi formatigon","Remove":"","Align left":"Ordigu maldekstren","Align center":"Ordigu centren","Align right":"Ordigu dekstren","No alignment":"","Justify":"Ordigu la\u016dflanke","Bullet list":"Punkta listo","Numbered list":"Numera listo","Decrease indent":"Malpliigu alineon","Increase indent":"Pliigu alineon","Close":"Fermi","Formats":"Formatoj","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Via retumilo ne subtenas rektan aliron al bufro. Bonvolu antata\u016de uzi klavarajn kombinojn Ctrl+X/C/V.","Headings":"Titoloj","Heading 1":"Titolo 1","Heading 2":"Titolo 2","Heading 3":"Titolo 3","Heading 4":"Titolo 4","Heading 5":"Titolo 5","Heading 6":"Titolo 6","Preformatted":"Anta\u016dformatigita","Div":"","Pre":"","Code":"Kodo","Paragraph":"Alineo","Blockquote":"Mar\u011denigo","Inline":"Enlinie","Blocks":"Blokoj","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Engluado nun okazas en simpla teksta re\u011dimo. La enhavo estos engluate tiel \u011dis anta\u016d vi mal\u015daltos tiun \u0109i opcion.","Fonts":"Tiparoj","Font sizes":"","Class":"Klaso","Browse for an image":"Rigardi por iu bildo","OR":"A\u016c","Drop an image here":"\u0134etu iun bildon \u0109i tien","Upload":"Al\u015duti","Uploading image":"","Block":"Bloko","Align":"\u011cisrandigi ","Default":"Implicite","Circle":"Cirklo","Disc":"Disko","Square":"Kvadrato","Lower Alpha":"Minuskla alfabeta","Lower Greek":"Minuskla greka","Lower Roman":"Minuskla latina","Upper Alpha":"Majuskla alfabeta","Upper Roman":"Majuskla latina","Anchor...":"Ankro...","Anchor":"","Name":"Nomo","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"Vi havas nekonservitajn \u015dan\u011dojn, \u0109u vi certe deziras eliri?","Restore last draft":"Restarigu lastan malneton","Special character...":"Speciala signo...","Special Character":"","Source code":"Fonta kodo","Insert/Edit code sample":"Enmeti/Redakti kodospecimenon","Language":"Lingvo","Code sample...":"Kodospecimeno...","Left to right":"Maldekstro dekstren","Right to left":"Dekstro maldekstren","Title":"Titolo","Fullscreen":"Tutekrane","Action":"Ago","Shortcut":"\u015cparvojo","Help":"Helpo","Address":"Adreso","Focus to menubar":"Enfokusigi al menubreto","Focus to toolbar":"Enfokusigi al ilobreto","Focus to element path":"Enfokusigi al elementvojo","Focus to contextual toolbar":"Enfokusigi al kunteksta ilobreto","Insert link (if link plugin activated)":"Enmeti ligilon (se ligila komprogramo estas aktivigita)","Save (if save plugin activated)":"Konservi (se konserva komprogramo estas aktivigita)","Find (if searchreplace plugin activated)":"Ser\u0109i (se ser\u0109a komprogramo estas aktivigita)","Plugins installed ({0}):":"Kromprogramoj instalitaj ({0}): ","Premium plugins:":"Premiaj kromprogramoj:","Learn more...":"Legu aldone...","You are using {0}":"Vi uzas {0}","Plugins":"Kromprogramoj","Handy Shortcuts":"Komfortaj \u015dparvojoj","Horizontal line":"Horizontala linio","Insert/edit image":"Enmetu/redaktu bildon","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"Fonto","Dimensions":"Dimensioj","Constrain proportions":"Relativigu proporciojn","General":"\u011cenerala","Advanced":"Porspertula","Style":"Stilo","Vertical space":"Vertikala spaco","Horizontal space":"Horizontala spaco","Border":"Bordero","Insert image":"Enmetu bildon","Image...":"Bildo...","Image list":"Bildlisto","Resize":"\u015can\u011du grandecon","Insert date/time":"Enmetu daton/tempon","Date/time":"Dato/tempo","Insert/edit link":"Enmetu/redaktu ligilon","Text to display":"Montrata teksto","Url":"URL-o","Open link in...":"Sekvi ligilon per...","Current window":"Aktuala fenestro","None":"Nenio","New window":"Nova fenestro","Open link":"","Remove link":"Forigu ligilon","Anchors":"Ankroj","Link...":"Ligilo...","Paste or type a link":"Engluu a\u016d enigu ligilon","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"La enmetita URLo \u015dajnas esti retadreso. \u0108u vi deziras aldoni prefikson mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"La enmetita URLo \u015dajnas esti ekstera ligilo. \u0108u vi deziras aldoni nepran prefikson http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Ligila listo","Insert video":"Enmetu videon","Insert/edit video":"Enmetu/redaktu videon","Insert/edit media":"Enmeti/redakti a\u016ddovida\u0135on ","Alternative source":"Alternativa fonto","Alternative source URL":"URLo de alternativa fonto","Media poster (Image URL)":"Ligilo al a\u016ddovida\u0135o (URLo de bildo)","Paste your embed code below:":"Engluu vian internan kodon \u0109i-sube:","Embed":"Enkonstruu","Media...":"A\u016ddovida\u0135o...","Nonbreaking space":"Nerompebla spaceto","Page break":"Pa\u011da fino","Paste as text":"Engluu kiel teksto","Preview":"Provrigardo","Print":"","Print...":"Presi...","Save":"Konservi","Find":"Ser\u0109i","Replace with":"Anstata\u016digi per","Replace":"Anstata\u016digi","Replace all":"Anstata\u016digi \u0109ion","Previous":"Anta\u016da","Next":"Posta","Find and Replace":"","Find and replace...":"Ser\u0109i kaj anstata\u016di... ","Could not find the specified string.":"Malsukceso trovi la indikitan sinsekvon","Match case":"Sekvi usklecon","Find whole words only":"Ser\u0109i nur tutan vorton","Find in selection":"","Insert table":"Enmetu tabelon","Table properties":"Tabelaj ecoj","Delete table":"Forigu tabelon","Cell":"\u0108elo","Row":"Vico","Column":"Kolumno","Cell properties":"\u0108elaj ecoj","Merge cells":"Kunigu \u0109elojn","Split cell":"Disdividu \u0109elon","Insert row before":"Enmetu vicon anta\u016d","Insert row after":"Enmetu vicon poste","Delete row":"Forigu vicon","Row properties":"Vicaj ecoj","Cut row":"Eltran\u0109u vicon","Cut column":"","Copy row":"Kopiu vicon","Copy column":"","Paste row before":"Engluu vicon anta\u016d","Paste column before":"","Paste row after":"Engluu vicon poste","Paste column after":"","Insert column before":"Enmetu kolumnon anta\u016d","Insert column after":"Enmetu kolumnon poste","Delete column":"Forigu kolumnon","Cols":"Kolumnoj","Rows":"Vicoj","Width":"Lar\u011do","Height":"Alto","Cell spacing":"\u0108elspacoj","Cell padding":"\u0108elmar\u011denoj","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Cita\u0135o","Show caption":"Montri apudskribon","Left":"Maldekstro","Center":"Centro","Right":"Dekstro","Cell type":"\u0108ela tipo","Scope":"Aplikregiono","Alignment":"\u011cisrandigo","Horizontal align":"","Vertical align":"","Top":"Supro","Middle":"Mezo","Bottom":"Subo","Header cell":"Titola \u0109elo","Row group":"Vica grupo","Column group":"Kolumna grupo","Row type":"Vica tipo","Header":"Supera pa\u011dtitolo","Body":"Korpo","Footer":"Suba pa\u011dtitolo","Border color":"Koloro de bordero","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Enmeti \u015dablonon...","Templates":"\u015cablonoj","Template":"\u015cablono","Insert Template":"","Text color":"Teksta koloro","Background color":"Fona koloro","Custom...":"Propra...","Custom color":"Propra koloro","No color":"Neniu koloro","Remove color":"Forigi koloron","Show blocks":"Montru blokojn","Show invisible characters":"Montru nevideblajn signojn","Word count":"Vortnombro ","Count":"Nombri","Document":"Dokumento","Selection":"Elekto","Words":"Vortoj","Words: {0}":"Vortoj: {0}","{0} words":"{0} vortoj","File":"Dokumento","Edit":"Redakti","Insert":"Enmeti","View":"Vidi","Format":"Aspektigi","Table":"Tabelo","Tools":"Iloj","Powered by {0}":"Funkciigita de {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Ri\u0109teksta Areo. Premu ALT-F9 por menuo. Premu ALT-F10 por menuejo. Premu ALT-0 por helpo","Image title":"Titolo de bildo","Border width":"Lar\u011do de bordero","Border style":"Stilo de bordero","Error":"Eraro","Warn":"Averto","Valid":"Valida","To open the popup, press Shift+Enter":"Por aperigi \u015dprucfenestron premu fulmoklavon Shift+Enter ","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Ri\u0109teksta loko. Premu fulmoklavon ALT-0 por helpo.","System Font":"Sistema tiparo","Failed to upload image: {0}":"Al\u015dutado de bildo {0} malsukcesis","Failed to load plugin: {0} from url {1}":"\u015cargado de kromprogramo {0} el URLo {1} malsukcesis","Failed to load plugin url: {0}":"\u015cargado por kroprograma URLo {0} malsukcesis","Failed to initialize plugin: {0}":"Pravalorizado de krompogramo {0} malsukcesis","example":"ekzemplo","Search":"Ser\u0109i","All":"\u0108io","Currency":"Valuto","Text":"Teksto","Quotations":"Cita\u0135oj","Mathematical":"Matematika","Extended Latin":"Etendita la latina","Symbols":"Simboloj","Arrows":"Sagsimboloj","User Defined":"Propre difinita ","dollar sign":"signo de usona dolaro","currency sign":"valutsigno","euro-currency sign":"signo de e\u016dro","colon sign":"dupunkto","cruzeiro sign":"signo de brazila kruzero","french franc sign":"signo de francia franko","lira sign":"signo de itala liro","mill sign":"signo de milono de baza monunuo","naira sign":"signo de ni\u011deria najro","peseta sign":"signo de hispana peseto","rupee sign":"signo de rupio","won sign":"signo de koreia \u016dono","new sheqel sign":"signo de israela siklo","dong sign":"signo de vjetnama dongo","kip sign":"signo de laosa kipo","tugrik sign":"signo de mongola tugriko","drachma sign":"signo de greka dra\u0125mo","german penny symbol":"signo de pfenigo","peso sign":"signo de peso","guarani sign":"signo de paragvaja gvaranio","austral sign":"signo de argentina a\u016dstralo","hryvnia sign":"signo de ukrainia hrivno","cedi sign":"signo de ganaa cedio","livre tournois sign":"signo de pundo de Turo","spesmilo sign":"signo de spesmilo","tenge sign":"signo de kaza\u0125a tengo","indian rupee sign":"signo de barata rupio","turkish lira sign":"signo de turka liro","nordic mark sign":"signo de marko","manat sign":"signo de azerbaj\u011dana manato","ruble sign":"signo de rusia rublo","yen character":"signo de japana eno","yuan character":"signo de \u0109ina renminbio","yuan character, in hong kong and taiwan":"signo de juano, Hongkongo kaj Tajvano","yen/yuan character variant one":"alia varianto de signo de eno/juano","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"Homoj","Animals and Nature":"Bestoj kaj naturo","Food and Drink":"Man\u011da\u0135o kaj trinka\u0135o","Activity":"Aktiveco","Travel and Places":"Voja\u011doj kaj lokoj","Objects":"Objektoj","Flags":"Flagoj","Characters":"Simboloj","Characters (no spaces)":"Simboloj (senspacetaj)","{0} characters":"{0} signojn","Error: Form submit field collision.":"Eraro: kolizio de kampoj dum sendado de formularo.","Error: No form element found.":"Eraro: elementoj de formularo forestas","Color swatch":"Specimenaro de koloroj","Color Picker":"Kolorelektilo","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"Turkisa","Green":"Verda","Blue":"Blua","Purple":"Purpura","Navy Blue":"Helblua","Dark Turquoise":"Malhela turkisa","Dark Green":"Malhela verda","Medium Blue":"Meza blua","Medium Purple":"Meza purpla","Midnight Blue":"Nigroblua","Yellow":"Flava","Orange":"Oran\u011da","Red":"Ru\u011da","Light Gray":"Helgriza","Gray":"Griza","Dark Yellow":"Malhela flava","Dark Orange":"Malhela oran\u011da","Dark Red":"Malhela ru\u011da","Medium Gray":"Meza griza","Dark Gray":"Malhela griza","Light Green":"Helverda","Light Yellow":"Helflava","Light Red":"Helru\u011da","Light Purple":"Helpurpura","Light Blue":"Helblua","Dark Purple":"Malhelpurpura","Dark Blue":"Malhelblua","Black":"Nigra","White":"Blanka","Switch to or from fullscreen mode":"Tra\u015dan\u011di tutekranan re\u011dimon","Open help dialog":"Malfermi helpan dialogon","history":"historio","styles":"stilo","formatting":"tekstaran\u011do","alignment":"niveleco","indentation":"krommar\u011deno","Font":"Tiparo","Size":"Grando","More...":"Pli...","Select...":"Elektu...","Preferences":"Agordoj","Yes":"Jes","No":"Ne","Keyboard Navigation":"Perklavara movi\u011dado","Version":"Versio","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/es.js b/deform/static/tinymce/langs/es.js index a3e1f71e..a1cc5f8b 100644 --- a/deform/static/tinymce/langs/es.js +++ b/deform/static/tinymce/langs/es.js @@ -1,174 +1 @@ -tinymce.addI18n('es',{ -"Cut": "Cortar", -"Header 2": "Header 2 ", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Tu navegador no soporta acceso directo al portapapeles. Por favor usa las teclas Crtl+X\/C\/V de tu teclado", -"Div": "Capa", -"Paste": "Pegar", -"Close": "Cerrar", -"Pre": "Pre", -"Align right": "Alinear a la derecha", -"New document": "Nuevo documento", -"Blockquote": "Bloque de cita", -"Numbered list": "Lista numerada", -"Increase indent": "Incrementar sangr\u00eda", -"Formats": "Formatos", -"Headers": "Headers", -"Select all": "Seleccionar todo", -"Header 3": "Header 3", -"Blocks": "Bloques", -"Undo": "Deshacer", -"Strikethrough": "Tachado", -"Bullet list": "Lista de vi\u00f1etas", -"Header 1": "Header 1", -"Superscript": "Super\u00edndice", -"Clear formatting": "Limpiar formato", -"Subscript": "Sub\u00edndice", -"Header 6": "Header 6", -"Redo": "Rehacer", -"Paragraph": "P\u00e1rrafo", -"Ok": "Ok", -"Bold": "Negrita", -"Code": "C\u00f3digo", -"Italic": "It\u00e1lica", -"Align center": "Alinear al centro", -"Header 5": "Header 5 ", -"Decrease indent": "Disminuir sangr\u00eda", -"Header 4": "Header 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Pegar est\u00e1 ahora en modo de texto sin formato. El contenido se pegar\u00e1 ahora como texto sin formato hasta que desactive esta opci\u00f3n.", -"Underline": "Subrayado", -"Cancel": "Cancelar", -"Justify": "Justificar", -"Inline": "en l\u00ednea", -"Copy": "Copiar", -"Align left": "Alinear a la izquierda", -"Visual aids": "Ayudas visuales", -"Lower Greek": "Inferior Griega", -"Square": "Cuadrado", -"Default": "Por defecto", -"Lower Alpha": "Inferior Alfa", -"Circle": "C\u00edrculo", -"Disc": "Disco", -"Upper Alpha": "Superior Alfa", -"Upper Roman": "Superior Romana", -"Lower Roman": "Inferior Romana", -"Name": "Nombre", -"Anchor": "Ancla", -"You have unsaved changes are you sure you want to navigate away?": "Tiene cambios sin guardar. \u00bfEst\u00e1 seguro de que quiere salir fuera?", -"Restore last draft": "Restaurar el \u00faltimo borrador", -"Special character": "Car\u00e1cter especial", -"Source code": "C\u00f3digo fuente", -"Right to left": "De derecha a izquierda", -"Left to right": "De izquierda a derecha", -"Emoticons": "Emoticonos", -"Robots": "Robots", -"Document properties": "Propiedades del documento", -"Title": "T\u00edtulo", -"Keywords": "Palabras clave", -"Encoding": "Codificaci\u00f3n", -"Description": "Descripci\u00f3n", -"Author": "Autor", -"Fullscreen": "Pantalla completa", -"Horizontal line": "L\u00ednea horizontal", -"Horizontal space": "Espacio horizontal", -"Insert\/edit image": "Insertar\/editar imagen", -"General": "General", -"Advanced": "Avanzado", -"Source": "Origen", -"Border": "Borde", -"Constrain proportions": "Restringir proporciones", -"Vertical space": "Espacio vertical", -"Image description": "Descripci\u00f3n de la imagen", -"Style": "Estilo", -"Dimensions": "Dimensiones", -"Insert image": "Insertar imagen", -"Insert date\/time": "Insertar fecha\/hora", -"Remove link": "Quitar enlace", -"Url": "Url", -"Text to display": "Texto para mostrar", -"Anchors": "Anclas", -"Insert link": "Insertar enlace", -"New window": "Nueva ventana", -"None": "Ninguno", -"Target": "Destino", -"Insert\/edit link": "Insertar\/editar enlace", -"Insert\/edit video": "Insertar\/editar video", -"Poster": "Miniatura", -"Alternative source": "Fuente alternativa", -"Paste your embed code below:": "Pega tu c\u00f3digo embebido debajo", -"Insert video": "Insertar video", -"Embed": "Incrustado", -"Nonbreaking space": "Espacio fijo", -"Page break": "Salto de p\u00e1gina", -"Preview": "Previsualizar", -"Print": "Imprimir", -"Save": "Guardar", -"Could not find the specified string.": "No se encuentra la cadena de texto especificada", -"Replace": "Reemplazar", -"Next": "Siguiente", -"Whole words": "Palabras completas", -"Find and replace": "Buscar y reemplazar", -"Replace with": "Reemplazar con", -"Find": "Buscar", -"Replace all": "Reemplazar todo", -"Match case": "Coincidencia exacta", -"Prev": "Anterior", -"Spellcheck": "Corrector ortogr\u00e1fico", -"Finish": "Finalizar", -"Ignore all": "Ignorar todos", -"Ignore": "Ignorar", -"Insert row before": "Insertar fila antes", -"Rows": "Filas", -"Height": "Alto", -"Paste row after": "Pegar la fila despu\u00e9s", -"Alignment": "Alineaci\u00f3n", -"Column group": "Grupo de columnas", -"Row": "Fila", -"Insert column before": "Insertar columna antes", -"Split cell": "Dividir celdas", -"Cell padding": "Relleno de celda", -"Cell spacing": "Espacio entre celdas", -"Row type": "Tipo de fila", -"Insert table": "Insertar tabla", -"Body": "Cuerpo", -"Caption": "Subt\u00edtulo", -"Footer": "Pie de p\u00e1gina", -"Delete row": "Eliminar fila", -"Paste row before": "Pegar la fila antes", -"Scope": "\u00c1mbito", -"Delete table": "Eliminar tabla", -"Header cell": "Celda de la cebecera", -"Column": "Columna", -"Cell": "Celda", -"Header": "Cabecera", -"Cell type": "Tipo de celda", -"Copy row": "Copiar fila", -"Row properties": "Propiedades de la fila", -"Table properties": "Propiedades de la tabla", -"Row group": "Grupo de filas", -"Right": "Derecha", -"Insert column after": "Insertar columna despu\u00e9s", -"Cols": "Columnas", -"Insert row after": "Insertar fila despu\u00e9s ", -"Width": "Ancho", -"Cell properties": "Propiedades de la celda", -"Left": "Izquierda", -"Cut row": "Cortar fila", -"Delete column": "Eliminar columna", -"Center": "Centrado", -"Merge cells": "Combinar celdas", -"Insert template": "Insertar plantilla", -"Templates": "Plantillas", -"Background color": "Color de fondo", -"Text color": "Color del texto", -"Show blocks": "Mostrar bloques", -"Show invisible characters": "Mostrar caracteres invisibles", -"Words: {0}": "Palabras: {0}", -"Insert": "Insertar", -"File": "Archivo", -"Edit": "Editar", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u00c1rea de texto enriquecido. Pulse ALT-F9 para el menu. Pulse ALT-F10 para la barra de herramientas. Pulse ALT-0 para ayuda", -"Tools": "Herramientas", -"View": "Ver", -"Table": "Tabla", -"Format": "Formato" -}); \ No newline at end of file +tinymce.addI18n("es",{"Redo":"Rehacer","Undo":"Deshacer","Cut":"Cortar","Copy":"Copiar","Paste":"Pegar","Select all":"Seleccionar todo","New document":"Nuevo documento","Ok":"Ok","Cancel":"Cancelar","Visual aids":"Ayudas visuales","Bold":"Negrita","Italic":"Cursiva","Underline":"Subrayado","Strikethrough":"Tachado","Superscript":"Super\xedndice","Subscript":"Sub\xedndice","Clear formatting":"Limpiar formato","Remove":"Quitar","Align left":"Alinear a la izquierda","Align center":"Alinear al centro","Align right":"Alinear a la derecha","No alignment":"Sin alineaci\xf3n","Justify":"Justificar","Bullet list":"Lista de vi\xf1etas","Numbered list":"Lista numerada","Decrease indent":"Disminuir sangr\xeda","Increase indent":"Incrementar sangr\xeda","Close":"Cerrar","Formats":"Formatos","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Su navegador no es compatible con el acceso directo al portapapeles. Use las teclas Crtl+X/C/V de su teclado.","Headings":"Encabezados","Heading 1":"Encabezado 1","Heading 2":"Encabezado 2","Heading 3":"Encabezado 3","Heading 4":"Encabezado 4","Heading 5":"Encabezado 5","Heading 6":"Encabezado 6","Preformatted":"Con formato previo","Div":"Div","Pre":"Pre","Code":"C\xf3digo","Paragraph":"P\xe1rrafo","Blockquote":"Cita en bloque","Inline":"Alineado","Blocks":"Bloques","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Pegar est\xe1 ahora en modo de texto sin formato. El contenido se pegar\xe1 ahora como texto sin formato hasta que desactive esta opci\xf3n.","Fonts":"Fuentes","Font sizes":"Tama\xf1os de fuente","Class":"Clase","Browse for an image":"Buscar una imagen","OR":"O","Drop an image here":"Arrastre una imagen aqu\xed","Upload":"Cargar","Uploading image":"Subiendo imagen","Block":"Bloque","Align":"Alinear","Default":"Por defecto","Circle":"C\xedrculo","Disc":"Disco","Square":"Cuadrado","Lower Alpha":"Letras min\xfasculas","Lower Greek":"Griego en min\xfasculas","Lower Roman":"Romano en min\xfasculas","Upper Alpha":"Letras may\xfasculas","Upper Roman":"Romano en may\xfasculas","Anchor...":"Anclaje...","Anchor":"Anclaje","Name":"Nombre","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"El ID deber\xeda comenzar con una letra y seguir solo con letras, n\xfameros, guiones, puntos, dos puntos o guiones bajos.","You have unsaved changes are you sure you want to navigate away?":"Tiene cambios sin guardar. \xbfEst\xe1 seguro de que quiere salir?","Restore last draft":"Restaurar el \xfaltimo borrador","Special character...":"Car\xe1cter especial...","Special Character":"Car\xe1cter especial","Source code":"C\xf3digo fuente","Insert/Edit code sample":"Insertar/editar ejemplo de c\xf3digo","Language":"Idioma","Code sample...":"Ejemplo de c\xf3digo...","Left to right":"Izquierda a derecha","Right to left":"Derecha a izquierda","Title":"T\xedtulo","Fullscreen":"Pantalla completa","Action":"Acci\xf3n","Shortcut":"Acceso directo","Help":"Ayuda","Address":"Direcci\xf3n","Focus to menubar":"Enfocar la barra del men\xfa","Focus to toolbar":"Enfocar la barra de herramientas","Focus to element path":"Enfocar la ruta del elemento","Focus to contextual toolbar":"Enfocar la barra de herramientas contextual","Insert link (if link plugin activated)":"Insertar enlace (si el complemento de enlace est\xe1 activado)","Save (if save plugin activated)":"Guardar (si el complemento de guardar est\xe1 activado)","Find (if searchreplace plugin activated)":"Buscar (si el complemento buscar-reemplazar est\xe1 activado)","Plugins installed ({0}):":"Complementos instalados ({0}):","Premium plugins:":"Complementos premium:","Learn more...":"M\xe1s informaci\xf3n...","You are using {0}":"Est\xe1 usando {0}","Plugins":"Complementos","Handy Shortcuts":"Accesos pr\xe1cticos","Horizontal line":"L\xednea horizontal","Insert/edit image":"Insertar/editar imagen","Alternative description":"Descripci\xf3n alternativa","Accessibility":"Accesibilidad","Image is decorative":"La imagen es decorativa","Source":"C\xf3digo fuente","Dimensions":"Dimensiones","Constrain proportions":"Restringir proporciones","General":"General","Advanced":"Avanzado","Style":"Estilo","Vertical space":"Espacio vertical","Horizontal space":"Espacio horizontal","Border":"Borde","Insert image":"Insertar imagen","Image...":"Imagen...","Image list":"Lista de im\xe1genes","Resize":"Redimensionar","Insert date/time":"Insertar fecha/hora","Date/time":"Fecha/hora","Insert/edit link":"Insertar/editar enlace","Text to display":"Texto que mostrar","Url":"URL","Open link in...":"Abrir enlace en...","Current window":"Ventana actual","None":"Ninguno","New window":"Nueva ventana","Open link":"Abrir enlace","Remove link":"Quitar enlace","Anchors":"Anclajes","Link...":"Enlace...","Paste or type a link":"Pegue o escriba un enlace","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"La URL que ha introducido parece ser una direcci\xf3n de correo electr\xf3nico. \xbfQuiere a\xf1adir el prefijo necesario mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"La URL que ha introducido parece ser un enlace externo. \xbfQuiere a\xf1adir el prefijo necesario http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"La URL que ha introducido parece ser un enlace externo. \xbfQuiere a\xf1adir el prefijo necesario https://?","Link list":"Lista de enlaces","Insert video":"Insertar v\xeddeo","Insert/edit video":"Insertar/editar v\xeddeo","Insert/edit media":"Insertar/editar medio","Alternative source":"Enlace alternativo","Alternative source URL":"Origen de URL alternativo","Media poster (Image URL)":"P\xf3ster de medio (URL de imagen)","Paste your embed code below:":"Pegue el c\xf3digo para insertar a continuaci\xf3n:","Embed":"Insertar","Media...":"Medios...","Nonbreaking space":"Espacio de no separaci\xf3n","Page break":"Salto de p\xe1gina","Paste as text":"Pegar como texto","Preview":"Previsualizar","Print":"Imprimir","Print...":"Imprimir...","Save":"Guardar","Find":"Buscar","Replace with":"Reemplazar por","Replace":"Reemplazar","Replace all":"Reemplazar todo","Previous":"Anterior","Next":"Siguiente","Find and Replace":"Buscar y Reemplazar","Find and replace...":"Buscar y reemplazar...","Could not find the specified string.":"No se encuentra la cadena especificada.","Match case":"Coincidir may\xfasculas y min\xfasculas","Find whole words only":"Solo palabras completas","Find in selection":"Buscar en la selecci\xf3n","Insert table":"Insertar tabla","Table properties":"Propiedades de la tabla","Delete table":"Eliminar tabla","Cell":"Celda","Row":"Fila","Column":"Columna","Cell properties":"Propiedades de la celda","Merge cells":"Combinar celdas","Split cell":"Dividir celda","Insert row before":"Insertar fila antes","Insert row after":"Insertar fila despu\xe9s","Delete row":"Eliminar fila","Row properties":"Propiedades de la fila","Cut row":"Cortar fila","Cut column":"Cortar columna","Copy row":"Copiar fila","Copy column":"Copiar columna","Paste row before":"Pegar la fila antes","Paste column before":"Pegar columna antes","Paste row after":"Pegar la fila despu\xe9s","Paste column after":"Pegar columna despu\xe9s","Insert column before":"Insertar columna antes","Insert column after":"Insertar columna despu\xe9s","Delete column":"Eliminar columna","Cols":"Columnas","Rows":"Filas","Width":"Ancho","Height":"Altura","Cell spacing":"Espacio entre celdas","Cell padding":"Relleno de celda","Row clipboard actions":"Acciones del portapapeles de la fila","Column clipboard actions":"Acciones del portapapeles de la columna","Table styles":"Estilos de tabla","Cell styles":"Estilos de celda","Column header":"Encabezado de columna","Row header":"Encabezado de fila","Table caption":"T\xedtulo de la tabla","Caption":"Leyenda","Show caption":"Mostrar t\xedtulo","Left":"Izquierda","Center":"Centro","Right":"Derecha","Cell type":"Tipo de celda","Scope":"\xc1mbito","Alignment":"Alineaci\xf3n","Horizontal align":"Alineaci\xf3n horizontal","Vertical align":"Alineaci\xf3n vertical","Top":"Superior","Middle":"Central","Bottom":"Inferior","Header cell":"Celda de encabezado","Row group":"Grupo de filas","Column group":"Grupo de columnas","Row type":"Tipo de fila","Header":"Encabezado","Body":"Cuerpo","Footer":"Pie de p\xe1gina","Border color":"Color de borde","Solid":"S\xf3lido","Dotted":"Puntos","Dashed":"Guiones","Double":"Doble","Groove":"Groove","Ridge":"Cresta","Inset":"Insertar","Outset":"Comienzo","Hidden":"Oculto","Insert template...":"Insertar plantilla...","Templates":"Plantillas","Template":"Plantilla","Insert Template":"Insertar Plantilla","Text color":"Color del texto","Background color":"Color de fondo","Custom...":"Personalizado...","Custom color":"Color personalizado","No color":"Sin color","Remove color":"Quitar color","Show blocks":"Mostrar bloques","Show invisible characters":"Mostrar caracteres invisibles","Word count":"Contar palabras","Count":"Recuento","Document":"Documento","Selection":"Selecci\xf3n","Words":"Palabras","Words: {0}":"Palabras: {0}","{0} words":"{0} palabras","File":"Archivo","Edit":"Editar","Insert":"Insertar","View":"Ver","Format":"Formato","Table":"Tabla","Tools":"Herramientas","Powered by {0}":"Con tecnolog\xeda de {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\xc1rea de texto enriquecido. Pulse ALT-F9 para el men\xfa. Pulse ALT-F10 para la barra de herramientas. Pulse ALT-0 para la ayuda.","Image title":"Titulo de imagen","Border width":"Ancho de borde","Border style":"Estilo de borde","Error":"Error","Warn":"Advertencia","Valid":"V\xe1lido","To open the popup, press Shift+Enter":"Para abrir el elemento emergente, pulse May\xfas+Intro","Rich Text Area":"\xc1rea de Texto Enriquecido","Rich Text Area. Press ALT-0 for help.":"\xc1rea de texto enriquecido. Pulse ALT-0 para abrir la ayuda.","System Font":"Fuente de sistema","Failed to upload image: {0}":"Fallo al cargar imagen: {0}","Failed to load plugin: {0} from url {1}":"Fallo al cargar complemento: {0} desde URL {1}","Failed to load plugin url: {0}":"Fallo al cargar URL del complemento: {0}","Failed to initialize plugin: {0}":"Fallo al iniciar el complemento: {0}","example":"ejemplo","Search":"Buscar","All":"Todo","Currency":"Divisa","Text":"Texto","Quotations":"Comillas","Mathematical":"S\xedmbolo matem\xe1tico","Extended Latin":"Latino extendido A","Symbols":"S\xedmbolos","Arrows":"Flechas","User Defined":"Definido por el usuario","dollar sign":"signo de d\xf3lar","currency sign":"signo de divisa","euro-currency sign":"signo de euro","colon sign":"signo de dos puntos","cruzeiro sign":"signo de cruceiro","french franc sign":"signo de franco franc\xe9s","lira sign":"signo de lira","mill sign":"signo de mill","naira sign":"signo de naira","peseta sign":"signo de peseta","rupee sign":"signo de rupia","won sign":"signo de won","new sheqel sign":"signo de nuevo s\xe9quel","dong sign":"signo de dong","kip sign":"signo de kip","tugrik sign":"signo de tugrik","drachma sign":"signo de dracma","german penny symbol":"signo de penique alem\xe1n","peso sign":"signo de peso","guarani sign":"signo de guaran\xed","austral sign":"signo de austral","hryvnia sign":"signo de grivna","cedi sign":"signo de cedi","livre tournois sign":"signo de libra tornesa","spesmilo sign":"signo de spesmilo","tenge sign":"signo de tenge","indian rupee sign":"signo de rupia india","turkish lira sign":"signo de lira turca","nordic mark sign":"signo de marco n\xf3rdico","manat sign":"signo de manat","ruble sign":"signo de rublo","yen character":"car\xe1cter de yen","yuan character":"car\xe1cter de yuan","yuan character, in hong kong and taiwan":"car\xe1cter de yuan en Hong Kong y Taiw\xe1n","yen/yuan character variant one":"Variante uno de car\xe1cter de yen/yuan","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Cargando emojis...","Could not load emojis":"No se pudieron cargar los emojis","People":"Personas","Animals and Nature":"Animales y naturaleza","Food and Drink":"Comida y bebida","Activity":"Actividad","Travel and Places":"Viajes y lugares","Objects":"Objetos","Flags":"Banderas","Characters":"Caracteres","Characters (no spaces)":"Caracteres (sin espacios)","{0} characters":"{0} caracteres","Error: Form submit field collision.":"Error: Colisi\xf3n de campo al enviar formulario.","Error: No form element found.":"Error: No se encuentra ning\xfan elemento de formulario.","Color swatch":"Muestrario de colores","Color Picker":"Selector de colores","Invalid hex color code: {0}":"Color hexadecimal no v\xe1lido: {0}","Invalid input":"Entrada inv\xe1lida","R":"R","Red component":"Componente rojo","G":"G","Green component":"Componente verde","B":"B","Blue component":"Componente azul","#":"#","Hex color code":"C\xf3digo de color hexadecimal","Range 0 to 255":"Rango de 0 a 255","Turquoise":"Turquesa","Green":"Verde","Blue":"Azul","Purple":"P\xfarpura","Navy Blue":"Azul marino","Dark Turquoise":"Turquesa oscuro","Dark Green":"Verde oscuro","Medium Blue":"Azul medio","Medium Purple":"P\xfarpura medio","Midnight Blue":"Azul medio","Yellow":"Amarillo","Orange":"Naranja","Red":"Rojo","Light Gray":"Gris claro","Gray":"Gris","Dark Yellow":"Amarillo oscuro","Dark Orange":"Naranja oscuro","Dark Red":"Rojo oscuro","Medium Gray":"Gris medio","Dark Gray":"Gris oscuro","Light Green":"Verde claro","Light Yellow":"Amarillo claro","Light Red":"Rojo claro","Light Purple":"Morado claro","Light Blue":"Azul claro","Dark Purple":"Morado oscuro","Dark Blue":"Azul oscuro","Black":"Negro","White":"Blanco","Switch to or from fullscreen mode":"Activar o desactivar modo pantalla completa","Open help dialog":"Abrir di\xe1logo de ayuda","history":"historial","styles":"estilos","formatting":"formato","alignment":"alineaci\xf3n","indentation":"sangr\xeda","Font":"Fuente","Size":"Tama\xf1o","More...":"M\xe1s...","Select...":"Seleccionar...","Preferences":"Preferencias","Yes":"S\xed","No":"No","Keyboard Navigation":"Navegaci\xf3n con el teclado","Version":"Versi\xf3n","Code view":"Vista de c\xf3digo","Open popup menu for split buttons":"Abrir men\xfa emergente para botones de separado","List Properties":"Propiedades de Lista","List properties...":"Propiedades de Lista...","Start list at number":"Iniciar lista con un n\xfamero","Line height":"Altura de l\xednea","Dropped file type is not supported":"No se soporta el archivo arrastrado","Loading...":"Cargando...","ImageProxy HTTP error: Rejected request":"Error HTTP de Image Proxy: petici\xf3n rechazada","ImageProxy HTTP error: Could not find Image Proxy":"Error HTTP de Image Proxy: no se ha podido encontrar Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"Error HTTP de Image Proxy: la URL de Image Proxy no es correcta","ImageProxy HTTP error: Unknown ImageProxy error":"Error HTTP de Image Proxy: error desconocido de Image Proxy"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/es_MX.js b/deform/static/tinymce/langs/es_MX.js new file mode 100644 index 00000000..1984ea6a --- /dev/null +++ b/deform/static/tinymce/langs/es_MX.js @@ -0,0 +1 @@ +tinymce.addI18n("es_MX",{"Redo":"Rehacer","Undo":"Deshacer","Cut":"Cortar","Copy":"Copiar","Paste":"Pegar","Select all":"Seleccionar todo","New document":"Nuevo documento","Ok":"Aceptar","Cancel":"Cancelar","Visual aids":"Ayudas visuales","Bold":"Negrita","Italic":"Cursiva","Underline":"Subrayado","Strikethrough":"Tachado","Superscript":"Super\xedndice","Subscript":"Sub\xedndice","Clear formatting":"Borrar formato","Remove":"Quitar","Align left":"Alinear a la izquierda","Align center":"Alinear al centro","Align right":"Alinear a la derecha","No alignment":"Sin alineaci\xf3n","Justify":"Justificar","Bullet list":"Lista de vi\xf1etas","Numbered list":"Lista numerada","Decrease indent":"Reducir sangr\xeda","Increase indent":"Aumentar sangr\xeda","Close":"Cerrar","Formats":"Formatos","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Su navegador no admite el acceso directo al portapapeles. En su lugar, use los m\xe9todos abreviados Ctrl+X/C/V del teclado","Headings":"Encabezados","Heading 1":"Encabezado 1","Heading 2":"Encabezado 2","Heading 3":"Encabezado 3","Heading 4":"Encabezado 4","Heading 5":"Encabezado 5","Heading 6":"Encabezado 6","Preformatted":"Con formato previo","Div":"Div","Pre":"Pre","Code":"C\xf3digo","Paragraph":"P\xe1rrafo","Blockquote":"Cita en bloque","Inline":"En l\xednea","Blocks":"Bloques","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Pegar ahora est\xe1 en modo de texto sin formato. El contenido ahora se pegar\xe1 como texto sin formato hasta que desactive esta opci\xf3n","Fonts":"Fuentes","Font sizes":"Tama\xf1os de fuente","Class":"Clase","Browse for an image":"Buscar una imagen","OR":"O","Drop an image here":"Soltar una imagen aqu\xed","Upload":"Subir","Uploading image":"Subiendo imagen","Block":"Bloque","Align":"Alinear","Default":"Predeterminado","Circle":"C\xedrculo","Disc":"Disco","Square":"Cuadrado","Lower Alpha":"Alfab\xe9tico en min\xfasculas","Lower Greek":"Griego en min\xfasculas","Lower Roman":"Romano en min\xfasculas","Upper Alpha":"Alfab\xe9tico en may\xfasculas","Upper Roman":"Romano en may\xfasculas","Anchor...":"Ancla...","Anchor":"Ancla","Name":"Nombre","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"El ID debe comenzar con una letra, seguido solo de letras, n\xfameros, guiones, puntos, dos puntos o guiones bajos","You have unsaved changes are you sure you want to navigate away?":"No se han guardado los cambios. \xbfSeguro que desea abandonar la p\xe1gina?","Restore last draft":"Restaurar el \xfaltimo borrador","Special character...":"Car\xe1cter especial...","Special Character":"Car\xe1cter especial","Source code":"C\xf3digo fuente","Insert/Edit code sample":"Insertar/editar ejemplo de c\xf3digo","Language":"Idioma","Code sample...":"Ejemplo de c\xf3digo...","Left to right":"De izquierda a derecha","Right to left":"De derecha a izquierda","Title":"T\xedtulo","Fullscreen":"Pantalla completa","Action":"Acci\xf3n","Shortcut":"Atajo","Help":"Ayuda","Address":"Direcci\xf3n","Focus to menubar":"Llevar el foco a la barra de men\xfas","Focus to toolbar":"Llevar el foco a la barra de herramientas","Focus to element path":"Llevar el foco a la ruta de acceso del elemento","Focus to contextual toolbar":"Llevar el foco a la barra de herramientas contextual","Insert link (if link plugin activated)":"Insertar v\xednculo (si el complemento de v\xednculos est\xe1 activado)","Save (if save plugin activated)":"Guardar (si el complemento de guardar est\xe1 activado)","Find (if searchreplace plugin activated)":"Buscar (si el complemento de buscar y reemplazar est\xe1 activado)","Plugins installed ({0}):":"Complementos instalados ({0}):","Premium plugins:":"Complementos premium:","Learn more...":"M\xe1s informaci\xf3n...","You are using {0}":"Est\xe1 usando {0}","Plugins":"Complementos","Handy Shortcuts":"Atajos \xfatiles","Horizontal line":"L\xednea horizontal","Insert/edit image":"Insertar/editar imagen","Alternative description":"Descripci\xf3n alternativa","Accessibility":"Accesibilidad","Image is decorative":"La imagen es decorativa","Source":"Origen","Dimensions":"Dimensiones","Constrain proportions":"Restringir proporciones","General":"General","Advanced":"Avanzado","Style":"Estilo","Vertical space":"Espacio vertical","Horizontal space":"Espacio horizontal","Border":"Borde","Insert image":"Insertar imagen","Image...":"Imagen...","Image list":"Lista de im\xe1genes","Resize":"Cambiar tama\xf1o","Insert date/time":"Insertar fecha/hora","Date/time":"Fecha/hora","Insert/edit link":"Insertar/editar v\xednculo","Text to display":"Texto a mostrar","Url":"Url","Open link in...":"Abrir enlace en...","Current window":"Ventana actual","None":"Ninguno","New window":"Nueva ventana","Open link":"Abrir enlace","Remove link":"Eliminar v\xednculo","Anchors":"Anclajes","Link...":"Enlace...","Paste or type a link":"Pegar o escribir un enlace","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"La URL que introdujo parece ser una direcci\xf3n de correo electr\xf3nico. \xbfDesea a\xf1adir el prefijo mailto: correspondiente?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"La URL que introdujo parece ser un v\xednculo externo. \xbfDesea a\xf1adir el prefijo http:// correspondiente?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"La URL que ingres\xf3 parece ser un enlace externo. Desea agregar el prefijo requerido https://?","Link list":"Lista de enlaces","Insert video":"Insertar video","Insert/edit video":"Insertar/editar video","Insert/edit media":"Insertar/editar elemento multimedia","Alternative source":"Origen alternativo","Alternative source URL":"URL de origen alternativo","Media poster (Image URL)":"P\xf3ster multimedia (URL de la imagen)","Paste your embed code below:":"Pegue el c\xf3digo para insertar debajo:","Embed":"Insertar","Media...":"Elemento multimedia...","Nonbreaking space":"Espacio de no separaci\xf3n","Page break":"Salto de p\xe1gina","Paste as text":"Pegar como texto","Preview":"Vista previa","Print":"Imprimir","Print...":"Imprimir...","Save":"Guardar","Find":"Buscar","Replace with":"Remplazar con","Replace":"Remplazar","Replace all":"Remplazar todo","Previous":"Anterior","Next":"Siguiente","Find and Replace":"Buscar y reemplazar","Find and replace...":"Buscar y reemplazar...","Could not find the specified string.":"No se ha encontrado la cadena indicada.","Match case":"Coincidir may\xfasculas y min\xfasculas","Find whole words only":"Buscar solo palabras completas","Find in selection":"Buscar en la selecci\xf3n","Insert table":"Insertar tabla","Table properties":"Propiedades de tabla","Delete table":"Eliminar tabla","Cell":"Celda","Row":"Fila","Column":"Columna","Cell properties":"Propiedades de celda","Merge cells":"Combinar celdas","Split cell":"Dividir celdas","Insert row before":"Insertar fila antes","Insert row after":"Insertar fila despu\xe9s","Delete row":"Eliminar fila","Row properties":"Propiedades de fila","Cut row":"Cortar fila","Cut column":"Cortar columna","Copy row":"Copiar fila","Copy column":"Copiar columna","Paste row before":"Pegar fila antes","Paste column before":"Pegar columna antes","Paste row after":"Pegar fila despu\xe9s","Paste column after":"Pegar columna despu\xe9s","Insert column before":"Insertar columna antes","Insert column after":"Insertar columna despu\xe9s","Delete column":"Eliminar columna","Cols":"Cols","Rows":"Filas","Width":"Ancho","Height":"Alto","Cell spacing":"Espaciado entre celdas","Cell padding":"Espaciado entre borde y texto","Row clipboard actions":"Acciones de fila del portapapeles","Column clipboard actions":"Acciones de columna del portapapeles","Table styles":"Estilos de tabla","Cell styles":"Estilos de celda","Column header":"Encabezado de columna","Row header":"Encabezado de fila","Table caption":"Subt\xedtulo de tabla","Caption":"Subt\xedtulo","Show caption":"Mostrar subt\xedtulo","Left":"Izquierda","Center":"Centro","Right":"Derecha","Cell type":"Tipo de celda","Scope":"Alcance","Alignment":"Alineaci\xf3n","Horizontal align":"Alineaci\xf3n horizontal","Vertical align":"Alineaci\xf3n vertical","Top":"Arriba","Middle":"Centro","Bottom":"Inferior","Header cell":"Celda de encabezado","Row group":"Grupo de filas","Column group":"Grupo de columnas","Row type":"Tipo de fila","Header":"Encabezado","Body":"Cuerpo","Footer":"Pie de p\xe1gina","Border color":"Color del borde","Solid":"S\xf3lido","Dotted":"Punteado","Dashed":"Discontinuo","Double":"Doble","Groove":"Ranura","Ridge":"Rugosidad","Inset":"Recuadro","Outset":"Inicial","Hidden":"Oculto","Insert template...":"Insertar plantilla...","Templates":"Plantillas","Template":"Plantilla","Insert Template":"Insertar plantilla","Text color":"Color del texto","Background color":"Color de fondo","Custom...":"Personalizado...","Custom color":"Color personalizado","No color":"Sin color","Remove color":"Remover color","Show blocks":"Mostrar bloques","Show invisible characters":"Mostrar caracteres invisibles","Word count":"Contar palabras","Count":"Cantidad","Document":"Documento","Selection":"Selecci\xf3n","Words":"Palabras","Words: {0}":"Palabras: {0}","{0} words":"{0} palabras","File":"Archivo","Edit":"Editar","Insert":"Insertar","View":"Vista","Format":"Formato","Table":"Tabla","Tools":"Herramientas","Powered by {0}":"Con tecnolog\xeda de {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\xc1rea de texto enriquecido. Pulse ALT-F9 para el men\xfa. Pulse ALT-F10 para la barra de herramientas. Pulse ALT-0 para obtener ayuda.","Image title":"T\xedtulo de la imagen","Border width":"Ancho del borde","Border style":"Estilo del borde","Error":"Error","Warn":"Advertencia","Valid":"V\xe1lido","To open the popup, press Shift+Enter":"Para abrir la ventana emergente, presione May\xfas+Intro","Rich Text Area":"\xc1rea de texto enriquecido","Rich Text Area. Press ALT-0 for help.":"\xc1rea de texto enriquecido. Pulse ALT-0 para obtener ayuda.","System Font":"Fuente del sistema","Failed to upload image: {0}":"Error al cargar la imagen: {0}","Failed to load plugin: {0} from url {1}":"Error al cargar el complemento: {0} desde la url {1}","Failed to load plugin url: {0}":"Error al cargar la url del complemento: {0}","Failed to initialize plugin: {0}":"Error al inicializar el complemento: {0}","example":"ejemplo","Search":"Buscar","All":"Todo","Currency":"Divisa","Text":"Texto","Quotations":"Comillas","Mathematical":"Matem\xe1ticos","Extended Latin":"Lat\xedn extendido","Symbols":"S\xedmbolos","Arrows":"Flechas","User Defined":"Definido por el usuario","dollar sign":"signo de d\xf3lar","currency sign":"signo de divisa","euro-currency sign":"signo de euro","colon sign":"signo de dos puntos","cruzeiro sign":"signo del cruzeiro","french franc sign":"signo del franco franc\xe9s","lira sign":"signo de la lira","mill sign":"signo de mil","naira sign":"signo del naira","peseta sign":"signo de la peseta","rupee sign":"signo de la rupia","won sign":"signo del won","new sheqel sign":"signo de nuevo shequel","dong sign":"signo del dong","kip sign":"signo del kip","tugrik sign":"signo del tugrik","drachma sign":"signo del dracma","german penny symbol":"signo del penique alem\xe1n","peso sign":"signo del peso","guarani sign":"signo del guaran\xed","austral sign":"signo del austral","hryvnia sign":"signo de hryvnia","cedi sign":"signo de cedi","livre tournois sign":"signo de livre tournois","spesmilo sign":"signo de spesmilo","tenge sign":"signo de tenge","indian rupee sign":"signo de la rupia india","turkish lira sign":"signo de la lira turca","nordic mark sign":"signo del marco n\xf3rdico","manat sign":"signo de manat","ruble sign":"signo de rublo","yen character":"car\xe1cter del yen","yuan character":"car\xe1cter del yuan","yuan character, in hong kong and taiwan":"car\xe1cter del yuan, en Hong Kong y Taiw\xe1n","yen/yuan character variant one":"variante uno del car\xe1cter del yen/yuan","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Cargando emojis...","Could not load emojis":"No se pudieron cargar los emojis","People":"Personas","Animals and Nature":"Animales y naturaleza","Food and Drink":"Comida y bebida","Activity":"Actividad","Travel and Places":"Viajes y lugares","Objects":"Objetos","Flags":"Banderas","Characters":"Caracteres","Characters (no spaces)":"Caracteres (sin espacios)","{0} characters":"{0} caracteres","Error: Form submit field collision.":"Error: colisi\xf3n del campo para el env\xedo de formulario","Error: No form element found.":"Error: no se encontr\xf3 ning\xfan elemento de formulario.","Color swatch":"Muestrario de colores","Color Picker":"Selector de colores","Invalid hex color code: {0}":"El c\xf3digo de color hexadecimal {0} no es v\xe1lido","Invalid input":"Entrada no v\xe1lida","R":"R","Red component":"Componente rojo","G":"V","Green component":"Componente verde","B":"A","Blue component":"Componente azul","#":"#","Hex color code":"C\xf3digo de color hexadecimal","Range 0 to 255":"Range 0 al 255","Turquoise":"Turquesa","Green":"Verde","Blue":"Azul","Purple":"Morado","Navy Blue":"Azul marino","Dark Turquoise":"Turquesa oscuro","Dark Green":"Verde oscuro","Medium Blue":"Azul medio","Medium Purple":"Morado medio","Midnight Blue":"Azul medianoche","Yellow":"Amarillo","Orange":"Anaranjado","Red":"Rojo","Light Gray":"Gris claro","Gray":"Gris","Dark Yellow":"Amarillo oscuro","Dark Orange":"Anaranjado oscuro","Dark Red":"Rojo oscuro","Medium Gray":"Gris medio","Dark Gray":"Gris oscuro","Light Green":"Verde claro","Light Yellow":"Amarillo claro","Light Red":"Rojo claro","Light Purple":"Morado claro","Light Blue":"Azul claro","Dark Purple":"Morado oscuro","Dark Blue":"Azul oscuro","Black":"Negro","White":"Blanco","Switch to or from fullscreen mode":"Cambiar a o desde el modo de pantalla completa","Open help dialog":"Abrir di\xe1logo de ayuda","history":"historial","styles":"estilos","formatting":"formato","alignment":"alineaci\xf3n","indentation":"sangr\xeda","Font":"Fuente","Size":"Tama\xf1o","More...":"M\xe1s...","Select...":"Seleccionar...","Preferences":"Preferencias","Yes":"S\xed","No":"No","Keyboard Navigation":"Navegaci\xf3n con el teclado","Version":"Versi\xf3n","Code view":"Vista de c\xf3digo","Open popup menu for split buttons":"Abrir men\xfa emergente para botones divididos","List Properties":"Propiedades de lista","List properties...":"Propiedades de lista...","Start list at number":"Comenzar la lista en el n\xfamero","Line height":"Altura de la l\xednea","Dropped file type is not supported":"No se soporta el archivo arrastrado","Loading...":"Cargando...","ImageProxy HTTP error: Rejected request":"Error HTTP de ImageProxy, solicitud rechazada","ImageProxy HTTP error: Could not find Image Proxy":"Error HTTP de ImageProxy. No se pudo encontrar el proxy de imagen","ImageProxy HTTP error: Incorrect Image Proxy URL":"Error HTTP de ImageProxy. La URL de proxy de imagen es incorrecta","ImageProxy HTTP error: Unknown ImageProxy error":"Error de ImageProxy HTTP. Error de ImageProxy desconocido"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/et.js b/deform/static/tinymce/langs/et.js index d7f9f07c..b84e8be6 100644 --- a/deform/static/tinymce/langs/et.js +++ b/deform/static/tinymce/langs/et.js @@ -1,173 +1 @@ -tinymce.addI18n('et',{ -"Cut": "L\u00f5ika", -"Header 2": "Pealkiri 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Sinu veebilehitseja ei toeta otsest ligip\u00e4\u00e4su l\u00f5ikelauale. Palun kasuta selle asemel klaviatuuri kiirk\u00e4sklusi Ctrl+X\/C\/V.", -"Div": "Sektsioon", -"Paste": "Kleebi", -"Close": "Sulge", -"Pre": "Eelvormindatud", -"Align right": "Joonda paremale", -"New document": "Uus dokument", -"Blockquote": "Plokktsitaat", -"Numbered list": "J\u00e4rjestatud loend", -"Increase indent": "Suurenda taanet", -"Formats": "Vormingud", -"Headers": "P\u00e4ised", -"Select all": "Vali k\u00f5ik", -"Header 3": "Pealkiri 3", -"Blocks": "Plokid", -"Undo": "V\u00f5ta tagasi", -"Strikethrough": "L\u00e4bikriipsutatud", -"Bullet list": "J\u00e4rjestamata loend", -"Header 1": "Pealkiri 1", -"Superscript": "\u00dclaindeks", -"Clear formatting": "Puhasta vorming", -"Subscript": "Alaindeks", -"Header 6": "Pealkiri 6", -"Redo": "Tee uuesti", -"Paragraph": "L\u00f5ik", -"Ok": "Ok", -"Bold": "Rasvane", -"Code": "Kood", -"Italic": "Kaldkiri", -"Align center": "Joonda keskele", -"Header 5": "Pealkiri 5", -"Decrease indent": "V\u00e4henda taanet", -"Header 4": "Pealkiri 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Kleepimine on n\u00fc\u00fcd lihtteksti re\u017eiimis. Sisu kleebitakse lihttekstina seni, kuni Sa selle valiku v\u00e4lja l\u00fclitad.", -"Underline": "Allakriipsutatud", -"Cancel": "Katkesta", -"Justify": "Joonda r\u00f6\u00f6pselt", -"Inline": "Reasisene", -"Copy": "Kopeeri", -"Align left": "Joonda vasakule", -"Visual aids": "N\u00e4itevahendid", -"Lower Greek": "Kreeka v\u00e4iket\u00e4hed (\u03b1, \u03b2, \u03b3)", -"Square": "Ruut", -"Default": "Vaikimisi", -"Lower Alpha": "V\u00e4iket\u00e4hed (a, b, c)", -"Circle": "Ring", -"Disc": "Ketas", -"Upper Alpha": "Suurt\u00e4hed (A, B, C)", -"Upper Roman": "Rooma suurt\u00e4hed (I, II, III)", -"Lower Roman": "Rooma v\u00e4iket\u00e4hed (i, ii, iii)", -"Name": "Nimi", -"Anchor": "Ankur", -"You have unsaved changes are you sure you want to navigate away?": "Sul on salvestamata muudatusi. Oled Sa kindel, et soovid mujale navigeeruda?", -"Restore last draft": "Taasta viimane mustand", -"Special character": "Erim\u00e4rk", -"Source code": "L\u00e4htekood", -"Right to left": "Paremalt vasakule", -"Left to right": "Vasakult paremale", -"Emoticons": "Emotikonid", -"Robots": "Robotid", -"Document properties": "Dokumendi omadused", -"Title": "Pealkiri", -"Keywords": "M\u00e4rks\u00f5nad", -"Encoding": "M\u00e4rgistik", -"Description": "Kirjeldus", -"Author": "Autor", -"Fullscreen": "T\u00e4isekraan", -"Horizontal line": "Horisontaaljoon", -"Horizontal space": "Reavahe", -"Insert\/edit image": "Lisa\/muuda pilt", -"General": "\u00dcldine", -"Advanced": "T\u00e4iendavad seaded", -"Source": "Allikas", -"Border": "\u00c4\u00e4ris", -"Constrain proportions": "S\u00e4ilita kuvasuhe", -"Vertical space": "P\u00fcstine vahe", -"Image description": "Pildi kirjeldus", -"Style": "Stiil", -"Dimensions": "M\u00f5\u00f5tmed", -"Insert image": "Lisa pilt", -"Insert date\/time": "Lisa kuup\u00e4ev\/kellaaeg", -"Remove link": "Eemalda link", -"Url": "Viide (url)", -"Text to display": "Kuvatav tekst", -"Insert link": "Lisa link", -"New window": "Uus aken", -"None": "Puudub", -"Target": "Sihtm\u00e4rk", -"Insert\/edit link": "Lisa\/muuda link", -"Insert\/edit video": "Lisa\/muuda video", -"Poster": "Lisaja", -"Alternative source": "Teine allikas", -"Paste your embed code below:": "Kleebi oma manustamiskood siia alla:", -"Insert video": "Lisa video", -"Embed": "Manusta", -"Nonbreaking space": "T\u00fchim\u00e4rk (nbsp)", -"Page break": "Lehevahetus", -"Preview": "Eelvaade", -"Print": "Tr\u00fcki", -"Save": "Salvesta", -"Could not find the specified string.": "Ei suutnud leida etteantud s\u00f5net.", -"Replace": "Asenda", -"Next": "J\u00e4rg", -"Whole words": "Terviks\u00f5nad", -"Find and replace": "Otsi ja asenda", -"Replace with": "Asendus", -"Find": "Otsi", -"Replace all": "Asenda k\u00f5ik", -"Match case": "Erista suur- ja v\u00e4iket\u00e4hti", -"Prev": "Eelm", -"Spellcheck": "\u00d5igekirja kontroll", -"Finish": "L\u00f5peta", -"Ignore all": "Eira k\u00f5iki", -"Ignore": "Eira", -"Insert row before": "Lisa rida enne", -"Rows": "Read", -"Height": "K\u00f5rgus", -"Paste row after": "Kleebi rida j\u00e4rele", -"Alignment": "Joondus", -"Column group": "Veergude r\u00fchm", -"Row": "Rida", -"Insert column before": "Lisa tulp enne", -"Split cell": "T\u00fckelda lahter", -"Cell padding": "Lahtri sisu ja tabeli \u00e4\u00e4rise vahe", -"Cell spacing": "Lahtrivahe", -"Row type": "Rea t\u00fc\u00fcp", -"Insert table": "Lisa tabel", -"Body": "P\u00f5hiosa", -"Caption": "Alapealkiri", -"Footer": "Jalus", -"Delete row": "Kustuta rida", -"Paste row before": "Kleebi rida enne", -"Scope": "Ulatus", -"Delete table": "Kustuta tabel", -"Header cell": "P\u00e4islahter", -"Column": "Tulp", -"Cell": "Lahter", -"Header": "P\u00e4is", -"Cell type": "Lahtri t\u00fc\u00fcp", -"Copy row": "Kopeeri rida", -"Row properties": "Rea omadused", -"Table properties": "Tabeli omadused", -"Row group": "Ridade r\u00fchm", -"Right": "Paremal", -"Insert column after": "Lisa tulp j\u00e4rele", -"Cols": "Veerud", -"Insert row after": "Lisa rida j\u00e4rele", -"Width": "Laius", -"Cell properties": "Lahtri omadused", -"Left": "Vasakul", -"Cut row": "L\u00f5ika rida", -"Delete column": "Kustuta tulp", -"Center": "Keskel", -"Merge cells": "\u00dchenda lahtrid", -"Insert template": "Lisa mall", -"Templates": "Mallid", -"Background color": "Tausta v\u00e4rv", -"Text color": "Teksti v\u00e4rv", -"Show blocks": "N\u00e4ita plokke", -"Show invisible characters": "N\u00e4ita peidetud m\u00e4rke", -"Words: {0}": "S\u00f5nu: {0}", -"Insert": "Sisesta", -"File": "Fail", -"Edit": "Muuda", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rikastatud teksti ala. Men\u00fc\u00fc jaoks vajuta ALT-F9. T\u00f6\u00f6riistariba jaoks vajuta ALT-F10. Abi saamiseks vajuta ALT-0.", -"Tools": "T\u00f6\u00f6riistad", -"View": "Vaade", -"Table": "Tabel", -"Format": "Vorming" -}); \ No newline at end of file +tinymce.addI18n("et",{"Redo":"Tee uuesti","Undo":"V\xf5ta tagasi","Cut":"L\xf5ika","Copy":"Kopeeri","Paste":"Kleebi","Select all":"Vali k\xf5ik","New document":"Uus dokument","Ok":"","Cancel":"Katkesta","Visual aids":"N\xe4itevahendid","Bold":"Rasvane","Italic":"Kaldkiri","Underline":"Allakriipsutatud","Strikethrough":"L\xe4bikriipsutatud","Superscript":"\xdclaindeks","Subscript":"Alaindeks","Clear formatting":"Puhasta vorming","Remove":"","Align left":"Joonda vasakule","Align center":"Joonda keskele","Align right":"Joonda paremale","No alignment":"","Justify":"Joonda r\xf6\xf6pselt","Bullet list":"J\xe4rjestamata loend","Numbered list":"J\xe4rjestatud loend","Decrease indent":"V\xe4henda taanet","Increase indent":"Suurenda taanet","Close":"Sulge","Formats":"Vormingud","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Sinu veebilehitseja ei toeta otsest ligip\xe4\xe4su l\xf5ikelauale. Palun kasuta selle asemel klaviatuuri kiirk\xe4sklusi Ctrl+X/C/V.","Headings":"Pealkirjad","Heading 1":"Pealkiri 1","Heading 2":"Pealkiri 2","Heading 3":"Pealkiri 3","Heading 4":"Pealkiri 4","Heading 5":"Pealkiri 5","Heading 6":"Pealkiri 6","Preformatted":"Eelvormindaud","Div":"Sektsioon","Pre":"Eelvormindatud","Code":"Kood","Paragraph":"L\xf5ik","Blockquote":"Plokktsitaat","Inline":"Reasisene","Blocks":"Plokid","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Kleepimine on n\xfc\xfcd lihtteksti re\u017eiimis. Sisu kleebitakse lihttekstina seni, kuni Sa selle valiku v\xe4lja l\xfclitad.","Fonts":"Fondid","Font sizes":"Fondi suurused","Class":"Klass","Browse for an image":"Sirvi pilte","OR":"V\xd5I","Drop an image here":"Kukuta pilt siia","Upload":"\xdcles laadimine","Uploading image":"","Block":"Plokk","Align":"Joonda","Default":"Vaikimisi","Circle":"Ring","Disc":"Plaat","Square":"Ruut","Lower Alpha":"Alam-Alfa","Lower Greek":"Alamkreeka keel","Lower Roman":"Alam-Rooma","Upper Alpha":"\xdclem-Alfa","Upper Roman":"\xdclemine Rooma keel","Anchor...":"Ankur ...","Anchor":"","Name":"Nimi","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"Teil on salvestamata muudatusi. Kas soovite kindlasti minema navigeerida?","Restore last draft":"Taasta viimane mustand","Special character...":"Eriline tegelane ...","Special Character":"","Source code":"L\xe4htekood","Insert/Edit code sample":"Koodin\xe4idise sisestamine / muutmine","Language":"Keel","Code sample...":"Koodin\xe4ide ...","Left to right":"Vasakult paremale","Right to left":"Paremalt vasakule","Title":"Pealkiri","Fullscreen":"T\xe4isekraan","Action":"Tegevus","Shortcut":"Otsetee","Help":"Abi","Address":"Aadress","Focus to menubar":"Keskenduge men\xfc\xfcribale","Focus to toolbar":"Keskenduge t\xf6\xf6riistaribale","Focus to element path":"Keskendumine elemendi rajale","Focus to contextual toolbar":"Keskenduge kontekstip\xf5hisele t\xf6\xf6riistaribale","Insert link (if link plugin activated)":"Sisesta link (kui lingi pistikprogramm on aktiveeritud)","Save (if save plugin activated)":"Salvesta (kui pistikprogrammi salvestamine on aktiveeritud)","Find (if searchreplace plugin activated)":"Leia (kui otsinguprogrammi plugin on aktiveeritud)","Plugins installed ({0}):":"Installitud pistikprogrammid ({0}):","Premium plugins:":"Premium pistikprogrammid:","Learn more...":"Lisateave ...","You are using {0}":"Kasutate seadet {0}","Plugins":"Pistikprogrammid","Handy Shortcuts":"K\xe4ep\xe4rased otseteed","Horizontal line":"Horisontaalne joon","Insert/edit image":"Sisesta / muuda pilti","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"Allikas","Dimensions":"M\xf5\xf5tmed","Constrain proportions":"Piirake proportsioone","General":"Kindral","Advanced":"T\xe4psem","Style":"Stiil","Vertical space":"Vertikaalne ruum","Horizontal space":"Horisontaalne ruum","Border":"Piir","Insert image":"Sisesta pilt","Image...":"Pilt ...","Image list":"Piltide loend","Resize":"Suuruse muutmine","Insert date/time":"Sisestage kuup\xe4ev / kellaaeg","Date/time":"Kuup\xe4ev Kellaaeg","Insert/edit link":"Sisesta / muuda link","Text to display":"Kuvatav tekst","Url":"URL","Open link in...":"Ava link saidil ...","Current window":"Praegune aken","None":"Puudub","New window":"Uus aken","Open link":"","Remove link":"Eemalda link","Anchors":"Ankrud","Link...":"","Paste or type a link":"Kleepige v\xf5i tippige link","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Sisestatud URL n\xe4ib olevat e-posti aadress. Kas soovite lisadavajalik mailto: eesliide?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Teie sisestatud URL n\xe4ib olevat v\xe4line link. Kas soovite lisadavajalik http: // eesliide?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Lingiloend","Insert video":"Sisesta video","Insert/edit video":"Video lisamine / muutmine","Insert/edit media":"Sisestage / muutke meediumit","Alternative source":"Alternatiivne allikas","Alternative source URL":"Alternatiivne allika URL","Media poster (Image URL)":"Meediaplakat (pildi URL)","Paste your embed code below:":"Kleepige oma manustamiskood allpool:","Embed":"","Media...":"Meedia ...","Nonbreaking space":"Murdmatu ruum","Page break":"Lehek\xfcljevahe","Paste as text":"Kleebi tekstina","Preview":"Eelvaade","Print":"","Print...":"Prindi ...","Save":"Salvesta","Find":"Leidke","Replace with":"Asenda s\xf5naga","Replace":"Asenda","Replace all":"Asenda k\xf5ik","Previous":"Eelmine","Next":"J\xe4rgmine","Find and Replace":"","Find and replace...":"Leidke ja asendage ...","Could not find the specified string.":"M\xe4\xe4ratud stringi ei leitud.","Match case":"Tikutoos","Find whole words only":"Leidke ainult terved s\xf5nad","Find in selection":"","Insert table":"Sisesta tabel","Table properties":"Tabeli omadused","Delete table":"Kustuta tabel","Cell":"Kamber","Row":"Rida","Column":"Veerg","Cell properties":"Rakkude omadused","Merge cells":"Lahtrite \xfchendamine","Split cell":"Lahtrite jagamine","Insert row before":"Sisestage rida enne","Insert row after":"Lisage rida p\xe4rast","Delete row":"Kustuta rida","Row properties":"Rea omadused","Cut row":"L\xf5ika rida","Cut column":"","Copy row":"Kopeeri rida","Copy column":"","Paste row before":"Kleepige rida enne","Paste column before":"","Paste row after":"Kleepige rida p\xe4rast","Paste column after":"","Insert column before":"Sisestage veerg enne","Insert column after":"Sisestage veerg p\xe4rast","Delete column":"Kustuta veerg","Cols":"","Rows":"Read","Width":"Laius","Height":"K\xf5rgus","Cell spacing":"Lahtrite vahe","Cell padding":"Lahtrite polsterdus","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Alapealkiri","Show caption":"Kuva pealdis","Left":"Vasakule","Center":"Keskus","Right":"\xd5ige","Cell type":"Lahtri t\xfc\xfcp","Scope":"Reguleerimisala","Alignment":"Joondamine","Horizontal align":"","Vertical align":"","Top":"\xdcles","Middle":"Keskmine","Bottom":"Alumine","Header cell":"P\xe4ise lahter","Row group":"R\xfchma r\xfchm","Column group":"Veergude r\xfchm","Row type":"Rea t\xfc\xfcp","Header":"P\xe4is","Body":"Keha","Footer":"Jalus","Border color":"\xc4\xe4rise v\xe4rv","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Sisesta mall ...","Templates":"Mallid","Template":"Mall","Insert Template":"","Text color":"Teksti v\xe4rv","Background color":"Taustav\xe4rv","Custom...":"Kohandatud ...","Custom color":"Kohandatud v\xe4rv","No color":"Pole v\xe4rvi","Remove color":"Eemaldage v\xe4rv","Show blocks":"N\xe4ita plokke","Show invisible characters":"Kuva n\xe4htamatud t\xe4hem\xe4rgid","Word count":"S\xf5nade arv","Count":"Krahv","Document":"Dokument","Selection":"Valik","Words":"S\xf5nad","Words: {0}":"S\xf5nad: {0}","{0} words":"{0} s\xf5na","File":"Fail","Edit":"Muuda","Insert":"Sisesta","View":"Vaade","Format":"Vormindus","Table":"Tabel","Tools":"T\xf6\xf6riistad","Powered by {0}":"Toetaja: {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Rikasteksti ala. Men\xfc\xfc avamiseks vajutage ALT-F9. T\xf6\xf6riistariba saamiseks vajutage ALT-F10. VajutageALT-0 abi saamiseks","Image title":"Pildi pealkiri","Border width":"\xc4\xe4rise laius","Border style":"Piiri stiil","Error":"Viga","Warn":"Hoiatage","Valid":"Kehtib","To open the popup, press Shift+Enter":"H\xfcpikakna avamiseks vajutage t\xf5stuklahvi + sisestusklahvi","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Rikasteksti ala. Abi saamiseks vajutage ALT-0.","System Font":"S\xfcsteemi font","Failed to upload image: {0}":"Pildi \xfcleslaadimine eba\xf5nnestus: {0}","Failed to load plugin: {0} from url {1}":"Pistikprogrammi laadimine nurjus: {0} URL-ist {1}","Failed to load plugin url: {0}":"Pistikprogrammi URL-i laadimine nurjus: {0}","Failed to initialize plugin: {0}":"Pistikprogrammi l\xe4htestamine eba\xf5nnestus: {0}","example":"n\xe4ide","Search":"Otsing","All":"K\xf5ik","Currency":"Valuuta","Text":"Tekst","Quotations":"Tsitaadid","Mathematical":"Matemaatiline","Extended Latin":"Laiendatud ladina keel","Symbols":"S\xfcmbolid","Arrows":"Nooled","User Defined":"Kasutaja m\xe4\xe4ratud","dollar sign":"dollari m\xe4rk","currency sign":"v\xe4\xe4ringu m\xe4rk","euro-currency sign":"euro v\xe4\xe4ringu m\xe4rk","colon sign":"j\xe4mesoole m\xe4rk","cruzeiro sign":"cruzeiro m\xe4rk","french franc sign":"Prantsuse frangi m\xe4rk","lira sign":"liiri m\xe4rk","mill sign":"veskim\xe4rk","naira sign":"naira m\xe4rk","peseta sign":"peseta m\xe4rk","rupee sign":"ruupia m\xe4rk","won sign":"v\xf5itis m\xe4rgi","new sheqel sign":"uus \u0161ekeli m\xe4rk","dong sign":"dongi m\xe4rk","kip sign":"kip m\xe4rk","tugrik sign":"tugriku m\xe4rk","drachma sign":"drahmam\xe4rk","german penny symbol":"saksa senti s\xfcmbol","peso sign":"peeso m\xe4rk","guarani sign":"guarani m\xe4rk","austral sign":"austraalne m\xe4rk","hryvnia sign":"grivna m\xe4rk","cedi sign":"cedi m\xe4rk","livre tournois sign":"elav turniiri m\xe4rk","spesmilo sign":"spesmilo m\xe4rk","tenge sign":"tenge m\xe4rk","indian rupee sign":"India ruupia m\xe4rk","turkish lira sign":"t\xfcrgi liiri m\xe4rk","nordic mark sign":"p\xf5hjam\xe4rgi m\xe4rk","manat sign":"manati m\xe4rk","ruble sign":"rubla m\xe4rk","yen character":"jeeni tegelaskuju","yuan character":"j\xfcaani tegelaskuju","yuan character, in hong kong and taiwan":"j\xfcaani tegelane, Hongkongis ja Taiwanis","yen/yuan character variant one":"jeeni / j\xfcaani t\xe4hem\xe4rgi variant \xfcks","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"Inimesed","Animals and Nature":"Loomad ja loodus","Food and Drink":"Toit ja jook","Activity":"Tegevus","Travel and Places":"Reisimine ja kohad","Objects":"Objektid","Flags":"Lipud","Characters":"Tegelased","Characters (no spaces)":"M\xe4rgid (t\xfchikud puuduvad)","{0} characters":"{0} t\xe4hem\xe4rki","Error: Form submit field collision.":"Viga: vormi esitamise v\xe4lja kokkup\xf5rge.","Error: No form element found.":"Viga: vormielementi ei leitud.","Color swatch":"V\xe4rvivalik","Color Picker":"V\xe4rvivalija","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"T\xfcrkiis","Green":"Roheline","Blue":"Sinine","Purple":"Lilla","Navy Blue":"Merev\xe4e sinine","Dark Turquoise":"Tume t\xfcrkiissinine","Dark Green":"Tumeroheline","Medium Blue":"Keskmine sinine","Medium Purple":"Keskmine lilla","Midnight Blue":"Kesk\xf6ine sinine","Yellow":"Kollane","Orange":"Oran\u017e","Red":"Punane","Light Gray":"Helehall","Gray":"Hall","Dark Yellow":"Tumekollane","Dark Orange":"Tumeoran\u017e","Dark Red":"Tumepunane","Medium Gray":"Keskmiselt hall","Dark Gray":"Tumehall","Light Green":"Heleroheline","Light Yellow":"Helekollane","Light Red":"Helepunane","Light Purple":"Helelilla","Light Blue":"Helesinine","Dark Purple":"Tumelilla","Dark Blue":"Tumesinine","Black":"Must","White":"Valge","Switch to or from fullscreen mode":"L\xfclitumine t\xe4isekraanre\u017eiimile v\xf5i sellest v\xe4lja","Open help dialog":"Ava dialoog","history":"ajalugu","styles":"stiilid","formatting":"vormindamine","alignment":"joondamine","indentation":"taane","Font":"","Size":"Suurus","More...":"Veel ...","Select...":"Valige ...","Preferences":"Eelistused","Yes":"Jah","No":"Ei","Keyboard Navigation":"Klaviatuuril navigeerimine","Version":"Versioon","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"Reak\xf5rgus","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/eu.js b/deform/static/tinymce/langs/eu.js index 3985de09..a58ad558 100644 --- a/deform/static/tinymce/langs/eu.js +++ b/deform/static/tinymce/langs/eu.js @@ -1,174 +1 @@ -tinymce.addI18n('eu',{ -"Cut": "Ebaki", -"Header 2": "2 Goiburua", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Zure nabigatzaileak ez du arbela zuzenean erabiltzeko euskarririk. Mesedez erabili CTRL+X\/C\/V teklatuko lasterbideak.", -"Div": "Div", -"Paste": "Itsatsi", -"Close": "Itxi", -"Pre": "Pre", -"Align right": "Lerrokatu eskuinean", -"New document": "Dokumentu berria", -"Blockquote": "Blockquote", -"Numbered list": "Zerrenda zenbatua", -"Increase indent": "Handitu koska", -"Formats": "Formatuak", -"Headers": "Goiburuak", -"Select all": "Hautatu dena", -"Header 3": "3 Goiburua", -"Blocks": "Blokeak", -"Undo": "Desegin", -"Strikethrough": "Marratua", -"Bullet list": "Bulet zerrenda", -"Header 1": "1 Goiburua", -"Superscript": "Goi-indize", -"Clear formatting": "Garbitu formatua", -"Subscript": "Azpiindize", -"Header 6": "6 Goiburua", -"Redo": "Berregin", -"Paragraph": "Parrafoa", -"Ok": "Ondo", -"Bold": "Lodia", -"Code": "Kodea", -"Italic": "Etzana", -"Align center": "Lerrokatu horizontalki erdian", -"Header 5": "5 Goiburua", -"Decrease indent": "Txikitu koska", -"Header 4": "4 Goiburua", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Txertatzea testu formatu arruntean dago. Orain edukiak testu arrunt moduan txertatuko dira aukera hau kendu bitartean.", -"Underline": "Azpimarratua", -"Cancel": "Ezeztatu", -"Justify": "Justifikatuta", -"Inline": "Lerroan", -"Copy": "Kopiatu", -"Align left": "Lerrokatu ezkerrean", -"Visual aids": "Laguntza bisualak", -"Lower Greek": "Behe grekoa", -"Square": "Karratua", -"Default": "Lehenetstia", -"Lower Alpha": "Behe alfa", -"Circle": "Zirkulua", -"Disc": "Diskoa", -"Upper Alpha": "Goi alfa", -"Upper Roman": "Goi erromatarra", -"Lower Roman": "Behe erromatarra", -"Name": "Izena", -"Anchor": "Esteka", -"You have unsaved changes are you sure you want to navigate away?": "Gorde gabeko aldaketak dituzu, zihur zaude hemendik irten nahi duzula?", -"Restore last draft": "Leheneratu azken zirriborroa", -"Special character": "Karaktere bereziak", -"Source code": "Iturburu-kodea", -"Right to left": "Eskuinetik ezkerrera", -"Left to right": "Eskerretik eskuinera", -"Emoticons": "Irrifartxoak", -"Robots": "Robotak", -"Document properties": "Dokumentuaren propietateak", -"Title": "Titulua", -"Keywords": "Hitz gakoak", -"Encoding": "Encoding", -"Description": "Deskribapena", -"Author": "Egilea", -"Fullscreen": "Pantaila osoa", -"Horizontal line": "Marra horizontala", -"Horizontal space": "Hutsune horizontala", -"Insert\/edit image": "Irudia txertatu\/editatu", -"General": "Orokorra", -"Advanced": "Aurreratua", -"Source": "Iturburua", -"Border": "Bordea", -"Constrain proportions": "Zerraditu proportzioak", -"Vertical space": "Hutsune bertikala", -"Image description": "Irudiaren deskribapena", -"Style": "Estiloa", -"Dimensions": "Neurriak", -"Insert image": "Irudia txertatu", -"Insert date\/time": "Data\/ordua txertatu", -"Remove link": "Kendu esteka", -"Url": "Url", -"Text to display": "Bistaratzeko testua", -"Anchors": "Estekak", -"Insert link": "Esteka txertatu", -"New window": "Lehio berria", -"None": "Bat ere ez", -"Target": "Target", -"Insert\/edit link": "Esteka txertatu\/editatu", -"Insert\/edit video": "Bideoa txertatu\/editatu", -"Poster": "Poster-a", -"Alternative source": "Iturburu alternatiboa", -"Paste your embed code below:": "Itsatsi hemen zure enkapsulatzeko kodea:", -"Insert video": "Bideoa txertatu", -"Embed": "Kapsulatu", -"Nonbreaking space": "Zuriune zatiezina", -"Page break": "Orrialde-jauzia", -"Preview": "Aurrebista", -"Print": "Inprimatu", -"Save": "Gorde", -"Could not find the specified string.": "Ezin izan da zehaztutako katea aurkitu.", -"Replace": "Ordeztu", -"Next": "Hurrengoa", -"Whole words": "hitz osoak", -"Find and replace": "Bilatu eta ordeztu", -"Replace with": "Honekin ordeztu", -"Find": "Bilatu", -"Replace all": "Ordeztu dena", -"Match case": "Maiuskula\/minuskula", -"Prev": "Aurrekoa", -"Spellcheck": "Egiaztapenak", -"Finish": "Amaitu", -"Ignore all": "Ez ikusi guztia", -"Ignore": "Ez ikusi", -"Insert row before": "Txertatu errenkada aurretik", -"Rows": "Errenkadak", -"Height": "Altuera", -"Paste row after": "Itsatsi errenkada ostean", -"Alignment": "Lerrokatzea", -"Column group": "Zutabe taldea", -"Row": "Errenkada", -"Insert column before": "Txertatu zutabe aurretik", -"Split cell": "Gelaxkak banatu", -"Cell padding": "Gelaxken betegarria", -"Cell spacing": "Gelaxka arteko tartea", -"Row type": "Lerro mota", -"Insert table": "Txertatu taula", -"Body": "Gorputza", -"Caption": "Epigrafea", -"Footer": "Oina", -"Delete row": "Ezabatu errenkada", -"Paste row before": "Itsatsi errenkada aurretik", -"Scope": "Esparrua", -"Delete table": "Taula ezabatu", -"Header cell": "Goiburuko gelaxka", -"Column": "Zutabea", -"Cell": "Gelaxka", -"Header": "Goiburua", -"Cell type": "Gelaxka mota", -"Copy row": "Kopiatu errenkada", -"Row properties": "Errenkadaren propietateak", -"Table properties": "Taularen propietateak", -"Row group": "Lerro taldea", -"Right": "Eskuma", -"Insert column after": "Txertatu zutabea ostean", -"Cols": "Zutabeak", -"Insert row after": "Txertatu errenkada ostean", -"Width": "Zabalera", -"Cell properties": "Gelaxkaren propietateak", -"Left": "Ezkerra", -"Cut row": "Ebaki errenkada", -"Delete column": "Ezabatu zutabea", -"Center": "Erdia", -"Merge cells": "Gelaxkak batu", -"Insert template": "Txertatu txantiloia", -"Templates": "Txantiloiak", -"Background color": "Atzeko kolorea", -"Text color": "Testuaren kolorea", -"Show blocks": "Erakutsi blokeak", -"Show invisible characters": "Erakutsi karaktere izkutuak", -"Words: {0}": "Hitzak: {0}", -"Insert": "Sartu", -"File": "Fitxategia", -"Edit": "Editatu", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Testu aberastuko area. Sakatu ALT-F9 menurako. Sakatu ALT-F10 tresna-barrarako. Sakatu ALT-0 laguntzarako", -"Tools": "Tresnak", -"View": "Ikusi", -"Table": "Taula", -"Format": "Formatua" -}); \ No newline at end of file +tinymce.addI18n("eu",{"Redo":"Berregin","Undo":"Desegin","Cut":"Ebaki","Copy":"Kopiatu","Paste":"Itsatsi","Select all":"Aukeratu dena","New document":"Dokumentu berria","Ok":"Ados","Cancel":"Utzi","Visual aids":"Laguntza bisualak","Bold":"Lodia","Italic":"Etzana","Underline":"Azpimarratua","Strikethrough":"Marratua","Superscript":"Goi-indizea","Subscript":"Azpiindizea","Clear formatting":"Garbitu formatua","Remove":"Kendu","Align left":"Lerrokatu ezkerrean","Align center":"Lerrokatu erdian","Align right":"Lerrokatu eskuinean","No alignment":"Lerrokatzerik ez","Justify":"Justifikatuta","Bullet list":"Bulet zerrenda","Numbered list":"Zenbaki-zerrenda","Decrease indent":"Txikitu koska","Increase indent":"Handitu koska","Close":"Itxi","Formats":"Formatuak","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Zure nabigatzaileak ez du arbela zuzenean erabiltzeko euskarririk. Mesedez erabili CTRL+X/C/V teklatuko lasterbideak.","Headings":"Izenburuak","Heading 1":"1. goiburua","Heading 2":"2. goiburua","Heading 3":"3. goiburua","Heading 4":"4. goiburua","Heading 5":"5. goiburua","Heading 6":"6. goiburua","Preformatted":"Aurrez formateatuta","Div":"Div","Pre":"Pre","Code":"Kodea","Paragraph":"Paragrafoa","Blockquote":"Zita bat egiteko blokea (blockquote)","Inline":"Txertatuta","Blocks":"Blokeak","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Itsastea testu formatu arruntean egingo da orain. Edukiak testu arrunt moduan txertatuko dira aukera hau aldatu bitartean.","Fonts":"Letra-motak","Font sizes":"Letra tamainak","Class":"Klasea","Browse for an image":"Arakatu irudi baten bila","OR":"EDO","Drop an image here":"Ekarri irudia hona","Upload":"Kargatu","Uploading image":"Irudia kargatzen","Block":"Blokea","Align":"Lerrokatu","Default":"Lehenetsita","Circle":"Zirkulua","Disc":"Diskoa","Square":"Karratua","Lower Alpha":"Behe alfa","Lower Greek":"Behe grekoa","Lower Roman":"Behe erromatarra","Upper Alpha":"Goi alfa","Upper Roman":"Goi erromatarra","Anchor...":"Aingura...","Anchor":"Aingura","Name":"Izena","ID":"IDa","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"IDa hizki batekin hasi behar da, eta jarraian hizki gehiago, zenbakiak, marrak, puntuak komak edo azpiko marrak izan ditzake soilik.","You have unsaved changes are you sure you want to navigate away?":"Gorde gabeko aldaketak dituzu, ziur zaude hemendik irten nahi duzula?","Restore last draft":"Leheneratu azken zirriborroa","Special character...":"Karaktere berezia...","Special Character":"Karaktere Berezia","Source code":"Iturburu-kodea","Insert/Edit code sample":"Txertatu/Editatu kode adibidea","Language":"Hizkuntza","Code sample...":"Kode adibidea...","Left to right":"Ezkerretik eskuinera","Right to left":"Eskuinetik ezkerrera","Title":"Izenburua","Fullscreen":"Pantaila osoa","Action":"Ekintza","Shortcut":"Laster tekla","Help":"Laguntza","Address":"Helbidea","Focus to menubar":"Fokua menu-barrara eraman","Focus to toolbar":"Fokoa tresna-barrara eraman","Focus to element path":"Fokua elementuaren bidera eraman","Focus to contextual toolbar":"Fokua testuinguruko tresna-barrara eraman","Insert link (if link plugin activated)":"Txertatu esteka (esteka plugina aktibatuta badago)","Save (if save plugin activated)":"Gorde (gordetzeko plugina aktibatuta badago)","Find (if searchreplace plugin activated)":"Bilatu (bilatu-ordezkatu plugina aktibatuta badago)","Plugins installed ({0}):":"Instalatutako pluginak ({0}):","Premium plugins:":"Premium pluginak:","Learn more...":"Ikasi gehiago...","You are using {0}":"{0} erabiltzen ari zara","Plugins":"Pluginak","Handy Shortcuts":"Laster-tekla erabilgarriak","Horizontal line":"Marra horizontala","Insert/edit image":"Txertatu/editatu irudia","Alternative description":"Ordezko deskribapena","Accessibility":"Irisgarritasuna","Image is decorative":"Irudia apaingarria da","Source":"Iturburua","Dimensions":"Neurriak","Constrain proportions":"Mugatu proportzioak","General":"Orokorra","Advanced":"Aurreratua","Style":"Estiloa","Vertical space":"Hutsune bertikala","Horizontal space":"Hutsune horizontala","Border":"Ertza","Insert image":"Txertatu irudia","Image...":"Irudia...","Image list":"Irudi zerrenda","Resize":"Aldatu tamaina","Insert date/time":"Txertatu data/ordua","Date/time":"Data/ordua","Insert/edit link":"Txertatu/editatu esteka","Text to display":"Bistaratzeko testua","Url":"URLa","Open link in...":"Ireki esteka hemen...","Current window":"Leiho berean","None":"Bat ere ez","New window":"Leiho berria","Open link":"Ireki esteka","Remove link":"Kendu esteka","Anchors":"Aingurak","Link...":"Esteka...","Paste or type a link":"Itsatsi edo idatzi esteka","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Sartu duzun URLa helbide elektroniko bat dela dirudi. Nahi duzu dagokion mailto: aurrizkia gehitzea?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Sartu duzun URLa kanpoko esteka bat dela dirudi. Nahi duzu dagokion http:// aurrizkia gehitzea?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Sartu duzun URLa kanpoko esteka bat dela dirudi. Nahi duzu dagokion https:// aurrizkia gehitzea?","Link list":"Esteken zerrenda","Insert video":"Txertatu bideoa","Insert/edit video":"Txertatu/editatu bideoa","Insert/edit media":"Txertatu/editatu multimedia","Alternative source":"Ordezko jatorria","Alternative source URL":"Ordezko jatorriaren URLa","Media poster (Image URL)":"Multimedia posterra (irudiaren URLa)","Paste your embed code below:":"Itsatsi azpian enbotatu beharreko zure kodea:","Embed":"Enbotatzea","Media...":"Multimedia...","Nonbreaking space":"Zuriune zatiezina","Page break":"Orrialde-jauzia","Paste as text":"Itsatsi testu bezala","Preview":"Aurrebista","Print":"Inprimatu","Print...":"Inprimatu...","Save":"Gorde","Find":"Bilatu","Replace with":"Ordeztu honekin","Replace":"Ordeztu","Replace all":"Ordeztu guztiak","Previous":"Aurrekoa","Next":"Hurrengoa","Find and Replace":"Bilatu eta ordezkatu","Find and replace...":"Bilatu eta ordezkatu...","Could not find the specified string.":"Ezin izan da zehaztutako katea aurkitu.","Match case":"Maiuskula/minuskula","Find whole words only":"Bilatu soilik hitz osoak","Find in selection":"Bilatu hautapenean","Insert table":"Txertatu taula","Table properties":"Taularen propietateak","Delete table":"Ezabatu taula","Cell":"Gelaxka","Row":"Errenkada","Column":"Zutabea","Cell properties":"Gelaxkaren propietateak","Merge cells":"Batu gelaxkak","Split cell":"Banatu gelaxka","Insert row before":"Txertatu errenkada aurretik","Insert row after":"Txertatu errenkada ostean","Delete row":"Ezabatu errenkada","Row properties":"Errenkadaren propietateak","Cut row":"Ebaki errenkada","Cut column":"Ebaki zutabea","Copy row":"Kopiatu errenkada","Copy column":"Kopiatu zutabea","Paste row before":"Itsatsi errenkada aurretik","Paste column before":"Itsatsi zutabea aurretik","Paste row after":"Itsatsi errenkada ostean","Paste column after":"Itsatsi zutabea ostean","Insert column before":"Txertatu zutabea aurretik","Insert column after":"Txertatu zutabea ostean","Delete column":"Ezabatu zutabea","Cols":"Zutabeak","Rows":"Errenkadak","Width":"Zabalera","Height":"Altuera","Cell spacing":"Gelaxka arteko tartea","Cell padding":"Gelaxken betegarria","Row clipboard actions":"Errenkadaren arbeleko ekintzak","Column clipboard actions":"Zutabearen arbeleko ekintzak","Table styles":"Taularen estiloak","Cell styles":"Gelaxkaren estiloak","Column header":"Zutabearen goiburua","Row header":"Errenkadaren goiburua","Table caption":"Taularen deskribapena","Caption":"Irudi-oina","Show caption":"Erakutsi irudi-oina","Left":"Ezkerra","Center":"Erdia","Right":"Eskuina","Cell type":"Gelaxka mota","Scope":"Esparrua","Alignment":"Lerrokatzea","Horizontal align":"Lerrokatze horizontala","Vertical align":"Lerrokatze bertikala","Top":"Goian","Middle":"Erdian","Bottom":"Behean","Header cell":"Goiburuko gelaxka","Row group":"Errenkada taldea","Column group":"Zutabe taldea","Row type":"Errenkada mota","Header":"Goiburua","Body":"Gorputza","Footer":"Oina","Border color":"Ertzaren kolorea","Solid":"Solidoa","Dotted":"Puntuekin","Dashed":"Marrekin","Double":"Bikoitza","Groove":"Ildaskatua","Ridge":"Koska","Inset":"Barruko marra","Outset":"Kanpoko marra","Hidden":"Ezkutua","Insert template...":"Txertatu txantiloia...","Templates":"Txantiloiak","Template":"Txantiloia","Insert Template":"Txertatu txantiloia","Text color":"Testuaren kolorea","Background color":"Atzeko planoaren kolorea","Custom...":"Pertsonalizatu...","Custom color":"Kolore pertsonalizatua","No color":"Kolorerik ez","Remove color":"Kendu kolorea","Show blocks":"Erakutsi blokeak","Show invisible characters":"Erakutsi karaktere ezkutuak","Word count":"Hitz-kontagailua","Count":"Zenbatu","Document":"Dokumentua","Selection":"Aukeraketa","Words":"Hitzak","Words: {0}":"Hitzak: {0}","{0} words":"{0} hitz","File":"Fitxategia","Edit":"Editatu","Insert":"Txertatu","View":"Ikusi","Format":"Formatua","Table":"Taula","Tools":"Tresnak","Powered by {0}":"Garatzailea: {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Testu Aberastun Eremua. Sakatu ALT-F9 menurako. Sakatu ALT-F10 tresna-barrarako. Sakatu ALT-0 laguntzarako","Image title":"Irudiaren izenburua","Border width":"Ertzaren zabalera","Border style":"Ertzaren estiloa","Error":"Errorea","Warn":"Oharra","Valid":"Zuzena","To open the popup, press Shift+Enter":"Leiho berria irekitzeko, sakatu Shift+Enter","Rich Text Area":"Testu Aberastun Eremua","Rich Text Area. Press ALT-0 for help.":"Testu Aberastun Eremua. Sakatu ALT-0 laguntza lortzeko.","System Font":"Sistemaren letra-mota","Failed to upload image: {0}":"Errorea irudia igotzean: {0}","Failed to load plugin: {0} from url {1}":"Errorea {0} plugina {1} URLtik kargatzean","Failed to load plugin url: {0}":"Errorea gertatu da pluginaren URLa kargatzean: {0}","Failed to initialize plugin: {0}":"Errorea plugina abiaraztean: {0}","example":"adibidea","Search":"Bilatu","All":"Guztiak","Currency":"Moneta","Text":"Testua","Quotations":"Aipuak","Mathematical":"Matematika","Extended Latin":"Latin zabaldua","Symbols":"Ikurrak","Arrows":"Geziak","User Defined":"Erabiltzaileak definituta","dollar sign":"dolarraren ikurra","currency sign":"monetaren ikurra","euro-currency sign":"euroaren ikurra","colon sign":"bi puntuen ikurra","cruzeiro sign":"cruzeiroaren ikurra","french franc sign":"libera frantsesaren ikurra","lira sign":"liraren ikurra","mill sign":"millaren ikurra","naira sign":"naira ikurra","peseta sign":"pezetaren ikurra","rupee sign":"rupiaren ikurra","won sign":"wonaren ikurra","new sheqel sign":"sheqel berriaren ikurra","dong sign":"dongaren ikurra","kip sign":"kiparen ikurra","tugrik sign":"tugrikaren ikurra","drachma sign":"drakmaren ikurra","german penny symbol":"alemaniako peniaren ikurra","peso sign":"pesoaren ikurra","guarani sign":"guaraniaren ikurra","austral sign":"australaren ikurra","hryvnia sign":"hryvniaren ikurra","cedi sign":"cediaren ikurra","livre tournois sign":"libre tournoisaren ikurra","spesmilo sign":"spesmiloaren ikurra","tenge sign":"tengearen ikurra","indian rupee sign":"indiako rupiaren ikurra","turkish lira sign":"lira turkiarraren ikurra","nordic mark sign":"iparraldeko markoaren ikurra","manat sign":"manataren ikurra","ruble sign":"rubloaren ikurra","yen character":"yenaren karakterea","yuan character":"yuanaren karakterea","yuan character, in hong kong and taiwan":"yuanaren karakterea, hong kong eta taiwanen","yen/yuan character variant one":"yen/yuan karakterearen 1go bariantea","Emojis":"Emojiak","Emojis...":"Emojiak...","Loading emojis...":"Emojiak kargatzen...","Could not load emojis":"Ezin izan dira emojiak kargatu","People":"Jendea","Animals and Nature":"Animaliak eta natura","Food and Drink":"Janari eta edaria","Activity":"Jarduera","Travel and Places":"Bidaiak eta lekuak","Objects":"Objektuak","Flags":"Banderak","Characters":"Karaktereak","Characters (no spaces)":"Karaktereak (espaziorik gabe)","{0} characters":"{0} karaktere","Error: Form submit field collision.":"Errorea: formularioaren eremuetan talka gertatu da.","Error: No form element found.":"Errorea: ez da formularioaren elementurik aurkitu.","Color swatch":"Koloreak","Color Picker":"Kolore-hautatzailea","Invalid hex color code: {0}":"Kolore-kode hamaseitarra ez da zuzena: {0}","Invalid input":"Sarrera ez da zuzena","R":"R","Red component":"Osagai gorria","G":"G","Green component":"Osagai berdea","B":"B","Blue component":"Osagai urdina","#":"#","Hex color code":"Kolore-kode hamaseitarra","Range 0 to 255":"0-tik 255erako zenbakia","Turquoise":"Turkesa","Green":"Berdea","Blue":"Urdina","Purple":"Morea","Navy Blue":"Itsas-urdina","Dark Turquoise":"Turkesa iluna","Dark Green":"Berde iluna","Medium Blue":"Tarteko urdina","Medium Purple":"Tarteko morea","Midnight Blue":"Gauerdiko urdina","Yellow":"Horia","Orange":"Laranja","Red":"Gorria","Light Gray":"Gris argia","Gray":"Grisa","Dark Yellow":"Hori iluna","Dark Orange":"Laranja iluna","Dark Red":"Gorri iluna","Medium Gray":"Tarteko grisa","Dark Gray":"Gris iluna","Light Green":"Berde argia","Light Yellow":"Hori argia","Light Red":"Gorri argia","Light Purple":"More argia","Light Blue":"Urdin argia","Dark Purple":"More iluna","Dark Blue":"Urdin iluna","Black":"Beltza","White":"Zuria","Switch to or from fullscreen mode":"Aldatu pantaila osoko modura edo handik itzuli","Open help dialog":"Ireki laguntza-mezua","history":"historia","styles":"estiloak","formatting":"formatua ematen","alignment":"lerrokatzea","indentation":"koska","Font":"Letra-mota","Size":"Tamaina","More...":"Gehiago...","Select...":"Aukeratu...","Preferences":"Hobespenak","Yes":"Bai","No":"Ez","Keyboard Navigation":"Teklatuaren bidezko nabigazioa","Version":"Bertsioa","Code view":"Ikusi kodea","Open popup menu for split buttons":"Ireki leiho-menua banatze-botoientzat","List Properties":"Zerrendaren Ezaugarriak","List properties...":"Zerrendaren ezaugarriak...","Start list at number":"Hasi zerrenda zenbaki batean","Line height":"Lerroaren altuera","Dropped file type is not supported":"Jaregindako fitxategi mota ez da onartzen","Loading...":"Kargatzen...","ImageProxy HTTP error: Rejected request":"Irudi proxiaren HTTP errorea: eskaera baztertu egin da","ImageProxy HTTP error: Could not find Image Proxy":"Irudi proxiaren HTTP errorea: ezin izan da irudi proxia aurkitu","ImageProxy HTTP error: Incorrect Image Proxy URL":"Irudi proxiaren HTTP errorea: irudi proxiaren URLa ez da zuzena","ImageProxy HTTP error: Unknown ImageProxy error":"Irudi proxiaren HTTP errorea: errore ezezaguna"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/fa.js b/deform/static/tinymce/langs/fa.js index 907d1239..21908cdf 100644 --- a/deform/static/tinymce/langs/fa.js +++ b/deform/static/tinymce/langs/fa.js @@ -1,173 +1 @@ -tinymce.addI18n('fa',{ -"Cut": "\u0628\u0631\u062f\u0627\u0634\u062a\u0646", -"Header 2": "\u0633\u0631\u200c\u0635\u0641\u062d\u0647 \u06f2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0645\u0631\u0648\u0631\u06af\u0631 \u0634\u0645\u0627 \u0627\u0632 \u062f\u0633\u062a\u0631\u0633\u06cc \u0645\u0633\u062a\u0642\u06cc\u0645 \u0628\u0647 \u062d\u0627\u0641\u0638\u0647 \u06a9\u067e\u06cc \u067e\u0634\u062a\u06cc\u0628\u0627\u0646\u06cc \u0646\u0645\u06cc \u06a9\u0646\u062f. \u0644\u0637\u0641\u0627 \u0627\u0632 \u06a9\u0644\u06cc\u062f \u0647\u0627\u06cc Ctrl+X\/C\/V \u062f\u0631 \u06a9\u06cc\u0628\u0648\u0631\u062f \u0628\u0631\u0627\u06cc \u0627\u06cc\u0646 \u06a9\u0627\u0631 \u0627\u0633\u062a\u0641\u0627\u062f\u0647 \u06a9\u0646\u06cc\u062f.", -"Div": "\u062a\u06af Div - \u0628\u062e\u0634", -"Paste": "\u0686\u0633\u0628\u0627\u0646\u062f\u0646", -"Close": "\u0628\u0633\u062a\u0646", -"Pre": "\u062a\u06af Pre", -"Align right": "\u0631\u0627\u0633\u062a \u0686\u06cc\u0646", -"New document": "\u0633\u0646\u062f \u062c\u062f\u06cc\u062f", -"Blockquote": "\u062a\u06af \u0646\u0642\u0644 \u0642\u0648\u0644 - Blockquote", -"Numbered list": "\u0644\u06cc\u0633\u062a \u0634\u0645\u0627\u0631\u0647 \u0627\u06cc", -"Increase indent": "\u0627\u0641\u0632\u0627\u06cc\u0634 \u062a\u0648 \u0631\u0641\u062a\u06af\u06cc", -"Formats": "\u0642\u0627\u0644\u0628", -"Headers": "\u0633\u0631\u200c\u0635\u0641\u062d\u0647\u200c\u0647\u0627", -"Select all": "\u0627\u0646\u062a\u062e\u0627\u0628 \u0647\u0645\u0647", -"Header 3": "\u0633\u0631\u200c\u0635\u0641\u062d\u0647 \u06f3", -"Blocks": "\u0628\u0644\u0648\u06a9", -"Undo": "\t\n\u0628\u0627\u0637\u0644 \u06a9\u0631\u062f\u0646", -"Strikethrough": "\u062e\u0637 \u062e\u0648\u0631\u062f\u0647", -"Bullet list": "\u0644\u06cc\u0633\u062a \u062f\u0627\u06cc\u0631\u0647 \u0627\u06cc", -"Header 1": "\u0633\u0631\u200c\u0635\u0641\u062d\u0647 \u06f1", -"Superscript": "\u0628\u0627\u0644\u0627\u0646\u0648\u06cc\u0633 - \u062d\u0627\u0644\u062a \u062a\u0648\u0627\u0646", -"Clear formatting": "\u067e\u0627\u06a9 \u06a9\u0631\u062f\u0646 \u0642\u0627\u0644\u0628 \u0628\u0646\u062f\u06cc", -"Subscript": "\u0632\u06cc\u0631 \u0646\u0648\u06cc\u0633 - \u062d\u0627\u0644\u062a \u0627\u0646\u062f\u06cc\u0633", -"Header 6": "\u0633\u0631\u200c\u0635\u0641\u062d\u0647 \u06f6", -"Redo": "\u0627\u0646\u062c\u0627\u0645 \u062f\u0648\u0628\u0627\u0631\u0647", -"Paragraph": "\u062a\u06af \u067e\u0627\u0631\u0627\u06af\u0631\u0627\u0641 - Paragraph", -"Ok": "\u0628\u0627\u0634\u0647", -"Bold": "\u062f\u0631\u0634\u062a", -"Code": "\u062a\u06af Code", -"Italic": "\u062e\u0637 \u06a9\u062c", -"Align center": "\u0648\u0633\u0637 \u0686\u06cc\u0646", -"Header 5": "\u0633\u0631\u200c\u0635\u0641\u062d\u0647 \u06f5", -"Decrease indent": "\u06a9\u0627\u0647\u0634 \u062a\u0648 \u0631\u0641\u062a\u06af\u06cc", -"Header 4": "\u0633\u0631\u200c\u0635\u0641\u062d\u0647 \u06f4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0647\u0645 \u0627\u06a9\u0646\u0648\u0646 \u062f\u0631 \u062d\u0627\u0644\u062a \u0645\u062a\u0646 \u0633\u0627\u062f\u0647 \u0627\u0633\u062a. \u062a\u0627 \u0632\u0645\u0627\u0646\u06cc \u06a9\u0647 \u0627\u06cc\u0646 \u062d\u0627\u0644\u062a \u0631\u0627 \u063a\u06cc\u0631\u200c\u0641\u0639\u0627\u0644 \u0646\u06a9\u0646\u06cc\u062f\u060c \u0645\u062d\u062a\u0648\u0627 \u062f\u0631 \u062d\u0627\u0644\u062a \u0645\u062a\u0646 \u0633\u0627\u062f\u0647 \u0627\u0636\u0627\u0641\u0647 \u0645\u06cc\u200c\u0634\u0648\u062f.", -"Underline": "\u062e\u0637 \u0632\u06cc\u0631", -"Cancel": "\u0644\u063a\u0648", -"Justify": "\u0645\u0633\u0627\u0648\u06cc \u0627\u0632 \u0637\u0631\u0641\u06cc\u0646", -"Inline": "\u062e\u0637\u06cc", -"Copy": "\u06a9\u067e\u06cc", -"Align left": "\u0686\u067e \u0686\u06cc\u0646", -"Visual aids": "\u06a9\u0645\u06a9 \u0647\u0627\u06cc \u0628\u0635\u0631\u06cc", -"Lower Greek": "\u06cc\u0648\u0646\u0627\u0646\u06cc \u06a9\u0648\u0686\u06a9", -"Square": "\u0645\u0631\u0628\u0639", -"Default": "\u067e\u06cc\u0634\u0641\u0631\u0636", -"Lower Alpha": "\u0622\u0644\u0641\u0627\u0621 \u06a9\u0648\u0686\u06a9", -"Circle": "\u062f\u0627\u06cc\u0631\u0647", -"Disc": "\u062f\u06cc\u0633\u06a9", -"Upper Alpha": "\u0622\u0644\u0641\u0627\u0621 \u0628\u0632\u0631\u06af", -"Upper Roman": "\u0631\u0648\u0645\u06cc \u0628\u0632\u0631\u06af", -"Lower Roman": "\u0631\u0648\u0645\u06cc \u06a9\u0648\u0686\u06a9", -"Name": "\u0646\u0627\u0645", -"Anchor": "\u0644\u0646\u06af\u0631 - \u0644\u06cc\u0646\u06a9", -"You have unsaved changes are you sure you want to navigate away?": "\u0634\u0645\u0627 \u062a\u063a\u06cc\u06cc\u0631\u0627\u062a \u0630\u062e\u06cc\u0631\u0647 \u0646\u0634\u062f\u0647 \u0627\u06cc \u062f\u0627\u0631\u06cc\u062f\u060c \u0622\u06cc\u0627 \u0645\u0637\u0645\u0626\u0646\u06cc\u062f \u06a9\u0647 \u0645\u06cc\u062e\u0648\u0627\u0647\u06cc\u062f \u0627\u0632 \u0627\u06cc\u0646 \u0635\u0641\u062d\u0647 \u0628\u0631\u0648\u06cc\u062f\u061f", -"Restore last draft": "\u0628\u0627\u0632\u06af\u0631\u062f\u0627\u0646\u062f\u0646 \u0622\u062e\u0631\u06cc\u0646 \u067e\u06cc\u0634 \u0646\u0648\u06cc\u0633", -"Special character": "\u06a9\u0627\u0631\u0627\u06a9\u062a\u0631 \u0647\u0627\u06cc \u062e\u0627\u0635", -"Source code": "\u06a9\u062f \u0645\u0646\u0628\u0639", -"Right to left": "\u0631\u0627\u0633\u062a \u0628\u0647 \u0686\u067e", -"Left to right": "\u0686\u067e \u0628\u0647 \u0631\u0627\u0633\u062a", -"Emoticons": "\u0634\u06a9\u0644\u06a9\u200c\u0647\u0627", -"Robots": "\u0631\u0628\u0627\u062a \u0647\u0627", -"Document properties": "\u0648\u06cc\u0698\u06af\u06cc\u200c\u0647\u0627\u06cc \u0633\u0646\u062f", -"Title": "\u0639\u0646\u0648\u0627\u0646", -"Keywords": "\u06a9\u0644\u0645\u0627\u062a \u06a9\u0644\u06cc\u062f\u06cc", -"Encoding": "\u0631\u0645\u0632\u06af\u0630\u0627\u0631\u06cc", -"Description": "\u062a\u0648\u0636\u06cc\u062d\u0627\u062a", -"Author": "\u0646\u0648\u06cc\u0633\u0646\u062f\u0647", -"Fullscreen": "\u062a\u0645\u0627\u0645 \u0635\u0641\u062d\u0647", -"Horizontal line": "\u062e\u0637 \u0627\u0641\u0642\u06cc", -"Horizontal space": "\u0641\u0636\u0627\u06cc \u0627\u0641\u0642\u06cc", -"Insert\/edit image": "\u0627\u0636\u0627\u0641\u0647\/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u06a9\u0631\u062f\u0646 \u062a\u0635\u0648\u06cc\u0631", -"General": "\u06a9\u0644\u06cc", -"Advanced": "\u067e\u06cc\u0634\u0631\u0641\u062a\u0647", -"Source": "\u0645\u0646\u0628\u0639", -"Border": "\u062d\u0627\u0634\u06cc\u0647", -"Constrain proportions": "\u062a\u0646\u0627\u0633\u0628", -"Vertical space": "\u0641\u0636\u0627\u06cc \u0639\u0645\u0648\u062f\u06cc", -"Image description": "\u062a\u0648\u0636\u06cc\u062d\u0627\u062a \u0639\u06a9\u0633", -"Style": "\u0633\u0628\u06a9", -"Dimensions": "\u0627\u0628\u0639\u0627\u062f", -"Insert image": "\u0627\u0636\u0627\u0641\u0647 \u06a9\u0631\u062f\u0646 \u062a\u0635\u0648\u06cc\u0631", -"Insert date\/time": "\u0627\u0636\u0627\u0641\u0647 \u06a9\u0631\u062f\u0646 \u062a\u0627\u0631\u06cc\u062e\/\u0632\u0645\u0627\u0646", -"Remove link": "\u062d\u0630\u0641 \u0644\u06cc\u0646\u06a9", -"Url": "\u0627\u062f\u0631\u0633 \u0644\u06cc\u0646\u06a9", -"Text to display": "\u0645\u062a\u0646 \u0628\u0631\u0627\u06cc \u0646\u0645\u0627\u06cc\u0634", -"Insert link": "\u0627\u0636\u0627\u0641\u0647 \u06a9\u0631\u062f\u0646 \u0644\u06cc\u0646\u06a9", -"New window": "\u067e\u0646\u062c\u0631\u0647 \u062c\u062f\u06cc\u062f", -"None": "\u0647\u06cc\u0686 \u06a9\u062f\u0627\u0645", -"Target": "\u0646\u062d\u0648\u0647 \u0628\u0627\u0632 \u0634\u062f\u0646 \u062f\u0631 \u0645\u0631\u0648\u0631\u06af\u0631", -"Insert\/edit link": "\u0627\u0636\u0627\u0641\u0647\/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u06a9\u0631\u062f\u0646 \u0644\u06cc\u0646\u06a9", -"Insert\/edit video": "\u0642\u0631\u0627\u0631\u062f\u0627\u062f\u0646\/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u0641\u0627\u06cc\u0644 \u062a\u0635\u0648\u06cc\u0631\u06cc", -"Poster": "\u067e\u0648\u0633\u062a\u0631", -"Alternative source": "\u0645\u0646\u0628\u0639 \u062f\u06cc\u06af\u0631", -"Paste your embed code below:": "\u06a9\u062f \u062c\u0627 \u062f\u0627\u062f\u0646 - embed - \u062e\u0648\u062f \u0631\u0627 \u062f\u0631 \u0632\u06cc\u0631 \u0642\u0631\u0627\u0631 \u062f\u0647\u06cc\u062f:", -"Insert video": "\u0627\u0636\u0627\u0641\u0647 \u06a9\u0631\u062f\u0646 \u0641\u0627\u06cc\u0644 \u062a\u0635\u0648\u06cc\u0631\u06cc", -"Embed": "\u062c\u0627 \u062f\u0627\u062f\u0646", -"Nonbreaking space": "\u0641\u0636\u0627\u06cc \u063a\u06cc\u0631 \u0634\u06a9\u0633\u062a\u0646", -"Page break": "\u0634\u06a9\u0633\u062a\u0646 \u0635\u0641\u062d\u0647", -"Preview": "\u067e\u06cc\u0634 \u0646\u0645\u0627\u06cc\u0634", -"Print": "\u0686\u0627\u067e", -"Save": "\u0630\u062e\u06cc\u0631\u0647", -"Could not find the specified string.": "\u0631\u0634\u062a\u0647 \u0645\u062a\u0646\u06cc \u0645\u0634\u062e\u0635 \u0634\u062f\u0647 \u067e\u06cc\u062f\u0627 \u0646\u0634\u062f.", -"Replace": "\u062c\u0627 \u0628\u0647 \u062c\u0627 \u06a9\u0631\u062f\u0646", -"Next": "\u0628\u0639\u062f\u06cc", -"Whole words": "\u0647\u0645\u0647 \u06a9\u0644\u0645\u0647 \u0647\u0627", -"Find and replace": "\u067e\u06cc\u062f\u0627 \u06a9\u0631\u062f\u0646 \u0648 \u062c\u0627 \u0628\u0647 \u062c\u0627 \u06a9\u0631\u062f\u0646", -"Replace with": "\u062c\u0627 \u0628\u0647 \u062c\u0627 \u06a9\u0631\u062f\u0646 \u0628\u0627", -"Find": "\u062c\u0633\u062a \u0648 \u062c\u0648", -"Replace all": "\u062c\u0627 \u0628\u0647 \u062c\u0627 \u06a9\u0631\u062f\u0646 \u0647\u0645\u0647", -"Match case": "\u0645\u0648\u0627\u0631\u062f \u067e\u06cc\u062f\u0627 \u0634\u062f\u0647", -"Prev": "\u0642\u0628\u0644\u06cc", -"Spellcheck": "\u0628\u0631\u0631\u0633\u06cc \u0627\u0645\u0644\u0627\u06cc\u06cc", -"Finish": "\u067e\u0627\u06cc\u0627\u0646", -"Ignore all": "\u0646\u0627\u062f\u06cc\u062f\u0647 \u06af\u0631\u0641\u062a\u0646 \u0647\u0645\u0647", -"Ignore": "\u0646\u0627\u062f\u06cc\u062f\u0647 \u06af\u0631\u0641\u062a\u0646", -"Insert row before": "\u0633\u0637\u0631 \u062c\u062f\u06cc\u062f\u060c \u067e\u06cc\u0634 \u0627\u0632 \u0627\u06cc\u0646 \u0633\u0637\u0631", -"Rows": "\u062a\u0639\u062f\u0627\u062f \u0633\u0637\u0631", -"Height": "\u0627\u0631\u062a\u0641\u0627\u0639", -"Paste row after": "\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0633\u0637\u0631\u060c \u0628\u0639\u062f \u0627\u0632 \u0627\u06cc\u0646 \u0633\u0637\u0631", -"Alignment": "\u0631\u062f\u06cc\u0641 \u0628\u0646\u062f\u06cc \u0646\u0648\u0634\u062a\u0647", -"Column group": "\u06af\u0631\u0648\u0647 \u0633\u062a\u0648\u0646", -"Row": "\u0633\u0637\u0631", -"Insert column before": "\u0633\u062a\u0648\u0646 \u062c\u062f\u06cc\u062f\u060c \u0642\u0628\u0644 \u0627\u0632 \u0627\u06cc\u0646 \u0633\u062a\u0648\u0646", -"Split cell": "\u062a\u0642\u0633\u06cc\u0645 \u0633\u0644\u0648\u0644 \u062c\u062f\u0648\u0644", -"Cell padding": "\u062d\u0627\u0634\u06cc\u0647 \u0633\u0644\u0648\u0644\u0647\u0627", -"Cell spacing": "\u0641\u0627\u0635\u0644\u0647\u200c\u06cc \u0628\u06cc\u0646 \u0633\u0644\u0648\u0644\u0647\u0627", -"Row type": "\u0646\u0648\u0639 \u0633\u0637\u0631", -"Insert table": "\u0627\u0636\u0627\u0641\u0647 \u06a9\u0631\u062f\u0646 \u062c\u062f\u0648\u0644", -"Body": "\u0628\u062f\u0646\u0647", -"Caption": "\u0639\u0646\u0648\u0627\u0646", -"Footer": "\u067e\u0627\u0646\u0648\u06cc\u0633", -"Delete row": "\u062d\u0630\u0641 \u0633\u0637\u0631", -"Paste row before": "\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0633\u0637\u0631\u060c \u0642\u0628\u0644 \u0627\u0632 \u0627\u06cc\u0646 \u0633\u0637\u0631", -"Scope": "\u0645\u062d\u062f\u0648\u062f\u0647\u200c\u06cc \u0639\u0646\u0648\u0627\u0646", -"Delete table": "\u062d\u0630\u0641 \u062c\u062f\u0648\u0644", -"Header cell": "\u0633\u0631\u0622\u06cc\u0646\u062f \u0633\u0644\u0648\u0644", -"Column": "\u0633\u062a\u0648\u0646", -"Cell": "\u0633\u0644\u0648\u0644", -"Header": "\u0633\u0631\u0622\u06cc\u0646\u062f", -"Cell type": "\u0646\u0648\u0639 \u0633\u0644\u0648\u0644", -"Copy row": "\u06a9\u067e\u06cc \u0633\u0637\u0631", -"Row properties": "\u0648\u06cc\u0698\u06af\u06cc\u0647\u0627\u06cc \u0633\u0637\u0631", -"Table properties": "\u0648\u06cc\u0698\u06af\u06cc\u0647\u0627\u06cc \u062c\u062f\u0648\u0644", -"Row group": "\u06af\u0631\u0648\u0647 \u0633\u0637\u0631", -"Right": "\u0631\u0627\u0633\u062a", -"Insert column after": "\u0633\u062a\u0648\u0646 \u062c\u062f\u06cc\u062f \u0628\u0639\u062f \u0627\u0632 \u0627\u06cc\u0646 \u0633\u062a\u0648\u0646", -"Cols": "\u062a\u0639\u062f\u0627\u062f \u0633\u062a\u0648\u0646", -"Insert row after": "\u0633\u0637\u0631 \u062c\u062f\u06cc\u062f\u060c \u067e\u0633 \u0627\u0632 \u0627\u06cc\u0646 \u0633\u0637\u0631", -"Width": "\u0639\u0631\u0636", -"Cell properties": "\u0648\u06cc\u0698\u06af\u06cc\u0647\u0627\u06cc \u0633\u0644\u0648\u0644", -"Left": "\u0686\u067e", -"Cut row": "\u0628\u0631\u062f\u0627\u0634\u062a\u0646 \u0633\u0637\u0631", -"Delete column": "\u062d\u0630\u0641 \u0633\u062a\u0648\u0646", -"Center": "\u0645\u0631\u06a9\u0632", -"Merge cells": "\u0627\u062f\u063a\u0627\u0645 \u0633\u0644\u0648\u0644\u0647\u0627", -"Insert template": "\u0627\u0636\u0627\u0641\u0647 \u06a9\u0631\u062f\u0646 \u0627\u0644\u06af\u0648", -"Templates": "\u0627\u0644\u06af\u0648\u200c\u0647\u0627", -"Background color": "\u0631\u0646\u06af \u0632\u0645\u06cc\u0646\u0647 \u0645\u062a\u0646", -"Text color": "\u0631\u0646\u06af \u0645\u062a\u0646", -"Show blocks": "\u0646\u0645\u0627\u06cc\u0634 \u0628\u062e\u0634\u200c\u0647\u0627", -"Show invisible characters": "\u0646\u0645\u0627\u06cc\u0634 \u06a9\u0627\u0631\u0627\u06a9\u062a\u0631\u0647\u0627\u06cc \u063a\u06cc\u0631 \u0642\u0627\u0628\u0644 \u0686\u0627\u067e", -"Words: {0}": "\u06a9\u0644\u0645\u0627\u062a : {0}", -"Insert": "\u0642\u0631\u0627\u0631 \u062f\u0627\u062f\u0646", -"File": "\u067e\u0631\u0648\u0646\u062f\u0647", -"Edit": "\u0648\u06cc\u0631\u0627\u06cc\u0634", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u0648\u06cc\u0631\u0627\u06cc\u0634\u06af\u0631 \u067e\u06cc\u0634\u0631\u0641\u062a\u0647\u200c\u06cc \u0645\u062a\u0646. \u0628\u0631\u0627\u06cc \u062f\u0633\u062a\u0631\u0633\u06cc \u0628\u0647 \u0645\u0646\u0648 \u06a9\u0644\u06cc\u062f\u0647\u0627\u06cc ALT-F9\u060c \u0646\u0648\u0627\u0631 \u0627\u0628\u0632\u0627\u0631 ALT-F10 \u0648 \u0628\u0631\u0627\u06cc \u0645\u0634\u0627\u0647\u062f\u0647\u200c\u06cc \u0631\u0627\u0647\u0646\u0645\u0627 ALT-0 \u0631\u0627 \u0641\u0634\u0627\u0631 \u062f\u0647\u06cc\u062f.", -"Tools": "\u0627\u0628\u0632\u0627\u0631\u0647\u0627", -"View": "\u0646\u0645\u0627\u06cc\u0634", -"Table": "\u062c\u062f\u0648\u0644", -"Format": "\u0642\u0627\u0644\u0628" -}); \ No newline at end of file +tinymce.addI18n("fa",{"Redo":"\u0628\u0627\u0632\u0627\u0646\u062c\u0627\u0645","Undo":"\u0648\u0627\u06af\u0631\u062f","Cut":"\u0628\u0631\u0634","Copy":"\u06a9\u067e\u06cc","Paste":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646","Select all":"\u0627\u0646\u062a\u062e\u0627\u0628 \u0647\u0645\u0647","New document":"\u0633\u0646\u062f \u062c\u062f\u06cc\u062f","Ok":"\u062a\u0623\u06cc\u06cc\u062f","Cancel":"\u0644\u063a\u0648","Visual aids":"\u06a9\u0645\u06a9\u200c\u0647\u0627\u06cc \u0628\u0635\u0631\u06cc","Bold":"\u067e\u0631\u0631\u0646\u06af","Italic":"\u06a9\u062c","Underline":"\u0632\u06cc\u0631 \u062e\u0637 \u062f\u0627\u0631","Strikethrough":"\u062e\u0637 \u0632\u062f\u0646","Superscript":"\u0628\u0627\u0644\u0627\u0646\u06af\u0627\u0634\u062a","Subscript":"\u0632\u06cc\u0631\u0646\u06af\u0627\u0634\u062a","Clear formatting":"\u067e\u0627\u06a9 \u06a9\u0631\u062f\u0646 \u0642\u0627\u0644\u0628\u200c\u0628\u0646\u062f\u06cc","Remove":"\u067e\u0627\u06a9 \u06a9\u0631\u062f\u0646","Align left":"\u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc \u0627\u0632 \u0686\u067e","Align center":"\u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc \u0627\u0632 \u0648\u0633\u0637","Align right":"\u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc \u0627\u0632 \u0631\u0627\u0633\u062a","No alignment":"\u0628\u062f\u0648\u0646 \u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc","Justify":"\u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc \u062f\u0648\u0637\u0631\u0641\u0647","Bullet list":"\u0641\u0647\u0631\u0633\u062a \u0646\u0634\u0627\u0646\u0647\u200c\u062f\u0627\u0631","Numbered list":"\u0641\u0647\u0631\u0633\u062a \u0634\u0645\u0627\u0631\u0647\u200c\u062f\u0627\u0631","Decrease indent":"\u06a9\u0627\u0647\u0634 \u062a\u0648\u0631\u0641\u062a\u06af\u06cc","Increase indent":"\u0627\u0641\u0632\u0627\u06cc\u0634 \u062a\u0648\u0631\u0641\u062a\u06af\u06cc","Close":"\u0628\u0633\u062a\u0646","Formats":"\u0642\u0627\u0644\u0628\u200c\u0628\u0646\u062f\u06cc\u200c\u0647\u0627","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0645\u0631\u0648\u0631\u06af\u0631 \u0634\u0645\u0627 \u0627\u0632 \u062f\u0633\u062a\u0631\u0633\u06cc \u0645\u0633\u062a\u0642\u06cc\u0645 \u0628\u0647 \u06a9\u0644\u06cc\u067e\u200c\u0628\u0648\u0631\u062f \u067e\u0634\u062a\u06cc\u0628\u0627\u0646\u06cc \u0646\u0645\u06cc\u200c\u06a9\u0646\u062f\u060c \u0644\u0637\u0641\u0627\u064b \u0627\u0632 \u0645\u06cc\u0627\u0646\u0628\u0631\u0647\u0627\u06cc Ctrl+X/C/V \u0635\u0641\u062d\u0647 \u06a9\u0644\u06cc\u062f \u0627\u0633\u062a\u0641\u0627\u062f\u0647 \u06a9\u0646\u06cc\u062f.","Headings":"\u0633\u0631\u0641\u0635\u0644\u200c\u0647\u0627","Heading 1":"\u0633\u0631\u0641\u0635\u0644 1","Heading 2":"\u0633\u0631\u0641\u0635\u0644 2","Heading 3":"\u0633\u0631\u0641\u0635\u0644 3","Heading 4":"\u0633\u0631\u0641\u0635\u0644 4","Heading 5":"\u0633\u0631\u0641\u0635\u0644 5","Heading 6":"\u0633\u0631\u0641\u0635\u0644 6","Preformatted":"\u0627\u0632 \u067e\u06cc\u0634 \u0642\u0627\u0644\u0628\u200c\u0628\u0646\u062f\u06cc\u200c\u0634\u062f\u0647","Div":"\u0628\u062e\u0634","Pre":"\u067e\u06cc\u0634","Code":"\u06a9\u062f","Paragraph":"\u067e\u0627\u0631\u0627\u06af\u0631\u0627\u0641","Blockquote":"\u0646\u0642\u0644 \u0642\u0648\u0644 \u0628\u0644\u0648\u06a9\u06cc","Inline":"\u0647\u0645\u200c\u0631\u0627\u0633\u062a\u0627","Blocks":"\u0628\u0644\u0648\u06a9\u200c\u0647\u0627","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0642\u0627\u0628\u0644\u06cc\u062a \u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u062f\u0631 \u062d\u0627\u0644 \u062d\u0627\u0636\u0631 \u062f\u0631 \u062d\u0627\u0644\u062a \u0645\u062a\u0646 \u0633\u0627\u062f\u0647 \u0627\u0633\u062a. \u062a\u0627 \u0632\u0645\u0627\u0646 \u0641\u0639\u0627\u0644 \u0628\u0648\u062f\u0646 \u0627\u06cc\u0646 \u062d\u0627\u0644\u062a\u060c \u0645\u062a\u0648\u0646 \u0628\u0647 \u0635\u0648\u0631\u062a \u0633\u0627\u062f\u0647 \u0686\u0633\u0628\u0627\u0646\u062f\u0647 \u0645\u06cc\u200c\u0634\u0648\u0646\u062f.","Fonts":"\u0641\u0648\u0646\u062a\u200c\u200c\u0647\u0627","Font sizes":"\u0633\u0627\u06cc\u0632 \u0641\u0648\u0646\u062a","Class":"\u062f\u0633\u062a\u0647","Browse for an image":"\u0627\u0646\u062a\u062e\u0627\u0628 \u062a\u0635\u0648\u06cc\u0631...","OR":"\u06cc\u0627","Drop an image here":"\u062a\u0635\u0648\u06cc\u0631 \u0645\u0648\u0631\u062f \u0646\u0638\u0631 \u0631\u0627 \u0627\u06cc\u0646\u062c\u0627 \u0631\u0647\u0627 \u06a9\u0646\u06cc\u062f","Upload":"\u0622\u067e\u0644\u0648\u062f","Uploading image":"\u062f\u0631 \u062d\u0627\u0644 \u0628\u0627\u0631\u06af\u0632\u0627\u0631\u06cc \u062a\u0635\u0648\u06cc\u0631","Block":"\u0628\u0644\u0648\u06a9","Align":"\u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc","Default":"\u067e\u06cc\u0634\u200c\u0641\u0631\u0636","Circle":"\u062f\u0627\u06cc\u0631\u0647","Disc":"\u062f\u06cc\u0633\u06a9","Square":"\u0645\u0631\u0628\u0639","Lower Alpha":"\u062d\u0631\u0648\u0641 \u06a9\u0648\u0686\u06a9","Lower Greek":"\u062d\u0631\u0648\u0641 \u06a9\u0648\u0686\u06a9 \u06cc\u0648\u0646\u0627\u0646\u06cc","Lower Roman":"\u0627\u0639\u062f\u0627\u062f \u0631\u0648\u0645\u06cc \u06a9\u0648\u0686\u06a9","Upper Alpha":"\u062d\u0631\u0648\u0641 \u0628\u0632\u0631\u06af","Upper Roman":"\u0627\u0639\u062f\u0627\u062f \u0631\u0648\u0645\u06cc \u0628\u0632\u0631\u06af","Anchor...":"\u0642\u0644\u0627\u0628...","Anchor":"\u0642\u0644\u0627\u0628","Name":"\u0646\u0627\u0645","ID":"\u0634\u0646\u0627\u0633\u0647","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u0634\u0646\u0627\u0633\u0647 \u0628\u0627\u06cc\u062f \u062a\u0648\u0633\u0637 \u06cc\u06a9 \u062d\u0631\u0641 \u0627\u0646\u06af\u0644\u06cc\u0633\u06cc \u0634\u0631\u0648\u0639 \u0634\u062f\u0647 \u0648 \u0628\u0639\u062f \u0627\u0632 \u0622\u0646 \u0641\u0642\u0637 \u062d\u0631\u0648\u0641\u060c \u0627\u0639\u062f\u0627\u062f\u060c \u062e\u0637 \u0641\u0627\u0635\u0644\u0647 (-)\u060c \u0646\u0642\u0637\u0647 (.)\u060c \u062f\u0648 \u0646\u0642\u0637\u0647 (:) \u06cc\u0627 \u0632\u06cc\u0631\u062e\u0637 (_) \u0642\u0631\u0627\u0631 \u06af\u06cc\u0631\u062f.","You have unsaved changes are you sure you want to navigate away?":"\u062a\u063a\u06cc\u06cc\u0631\u0627\u062a\u200c\u062a\u0627\u0646 \u0630\u062e\u06cc\u0631\u0647 \u0646\u0634\u062f\u0647\u200c\u0627\u0646\u062f\u060c \u0622\u06cc\u0627 \u0645\u0637\u0645\u0626\u0646\u06cc\u062f \u06a9\u0647 \u0645\u06cc\u200c\u062e\u0648\u0627\u0647\u06cc\u062f \u062e\u0627\u0631\u062c \u0634\u0648\u06cc\u062f\u061f","Restore last draft":"\u0628\u0627\u0632\u06cc\u0627\u0628\u06cc \u0622\u062e\u0631\u06cc\u0646 \u067e\u06cc\u0634\u200c\u0646\u0648\u06cc\u0633","Special character...":"\u0646\u0648\u06cc\u0633\u06c0 \u0648\u06cc\u0698\u0647...","Special Character":"\u0646\u0648\u06cc\u0633\u06c0 \u0648\u06cc\u0698\u0647","Source code":"\u06a9\u062f \u0645\u0646\u0628\u0639","Insert/Edit code sample":"\u062f\u0631\u062c/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u0646\u0645\u0648\u0646\u0647 \u06a9\u062f","Language":"\u0632\u0628\u0627\u0646","Code sample...":"\u0646\u0645\u0648\u0646\u0647 \u06a9\u062f...","Left to right":"\u0686\u067e \u0628\u0647 \u0631\u0627\u0633\u062a","Right to left":"\u0631\u0627\u0633\u062a \u0628\u0647 \u0686\u067e","Title":"\u0639\u0646\u0648\u0627\u0646","Fullscreen":"\u062a\u0645\u0627\u0645\u200c\u0635\u0641\u062d\u0647","Action":"\u0627\u0642\u062f\u0627\u0645","Shortcut":"\u0645\u06cc\u0627\u0646\u0628\u0631","Help":"\u0631\u0627\u0647\u0646\u0645\u0627","Address":"\u0622\u062f\u0631\u0633","Focus to menubar":"\u062a\u0645\u0631\u06a9\u0632 \u0628\u0631 \u0646\u0648\u0627\u0631 \u0645\u0646\u0648","Focus to toolbar":"\u062a\u0645\u0631\u06a9\u0632 \u0628\u0631 \u0646\u0648\u0627\u0631 \u0627\u0628\u0632\u0627\u0631","Focus to element path":"\u062a\u0645\u0631\u06a9\u0632 \u0628\u0631 \u0645\u0633\u06cc\u0631 \u0627\u0644\u0645\u0627\u0646","Focus to contextual toolbar":"\u062a\u0645\u0631\u06a9\u0632 \u0628\u0631 \u0646\u0648\u0627\u0631 \u0627\u0628\u0632\u0627\u0631 \u0628\u0627\u0641\u062a\u0627\u0631\u06cc","Insert link (if link plugin activated)":"\u062f\u0631\u062c \u067e\u06cc\u0648\u0646\u062f (\u062f\u0631 \u0635\u0648\u0631\u062a \u0641\u0639\u0627\u0644 \u0628\u0648\u062f\u0646 \u0627\u0641\u0632\u0648\u0646\u0647\u0654 \u067e\u06cc\u0648\u0646\u062f)","Save (if save plugin activated)":"\u0630\u062e\u06cc\u0631\u0647\xa0(\u062f\u0631 \u0635\u0648\u0631\u062a \u0641\u0639\u0627\u0644 \u0628\u0648\u062f\u0646 \u0627\u0641\u0632\u0648\u0646\u0647\u0654 \u0630\u062e\u06cc\u0631\u0647)","Find (if searchreplace plugin activated)":"\u06cc\u0627\u0641\u062a\u0646 (\u062f\u0631 \u0635\u0648\u0631\u062a \u0641\u0639\u0627\u0644 \u0628\u0648\u062f\u0646 \u0627\u0641\u0632\u0648\u0646\u0647\u0654 \u062c\u0633\u062a\u062c\u0648/\u062c\u0627\u06cc\u06af\u0632\u06cc\u0646\u06cc)","Plugins installed ({0}):":"\u0627\u0641\u0632\u0648\u0646\u0647\u200c\u0647\u0627\u06cc \u0646\u0635\u0628\u200c\u0634\u062f\u0647 ({0}):","Premium plugins:":"\u0627\u0641\u0632\u0648\u0646\u0647\u200c\u0647\u0627\u06cc \u067e\u0648\u0644\u06cc:","Learn more...":"\u06cc\u0627\u062f\u06af\u06cc\u0631\u06cc \u0628\u06cc\u0634\u062a\u0631...","You are using {0}":"\u062f\u0631 \u062d\u0627\u0644 \u0627\u0633\u062a\u0641\u0627\u062f\u0647 \u0627\u0632 {0} \u0647\u0633\u062a\u06cc\u062f","Plugins":"\u0627\u0641\u0632\u0648\u0646\u0647\u200c\u0647\u0627","Handy Shortcuts":"\u0645\u06cc\u0627\u0646\u0628\u0631\u0647\u0627\u06cc \u0645\u0641\u06cc\u062f","Horizontal line":"\u062e\u0637 \u0627\u0641\u0642\u06cc","Insert/edit image":"\u062f\u0631\u062c/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u062a\u0635\u0648\u06cc\u0631","Alternative description":"\u062a\u0648\u0636\u06cc\u062d\u0627\u062a \u062c\u0627\u06cc\u06af\u0632\u06cc\u0646","Accessibility":"\u062f\u0633\u062a\u0631\u0633\u06cc","Image is decorative":"\u0627\u06cc\u0646 \u062a\u0635\u0648\u06cc\u0631 \u062f\u06a9\u0648\u0631\u06cc \u0627\u0633\u062a","Source":"\u0645\u0646\u0628\u0639","Dimensions":"\u0627\u0628\u0639\u0627\u062f","Constrain proportions":"\u0645\u062d\u062f\u0648\u062f \u06a9\u0631\u062f\u0646 \u0645\u0634\u062e\u0635\u0627\u062a","General":"\u0639\u0645\u0648\u0645\u06cc","Advanced":"\u067e\u06cc\u0634\u0631\u0641\u062a\u0647","Style":"\u0633\u0628\u06a9","Vertical space":"\u0641\u0636\u0627\u06cc \u0639\u0645\u0648\u062f\u06cc","Horizontal space":"\u0641\u0636\u0627\u06cc \u0627\u0641\u0642\u06cc","Border":"\u062d\u0627\u0634\u06cc\u0647","Insert image":"\u062f\u0631\u062c \u062a\u0635\u0648\u06cc\u0631","Image...":"\u062a\u0635\u0648\u06cc\u0631...","Image list":"\u0641\u0647\u0631\u0633\u062a \u062a\u0635\u0648\u06cc\u0631","Resize":"\u062a\u063a\u06cc\u06cc\u0631 \u0627\u0646\u062f\u0627\u0632\u0647","Insert date/time":"\u062f\u0631\u062c \u062a\u0627\u0631\u06cc\u062e/\u0632\u0645\u0627\u0646","Date/time":"\u062a\u0627\u0631\u06cc\u062e/\u0632\u0645\u0627\u0646","Insert/edit link":"\u062f\u0631\u062c/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u067e\u06cc\u0648\u0646\u062f","Text to display":"\u0645\u062a\u0646 \u0628\u0631\u0627\u06cc \u0646\u0645\u0627\u06cc\u0634","Url":"\u0646\u0634\u0627\u0646\u06cc \u0648\u0628","Open link in...":"\u0628\u0627\u0632 \u06a9\u0631\u062f\u0646 \u067e\u06cc\u0648\u0646\u062f \u062f\u0631...","Current window":"\u067e\u0646\u062c\u0631\u0647 \u062c\u0627\u0631\u06cc","None":"\u0647\u06cc\u0686\u200c\u06a9\u062f\u0627\u0645","New window":"\u067e\u0646\u062c\u0631\u0647 \u062c\u062f\u06cc\u062f","Open link":"\u0628\u0627\u0632\u06a9\u0631\u062f\u0646 \u0644\u06cc\u0646\u06a9","Remove link":"\u062d\u0630\u0641 \u067e\u06cc\u0648\u0646\u062f","Anchors":"\u0642\u0644\u0627\u0628\u200c\u0647\u0627","Link...":"\u067e\u06cc\u0648\u0646\u062f...","Paste or type a link":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u06cc\u0627 \u062a\u0627\u06cc\u067e \u06a9\u0631\u062f\u0646 \u067e\u06cc\u0648\u0646\u062f","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0628\u0647 \u0646\u0638\u0631 \u0645\u06cc\u200c\u0631\u0633\u062f \u0646\u0634\u0627\u0646\u06cc \u0648\u0628 \u0648\u0627\u0631\u062f\u0634\u062f\u0647 \u0646\u0634\u0627\u0646\u06cc \u0627\u06cc\u0645\u06cc\u0644 \u0627\u0633\u062a. \u0622\u06cc\u0627 \u0645\u0627\u06cc\u0644 \u0628\u0647 \u0627\u0641\u0632\u0648\u062f\u0646 \u067e\u06cc\u0634\u0648\u0646\u062f \u0644\u0627\u0632\u0645 :mailto \u0647\u0633\u062a\u06cc\u062f\u061f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0628\u0647 \u0646\u0638\u0631 \u0645\u06cc \u0631\u0633\u062f \u0646\u0634\u0627\u0646\u06cc \u0648\u0628 \u0648\u0627\u0631\u062f\u0634\u062f\u0647 \u067e\u06cc\u0648\u0646\u062f\u06cc \u062e\u0627\u0631\u062c\u06cc \u0627\u0633\u062a. \u0622\u06cc\u0627 \u0645\u0627\u06cc\u0644 \u0628\u0647 \u0627\u0641\u0632\u0648\u062f\u0646 \u067e\u06cc\u0634\u0648\u0646\u062f //:http \u0647\u0633\u062a\u06cc\u062f\u061f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0622\u062f\u0631\u0633 \u0627\u06cc\u0646\u062a\u0631\u0646\u062a\u06cc \u06a9\u0647 \u0634\u0645\u0627 \u0648\u0627\u0631\u062f \u06a9\u0631\u062f\u0647 \u0627\u06cc\u062f \u06af\u0648\u06cc\u0627 \u06cc\u06a9 \u0622\u062f\u0631\u0633 \u0627\u06cc\u0646\u062a\u0631\u0646\u062a\u06cc \u062e\u0627\u0631\u062c\u06cc \u0627\u0633\u062a. \u0622\u06cc\u0627 \u0645\u06cc\u062e\u0648\u0627\u0647\u06cc\u062f \u06a9\u0647 \u067e\u06cc\u0634\u0648\u0646\u062f \u0636\u0631\u0648\u0631\u06cc https:// \u0627\u0636\u0627\u0641\u0647 \u06a9\u0646\u0645\u061f","Link list":"\u0641\u0647\u0631\u0633\u062a \u067e\u06cc\u0648\u0646\u062f\u0647\u0627","Insert video":"\u062f\u0631\u062c \u0648\u06cc\u062f\u06cc\u0648","Insert/edit video":"\u062f\u0631\u062c/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u0648\u06cc\u062f\u06cc\u0648","Insert/edit media":"\u062f\u0631\u062c/\u0648\u06cc\u0631\u0627\u06cc\u0634 \u0631\u0633\u0627\u0646\u0647","Alternative source":"\u0645\u0646\u0628\u0639 \u062c\u0627\u06cc\u06af\u0632\u06cc\u0646","Alternative source URL":"\u0646\u0634\u0627\u0646\u06cc \u0648\u0628 \u0645\u0646\u0628\u0639 \u062c\u0627\u06cc\u06af\u0632\u06cc\u0646","Media poster (Image URL)":"\u067e\u0648\u0633\u062a\u0631 \u0631\u0633\u0627\u0646\u0647 (\u0646\u0634\u0627\u0646\u06cc \u0648\u0628 \u062a\u0635\u0648\u06cc\u0631)","Paste your embed code below:":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u06a9\u062f \u062c\u0627\u0633\u0627\u0632\u06cc \u0634\u0645\u0627 \u062f\u0631 \u0632\u06cc\u0631:","Embed":"\u062c\u0627\u0633\u0627\u0632\u06cc","Media...":"\u0631\u0633\u0627\u0646\u0647...","Nonbreaking space":"\u0641\u0636\u0627\u06cc \u062e\u0627\u0644\u06cc \u0628\u0631\u0634 \u0646\u0627\u067e\u0630\u06cc\u0631","Page break":"\u0628\u0631\u0634 \u0635\u0641\u062d\u0647","Paste as text":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0628\u0647\u200c\u0635\u0648\u0631\u062a \u0645\u062a\u0646","Preview":"\u067e\u06cc\u0634\u200c\u0646\u0645\u0627\u06cc\u0634","Print":"\u0686\u0627\u067e","Print...":"\u0686\u0627\u067e...","Save":"\u0630\u062e\u064a\u0631\u0647","Find":"\u06cc\u0627\u0641\u062a\u0646","Replace with":"\u062c\u0627\u06cc\u06af\u0632\u06cc\u0646 \u06a9\u0631\u062f\u0646 \u0628\u0627","Replace":"\u062c\u0627\u06cc\u06af\u0632\u06cc\u0646 \u06a9\u0631\u062f\u0646","Replace all":"\u062c\u0627\u06cc\u06af\u0632\u06cc\u0646 \u06a9\u0631\u062f\u0646 \u0647\u0645\u0647","Previous":"\u0642\u0628\u0644\u06cc","Next":"\u0628\u0639\u062f\u06cc","Find and Replace":"\u062c\u0633\u062a\u200c\u0648\u200c\u062c\u0648 \u0648 \u062c\u0627\u06cc\u06af\u0632\u06cc\u0646 \u06a9\u0631\u062f\u0646","Find and replace...":"\u06cc\u0627\u0641\u062a\u0646 \u0648 \u062c\u0627\u06cc\u06af\u0632\u06cc\u0646 \u06a9\u0631\u062f\u0646...","Could not find the specified string.":"\u0631\u0634\u062a\u0647 \u0645\u0648\u0631\u062f \u0646\u0638\u0631 \u06cc\u0627\u0641\u062a \u0646\u0634\u062f.","Match case":"\u0646\u0645\u0648\u0646\u0647 \u0645\u0646\u0637\u0628\u0642","Find whole words only":"\u06cc\u0627\u0641\u062a\u0646 \u062f\u0642\u06cc\u0642\u0627\u064b \u06a9\u0644 \u0648\u0627\u0698\u0647","Find in selection":"\u062f\u0631 \u06af\u0644\u0686\u06cc\u0646 \u0628\u06cc\u0627\u0628\u06cc\u062f","Insert table":"\u062f\u0631\u062c \u062c\u062f\u0648\u0644","Table properties":"\u062a\u0646\u0638\u06cc\u0645\u0627\u062a \u062c\u062f\u0648\u0644","Delete table":"\u062d\u0630\u0641 \u062c\u062f\u0648\u0644","Cell":"\u0633\u0644\u0648\u0644","Row":"\u0631\u062f\u06cc\u0641","Column":"\u0633\u062a\u0648\u0646","Cell properties":"\u062a\u0646\u0638\u06cc\u0645\u0627\u062a \u0633\u0644\u0648\u0644","Merge cells":"\u0627\u062f\u063a\u0627\u0645 \u0633\u0644\u0648\u0644\u200c\u0647\u0627","Split cell":"\u062c\u062f\u0627\u0633\u0627\u0632\u06cc \u0633\u0644\u0648\u0644\u200c\u0647\u0627","Insert row before":"\u062f\u0631\u062c \u0633\u0637\u0631 \u062f\u0631 \u0628\u0627\u0644\u0627","Insert row after":"\u062f\u0631\u062c \u0633\u0637\u0631 \u062f\u0631 \u067e\u0627\u06cc\u06cc\u0646","Delete row":"\u062d\u0630\u0641 \u0633\u0637\u0631","Row properties":"\u062a\u0646\u0638\u06cc\u0645\u0627\u062a \u0633\u0637\u0631","Cut row":"\u0628\u0631\u0634 \u0633\u0637\u0631","Cut column":"\u0628\u0631\u0634 \u0633\u062a\u0648\u0646","Copy row":"\u06a9\u067e\u06cc \u0633\u0637\u0631","Copy column":"\u06a9\u067e\u06cc \u0633\u062a\u0648\u0646","Paste row before":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0633\u0637\u0631 \u062f\u0631 \u0628\u0627\u0644\u0627","Paste column before":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0633\u062a\u0648\u0646 \u0642\u0628\u0644 \u0627\u0632 \u0633\u062a\u0648\u0646 \u062c\u0627\u0631\u06cc","Paste row after":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0633\u0637\u0631 \u062f\u0631 \u067e\u0627\u06cc\u06cc\u0646","Paste column after":"\u0686\u0633\u0628\u0627\u0646\u062f\u0646 \u0633\u062a\u0648\u0646 \u0628\u0639\u062f \u0627\u0632 \u0633\u062a\u0648\u0646 \u062c\u0627\u0631\u06cc","Insert column before":"\u062f\u0631\u062c \u0633\u062a\u0648\u0646 \u062f\u0631 \u0628\u0627\u0644\u0627","Insert column after":"\u062f\u0631\u062c \u0633\u062a\u0648\u0646 \u062f\u0631 \u067e\u0627\u06cc\u06cc\u0646","Delete column":"\u062d\u0630\u0641 \u0633\u062a\u0648\u0646","Cols":"\u0633\u062a\u0648\u0646\u200c\u0647\u0627","Rows":"\u0631\u062f\u06cc\u0641\u200c\u0647\u0627","Width":"\u0639\u0631\u0636","Height":"\u0627\u0631\u062a\u0641\u0627\u0639","Cell spacing":"\u0641\u0627\u0635\u0644\u0647 \u0628\u06cc\u0646 \u0633\u0644\u0648\u0644\u200c\u0647\u0627","Cell padding":"\u062d\u0627\u0634\u06cc\u0647 \u0628\u06cc\u0646 \u0633\u0644\u0648\u0644\u200c\u0647\u0627","Row clipboard actions":"\u0639\u0645\u0644\u06cc\u0627\u062a \u062d\u0627\u0641\u0638\u0647 \u0645\u0648\u0642\u062a \u0631\u062f\u06cc\u0641\u200c\u0647\u0627","Column clipboard actions":"\u0639\u0645\u0644\u06cc\u0627\u062a \u062d\u0627\u0641\u0638\u0647 \u0645\u0648\u0642\u062a \u0633\u062a\u0648\u0646\u200c\u0647\u0627","Table styles":"\u0633\u0628\u06a9\u200c\u0647\u0627\u06cc \u062c\u062f\u0648\u0644","Cell styles":"\u0633\u0628\u06a9\u200c\u0647\u0627\u06cc \u062e\u0627\u0646\u0647 \u062c\u062f\u0648\u0644","Column header":"\u0633\u062a\u0648\u0646 \u062a\u06cc\u062a\u0631","Row header":"\u0633\u0637\u0631 \u062a\u06cc\u062a\u0631","Table caption":"\u0639\u0646\u0648\u0627\u0646 \u062c\u062f\u0648\u0644","Caption":"\u0639\u0646\u0648\u0627\u0646","Show caption":"\u0646\u0645\u0627\u06cc\u0634 \u0639\u0646\u0648\u0627\u0646","Left":"\u0686\u067e","Center":"\u0645\u0631\u06a9\u0632","Right":"\u0631\u0627\u0633\u062a","Cell type":"\u0646\u0648\u0639 \u0633\u0644\u0648\u0644","Scope":"\u06af\u0633\u062a\u0631\u0647","Alignment":"\u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc","Horizontal align":"\u062a\u0631\u0627\u0632 \u0627\u0641\u0642\u06cc","Vertical align":"\u062a\u0631\u0627\u0632 \u0639\u0645\u0648\u062f\u06cc","Top":"\u0628\u0627\u0644\u0627","Middle":"\u0648\u0633\u0637","Bottom":"\u067e\u0627\u06cc\u06cc\u0646","Header cell":"\u0633\u0644\u0648\u0644 \u0633\u0631\u0633\u062a\u0648\u0646","Row group":"\u06af\u0631\u0648\u0647 \u0633\u0637\u0631\u06cc","Column group":"\u06af\u0631\u0648\u0647 \u0633\u062a\u0648\u0646\u06cc","Row type":"\u0646\u0648\u0639 \u0633\u0637\u0631","Header":"\u0633\u0631\u0628\u0631\u06af","Body":"\u0628\u062f\u0646\u0647","Footer":"\u067e\u0627\u0648\u0631\u0642\u06cc","Border color":"\u0631\u0646\u06af \u062d\u0627\u0634\u06cc\u0647","Solid":"\u062e\u0637 \u0645\u0645\u062a\u062f","Dotted":"\u0646\u0642\u0637\u0647 \u0646\u0642\u0637\u0647","Dashed":"\u0641\u0627\u0635\u0644\u0647 \u0641\u0627\u0635\u0644\u0647","Double":"\u062f\u0648 \u062e\u0637\u06cc","Groove":"\u0634\u06cc\u0627\u0631\u062f\u0627\u0631","Ridge":"\u0644\u0628\u0647\u200c\u062f\u0627\u0631","Inset":"\u062a\u0648 \u0631\u0641\u062a\u0647","Outset":"\u0628\u0631\u062c\u0633\u062a\u0647","Hidden":"\u0645\u062e\u0641\u06cc","Insert template...":"\u062f\u0631\u062c \u0627\u0644\u06af\u0648...","Templates":"\u0627\u0644\u06af\u0648\u0647\u0627","Template":"\u0627\u0644\u06af\u0648","Insert Template":"\u062f\u0631\u062c \u0642\u0627\u0644\u0628","Text color":"\u0631\u0646\u06af \u0645\u062a\u0646","Background color":"\u0631\u0646\u06af \u067e\u0633\u200c\u0632\u0645\u06cc\u0646\u0647","Custom...":"\u0633\u0641\u0627\u0631\u0634\u06cc...","Custom color":"\u0631\u0646\u06af \u0633\u0641\u0627\u0631\u0634\u06cc","No color":"\u0628\u062f\u0648\u0646 \u0631\u0646\u06af","Remove color":"\u062d\u0630\u0641 \u0631\u0646\u06af","Show blocks":"\u0646\u0645\u0627\u06cc\u0634 \u0628\u0644\u0648\u06a9\u200c\u0647\u0627","Show invisible characters":"\u0646\u0645\u0627\u06cc\u0634 \u0646\u0648\u06cc\u0633\u0647\u200c\u0647\u0627\u06cc \u0646\u0627\u067e\u06cc\u062f\u0627","Word count":"\u062a\u0639\u062f\u0627\u062f \u0648\u0627\u0698\u0647\u200c\u0647\u0627","Count":"\u0634\u0645\u0627\u0631\u0634","Document":"\u0633\u0646\u062f","Selection":"\u0627\u0646\u062a\u062e\u0627\u0628","Words":"\u06a9\u0644\u0645\u0627\u062a","Words: {0}":"\u0648\u0627\u0698\u0647\u200c\u0647\u0627: {0}","{0} words":"{0} \u0648\u0627\u0698\u0647","File":"\u067e\u0631\u0648\u0646\u062f\u0647","Edit":"\u0648\u06cc\u0631\u0627\u06cc\u0634","Insert":"\u062f\u0631\u062c","View":"\u0646\u0645\u0627\u06cc\u0634","Format":"\u0642\u0627\u0644\u0628","Table":"\u062c\u062f\u0648\u0644","Tools":"\u0627\u0628\u0632\u0627\u0631\u0647\u0627","Powered by {0}":"\u0642\u0648\u062a\u200c\u06af\u0631\u0641\u062a\u0647 \u0627\u0632 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0646\u0627\u062d\u06cc\u0647 \u0645\u062a\u0646 \u063a\u0646\u06cc. \u062c\u0647\u062a \u0645\u0634\u0627\u0647\u062f\u0647\u0654 \u0645\u0646\u0648 \u0627\u0632 \u06a9\u0644\u06cc\u062f\u0647\u0627\u06cc \u062a\u0631\u06a9\u06cc\u0628\u06cc ALT + F9 \u0627\u0633\u062a\u0641\u0627\u062f\u0647 \u06a9\u0646\u06cc\u062f. \u062c\u0647\u062a \u0645\u0634\u0627\u0647\u062f\u0647\u0654 \u0646\u0648\u0627\u0631 \u0627\u0628\u0632\u0627\u0631 \u0627\u0632 \u06a9\u0644\u06cc\u062f\u0647\u0627\u06cc \u062a\u0631\u06a9\u06cc\u0628\u06cc ALT + F10 \u0627\u0633\u062a\u0641\u0627\u062f\u0647 \u06a9\u0646\u06cc\u062f. \u062c\u0647\u062a \u0645\u0634\u0627\u0647\u062f\u0647 \u0631\u0627\u0647\u0646\u0645\u0627 \u0627\u0632 \u06a9\u0644\u06cc\u062f\u0647\u0627\u06cc \u062a\u0631\u06a9\u06cc\u0628\u06cc ALT + 0 \u0627\u0633\u062a\u0641\u0627\u062f\u0647 \u06a9\u0646\u06cc\u062f.","Image title":"\u0639\u0646\u0648\u0627\u0646 \u062a\u0635\u0648\u06cc\u0631","Border width":"\u0639\u0631\u0636 \u062d\u0627\u0634\u06cc\u0647","Border style":"\u0633\u0628\u06a9 \u062d\u0627\u0634\u06cc\u0647","Error":"\u062e\u0637\u0627","Warn":"\u0647\u0634\u062f\u0627\u0631","Valid":"\u0645\u0639\u062a\u0628\u0631","To open the popup, press Shift+Enter":"\u062c\u0647\u062a \u0628\u0627\u0632 \u06a9\u0631\u062f\u0646 \u067e\u0646\u062c\u0631\u0647 \u0628\u0627\u0632\u0634\u0648\u060c \u06a9\u0644\u06cc\u062f\u0647\u0627\u06cc Shift + Enter \u0631\u0627 \u0641\u0634\u0627\u0631 \u062f\u0647\u06cc\u062f.","Rich Text Area":"\u062c\u0639\u0628\u0647 \u0645\u062a\u0646 \u0628\u0632\u0631\u06af (Textarea)","Rich Text Area. Press ALT-0 for help.":"\u0646\u0627\u062d\u06cc\u0647 \u0645\u062a\u0646 \u063a\u0646\u06cc. \u062c\u0647\u062a \u0645\u0634\u0627\u0647\u062f\u0647\u0654 \u0631\u0627\u0647\u0646\u0645\u0627 \u06a9\u0644\u06cc\u062f\u0647\u0627\u06cc ALT + 0 \u0631\u0627 \u0641\u0634\u0627\u0631 \u062f\u0647\u06cc\u062f.","System Font":"\u0641\u0648\u0646\u062a \u0633\u06cc\u0633\u062a\u0645\u06cc","Failed to upload image: {0}":"\u0639\u062f\u0645 \u0645\u0648\u0641\u0642\u06cc\u062a \u062f\u0631 \u0628\u0627\u0631\u06af\u0630\u0627\u0631\u06cc \u062a\u0635\u0648\u06cc\u0631: {0}","Failed to load plugin: {0} from url {1}":"\u0639\u062f\u0645 \u0645\u0648\u0641\u0642\u06cc\u062a \u062f\u0631 \u0628\u0627\u0631\u06af\u0630\u0627\u0631\u06cc \u0627\u0641\u0632\u0648\u0646\u0647: {0} \u0627\u0632 \u0646\u0634\u0627\u0646\u06cc \u0648\u0628 {1}","Failed to load plugin url: {0}":"\u0639\u062f\u0645 \u0645\u0648\u0641\u0642\u06cc\u062a \u062f\u0631 \u0628\u0627\u0631\u06af\u0630\u0627\u0631\u06cc \u0646\u0634\u0627\u0646\u06cc \u0648\u0628 \u0627\u0641\u0632\u0648\u0646\u0647: {0}","Failed to initialize plugin: {0}":"\u0639\u062f\u0645 \u0645\u0648\u0641\u0642\u06cc\u062a \u062f\u0631 \u0631\u0627\u0647\u200c\u0627\u0646\u062f\u0627\u0632\u06cc \u0627\u0641\u0632\u0648\u0646\u0647: {0}","example":"\u0645\u062b\u0627\u0644","Search":"\u062c\u0633\u062a\u062c\u0648","All":"\u0647\u0645\u0647","Currency":"\u0627\u0631\u0632","Text":"\u0645\u062a\u0646","Quotations":"\u0646\u0642\u0644\u200c\u0642\u0648\u0644\u200c\u0647\u0627","Mathematical":"\u0631\u06cc\u0627\u0636\u06cc","Extended Latin":"\u0644\u0627\u062a\u06cc\u0646 \u06af\u0633\u062a\u0631\u062f\u0647","Symbols":"\u0646\u0645\u0627\u062f\u0647\u0627","Arrows":"\u067e\u06cc\u06a9\u0627\u0646\u200c\u0647\u0627","User Defined":"\u0628\u0647 \u062e\u0648\u0627\u0633\u062a \u06a9\u0627\u0631\u0628\u0631","dollar sign":"\u0646\u0645\u0627\u062f \u062f\u0644\u0627\u0631","currency sign":"\u0646\u0645\u0627\u062f \u0627\u0631\u0632","euro-currency sign":"\u0646\u0645\u0627\u062f \u06cc\u0648\u0631\u0648","colon sign":"\u0646\u0645\u0627\u062f \u062f\u0648\u0646\u0642\u0637\u0647","cruzeiro sign":"\u0646\u0645\u0627\u062f \u06a9\u0631\u0648\u0632\u06cc\u0631\u0648","french franc sign":"\u0646\u0645\u0627\u062f \u0641\u0631\u0627\u0646\u06a9 \u0641\u0631\u0627\u0646\u0633\u0647","lira sign":"\u0646\u0645\u0627\u062f \u0644\u06cc\u0631\u0647","mill sign":"\u0646\u0645\u0627\u062f \u0645\u06cc\u0644","naira sign":"\u0646\u0645\u0627\u062f \u0646\u0627\u06cc\u0631\u0627","peseta sign":"\u0646\u0645\u0627\u062f \u067e\u0632\u062a\u0627","rupee sign":"\u0646\u0645\u0627\u062f \u0631\u0648\u067e\u06cc\u0647","won sign":"\u0646\u0645\u0627\u062f \u0648\u0648\u0646","new sheqel sign":"\u0646\u0645\u0627\u062f \u0634\u06a9\u0644 \u062c\u062f\u06cc\u062f","dong sign":"\u0646\u0645\u0627\u062f \u062f\u0627\u0646\u06af","kip sign":"\u0646\u0645\u0627\u062f \u06a9\u06cc\u067e","tugrik sign":"\u0646\u0645\u0627\u062f \u062a\u0648\u06af\u0631\u0648\u06af","drachma sign":"\u0646\u0645\u0627\u062f \u062f\u0631\u0627\u062e\u0645\u0627","german penny symbol":"\u0646\u0645\u0627\u062f \u067e\u0646\u06cc \u0622\u0644\u0645\u0627\u0646\u06cc","peso sign":"\u0646\u0645\u0627\u062f \u067e\u0632\u0648","guarani sign":"\u0646\u0645\u0627\u062f \u06af\u0648\u0627\u0631\u0627\u0646\u06cc","austral sign":"\u0646\u0645\u0627\u062f \u0622\u0633\u062a\u0631\u0627\u0644","hryvnia sign":"\u0646\u0645\u0627\u062f \u06af\u0631\u06cc\u0648\u0646\u0627","cedi sign":"\u0646\u0645\u0627\u062f \u0633\u062f\u06cc","livre tournois sign":"\u0646\u0645\u0627\u062f \u0644\u06cc\u0648\u0631\u0647 \u062a\u0648\u0631\u0646\u0648\u0627","spesmilo sign":"\u0646\u0645\u0627\u062f \u0627\u0633\u067e\u0633\u0645\u06cc\u0644\u0648","tenge sign":"\u0646\u0645\u0627\u062f \u062a\u0646\u06af\u0647","indian rupee sign":"\u0646\u0645\u0627\u062f \u0631\u0648\u067e\u06cc\u0647 \u0647\u0646\u062f\u06cc","turkish lira sign":"\u0646\u0645\u0627\u062f \u0644\u06cc\u0631\u0647 \u062a\u0631\u06a9\u06cc","nordic mark sign":"\u0646\u0645\u0627\u062f \u0645\u0627\u0631\u06a9 \u0646\u0631\u0648\u0698","manat sign":"\u0646\u0645\u0627\u062f \u0645\u0646\u0627\u062a","ruble sign":"\u0646\u0645\u0627\u062f \u0631\u0648\u0628\u0644","yen character":"\u0646\u0648\u06cc\u0633\u0647 \u06cc\u0646","yuan character":"\u0646\u0648\u06cc\u0633\u0647 \u06cc\u0648\u0627\u0646","yuan character, in hong kong and taiwan":"\u0646\u0648\u06cc\u0633\u0647 \u06cc\u0648\u0627\u0646\u060c \u062f\u0631 \u0647\u0646\u06af\u200c\u06a9\u0646\u06af \u0648 \u062a\u0627\u06cc\u0648\u0627\u0646","yen/yuan character variant one":"\u0646\u0648\u06cc\u0633\u0647 \u062c\u0627\u06cc\u06af\u0632\u06cc\u0646 \u06cc\u0646/\u06cc\u0648\u0627\u0646","Emojis":"\u0627\u0633\u062a\u06cc\u06a9\u0631\u0647\u0627","Emojis...":"\u0627\u0633\u062a\u06cc\u06a9\u0631\u0647\u0627...","Loading emojis...":"\u0641\u0631\u0627\u062e\u0648\u0627\u0646\u06cc \u0627\u0633\u062a\u06cc\u06a9\u0631\u0647\u0627...","Could not load emojis":"\u0627\u0645\u06a9\u0627\u0646 \u0628\u0627\u0631\u06af\u06cc\u0631\u06cc \u0627\u06cc\u0645\u0648\u062c\u06cc\u200c\u0647\u0627 \u0648\u062c\u0648\u062f \u0646\u062f\u0627\u0631\u062f","People":"\u0627\u0641\u0631\u0627\u062f","Animals and Nature":"\u062d\u06cc\u0648\u0627\u0646\u0627\u062a \u0648 \u0637\u0628\u06cc\u0639\u062a","Food and Drink":"\u063a\u0630\u0627 \u0648 \u0646\u0648\u0634\u06cc\u062f\u0646\u06cc","Activity":"\u0641\u0639\u0627\u0644\u06cc\u062a","Travel and Places":"\u0633\u0641\u0631 \u0648 \u0627\u0645\u0627\u06a9\u0646","Objects":"\u0627\u0634\u06cc\u0627","Flags":"\u067e\u0631\u0686\u0645\u200c\u0647\u0627","Characters":"\u0646\u0648\u06cc\u0633\u0647\u200c\u0647\u0627","Characters (no spaces)":"\u0646\u0648\u06cc\u0633\u0647 \u0647\u0627 (\u0628\u062f\u0648\u0646 \u0641\u0627\u0635\u0644\u0647)","{0} characters":"{0} \u06a9\u0627\u0631\u0627\u06a9\u062a\u0631","Error: Form submit field collision.":"\u062e\u0637\u0627: \u062a\u062f\u0627\u062e\u0644 \u062f\u0631 \u062b\u0628\u062a \u0641\u0631\u0645.","Error: No form element found.":"\u062e\u0637\u0627: \u0647\u06cc\u0686 \u0627\u0644\u0645\u0627\u0646 \u0641\u0631\u0645\u06cc \u06cc\u0627\u0641\u062a \u0646\u0634\u062f.","Color swatch":"\u0646\u0645\u0648\u0646\u0647 \u0631\u0646\u06af","Color Picker":"\u0627\u0646\u062a\u062e\u0627\u0628\u200c\u06a9\u0646\u0646\u062f\u0647 \u0631\u0646\u06af","Invalid hex color code: {0}":"\u06a9\u062f \u0631\u0646\u06af 16 \u0628\u06cc\u062a\u06cc \u0645\u0639\u062a\u0628\u0631: {0}","Invalid input":"\u0648\u0631\u0648\u062f\u06cc \u0646\u0627\u0645\u0639\u062a\u0628\u0631","R":"\u0642\u0631\u0645\u0632","Red component":"\u062c\u0632\u0621 \u0642\u0631\u0645\u0632","G":"\u0633\u0628\u0632","Green component":"\u062c\u0632\u0621 \u0633\u0628\u0632","B":"\u0622\u0628\u06cc","Blue component":"\u062c\u0632\u0621 \u0622\u0628\u06cc","#":"#","Hex color code":"\u06a9\u062f \u0631\u0646\u06af 16 \u0628\u06cc\u062a\u06cc","Range 0 to 255":"\u0628\u0627\u0632\u0647\u200c\u06cc \u0635\u0641\u0631 \u062a\u0627 255","Turquoise":"\u0641\u06cc\u0631\u0648\u0632\u0647\u200c\u0627\u06cc","Green":"\u0633\u0628\u0632","Blue":"\u0622\u0628\u06cc","Purple":"\u0628\u0646\u0641\u0634","Navy Blue":"\u0633\u0631\u0645\u0647\u200c\u0627\u06cc","Dark Turquoise":"\u0641\u06cc\u0631\u0648\u0632\u0647\u200c\u0627\u06cc \u062a\u06cc\u0631\u0647","Dark Green":"\u0633\u0628\u0632 \u062a\u06cc\u0631\u0647","Medium Blue":"\u0622\u0628\u06cc \u0633\u06cc\u0631","Medium Purple":"\u0622\u0628\u06cc \u0628\u0646\u0641\u0634","Midnight Blue":"\u0622\u0628\u06cc \u0646\u0641\u062a\u06cc","Yellow":"\u0632\u0631\u062f","Orange":"\u0646\u0627\u0631\u0646\u062c\u06cc","Red":"\u0642\u0631\u0645\u0632","Light Gray":"\u062e\u0627\u06a9\u0633\u062a\u0631\u06cc \u0631\u0648\u0634\u0646","Gray":"\u062e\u0627\u06a9\u0633\u062a\u0631\u06cc","Dark Yellow":"\u0632\u0631\u062f \u062a\u06cc\u0631\u0647","Dark Orange":"\u0646\u0627\u0631\u0646\u062c\u06cc \u062a\u06cc\u0631\u0647","Dark Red":"\u0642\u0631\u0645\u0632 \u062a\u06cc\u0631\u0647","Medium Gray":"\u062e\u0627\u06a9\u0633\u062a\u0631\u06cc \u0646\u06cc\u0645\u0647\u200c\u0631\u0648\u0634\u0646","Dark Gray":"\u062e\u0627\u06a9\u0633\u062a\u0631\u06cc \u062a\u06cc\u0631\u0647","Light Green":"\u0633\u0628\u0632 \u0631\u0648\u0634\u0646","Light Yellow":"\u0632\u0631\u062f \u0631\u0648\u0634\u0646","Light Red":"\u0642\u0631\u0645\u0632 \u0631\u0648\u0634\u0646","Light Purple":"\u0628\u0646\u0641\u0634 \u0631\u0648\u0634\u0646","Light Blue":"\u0622\u0628\u06cc \u0631\u0648\u0634\u0646","Dark Purple":"\u0628\u0646\u0641\u0634 \u062a\u06cc\u0631\u0647","Dark Blue":"\u0622\u0628\u06cc \u062a\u06cc\u0631\u0647","Black":"\u0633\u06cc\u0627\u0647","White":"\u0633\u0641\u06cc\u062f","Switch to or from fullscreen mode":"\u062a\u063a\u06cc\u06cc\u0631 \u0627\u0632 \u062d\u0627\u0644\u062a \u062a\u0645\u0627\u0645\u200c\u0635\u0641\u062d\u0647 \u06cc\u0627 \u0628\u0647 \u062d\u0627\u0644\u062a \u062a\u0645\u0627\u0645\u200c\u0635\u0641\u062d\u0647","Open help dialog":"\u0628\u0627\u0632 \u06a9\u0631\u062f\u0646 \u06a9\u0627\u062f\u0631 \u0631\u0627\u0647\u0646\u0645\u0627","history":"\u062a\u0627\u0631\u06cc\u062e\u0686\u0647","styles":"\u0633\u0628\u06a9\u200c\u0647\u0627","formatting":"\u0642\u0627\u0644\u0628\u200c\u0628\u0646\u062f\u06cc","alignment":"\u062a\u0631\u0627\u0632\u0628\u0646\u062f\u06cc","indentation":"\u062a\u0648\u0631\u0641\u062a\u06af\u06cc","Font":"\u0641\u0648\u0646\u062a","Size":"\u0627\u0646\u062f\u0627\u0632\u0647","More...":"\u0628\u06cc\u0634\u062a\u0631...","Select...":"\u0627\u0646\u062a\u062e\u0627\u0628...","Preferences":"\u062a\u0631\u062c\u06cc\u062d\u0627\u062a","Yes":"\u0628\u0644\u0647","No":"\u062e\u06cc\u0631","Keyboard Navigation":"\u0645\u0631\u0648\u0631 \u0628\u0627 \u0635\u0641\u062d\u0647 \u06a9\u0644\u06cc\u062f","Version":"\u0646\u0633\u062e\u0647","Code view":"\u0646\u0645\u0627\u06cc \u06a9\u062f","Open popup menu for split buttons":"\u0645\u0646\u0648\u06cc \u0628\u0627\u0632\u0634\u0648 \u0628\u0631\u0627\u06cc \u062f\u06a9\u0645\u0647 \u0647\u0627\u06cc \u062a\u0642\u0633\u06cc\u0645 \u0634\u062f\u0647 \u0631\u0627 \u0628\u0627\u0632 \u06a9\u0646\u06cc\u062f","List Properties":"\u062a\u0646\u0638\u06cc\u0645\u0627\u062a \u0641\u0647\u0631\u0633\u062a","List properties...":"\u062a\u0646\u0638\u06cc\u0645\u0627\u062a \u0641\u0647\u0631\u0633\u062a","Start list at number":"\u0644\u06cc\u0633\u062a \u0631\u0627 \u062f\u0631 \u0634\u0645\u0627\u0631\u0647 \u0634\u0631\u0648\u0639 \u06a9\u0646\u06cc\u062f","Line height":"\u0628\u0644\u0646\u062f\u06cc \u062e\u0637 ","Dropped file type is not supported":"\u0641\u0631\u0645\u062a \u0641\u0627\u06cc\u0644 \u062d\u0630\u0641 \u0634\u062f\u0647 \u067e\u0634\u062a\u06cc\u0628\u0627\u0646\u06cc \u0646\u0645\u06cc\u200c\u0634\u0648\u062f","Loading...":"\u0628\u0627\u0631\u06af\u06cc\u0631\u06cc...","ImageProxy HTTP error: Rejected request":"\u062e\u0637\u0627\u06cc ImageProxy HTTP: \u062f\u0631\u062e\u0648\u0627\u0633\u062a \u0628\u0631\u06af\u0631\u062f\u0627\u0646\u062f\u0647 \u0634\u062f","ImageProxy HTTP error: Could not find Image Proxy":"\u062e\u0637\u0627\u06cc ImageProxy HTTP: \u0634\u06cc\u0621 ImageProxy \u067e\u06cc\u062f\u0627 \u0646\u0634\u062f","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u062e\u0637\u0627\u06cc ImageProxy HTTP: \u0622\u062f\u0631\u0633 ImageProxy \u0627\u0634\u062a\u0628\u0627\u0647 \u0627\u0633\u062a","ImageProxy HTTP error: Unknown ImageProxy error":"\u062e\u0637\u0627\u06cc ImageProxy HTTP: \u062e\u0637\u0627 \u0634\u0646\u0627\u0633\u0627\u06cc\u06cc \u0646\u0634\u062f","_dir":"rtl"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/fi.js b/deform/static/tinymce/langs/fi.js index d5565d39..d5e88fda 100644 --- a/deform/static/tinymce/langs/fi.js +++ b/deform/static/tinymce/langs/fi.js @@ -1,175 +1 @@ -tinymce.addI18n('fi',{ -"Cut": "Leikkaa", -"Header 2": "Otsikko 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Selaimesi ei tue leikekirjan suoraa k\u00e4ytt\u00e4mist\u00e4. Ole hyv\u00e4 ja k\u00e4yt\u00e4 n\u00e4pp\u00e4imist\u00f6n Ctrl+X ja Ctrl+V n\u00e4pp\u00e4inyhdistelmi\u00e4.", -"Div": "Div", -"Paste": "Liit\u00e4", -"Close": "Sulje", -"Pre": "Esimuotoiltu", -"Align right": "Tasaa oikealle", -"New document": "Uusi dokumentti", -"Blockquote": "Lainauslogko", -"Numbered list": "J\u00e4rjestetty lista", -"Increase indent": "Loitonna", -"Formats": "Muotoilut", -"Headers": "Otsikot", -"Select all": "Valitse kaikki", -"Header 3": "Otsikko 3", -"Blocks": "Lohkot", -"Undo": "Peru", -"Strikethrough": "Yliviivaus", -"Bullet list": "J\u00e4rjest\u00e4m\u00e4t\u00f6n lista", -"Header 1": "Otsikko 1", -"Superscript": "Yl\u00e4indeksi", -"Clear formatting": "Poista muotoilu", -"Subscript": "Alaindeksi", -"Header 6": "Otsikko 6", -"Redo": "Tee uudelleen", -"Paragraph": "Kappale", -"Ok": "Ok", -"Bold": "Lihavointi", -"Code": "Koodi", -"Italic": "Kursivointi", -"Align center": "Keskit\u00e4", -"Header 5": "Otsikko 5", -"Decrease indent": "Sisenn\u00e4", -"Header 4": "Otsikko 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Liitt\u00e4minen on nyt pelk\u00e4n tekstin -tilassa. Sis\u00e4ll\u00f6t liitet\u00e4\u00e4n nyt pelkk\u00e4n\u00e4 tekstin\u00e4, kunnes otat vaihtoehdon pois k\u00e4yt\u00f6st\u00e4.", -"Underline": "Alleviivaus", -"Cancel": "Peruuta", -"Justify": "Tasaa", -"Inline": "Samalla rivill\u00e4", -"Copy": "Kopioi", -"Align left": "Tasaa vasemmalle", -"Visual aids": "Visuaaliset neuvot", -"Lower Greek": "pienet kirjaimet: \u03b1, \u03b2, \u03b3", -"Square": "Neli\u00f6", -"Default": "Oletus", -"Lower Alpha": "pienet kirjaimet: a, b, c", -"Circle": "Pallo", -"Disc": "Ympyr\u00e4", -"Upper Alpha": "isot kirjaimet: A, B, C", -"Upper Roman": "isot kirjaimet: I, II, III", -"Lower Roman": "pienet kirjaimet: i, ii, iii", -"Name": "Nimi", -"Anchor": "Ankkuri", -"You have unsaved changes are you sure you want to navigate away?": "Sinulla on tallentamattomia muutoksia, haluatko varmasti siirty\u00e4 toiselle sivulle?", -"Restore last draft": "Palauta aiempi luonnos", -"Special character": "Erikoismerkki", -"Source code": "L\u00e4hdekoodi", -"Right to left": "Oikealta vasemmalle", -"Left to right": "Vasemmalta oikealle", -"Emoticons": "Hymi\u00f6t", -"Robots": "Robotit", -"Document properties": "Dokumentin ominaisuudet", -"Title": "Otsikko", -"Keywords": "Avainsanat", -"Encoding": "Merkist\u00f6", -"Description": "Kuvaus", -"Author": "Tekij\u00e4", -"Fullscreen": "Koko ruutu", -"Horizontal line": "Vaakasuora viiva", -"Horizontal space": "Horisontaalinen tila", -"Insert\/edit image": "Lis\u00e4\u00e4\/muokkaa kuva", -"General": "Yleiset", -"Advanced": "Lis\u00e4asetukset", -"Source": "L\u00e4hde", -"Border": "Reunus", -"Constrain proportions": "S\u00e4ilyt\u00e4 mittasuhteet", -"Vertical space": "Vertikaalinen tila", -"Image description": "Kuvaus", -"Style": "Tyyli", -"Dimensions": "Mittasuhteet", -"Insert image": "Lis\u00e4\u00e4 kuva", -"Insert date\/time": "Lis\u00e4\u00e4 p\u00e4iv\u00e4m\u00e4\u00e4r\u00e4 tai aika", -"Remove link": "Poista linkki", -"Url": "Osoite", -"Text to display": "N\u00e4ytett\u00e4v\u00e4 teksti", -"Anchors": "Ankkurit", -"Insert link": "Lis\u00e4\u00e4 linkki", -"New window": "Uusi ikkuna", -"None": "Ei mit\u00e4\u00e4n", -"Target": "Kohde", -"Insert\/edit link": "Lis\u00e4\u00e4 tai muokkaa linkki", -"Insert\/edit video": "Lis\u00e4\u00e4 tai muokkaa video", -"Poster": "L\u00e4hett\u00e4j\u00e4", -"Alternative source": "Vaihtoehtoinen l\u00e4hde", -"Paste your embed code below:": "Liit\u00e4 upotuskoodisi alapuolelle:", -"Insert video": "Lis\u00e4\u00e4 video", -"Embed": "Upota", -"Nonbreaking space": "Tyhj\u00e4 merkki (nbsp)", -"Page break": "Sivunvaihto", -"Paste as text": "Liit\u00e4 tekstin\u00e4", -"Preview": "Esikatselu", -"Print": "Tulosta", -"Save": "Tallenna", -"Could not find the specified string.": "Haettua merkkijonoa ei l\u00f6ytynyt.", -"Replace": "Korvaa", -"Next": "Seur.", -"Whole words": "Koko sanat", -"Find and replace": "Etsi ja korvaa", -"Replace with": "Korvaa", -"Find": "Etsi", -"Replace all": "Korvaa kaikki", -"Match case": "Erota isot ja pienet kirjaimet", -"Prev": "Edel.", -"Spellcheck": "Oikolue", -"Finish": "Lopeta", -"Ignore all": "\u00c4l\u00e4 huomioi mit\u00e4\u00e4n", -"Ignore": "\u00c4l\u00e4 huomioi", -"Insert row before": "Lis\u00e4\u00e4 rivi ennen", -"Rows": "Rivit", -"Height": "Korkeus", -"Paste row after": "Liit\u00e4 rivi j\u00e4lkeen", -"Alignment": "Tasaus", -"Column group": "Sarakeryhm\u00e4", -"Row": "Rivi", -"Insert column before": "Lis\u00e4\u00e4 rivi ennen", -"Split cell": "Jaa solu", -"Cell padding": "Solun tyhj\u00e4 tila", -"Cell spacing": "Solun v\u00e4li", -"Row type": "Rivityyppi", -"Insert table": "Lis\u00e4\u00e4 taulukko", -"Body": "Runko", -"Caption": "Seloste", -"Footer": "Alaosa", -"Delete row": "Poista rivi", -"Paste row before": "Liit\u00e4 rivi ennen", -"Scope": "Laajuus", -"Delete table": "Poista taulukko", -"Header cell": "Otsikkosolu", -"Column": "Sarake", -"Cell": "Solu", -"Header": "Otsikko", -"Cell type": "Solun tyyppi", -"Copy row": "Kopioi rivi", -"Row properties": "Rivin ominaisuudet", -"Table properties": "Taulukon ominaisuudet", -"Row group": "Riviryhm\u00e4", -"Right": "Oikea", -"Insert column after": "Lis\u00e4\u00e4 rivi j\u00e4lkeen", -"Cols": "Sarakkeet", -"Insert row after": "Lis\u00e4\u00e4 rivi j\u00e4lkeen", -"Width": "Leveys", -"Cell properties": "Solun ominaisuudet", -"Left": "Vasen", -"Cut row": "Leikkaa rivi", -"Delete column": "Poista sarake", -"Center": "Keskell\u00e4", -"Merge cells": "Yhdist\u00e4 solut", -"Insert template": "Lis\u00e4\u00e4 pohja", -"Templates": "Pohjat", -"Background color": "Taustan v\u00e4ri", -"Text color": "Tekstin v\u00e4ri", -"Show blocks": "N\u00e4yt\u00e4 lohkot", -"Show invisible characters": "N\u00e4yt\u00e4 n\u00e4kym\u00e4tt\u00f6m\u00e4t merkit", -"Words: {0}": "Sanat: {0}", -"Insert": "Lis\u00e4\u00e4", -"File": "Tiedosto", -"Edit": "Muokkaa", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rikastetun tekstin alue. Paina ALT-F9 valikkoon. Paina ALT-F10 ty\u00f6kaluriviin. Paina ALT-0 ohjeeseen.", -"Tools": "Ty\u00f6kalut", -"View": "N\u00e4yt\u00e4", -"Table": "Taulukko", -"Format": "Muotoilu" -}); \ No newline at end of file +tinymce.addI18n("fi",{"Redo":"Tee uudelleen","Undo":"Kumoa","Cut":"Leikkaa","Copy":"Kopioi","Paste":"Liit\xe4","Select all":"Valitse kaikki","New document":"Uusi asiakirja","Ok":"Ok","Cancel":"Peruuta","Visual aids":"Visuaaliset neuvot","Bold":"Lihavoitu","Italic":"Kursivoitu","Underline":"Alleviivaus","Strikethrough":"Yliviivaus","Superscript":"Yl\xe4indeksi","Subscript":"Alaindeksi","Clear formatting":"Poista muotoilu","Remove":"Poista","Align left":"Tasaa vasemmalle","Align center":"Tasaa keskelle","Align right":"Tasaa oikealle","No alignment":"Ei tasausta","Justify":"Tasaus","Bullet list":"J\xe4rjest\xe4m\xe4t\xf6n lista","Numbered list":"J\xe4rjestetty lista","Decrease indent":"Sisenn\xe4","Increase indent":"Loitonna","Close":"Sulje","Formats":"Muotoilut","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Selaimesi ei tue leikep\xf6yd\xe4n suoraa k\xe4ytt\xe4mist\xe4. Ole hyv\xe4 ja k\xe4yt\xe4 n\xe4pp\xe4imist\xf6n Ctrl+X/C/V n\xe4pp\xe4inyhdistelmi\xe4.","Headings":"Otsikot","Heading 1":"Otsikko 1","Heading 2":"Otsikko 2","Heading 3":"Otsikko 3","Heading 4":"Otsikko 4","Heading 5":"Otsikko 5","Heading 6":"Otsikko 6","Preformatted":"Esimuotoiltu","Div":"Div","Pre":"Pre","Code":"Koodi","Paragraph":"Kappale","Blockquote":"Lohkolainaus","Inline":"Samalla rivill\xe4","Blocks":"Lohkot","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Liitt\xe4minen on nyt pelk\xe4ss\xe4 tekstin tilassa. Sis\xe4lt\xf6 liitet\xe4\xe4n nyt pelkk\xe4n\xe4 tekstin\xe4, kunnes otat asetuksen pois p\xe4\xe4lt\xe4.","Fonts":"Fontti","Font sizes":"Fonttikoot","Class":"Luokka","Browse for an image":"Selaa kuvia","OR":"TAI","Drop an image here":"Pudota kuva t\xe4h\xe4n","Upload":"Vie","Uploading image":"Ladataan kuvaa","Block":"Lohko","Align":"Tasaa","Default":"Oletus","Circle":"Ympyr\xe4","Disc":"Py\xf6ryl\xe4","Square":"Neli\xf6","Lower Alpha":"Pienet kirjaimet","Lower Greek":"pienet kirjaimet: \u03b1, \u03b2, \u03b3","Lower Roman":"Numerot, alarivi","Upper Alpha":"Isot kirjaimet","Upper Roman":"Numerot, yl\xe4rivi","Anchor...":"Ankkuri...","Anchor":"Ankkuri","Name":"Nimi","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID:n tulisi alkaa kirjaimella, jota seuraa vain kirjaimia, numeroita, v\xe4liviivoja, pisteit\xe4, kaksoispisteit\xe4 tai alaviivoja.","You have unsaved changes are you sure you want to navigate away?":"Sinulla on tallentamattomia muutoksia, haluatko varmasti siirty\xe4 toiselle sivulle?","Restore last draft":"Palauta aiempi luonnos","Special character...":"Erikoismerkki...","Special Character":"Erikoismerkki","Source code":"L\xe4hdekoodi","Insert/Edit code sample":"Lis\xe4\xe4/muokkaa koodiesimerkki","Language":"Kieli","Code sample...":"Koodin\xe4yte...","Left to right":"Vasemmalta oikealle","Right to left":"Oikealta vasemmalle","Title":"Otsikko","Fullscreen":"Kokon\xe4ytt\xf6","Action":"Toiminto","Shortcut":"Pikavalinta","Help":"Ohje","Address":"Osoite","Focus to menubar":"Kohdistus valikkoon","Focus to toolbar":"Kohdistus ty\xf6kalupalkkiin","Focus to element path":"Kohdistus elementin polkuun","Focus to contextual toolbar":"Kohdistus kontekstuaaliseen ty\xf6kalupalkkiin","Insert link (if link plugin activated)":"Lis\xe4\xe4 linkki (jos linkki-liit\xe4nn\xe4inen aktiivinen)","Save (if save plugin activated)":"Tallenna (jos tallenna-liit\xe4nn\xe4inen aktiivinen)","Find (if searchreplace plugin activated)":"Etsi (jos etsikorvaa-liit\xe4nn\xe4inen aktiivinen)","Plugins installed ({0}):":"Asennetut liit\xe4nn\xe4iset ({0}):","Premium plugins:":"Premium-liit\xe4nn\xe4iset:","Learn more...":"Lis\xe4tietoja...","You are using {0}":"K\xe4yt\xe4t {0}","Plugins":"Laajennukset","Handy Shortcuts":"K\xe4tev\xe4t pikan\xe4pp\xe4imet","Horizontal line":"Vaakasuora viiva","Insert/edit image":"Lis\xe4\xe4 kuva/muokkaa kuvaa","Alternative description":"Vaihtoehtoinen kuvaus","Accessibility":"Saavutettavuus","Image is decorative":"Kuva on koristeellinen","Source":"L\xe4hde","Dimensions":"Mitat","Constrain proportions":"Rajauksen mittasuhteet","General":"Yleiset asetukset","Advanced":"Lis\xe4asetukset","Style":"Tyyli","Vertical space":"Pystysuuntainen v\xe4li","Horizontal space":"Vaakasuuntainen v\xe4li","Border":"Reunus","Insert image":"Lis\xe4\xe4 kuva","Image...":"Kuva...","Image list":"Kuvaluettelo","Resize":"Kuvan koon muutos","Insert date/time":"Lis\xe4\xe4 p\xe4iv\xe4m\xe4\xe4r\xe4 tai aika","Date/time":"P\xe4iv\xe4m\xe4\xe4r\xe4/aika","Insert/edit link":"Lis\xe4\xe4 linkki/muokkaa linkki\xe4","Text to display":"N\xe4ytett\xe4v\xe4 teksti","Url":"Osoite","Open link in...":"Avaa linkki...","Current window":"Nykyinen ikkuna","None":"Ei mit\xe4\xe4n","New window":"Uusi ikkuna","Open link":"Avaa linkki","Remove link":"Poista linkki","Anchors":"Ankkurit","Link...":"Linkki...","Paste or type a link":"Liit\xe4 tai kirjoita linkki","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Antamasi osoite n\xe4ytt\xe4\xe4 olevan s\xe4hk\xf6postiosoite. Haluatko lis\xe4t\xe4 osoitteeseen vaaditun mailto: -etuliitteen?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Antamasi osoite n\xe4ytt\xe4\xe4 olevan ulkoinen linkki. Haluatko lis\xe4t\xe4 osoitteeseen vaaditun http:// -etuliitteen?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Sy\xf6tt\xe4m\xe4si osoite n\xe4ytt\xe4\xe4 olevan ulkoinen linkki. Haluatko lis\xe4t\xe4 vaaditun https://-etuliitteen?","Link list":"Linkkiluettelo","Insert video":"Lis\xe4\xe4 video","Insert/edit video":"Lis\xe4\xe4 video/muokkaa videota","Insert/edit media":"Lis\xe4\xe4 media/muokkaa mediaa","Alternative source":"Vaihtoehtoinen l\xe4hde","Alternative source URL":"Vaihtoehtoinen l\xe4hde-URL","Media poster (Image URL)":"Median julkaisija (kuvan URL)","Paste your embed code below:":"Liit\xe4 upotuskoodisi alapuolelle:","Embed":"Upota","Media...":"Media...","Nonbreaking space":"Sitova v\xe4lily\xf6nti","Page break":"Sivunvaihto","Paste as text":"Liit\xe4 tekstin\xe4","Preview":"Esikatselu","Print":"Tulosta","Print...":"Tulosta","Save":"Tallenna","Find":"Etsi","Replace with":"Korvaa kohteella","Replace":"Korvaa","Replace all":"Korvaa kaikki","Previous":"Edellinen","Next":"Seuraava","Find and Replace":"Etsi ja korvaa","Find and replace...":"Etsi ja korvaa...","Could not find the specified string.":"Haettua merkkijonoa ei l\xf6ytynyt.","Match case":"Sama kirjainkoko","Find whole words only":"Etsi vain kokonaisia sanoja","Find in selection":"Etsi valinnasta","Insert table":"Lis\xe4\xe4 taulukko","Table properties":"Taulukon ominaisuudet","Delete table":"Poista taulukko","Cell":"Solu","Row":"Rivi","Column":"Sarake","Cell properties":"Solun ominaisuudet","Merge cells":"Yhdist\xe4 solut","Split cell":"Jaa solu","Insert row before":"Lis\xe4\xe4 rivi ennen","Insert row after":"Lis\xe4\xe4 rivi j\xe4lkeen","Delete row":"Poista rivi","Row properties":"Rivin ominaisuudet","Cut row":"Leikkaa rivi","Cut column":"Leikkaa sarake","Copy row":"Kopioi rivi","Copy column":"Kopioi sarake","Paste row before":"Liit\xe4 rivi ennen","Paste column before":"Liit\xe4 sarake ennen","Paste row after":"Liit\xe4 rivi j\xe4lkeen","Paste column after":"Liit\xe4 sarake j\xe4lkeen","Insert column before":"Lis\xe4\xe4 sarake ennen","Insert column after":"Lis\xe4\xe4 sarake j\xe4lkeen","Delete column":"Poista sarake","Cols":"Sarakkeet","Rows":"Rivit","Width":"Leveys","Height":"Korkeus","Cell spacing":"Solun v\xe4li","Cell padding":"Solun tyhj\xe4 tila","Row clipboard actions":"Rivin leikep\xf6yt\xe4toiminnot","Column clipboard actions":"Sarakkeen leikep\xf6yt\xe4toiminnot","Table styles":"Taulukon tyylit","Cell styles":"Solun tyylit","Column header":"Sarakkeen otsikko","Row header":"Rivin otsikko","Table caption":"Taulukon selitysteksti","Caption":"Seloste","Show caption":"N\xe4yt\xe4 kuvateksti","Left":"Vasen","Center":"Keskitetty","Right":"Oikea","Cell type":"Solutyyppi","Scope":"Laajuus","Alignment":"Tasaus","Horizontal align":"Vaakasuuntainen tasaus","Vertical align":"Pystysuuntainen tasaus","Top":"Yl\xe4","Middle":"Keski","Bottom":"Ala","Header cell":"Otsikkosolu","Row group":"Riviryhm\xe4","Column group":"Sarakeryhm\xe4","Row type":"Rivityyppi","Header":"Yl\xe4tunniste","Body":"Runko","Footer":"Alatunniste","Border color":"Reunuksen v\xe4ri","Solid":"Yksinkertainen","Dotted":"Pisteet","Dashed":"Katkoviiva","Double":"Kaksinkertainen","Groove":"Ura","Ridge":"Harjanne","Inset":"Upotettu","Outset":"Korotettu","Hidden":"Piilotettu","Insert template...":"Lis\xe4\xe4 malli...","Templates":"Mallit","Template":"Malli","Insert Template":"Lis\xe4\xe4 malli","Text color":"Tekstin v\xe4ri","Background color":"Taustan v\xe4ri","Custom...":"Mukautettu...","Custom color":"Mukautettu v\xe4ri","No color":"Ei v\xe4ri\xe4","Remove color":"Poista v\xe4ri","Show blocks":"N\xe4yt\xe4 lohkot","Show invisible characters":"N\xe4yt\xe4 n\xe4kym\xe4tt\xf6m\xe4t merkit","Word count":"Sanam\xe4\xe4r\xe4","Count":"M\xe4\xe4r\xe4","Document":"Tiedosto","Selection":"Valinta","Words":"Sanaa","Words: {0}":"Sanat: {0} ","{0} words":"{0} sanaa","File":"Tiedosto","Edit":"Muokkaa","Insert":"Lis\xe4\xe4","View":"N\xe4yt\xe4","Format":"Muotoilu","Table":"Taulukko","Tools":"Ty\xf6kalut","Powered by {0}":"Tarjoaja: {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Rikastetun tekstin alue. Paina ALT-F9 valikkoon. Paina ALT-F10 ty\xf6kaluriviin. Paina ALT-0 ohjeeseen.","Image title":"Kuvan otsikko","Border width":"Reunuksen leveys","Border style":"Reunuksen tyyli","Error":"Virhe","Warn":"Varoitus","Valid":"Voimassa","To open the popup, press Shift+Enter":"Avaa ponnahdusikkuna painamalla Shift+Enter","Rich Text Area":"Rikastetun tekstin alue","Rich Text Area. Press ALT-0 for help.":"Rikastetun tekstin alue. Avaa ohje painamalla ALT-0.","System Font":"J\xe4rjestelm\xe4fontti","Failed to upload image: {0}":"Kuvan lataus ep\xe4onnistui: {0}","Failed to load plugin: {0} from url {1}":"Liit\xe4nn\xe4isen lataus ep\xe4onnistui: {0} url:st\xe4 {1}","Failed to load plugin url: {0}":"Liit\xe4nn\xe4isen url:n lataus ep\xe4onnistui: {0}","Failed to initialize plugin: {0}":"Liit\xe4nn\xe4isen alustus ep\xe4onnistui: {0}","example":"esimerkki","Search":"Etsi","All":"Kaikki","Currency":"Valuutta","Text":"Teksti","Quotations":"Lainaukset","Mathematical":"Matemaattiset","Extended Latin":"Laajennettu latina","Symbols":"Symbolit","Arrows":"Nuolet","User Defined":"K\xe4ytt\xe4j\xe4m\xe4\xe4ritetty","dollar sign":"dollarimerkki","currency sign":"valuuttamerkki","euro-currency sign":"eurovaluuttamerkki","colon sign":"kaksoispisteen merkki","cruzeiro sign":"cruzeiro-merkki","french franc sign":"ranskalaisen frangin merkki","lira sign":"liiran merkki","mill sign":"millin merkki","naira sign":"nairan merkki","peseta sign":"pesetan merkki","rupee sign":"rupian merkki","won sign":"wonin merkki","new sheqel sign":"uuden sekelin merkki","dong sign":"dongin merkki","kip sign":"kipin merkki","tugrik sign":"tugrikin merkki","drachma sign":"drakman merkki","german penny symbol":"saksalaisen pennin merkki","peso sign":"peson merkki","guarani sign":"guaranin merkki","austral sign":"australin merkki","hryvnia sign":"hryvnian merkki","cedi sign":"cedin merkki","livre tournois sign":"livre tournoisin merkki","spesmilo sign":"spesmilon merkki","tenge sign":"tengen merkki","indian rupee sign":"intialaisen rupian merkki","turkish lira sign":"turkkilaisen liiran merkki","nordic mark sign":"pohjoismaisen markan merkki","manat sign":"manatin merkki","ruble sign":"ruplan merkki","yen character":"jenin merkki","yuan character":"juanin merkki","yuan character, in hong kong and taiwan":"juanin merkki, Hongkongissa ja Taiwanissa","yen/yuan character variant one":"jenin/juanin merkin variantti","Emojis":"Emojit","Emojis...":"Emojit...","Loading emojis...":"Ladataan emojeita...","Could not load emojis":"Emojeita ei voitu ladata","People":"Ihmiset","Animals and Nature":"El\xe4imet ja luonto","Food and Drink":"Ruoka ja juoma","Activity":"Aktiviteetit","Travel and Places":"Matkailu ja paikat","Objects":"Esineet","Flags":"Liput","Characters":"Merkki\xe4","Characters (no spaces)":"Merkki\xe4 (ilman v\xe4lily\xf6ntej\xe4)","{0} characters":"{0} merkki\xe4","Error: Form submit field collision.":"Virhe: lomakkeen l\xe4hetyskent\xe4n t\xf6rm\xe4ys.","Error: No form element found.":"Virhe: muotoelementti\xe4 ei l\xf6ytynyt.","Color swatch":"V\xe4rin\xe4yte","Color Picker":"V\xe4rivalitsin","Invalid hex color code: {0}":"Kelvoton heksav\xe4rikoodi: {0}","Invalid input":"Kelvoton sy\xf6te","R":"P","Red component":"Punainen komponentti","G":"V","Green component":"Vihre\xe4 komponentti","B":"S","Blue component":"Sininen komponentti","#":"#","Hex color code":"Heksav\xe4rikoodi","Range 0 to 255":"V\xe4lill\xe4 0\u2013255","Turquoise":"Turkoosi","Green":"Vihre\xe4","Blue":"Sininen","Purple":"Purppura","Navy Blue":"Laivastonsininen","Dark Turquoise":"Tumma turkoosi","Dark Green":"Tumma vihre\xe4","Medium Blue":"Keskitumma sininen","Medium Purple":"Keskitumma purppura","Midnight Blue":"keskiy\xf6n sininen","Yellow":"Keltainen","Orange":"Oranssi","Red":"Punainen","Light Gray":"Vaaleanharmaa","Gray":"Harmaa","Dark Yellow":"Tummankeltainen","Dark Orange":"Tumma oranssi","Dark Red":"Tumma punainen","Medium Gray":"Keskiharmaa","Dark Gray":"Tummanharmaa","Light Green":"Vaaleanvihre\xe4","Light Yellow":"Vaaleankeltainen","Light Red":"Vaaleanpunainen","Light Purple":"Liila","Light Blue":"Vaaleansininen","Dark Purple":"Tummanvioletti","Dark Blue":"Tummansininen","Black":"Musta","White":"Valkoinen","Switch to or from fullscreen mode":"Vaihda kokon\xe4ytt\xf6\xf6n tai kokon\xe4yt\xf6st\xe4","Open help dialog":"Avaa ohjeen valintaikkuna","history":"historia","styles":"tyylit","formatting":"muotoiltu","alignment":"tasaus","indentation":"sisennys","Font":"Fontti","Size":"Koko","More...":"Lis\xe4\xe4...","Select...":"Valitse...","Preferences":"Asetukset","Yes":"Kyll\xe4","No":"Ei","Keyboard Navigation":"Navigointi n\xe4pp\xe4imist\xf6ll\xe4","Version":"Versio","Code view":"Koodin\xe4kym\xe4","Open popup menu for split buttons":"Avaa ponnahdusikkuna jaetuille napeille","List Properties":"Listan ominaisuudet","List properties...":"Listan ominaisuudet...","Start list at number":"Aloita lista numerosta","Line height":"Tekstirivin korkeus","Dropped file type is not supported":"Pudotettu tiedostotyyppi ei ole tuettu","Loading...":"Ladataan...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP-virhe: Pyynt\xf6 hyl\xe4ttiin","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP-virhe: Kuvaproxy\xe4 ei l\xf6ytynyt","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP-virhe: V\xe4\xe4r\xe4 kuvaproxyn osoite","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP-virhe: Tuntematon ImageProxy-virhe"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/fo.js b/deform/static/tinymce/langs/fo.js deleted file mode 100644 index c6fc5eb0..00000000 --- a/deform/static/tinymce/langs/fo.js +++ /dev/null @@ -1,156 +0,0 @@ -tinymce.addI18n('fo',{ -"Cut": "Klipp", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "T\u00edn kagi hevur ikki beinlei\u00f0is atgongd til setibor\u00f0i\u00f0. Vinarliga br\u00faka CTRL+X\/C\/V snarvegirnar \u00edsta\u00f0in.", -"Paste": "L\u00edma", -"Close": "Lat aftur", -"Align right": "H\u00f8gra stilla", -"New document": "N\u00fdtt skjal", -"Numbered list": "Tal listi", -"Increase indent": "vaks inndr\u00e1tt", -"Formats": "Sni\u00f0", -"Select all": "Vel alt", -"Undo": "Angra ger", -"Strikethrough": "Strika \u00edgj\u00f8gnum", -"Bullet list": "Punkt listi", -"Superscript": "H\u00e1skrift", -"Clear formatting": "Strika sni\u00f0", -"Subscript": "L\u00e1gskrift", -"Redo": "Ger aftur", -"Ok": "Ok", -"Bold": "Feit", -"Italic": "Sk\u00e1ktekstur", -"Align center": "Mi\u00f0set", -"Decrease indent": "Minka inndr\u00e1tt", -"Underline": "Undirstrika", -"Cancel": "\u00d3gilda", -"Justify": "L\u00edka breddar", -"Copy": "Avrita", -"Align left": "Vinstra stilla", -"Visual aids": "Sj\u00f3nhj\u00e1lp", -"Lower Greek": "L\u00edti Grikskt", -"Square": "Fj\u00f3rhyrningur", -"Default": "Forsettur", -"Lower Alpha": "L\u00edti Alfa", -"Circle": "Ringur", -"Disc": "Skiva", -"Upper Alpha": "St\u00f3rt Alfa", -"Upper Roman": "St\u00f3rt R\u00f3mverskt", -"Lower Roman": "L\u00edti R\u00f3mverskt", -"Name": "Navn", -"Anchor": "Akker", -"You have unsaved changes are you sure you want to navigate away?": "T\u00fa hevur ikki goymdar broytingar. Ert t\u00fa v\u00edsur \u00ed at t\u00fa vilt halda fram?", -"Restore last draft": "Endurskapa seinasta uppkast", -"Special character": "Serst\u00f8k tekn", -"Source code": "keldukoda", -"Right to left": "H\u00f8gra til vinstra", -"Left to right": "Vinstra til h\u00f8gra", -"Emoticons": "Emotikonur", -"Robots": "Robottar", -"Document properties": "Skjal eginleikar", -"Title": "Heiti", -"Keywords": "Leitior\u00f0", -"Encoding": "Koding", -"Description": "L\u00fdsing", -"Author": "H\u00f8vundur", -"Fullscreen": "Fullan sk\u00edggja", -"Horizontal line": "Vatnr\u00f8tt linja", -"Horizontal space": "Vatnr\u00e6tt fr\u00e1st\u00f8\u00f0a", -"Insert\/edit image": "Innset\/r\u00e6tta mynd", -"General": "Vanligt", -"Advanced": "Framkomi", -"Source": "Kelda", -"Border": "Rammi", -"Constrain proportions": "Var\u00f0veit lutfall", -"Vertical space": "Loddr\u00e6t fr\u00e1st\u00f8\u00f0a", -"Image description": "L\u00fdsing av mynd", -"Style": "St\u00edlur", -"Dimensions": "St\u00f8dd", -"Insert date\/time": "Innset dag\/t\u00ed\u00f0", -"Url": "Url", -"Text to display": "Tekstur at v\u00edsa", -"Insert link": "Innset leinkju", -"New window": "N\u00fdggjan glugga", -"None": "Eingin", -"Target": "M\u00e1l", -"Insert\/edit link": "Innset\/r\u00e6tta leinkju", -"Insert\/edit video": "Innset\/r\u00e6tta kykmynd", -"Poster": "Uppslag", -"Alternative source": "Onnur kelda", -"Paste your embed code below:": "Innset ta\u00f0 kodu, sum skal leggjast inn \u00ed, ni\u00f0anfyri:", -"Insert video": "Innset kykmynd", -"Embed": "Legg inn \u00ed", -"Nonbreaking space": "Hart millumr\u00fam", -"Page break": "S\u00ed\u00f0uskift", -"Preview": "V\u00eds frammanundan", -"Print": "Prenta", -"Save": "Goym", -"Could not find the specified string.": "Kundi ikki finna leititekst", -"Replace": "Set \u00edsta\u00f0in", -"Next": "N\u00e6sta", -"Whole words": "Heil or\u00f0", -"Find and replace": "Finn og set \u00edsta\u00f0in", -"Replace with": "Set hetta \u00edsta\u00f0in", -"Find": "Finn", -"Replace all": "Set \u00edsta\u00f0in fyri \u00f8ll", -"Match case": "ST\u00d3RIR og l\u00edtlir b\u00f3kstavir", -"Prev": "Fyrra", -"Spellcheck": "R\u00e6ttstavari", -"Finish": "Enda", -"Ignore all": "Leyp alt um", -"Ignore": "Leyp um", -"Insert row before": "Innset ra\u00f0 \u00e1\u00f0renn", -"Rows": "Ra\u00f0ir", -"Height": "H\u00e6dd", -"Paste row after": "L\u00edma ra\u00f0 aftan\u00e1", -"Alignment": "Stilling", -"Column group": "Teig b\u00f3lkur", -"Row": "Ra\u00f0", -"Insert column before": "Innset teig \u00e1\u00f0renn", -"Split cell": "Syndra puntar", -"Cell padding": "Punt fylling", -"Cell spacing": "Punt fr\u00e1st\u00f8\u00f0a", -"Row type": "Ra\u00f0 slag", -"Insert table": "Innset talvu", -"Body": "Likam", -"Caption": "Tekstur", -"Footer": "F\u00f3tur", -"Delete row": "Skrika ra\u00f0", -"Paste row before": "L\u00edma ra\u00f0 \u00e1\u00f0renn", -"Scope": "N\u00fdtslu\u00f8ki", -"Delete table": "Strika talvu", -"Header cell": "H\u00f8vd puntur", -"Column": "Teigur", -"Cell": "Puntur", -"Header": "H\u00f8vd", -"Cell type": "Punt slag", -"Copy row": "Avrita ra\u00f0", -"Row properties": "Ra\u00f0 eginleikar", -"Table properties": "Talvu eginleikar", -"Row group": "Ra\u00f0 b\u00f3lkur", -"Right": "H\u00f8gra", -"Insert column after": "Innset teig aftan\u00e1", -"Cols": "Teigar", -"Insert row after": "Innset ra\u00f0 aftan\u00e1", -"Width": "Breidd", -"Cell properties": "Punt eginleikar", -"Left": "Vinstra", -"Cut row": "Klipp ra\u00f0", -"Delete column": "Strika teig", -"Center": "Mi\u00f0a", -"Merge cells": "Fl\u00e6tta puntar", -"Insert template": "Innset form", -"Templates": "Formur", -"Background color": "Bakgrundslitur", -"Text color": "Tekst litur", -"Show blocks": "V\u00eds blokkar", -"Show invisible characters": "V\u00eds \u00f3sj\u00f3nlig tekn", -"Words: {0}": "Or\u00f0: {0}", -"Insert": "Innset", -"File": "F\u00edla", -"Edit": "Ritstj\u00f3rna", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "R\u00edkt Tekst \u00d8ki. Tr\u00fdst ALT-F9 fyri valmynd. Tr\u00fdst ALT-F10 fyri ambo\u00f0slinju. Tr\u00fdst ALT-0 fyri hj\u00e1lp", -"Tools": "Ambo\u00f0", -"View": "V\u00eds", -"Table": "Talva", -"Format": "Smi\u00f0" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/fr_FR.js b/deform/static/tinymce/langs/fr_FR.js index b2978b86..4be30ed0 100644 --- a/deform/static/tinymce/langs/fr_FR.js +++ b/deform/static/tinymce/langs/fr_FR.js @@ -1,175 +1 @@ -tinymce.addI18n('fr_FR',{ -"Cut": "Couper", -"Header 2": "En-t\u00eate 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Votre navigateur ne supporte pas la copie directe. Merci d'utiliser les touches Ctrl+X\/C\/V.", -"Div": "Div", -"Paste": "Coller", -"Close": "Fermer", -"Pre": "Pre", -"Align right": "Aligner \u00e0 droite", -"New document": "Nouveau document", -"Blockquote": "Citation", -"Numbered list": "Num\u00e9rotation", -"Increase indent": "Augmenter le retrait", -"Formats": "Formats", -"Headers": "En-t\u00eates", -"Select all": "Tout s\u00e9lectionner", -"Header 3": "En-t\u00eate 3", -"Blocks": "Blocs", -"Undo": "Annuler", -"Strikethrough": "Barr\u00e9", -"Bullet list": "Puces", -"Header 1": "En-t\u00eate 1", -"Superscript": "Exposant", -"Clear formatting": "Effacer la mise en forme", -"Subscript": "Indice", -"Header 6": "En-t\u00eate 6", -"Redo": "R\u00e9tablir", -"Paragraph": "Paragraphe", -"Ok": "Ok", -"Bold": "Gras", -"Code": "Code", -"Italic": "Italique", -"Align center": "Aligner au centre", -"Header 5": "En-t\u00eate 5", -"Decrease indent": "Diminuer le retrait", -"Header 4": "En-t\u00eate 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Le presse-papiers est maintenant en mode \"texte plein\". Les contenus seront coll\u00e9s sans retenir les formatages jusqu'\u00e0 ce que vous d\u00e9sactiviez cette option.", -"Underline": "Soulign\u00e9", -"Cancel": "Annuler", -"Justify": "Justifi\u00e9", -"Inline": "en place", -"Copy": "Copier", -"Align left": "Aligner \u00e0 gauche", -"Visual aids": "Aides visuelle", -"Lower Greek": "Grec minuscule", -"Square": "Carr\u00e9", -"Default": "Par d\u00e9faut", -"Lower Alpha": "Alpha inf\u00e9rieure", -"Circle": "Cercle", -"Disc": "Disque", -"Upper Alpha": "Alpha majuscule", -"Upper Roman": "Romain majuscule", -"Lower Roman": "Romain minuscule", -"Name": "Nom", -"Anchor": "Ancre", -"You have unsaved changes are you sure you want to navigate away?": "Vous avez des modifications non enregistr\u00e9es, \u00eates-vous s\u00fbr de quitter la page?", -"Restore last draft": "Restaurer le dernier brouillon", -"Special character": "Caract\u00e8res sp\u00e9ciaux", -"Source code": "Code source", -"Right to left": "Droite \u00e0 gauche", -"Left to right": "Gauche \u00e0 droite", -"Emoticons": "Emotic\u00f4nes", -"Robots": "Robots", -"Document properties": "Propri\u00e9t\u00e9 du document", -"Title": "Titre", -"Keywords": "Mots-cl\u00e9s", -"Encoding": "Encodage", -"Description": "Description", -"Author": "Auteur", -"Fullscreen": "Plein \u00e9cran", -"Horizontal line": "Ligne horizontale", -"Horizontal space": "Espacement horizontal", -"Insert\/edit image": "Ins\u00e9rer\/\u00e9diter une image", -"General": "G\u00e9n\u00e9ral", -"Advanced": "Avanc\u00e9", -"Source": "Source", -"Border": "Bordure", -"Constrain proportions": "Contraindre les proportions", -"Vertical space": "Espacement vertical", -"Image description": "Description de l'image", -"Style": "Style", -"Dimensions": "Dimensions", -"Insert image": "Ins\u00e9rer une image", -"Insert date\/time": "Ins\u00e9rer date\/heure", -"Remove link": "Enlever le lien", -"Url": "Url", -"Text to display": "Texte \u00e0 afficher", -"Anchors": "Ancre", -"Insert link": "Ins\u00e9rer un lien", -"New window": "Nouvelle fen\u00eatre", -"None": "n\/a", -"Target": "Cible", -"Insert\/edit link": "Ins\u00e9rer\/\u00e9diter un lien", -"Insert\/edit video": "Ins\u00e9rer\/\u00e9diter une vid\u00e9o", -"Poster": "Afficher", -"Alternative source": "Source alternative", -"Paste your embed code below:": "Collez votre code d'int\u00e9gration ci-dessous :", -"Insert video": "Ins\u00e9rer une vid\u00e9o", -"Embed": "Int\u00e9grer", -"Nonbreaking space": "Espace ins\u00e9cable", -"Page break": "Saut de page", -"Paste as text": "Coller comme texte", -"Preview": "Pr\u00e9visualiser", -"Print": "Imprimer", -"Save": "Enregistrer", -"Could not find the specified string.": "Impossible de trouver la cha\u00eene sp\u00e9cifi\u00e9e.", -"Replace": "Remplacer", -"Next": "Suiv", -"Whole words": "Mots entiers", -"Find and replace": "Trouver et remplacer", -"Replace with": "Remplacer par", -"Find": "Chercher", -"Replace all": "Tout remplacer", -"Match case": "Respecter la casse", -"Prev": "Pr\u00e9c ", -"Spellcheck": "V\u00e9rification orthographique", -"Finish": "Finie", -"Ignore all": "Tout ignorer", -"Ignore": "Ignorer", -"Insert row before": "Ins\u00e9rer une ligne avant", -"Rows": "Lignes", -"Height": "Hauteur", -"Paste row after": "Coller la ligne apr\u00e8s", -"Alignment": "Alignement", -"Column group": "Groupe de colonnes", -"Row": "Ligne", -"Insert column before": "Ins\u00e9rer une colonne avant", -"Split cell": "Diviser la cellule", -"Cell padding": "Espacement interne cellule", -"Cell spacing": "Espacement inter-cellulles", -"Row type": "Type de ligne", -"Insert table": "Ins\u00e9rer un tableau", -"Body": "Corps", -"Caption": "Titre", -"Footer": "Pied", -"Delete row": "Effacer la ligne", -"Paste row before": "Coller la ligne avant", -"Scope": "Etendue", -"Delete table": "Supprimer le tableau", -"Header cell": "Cellule d'en-t\u00eate", -"Column": "Colonne", -"Cell": "Cellule", -"Header": "En-t\u00eate", -"Cell type": "Type de cellule", -"Copy row": "Copier la ligne", -"Row properties": "Propri\u00e9t\u00e9s de la ligne", -"Table properties": "Propri\u00e9t\u00e9s du tableau", -"Row group": "Groupe de lignes", -"Right": "Droite", -"Insert column after": "Ins\u00e9rer une colonne apr\u00e8s", -"Cols": "Colonnes", -"Insert row after": "Ins\u00e9rer une ligne apr\u00e8s", -"Width": "Largeur", -"Cell properties": "Propri\u00e9t\u00e9s de la cellule", -"Left": "Gauche", -"Cut row": "Couper la ligne", -"Delete column": "Effacer la colonne", -"Center": "Centr\u00e9", -"Merge cells": "Fusionner les cellules", -"Insert template": "Ajouter un th\u00e8me", -"Templates": "Th\u00e8mes", -"Background color": "Couleur d'arri\u00e8re-plan", -"Text color": "Couleur du texte", -"Show blocks": "Afficher les blocs", -"Show invisible characters": "Afficher les caract\u00e8res invisibles", -"Words: {0}": "Mots : {0}", -"Insert": "Ins\u00e9rer", -"File": "Fichier", -"Edit": "Editer", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Zone Texte Riche. Appuyer sur ALT-F9 pour le menu. Appuyer sur ALT-F10 pour la barre d'outils. Appuyer sur ALT-0 pour de l'aide.", -"Tools": "Outils", -"View": "Voir", -"Table": "Tableau", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("fr_FR",{"Redo":"R\xe9tablir","Undo":"Annuler","Cut":"Couper","Copy":"Copier","Paste":"Coller","Select all":"S\xe9lectionner tout","New document":"Nouveau document","Ok":"OK","Cancel":"Annuler","Visual aids":"Aides visuelles","Bold":"Gras","Italic":"Italique","Underline":"Soulign\xe9","Strikethrough":"Barr\xe9","Superscript":"Exposant","Subscript":"Indice","Clear formatting":"Effacer la mise en forme","Remove":"Retir\xe9","Align left":"Aligner \xe0 gauche","Align center":"Centrer","Align right":"Aligner \xe0 droite","No alignment":"Aucun alignement","Justify":"Justifier","Bullet list":"Liste \xe0 puces","Numbered list":"Liste num\xe9rot\xe9e","Decrease indent":"R\xe9duire le retrait","Increase indent":"Augmenter le retrait","Close":"Fermer","Formats":"Formats","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Votre navigateur ne supporte pas l\u2019acc\xe8s direct au presse-papiers. Merci d'utiliser les raccourcis clavier Ctrl+X/C/V.","Headings":"Titres","Heading 1":"Titre\xa01","Heading 2":"Titre\xa02","Heading 3":"Titre\xa03","Heading 4":"Titre\xa04","Heading 5":"Titre\xa05","Heading 6":"Titre\xa06","Preformatted":"Pr\xe9format\xe9","Div":"Div","Pre":"Pr\xe9format\xe9","Code":"Code","Paragraph":"Paragraphe","Blockquote":"Bloc de citation","Inline":"En ligne","Blocks":"Blocs","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Le collage est maintenant en mode texte brut. Les contenus seront coll\xe9s sans retenir les formatages jusqu'\xe0 ce que vous d\xe9sactivez cette option.","Fonts":"Polices","Font sizes":"Tailles de police","Class":"Classe","Browse for an image":"Rechercher une image","OR":"OU","Drop an image here":"D\xe9poser une image ici","Upload":"T\xe9l\xe9charger","Uploading image":"T\xe9l\xe9versement d'une image","Block":"Bloc","Align":"Aligner","Default":"Par d\xe9faut","Circle":"Cercle","Disc":"Disque","Square":"Carr\xe9","Lower Alpha":"Alphabet en minuscules","Lower Greek":"Alphabet grec en minuscules","Lower Roman":"Chiffre romain inf\xe9rieur","Upper Alpha":"Alphabet en majuscules","Upper Roman":"Chiffre romain sup\xe9rieur","Anchor...":"Ancre...","Anchor":"Ancre","Name":"Nom","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"L'ID doit commencer par une lettre, suivie uniquement par des lettres, num\xe9ros, tirets, points, deux-points et underscores.","You have unsaved changes are you sure you want to navigate away?":"Vous avez des modifications non enregistr\xe9es, \xeates-vous s\xfbr de vouloir quitter la page\xa0?","Restore last draft":"Restaurer le dernier brouillon","Special character...":"Caract\xe8re sp\xe9cial...","Special Character":"Caract\xe8re sp\xe9cial","Source code":"Code source","Insert/Edit code sample":"Ins\xe9rer / modifier un bloc de code","Language":"Langue","Code sample...":"Exemple de code...","Left to right":"De gauche \xe0 droite","Right to left":"De droite \xe0 gauche","Title":"Titre","Fullscreen":"Plein \xe9cran","Action":"Action","Shortcut":"Raccourci","Help":"Aide","Address":"Adresse","Focus to menubar":"Mettre le focus sur la barre de menu","Focus to toolbar":"Mettre le focus sur la barre d'outils","Focus to element path":"Mettre le focus sur le chemin vers l'\xe9l\xe9ment","Focus to contextual toolbar":"Mettre le focus sur la barre d'outils contextuelle","Insert link (if link plugin activated)":"Ins\xe9rer un lien (si le plug-in link est activ\xe9)","Save (if save plugin activated)":"Enregistrer (si le plug-in save est activ\xe9)","Find (if searchreplace plugin activated)":"Rechercher (si le plug-in searchreplace est activ\xe9)","Plugins installed ({0}):":"Plug-ins install\xe9s ({0})\xa0:","Premium plugins:":"Plug-ins premium\xa0:","Learn more...":"En savoir plus...","You are using {0}":"Vous utilisez {0}","Plugins":"Plug-ins","Handy Shortcuts":"Raccourcis utiles","Horizontal line":"Ligne horizontale","Insert/edit image":"Ins\xe9rer/modifier image","Alternative description":"Description alternative","Accessibility":"Accessibilit\xe9","Image is decorative":"L'image est d\xe9corative","Source":"Source","Dimensions":"Dimensions","Constrain proportions":"Limiter les proportions","General":"G\xe9n\xe9ral","Advanced":"Options avanc\xe9es","Style":"Style","Vertical space":"Espace vertical","Horizontal space":"Espace horizontal","Border":"Bordure","Insert image":"Ins\xe9rer une image","Image...":"Image...","Image list":"Liste des images","Resize":"Redimensionner","Insert date/time":"Ins\xe9rer date/heure","Date/time":"Date/heure","Insert/edit link":"Ins\xe9rer/modifier lien","Text to display":"Texte \xe0 afficher","Url":"URL","Open link in...":"Ouvrir le lien dans...","Current window":"Fen\xeatre active","None":"Aucun","New window":"Nouvelle fen\xeatre","Open link":"Ouvrir le lien","Remove link":"Enlever le lien","Anchors":"Ancres","Link...":"Lien...","Paste or type a link":"Coller ou taper un lien","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"L'URL que vous avez saisi semble \xeatre une adresse e-mail. Souhaitez-vous y ajouter le pr\xe9fixe requis mailto:\xa0?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"L'URL que vous avez saisi semble \xeatre un lien externe. Souhaitez-vous y ajouter le pr\xe9fixe requis mailto:\xa0?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"L'URL que vous avez saisie semble \xeatre un lien externe. Voulez-vous ajouter le pr\xe9fixe https:// requis\xa0?","Link list":"Liste des liens","Insert video":"Ins\xe9rer une vid\xe9o","Insert/edit video":"Ins\xe9rer/modifier une vid\xe9o","Insert/edit media":"Ins\xe9rer/modifier un m\xe9dia","Alternative source":"Source alternative","Alternative source URL":"URL de la source alternative","Media poster (Image URL)":"Affiche de m\xe9dia (URL de l'image)","Paste your embed code below:":"Collez votre code incorpor\xe9 ci-dessous :","Embed":"Incorporer","Media...":"M\xe9dia...","Nonbreaking space":"Espace ins\xe9cable","Page break":"Saut de page","Paste as text":"Coller comme texte","Preview":"Aper\xe7u","Print":"Imprimer","Print...":"Imprimer...","Save":"Enregistrer","Find":"Rechercher","Replace with":"Remplacer par","Replace":"Remplacer","Replace all":"Remplacer tout","Previous":"Pr\xe9c\xe9dente","Next":"Suivante","Find and Replace":"Trouver et remplacer","Find and replace...":"Trouver et remplacer...","Could not find the specified string.":"Impossible de trouver la cha\xeene sp\xe9cifi\xe9e.","Match case":"Respecter la casse","Find whole words only":"Mot entier","Find in selection":"Trouver dans la s\xe9lection","Insert table":"Ins\xe9rer un tableau","Table properties":"Propri\xe9t\xe9s du tableau","Delete table":"Supprimer le tableau","Cell":"Cellule","Row":"Ligne","Column":"Colonne","Cell properties":"Propri\xe9t\xe9s de la cellule","Merge cells":"Fusionner les cellules","Split cell":"Diviser la cellule","Insert row before":"Ins\xe9rer une ligne avant","Insert row after":"Ins\xe9rer une ligne apr\xe8s","Delete row":"Supprimer la ligne","Row properties":"Propri\xe9t\xe9s de la ligne","Cut row":"Couper la ligne","Cut column":"Couper la colonne","Copy row":"Copier la ligne","Copy column":"Copier la colonne","Paste row before":"Coller la ligne avant","Paste column before":"Coller la colonne avant","Paste row after":"Coller la ligne apr\xe8s","Paste column after":"Coller la colonne apr\xe8s","Insert column before":"Ins\xe9rer une colonne avant","Insert column after":"Ins\xe9rer une colonne apr\xe8s","Delete column":"Supprimer la colonne","Cols":"Colonnes","Rows":"Lignes","Width":"Largeur","Height":"Hauteur","Cell spacing":"Espacement entre les cellules","Cell padding":"Marge int\xe9rieure des cellules","Row clipboard actions":"Actions du presse-papiers des lignes","Column clipboard actions":"Actions du presse-papiers des colonnes","Table styles":"Style tableau","Cell styles":"Type de cellule","Column header":"En-t\xeate de colonne","Row header":"En-t\xeate de ligne","Table caption":"L\xe9gende de tableau","Caption":"L\xe9gende","Show caption":"Afficher une l\xe9gende","Left":"Gauche","Center":"Centre","Right":"Droite","Cell type":"Type de cellule","Scope":"\xc9tendue","Alignment":"Alignement","Horizontal align":"Alignement horizontal","Vertical align":"Alignement vertical","Top":"En haut","Middle":"Au milieu","Bottom":"En bas","Header cell":"Cellule d'en-t\xeate","Row group":"Groupe de lignes","Column group":"Groupe de colonnes","Row type":"Type de ligne","Header":"En-t\xeate","Body":"Corps","Footer":"Pied de page","Border color":"Couleur de bordure","Solid":"Trait continu","Dotted":"Pointill\xe9","Dashed":"Tirets","Double":"Deux traits continus","Groove":"Sculpt\xe9","Ridge":"Extrud\xe9","Inset":"Incrust\xe9","Outset":"Relief","Hidden":"Masqu\xe9","Insert template...":"Ins\xe9rer un mod\xe8le...","Templates":"Mod\xe8les","Template":"Mod\xe8le","Insert Template":"Ins\xe9rer le mod\xe8le","Text color":"Couleur du texte","Background color":"Couleur d'arri\xe8re-plan","Custom...":"Personnalis\xe9e...","Custom color":"Couleur personnalis\xe9e","No color":"Aucune couleur","Remove color":"Supprimer la couleur","Show blocks":"Afficher les blocs","Show invisible characters":"Afficher les caract\xe8res invisibles","Word count":"Nombre de mots","Count":"Total","Document":"Document","Selection":"S\xe9lection","Words":"Mots","Words: {0}":"Mots\xa0: {0}","{0} words":"{0} mots","File":"Fichier","Edit":"Modifier","Insert":"Ins\xe9rer","View":"Afficher","Format":"Format","Table":"Tableau","Tools":"Outils","Powered by {0}":"Avec {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Zone de Texte Riche. Appuyez sur ALT-F9 pour le menu. Appuyez sur ALT-F10 pour la barre d'outils. Appuyez sur ALT-0 pour l'aide","Image title":"Titre d'image","Border width":"\xc9paisseur de la bordure","Border style":"Style de la bordure","Error":"Erreur","Warn":"Avertir","Valid":"Valide","To open the popup, press Shift+Enter":"Pour ouvrir la popup, appuyez sur Maj+Entr\xe9e","Rich Text Area":"Zone de Texte Riche","Rich Text Area. Press ALT-0 for help.":"Zone de Texte Riche. Appuyez sur ALT-0 pour l'aide.","System Font":"Police syst\xe8me","Failed to upload image: {0}":"\xc9chec d'envoi de l'image\xa0: {0}","Failed to load plugin: {0} from url {1}":"\xc9chec de chargement du plug-in\xa0: {0} \xe0 partir de l\u2019URL {1}","Failed to load plugin url: {0}":"\xc9chec de chargement de l'URL du plug-in\xa0: {0}","Failed to initialize plugin: {0}":"\xc9chec d'initialisation du plug-in\xa0: {0}","example":"exemple","Search":"Rechercher","All":"Tout","Currency":"Devise","Text":"Texte","Quotations":"Citations","Mathematical":"Op\xe9rateurs math\xe9matiques","Extended Latin":"Latin \xe9tendu","Symbols":"Symboles","Arrows":"Fl\xe8ches","User Defined":"D\xe9fini par l'utilisateur","dollar sign":"Symbole dollar","currency sign":"Symbole devise","euro-currency sign":"Symbole euro","colon sign":"Symbole col\xf3n","cruzeiro sign":"Symbole cruzeiro","french franc sign":"Symbole franc fran\xe7ais","lira sign":"Symbole lire","mill sign":"Symbole milli\xe8me","naira sign":"Symbole naira","peseta sign":"Symbole peseta","rupee sign":"Symbole roupie","won sign":"Symbole won","new sheqel sign":"Symbole nouveau ch\xe9kel","dong sign":"Symbole dong","kip sign":"Symbole kip","tugrik sign":"Symbole tougrik","drachma sign":"Symbole drachme","german penny symbol":"Symbole pfennig","peso sign":"Symbole peso","guarani sign":"Symbole guarani","austral sign":"Symbole austral","hryvnia sign":"Symbole hryvnia","cedi sign":"Symbole cedi","livre tournois sign":"Symbole livre tournois","spesmilo sign":"Symbole spesmilo","tenge sign":"Symbole tenge","indian rupee sign":"Symbole roupie indienne","turkish lira sign":"Symbole lire turque","nordic mark sign":"Symbole du mark nordique","manat sign":"Symbole manat","ruble sign":"Symbole rouble","yen character":"Sinogramme Yen","yuan character":"Sinogramme Yuan","yuan character, in hong kong and taiwan":"Sinogramme Yuan, Hong Kong et Taiwan","yen/yuan character variant one":"Sinogramme Yen/Yuan, premi\xe8re variante","Emojis":"\xc9mojis","Emojis...":"\xc9mojis...","Loading emojis...":"Chargement des emojis...","Could not load emojis":"Impossible de charger les emojis","People":"Personnes","Animals and Nature":"Animaux & nature","Food and Drink":"Nourriture & boissons","Activity":"Activit\xe9","Travel and Places":"Voyages & lieux","Objects":"Objets","Flags":"Drapeaux","Characters":"Caract\xe8res","Characters (no spaces)":"Caract\xe8res (espaces non compris)","{0} characters":"{0}\xa0caract\xe8res","Error: Form submit field collision.":"Erreur\xa0: conflit de champs lors de la soumission du formulaire.","Error: No form element found.":"Erreur : aucun \xe9l\xe9ment de formulaire trouv\xe9.","Color swatch":"\xc9chantillon de couleurs","Color Picker":"S\xe9lecteur de couleurs","Invalid hex color code: {0}":"Code couleur hexad\xe9cimal invalide : {0}","Invalid input":"Entr\xe9e invalide","R":"R","Red component":"Composant rouge","G":"V","Green component":"Composant vert","B":"B","Blue component":"Composant bleu","#":"#","Hex color code":"Code couleur hexad\xe9cimal","Range 0 to 255":"Plage de 0 \xe0 255","Turquoise":"Turquoise","Green":"Vert","Blue":"Bleu","Purple":"Violet","Navy Blue":"Bleu marine","Dark Turquoise":"Turquoise fonc\xe9","Dark Green":"Vert fonc\xe9","Medium Blue":"Bleu moyen","Medium Purple":"Violet moyen","Midnight Blue":"Bleu de minuit","Yellow":"Jaune","Orange":"Orange","Red":"Rouge","Light Gray":"Gris clair","Gray":"Gris","Dark Yellow":"Jaune fonc\xe9","Dark Orange":"Orange fonc\xe9","Dark Red":"Rouge fonc\xe9","Medium Gray":"Gris moyen","Dark Gray":"Gris fonc\xe9","Light Green":"Vert clair","Light Yellow":"Jaune clair","Light Red":"Rouge clair","Light Purple":"Violet clair","Light Blue":"Bleu clair","Dark Purple":"Violet fonc\xe9","Dark Blue":"Bleu fonc\xe9","Black":"Noir","White":"Blanc","Switch to or from fullscreen mode":"Passer en ou quitter le mode plein \xe9cran","Open help dialog":"Ouvrir la bo\xeete de dialogue d'aide","history":"historique","styles":"styles","formatting":"mise en forme","alignment":"alignement","indentation":"retrait","Font":"Police","Size":"Taille","More...":"Plus...","Select...":"S\xe9lectionner...","Preferences":"Pr\xe9f\xe9rences","Yes":"Oui","No":"Non","Keyboard Navigation":"Navigation au clavier","Version":"Version","Code view":"Affichage du code","Open popup menu for split buttons":"Ouvrir le menu contextuel pour les boutons partag\xe9s","List Properties":"Propri\xe9t\xe9s de la liste","List properties...":"Lister les propri\xe9t\xe9s...","Start list at number":"Liste de d\xe9part au num\xe9ro","Line height":"Hauteur de la ligne","Dropped file type is not supported":"Le type de fichier d\xe9pos\xe9 n'est pas pris en charge","Loading...":"Chargement...","ImageProxy HTTP error: Rejected request":"Erreur HTTP d'ImageProxy : Requ\xeate rejet\xe9e","ImageProxy HTTP error: Could not find Image Proxy":"Erreur HTTP d'ImageProxy : Impossible de trouver ImageProxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"Erreur HTTP d'ImageProxy : URL de ImageProxy incorrecte","ImageProxy HTTP error: Unknown ImageProxy error":"Erreur HTTP d'ImageProxy : Erreur ImageProxy inconnue"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ga.js b/deform/static/tinymce/langs/ga.js new file mode 100644 index 00000000..15427029 --- /dev/null +++ b/deform/static/tinymce/langs/ga.js @@ -0,0 +1 @@ +tinymce.addI18n("ga",{"Redo":"Athdh\xe9an","Undo":"Cealaigh","Cut":"Gearr","Copy":"C\xf3ipe\xe1il","Paste":"Greamaigh","Select all":"Roghnaigh uile","New document":"C\xe1ip\xe9is nua","Ok":"OK","Cancel":"Cealaigh","Visual aids":"\xc1iseanna amhairc","Bold":"Trom","Italic":"Iod\xe1lach","Underline":"Fol\xedne","Strikethrough":"L\xedne tr\xedd","Superscript":"Forscript","Subscript":"Foscript","Clear formatting":"Glan form\xe1idi\xfa","Remove":"","Align left":"Ail\xednigh ar chl\xe9","Align center":"Ail\xednigh sa l\xe1r","Align right":"Ail\xednigh ar dheis","No alignment":"","Justify":"Comhfhadaigh","Bullet list":"Liosta Urchar","Numbered list":"Liosta Uimhrithe","Decrease indent":"Laghdaigh eang","Increase indent":"M\xe9adaigh eang","Close":"D\xfan","Formats":"Form\xe1id\xed","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"N\xed f\xe9idir le do bhrabhs\xe1la\xed teacht go d\xedreach ar an ngearrthaisce. Bain \xfas\xe1id as na haicearra\xed Ctrl+X/C/V. ","Headings":"Ceannteidil","Heading 1":"Ceannteideal 1","Heading 2":"Ceannteideal 2","Heading 3":"Ceannteideal 3","Heading 4":"Ceannteideal 4","Heading 5":"Ceannteideal 5","Heading 6":"Ceannteideal 6","Preformatted":"R\xe9amhfhorm\xe1idithe","Div":"Deighilt","Pre":"R\xe9amh","Code":"C\xf3d","Paragraph":"Alt","Blockquote":"Athfhriotal","Inline":"Inl\xedne","Blocks":"Blocanna","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Sa m\xf3d gn\xe1th-th\xe9acs anois. Gream\xf3far \xe1bhar mar ghn\xe1th-th\xe9acs go dt\xed go m\xfachfaidh t\xfa an rogha seo.","Fonts":"Cl\xf3fhoirne","Font sizes":"","Class":"Aicme","Browse for an image":"Brabhs\xe1il le haghaidh \xedomh\xe1","OR":"N\xd3","Drop an image here":"Scaoil \xedomh\xe1 anseo","Upload":"Uasl\xf3d\xe1il","Uploading image":"","Block":"Bloc","Align":"Ail\xednigh","Default":"R\xe9amhshocr\xfa","Circle":"Ciorcal","Disc":"Diosca","Square":"Cearn\xf3g","Lower Alpha":"Alfa Beag","Lower Greek":"Litir Bheag Ghr\xe9agach","Lower Roman":"Litir Bheag R\xf3mh\xe1nach","Upper Alpha":"Alfa M\xf3r","Upper Roman":"Litir Mh\xf3r R\xf3mh\xe1nach","Anchor...":"Ancaire...","Anchor":"","Name":"Ainm","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"T\xe1 athruithe gan s\xe1bh\xe1il ann. An bhfuil t\xfa cinnte gur mhaith leat imeacht amach as seo?","Restore last draft":"Oscail an dr\xe9acht is d\xe9ana\xed","Special character...":"Carachtar speisialta,,,","Special Character":"","Source code":"C\xf3d foinseach","Insert/Edit code sample":"Cuir sampla c\xf3id isteach/in eagar","Language":"Teanga","Code sample...":"Sampla c\xf3id","Left to right":"Cl\xe9-go-deas","Right to left":"Deas-go-cl\xe9","Title":"Teideal","Fullscreen":"L\xe1nsc\xe1ile\xe1n","Action":"Gn\xedomh","Shortcut":"Aicearra","Help":"Cabhair","Address":"Seoladh","Focus to menubar":"F\xf3cas sa bharra roghchl\xe1ir","Focus to toolbar":"F\xf3cas sa bharra uirlis\xed","Focus to element path":"F\xf3cas sa chonair eiliminte","Focus to contextual toolbar":"F\xf3cas sa bharra uirlis\xed comhth\xe9acs\xfail","Insert link (if link plugin activated)":"Cuir nasc isteach (m\xe1 t\xe1 an breise\xe1n naisc ar si\xfal)","Save (if save plugin activated)":"S\xe1bh\xe1il (m\xe1 t\xe1 an breise\xe1n s\xe1bh\xe1la ar si\xfal)","Find (if searchreplace plugin activated)":"Aimsigh (m\xe1 t\xe1 an breise\xe1n cuardaigh ar si\xfal)","Plugins installed ({0}):":"Breise\xe1in shuite\xe1ilte ({0}):","Premium plugins:":"Scothbhreise\xe1in:","Learn more...":"Tuilleadh eolais...","You are using {0}":"T\xe1 t\xfa ag \xfas\xe1id {0}","Plugins":"Breise\xe1in","Handy Shortcuts":"Aicearra\xed \xdas\xe1ideacha","Horizontal line":"L\xedne chothrom\xe1nach","Insert/edit image":"Cuir \xedomh\xe1 isteach/in eagar","Alternative description":"","Accessibility":"Inrochtaineacht","Image is decorative":"","Source":"Foinse","Dimensions":"Tois\xed","Constrain proportions":"Comhr\xe9ir faoi ghlas","General":"Ginear\xe1lta","Advanced":"Casta","Style":"St\xedl","Vertical space":"Sp\xe1s ingearach","Horizontal space":"Sp\xe1s cothrom\xe1nach","Border":"Iml\xedne","Insert image":"Cuir \xedomh\xe1 isteach","Image...":"\xcdomh\xe1...","Image list":"Liosta \xedomh\xe1nna","Resize":"Athraigh m\xe9id","Insert date/time":"Cuir d\xe1ta/am isteach","Date/time":"D\xe1ta/am","Insert/edit link":"Cuir nasc isteach/in eagar","Text to display":"T\xe9acs le taispe\xe1int","Url":"URL","Open link in...":"Oscail nasc in...","Current window":"Fuinneog reatha","None":"Dada","New window":"Fuinneog nua","Open link":"Oscail nasc","Remove link":"Bain an nasc","Anchors":"Ancair\xed","Link...":"Nasc...","Paste or type a link":"Greamaigh n\xf3 cl\xf3scr\xedobh nasc","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Is seoladh r\xedomhphoist \xe9 an URL a chuir t\xfa isteach. An bhfuil fonn ort an r\xe9im\xedr riachtanach mailto: a chur leis?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Is nasc seachtrach \xe9 an URL a chuir t\xfa isteach. An bhfuil fonn ort an r\xe9im\xedr riachtanach http:// a chur leis?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":" Is nasc seachtrach \xe9 an URL a chuir t\xfa isteach. An bhfuil fonn ort an r\xe9im\xedr riachtanach https:// a chur leis?","Link list":"Liosta nascanna","Insert video":"Cuir f\xedse\xe1n isteach","Insert/edit video":"Cuir f\xedse\xe1n isteach/in eagar","Insert/edit media":"Cuir me\xe1n isteach/in eagar","Alternative source":"Foinse mhalartach","Alternative source URL":"","Media poster (Image URL)":"","Paste your embed code below:":"Greamaigh do ch\xf3d leabaithe th\xedos:","Embed":"Leabaigh","Media...":"Me\xe1n...","Nonbreaking space":"Sp\xe1s neamhbhristeach","Page break":"Briseadh leathanaigh","Paste as text":"Greamaigh mar th\xe9acs","Preview":"R\xe9amhamharc","Print":"","Print...":"Priont\xe1il...","Save":"S\xe1bh\xe1il","Find":"Aimsigh","Replace with":"Ionadaigh le","Replace":"Ionadaigh","Replace all":"Ionadaigh uile","Previous":"","Next":"Ar aghaidh","Find and Replace":"Aimsigh agus Ionadaigh","Find and replace...":"Aimsigh agus ionadaigh...","Could not find the specified string.":"N\xedor aims\xedodh an teaghr\xe1n.","Match case":"C\xe1s-\xedogair","Find whole words only":"","Find in selection":"","Insert table":"Ions\xe1igh t\xe1bla","Table properties":"Air\xedonna an t\xe1bla","Delete table":"Scrios an t\xe1bla","Cell":"Cill","Row":"R\xf3","Column":"Col\xfan","Cell properties":"Air\xedonna na cille","Merge cells":"Cumaisc cealla","Split cell":"Roinn cill","Insert row before":"Ions\xe1igh r\xf3 os a chionn","Insert row after":"Ions\xe1igh r\xf3 faoi","Delete row":"Scrios an r\xf3","Row properties":"Air\xedonna an r\xf3","Cut row":"Gearr an r\xf3","Cut column":"","Copy row":"C\xf3ipe\xe1il an r\xf3","Copy column":"","Paste row before":"Greamaigh r\xf3 os a chionn","Paste column before":"","Paste row after":"Greamaigh r\xf3 faoi","Paste column after":"","Insert column before":"Ions\xe1igh col\xfan ar chl\xe9","Insert column after":"Ions\xe1igh col\xfan ar dheis","Delete column":"Scrios an col\xfan","Cols":"Col\xfain","Rows":"R\xf3nna","Width":"Leithead","Height":"Airde","Cell spacing":"Sp\xe1s\xe1il ceall","Cell padding":"Stu\xe1il ceall","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Fotheideal","Show caption":"","Left":"Ar Chl\xe9","Center":"Sa L\xe1r","Right":"Ar Dheis","Cell type":"Cine\xe1l na cille","Scope":"Sc\xf3ip","Alignment":"Ail\xedni\xfa","Horizontal align":"","Vertical align":"","Top":"Barr","Middle":"L\xe1r","Bottom":"Bun","Header cell":"Cill cheannt\xe1isc","Row group":"Gr\xfapa r\xf3nna","Column group":"Gr\xfapa col\xfan","Row type":"Cine\xe1l an r\xf3","Header":"Ceannt\xe1sc","Body":"Corp","Footer":"Bunt\xe1sc","Border color":"Dath na himl\xedne","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Ions\xe1igh teimpl\xe9ad...","Templates":"Teimpl\xe9id","Template":"Teimpl\xe9ad","Insert Template":"","Text color":"Dath an t\xe9acs","Background color":"Dath an ch\xfalra","Custom...":"Saincheap...","Custom color":"Dath saincheaptha","No color":"Gan dath","Remove color":"","Show blocks":"Taispe\xe1in blocanna","Show invisible characters":"Taispe\xe1in carachtair dhofheicthe","Word count":"","Count":"","Document":"","Selection":"","Words":"","Words: {0}":"Focail: {0}","{0} words":"{0} focal","File":"Comhad","Edit":"Eagar","Insert":"Ions\xe1ig","View":"Amharc","Format":"Form\xe1id","Table":"T\xe1bla","Tools":"Uirlis\xed","Powered by {0}":"\xc1 chumhacht\xfa ag {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Limist\xe9ar M\xe9ith-Th\xe9acs. Br\xfaigh ALT-F9 le haghaidh roghchl\xe1ir, ALT-F10 le haghaidh barra uirlis\xed, agus ALT-0 le c\xfanamh a fh\xe1il","Image title":"","Border width":"","Border style":"","Error":"","Warn":"","Valid":"","To open the popup, press Shift+Enter":"","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"","System Font":"Cl\xf3fhoireann C\xf3rais","Failed to upload image: {0}":"","Failed to load plugin: {0} from url {1}":"","Failed to load plugin url: {0}":"","Failed to initialize plugin: {0}":"","example":"","Search":"","All":"","Currency":"","Text":"","Quotations":"","Mathematical":"","Extended Latin":"","Symbols":"Siombail\xed","Arrows":"","User Defined":"","dollar sign":"","currency sign":"","euro-currency sign":"","colon sign":"","cruzeiro sign":"","french franc sign":"","lira sign":"","mill sign":"","naira sign":"","peseta sign":"","rupee sign":"","won sign":"","new sheqel sign":"","dong sign":"","kip sign":"","tugrik sign":"","drachma sign":"","german penny symbol":"","peso sign":"","guarani sign":"","austral sign":"","hryvnia sign":"","cedi sign":"","livre tournois sign":"","spesmilo sign":"","tenge sign":"","indian rupee sign":"","turkish lira sign":"","nordic mark sign":"","manat sign":"","ruble sign":"","yen character":"","yuan character":"","yuan character, in hong kong and taiwan":"","yen/yuan character variant one":"","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"","Animals and Nature":"","Food and Drink":"","Activity":"","Travel and Places":"","Objects":"","Flags":"","Characters":"","Characters (no spaces)":"","{0} characters":"","Error: Form submit field collision.":"","Error: No form element found.":"","Color swatch":"","Color Picker":"","Invalid hex color code: {0}":"","Invalid input":"","R":"D","Red component":"","G":"U","Green component":"","B":"G","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"","Green":"","Blue":"","Purple":"","Navy Blue":"","Dark Turquoise":"","Dark Green":"","Medium Blue":"","Medium Purple":"","Midnight Blue":"","Yellow":"","Orange":"","Red":"","Light Gray":"","Gray":"","Dark Yellow":"","Dark Orange":"","Dark Red":"","Medium Gray":"","Dark Gray":"","Light Green":"","Light Yellow":"","Light Red":"","Light Purple":"","Light Blue":"","Dark Purple":"","Dark Blue":"","Black":"Dubh","White":"","Switch to or from fullscreen mode":"","Open help dialog":"","history":"","styles":"","formatting":"","alignment":"","indentation":"","Font":"Cl\xf3fhoireann","Size":"","More...":"Tuilleadh...","Select...":"","Preferences":"","Yes":"","No":"","Keyboard Navigation":"","Version":"","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/gl.js b/deform/static/tinymce/langs/gl.js index 8d7f7069..661ce4e6 100644 --- a/deform/static/tinymce/langs/gl.js +++ b/deform/static/tinymce/langs/gl.js @@ -1,156 +1 @@ -tinymce.addI18n('gl',{ -"Cut": "Cortar", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "O seu navegador non admite o acceso directo ao portapapeis. Empregue os atallos de teclado Crtl+X\/C\/V no seu canto.", -"Paste": "Pegar", -"Close": "Pechar", -"Align right": "Ali\u00f1ar \u00e1 dereita", -"New document": "Novo documento", -"Numbered list": "Lista numerada", -"Increase indent": "Aumentar a sangr\u00eda", -"Formats": "Formatos", -"Select all": "Seleccionar todo", -"Undo": "Desfacer", -"Strikethrough": "Riscado", -"Bullet list": "Lista vi\u00f1etada", -"Superscript": "Super\u00edndice", -"Clear formatting": "Limpar o formato", -"Subscript": "Sub\u00edndice", -"Redo": "Refacer", -"Ok": "Aceptar", -"Bold": "Negra", -"Italic": "Cursiva", -"Align center": "Ali\u00f1ar ao centro", -"Decrease indent": "Reducir a sangr\u00eda", -"Underline": "Subli\u00f1ado", -"Cancel": "Cancelar", -"Justify": "Xustificar", -"Copy": "Copiar", -"Align left": "Ali\u00f1ar \u00e1 esquerda", -"Visual aids": "Axudas visuais", -"Lower Greek": "Inferior grega", -"Square": "Cadrado", -"Default": "Predeterminada", -"Lower Alpha": "Inferior alfa", -"Circle": "Circulo", -"Disc": "Disco", -"Upper Alpha": "Superior alfa", -"Upper Roman": "Superior romana", -"Lower Roman": "Inferior romana", -"Name": "Nome", -"Anchor": "Ancoraxe", -"You have unsaved changes are you sure you want to navigate away?": "Ten cambios sen gardar. Confirma que quere sa\u00edr?", -"Restore last draft": "Restaurar o \u00faltimo borrador", -"Special character": "Car\u00e1cter especial", -"Source code": "C\u00f3digo fonte", -"Right to left": "De dereita a esquerda", -"Left to right": "De esquerda a dereita", -"Emoticons": "Emoticonas", -"Robots": "Robots", -"Document properties": "Propiedades do documento", -"Title": "T\u00edtulo", -"Keywords": "Palabras clave", -"Encoding": "Codificaci\u00f3n", -"Description": "Descrici\u00f3n", -"Author": "Autor", -"Fullscreen": "Pantalla completa", -"Horizontal line": "Li\u00f1a horizontal", -"Horizontal space": "Espazo horizontal", -"Insert\/edit image": "Inserir\/editar imaxe", -"General": "Xeral", -"Advanced": "Avanzado", -"Source": "Orixe", -"Border": "Bordo", -"Constrain proportions": "Restrinxir as proporci\u00f3ns", -"Vertical space": "Espazo vertical", -"Image description": "Descrici\u00f3n da imaxe", -"Style": "Estilo", -"Dimensions": "Dimensi\u00f3ns", -"Insert date\/time": "Inserir data\/hora", -"Url": "URL", -"Text to display": "Texto que amosar", -"Insert link": "Inserir ligaz\u00f3n", -"New window": "Nova xanela", -"None": "Ning\u00fan", -"Target": "Destino", -"Insert\/edit link": "Inserir\/editar ligaz\u00f3n", -"Insert\/edit video": "Inserir\/editar v\u00eddeo", -"Poster": "Cartel", -"Alternative source": "Orixe alternativa", -"Paste your embed code below:": "Pegue embaixo o c\u00f3digo incrustado", -"Insert video": "Inserir v\u00eddeo", -"Embed": "Incrustado", -"Nonbreaking space": "Espazo irromp\u00edbel", -"Page break": "Quebra de p\u00e1xina", -"Preview": "Vista previa", -"Print": "Imprimir", -"Save": "Gardar", -"Could not find the specified string.": "Non foi pos\u00edbel atopar a cadea de texto especificada.", -"Replace": "Substitu\u00edr", -"Next": "Seguinte", -"Whole words": "Palabras completas", -"Find and replace": "Buscar e substitu\u00edr", -"Replace with": "Substitu\u00edr con", -"Find": "Buscar", -"Replace all": "Substitu\u00edr todo", -"Match case": "Coincidencia exacta", -"Prev": "Anterior", -"Spellcheck": "Corrector ortogr\u00e1fico", -"Finish": "Rematar", -"Ignore all": "Ignorar todo", -"Ignore": "Ignorar", -"Insert row before": "Inserir unha fila enriba", -"Rows": "Filas", -"Height": "Alto", -"Paste row after": "Pegar fila enriba", -"Alignment": "Ali\u00f1amento", -"Column group": "Grupo de columnas", -"Row": "Fila", -"Insert column before": "Inserir columna \u00e1 esquerda", -"Split cell": "Dividir celas", -"Cell padding": "Marxe interior da cela", -"Cell spacing": "Marxe entre celas", -"Row type": "Tipo de fia", -"Insert table": "Inserir t\u00e1boa", -"Body": "Corpo", -"Caption": "Subt\u00edtulo", -"Footer": "Rodap\u00e9", -"Delete row": "Eliminar fila", -"Paste row before": "Pegar fila embaixo", -"Scope": "\u00c1mbito", -"Delete table": "Eliminar t\u00e1boa", -"Header cell": "Cela de cabeceira", -"Column": "Columna", -"Cell": "Cela", -"Header": "Cabeceira", -"Cell type": "Tipo de cela", -"Copy row": "Copiar fila", -"Row properties": "Propiedades das filas", -"Table properties": "Propiedades da t\u00e1boa", -"Row group": "Grupo de filas", -"Right": "Dereita", -"Insert column after": "Inserir columna \u00e1 dereita", -"Cols": "Cols.", -"Insert row after": "Inserir unha fila embaixo", -"Width": "Largo", -"Cell properties": "Propiedades da cela", -"Left": "Esquerda", -"Cut row": "Cortar fila", -"Delete column": "Eliminar columna", -"Center": "Centro", -"Merge cells": "Combinar celas", -"Insert template": "Inserir modelo", -"Templates": "Modelos", -"Background color": "Cor do fondo", -"Text color": "Cor do texto", -"Show blocks": "Amosar os bloques", -"Show invisible characters": "Amosar caracteres invis\u00edbeis", -"Words: {0}": "Palabras: {0}", -"Insert": "Inserir", -"File": "Ficheiro", -"Edit": "Editar", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u00c1rea de texto mellorado. Prema ALT-F9 para o men\u00fa. Prema ALT-F10 para a barra de ferramentas. Prema ALT-0 para a axuda", -"Tools": "Ferramentas", -"View": "Ver", -"Table": "T\u00e1boa", -"Format": "Formato" -}); \ No newline at end of file +tinymce.addI18n("gl",{"Redo":"Refacer","Undo":"Desfacer","Cut":"Cortar","Copy":"Copiar","Paste":"Pegar","Select all":"Seleccionar todo","New document":"Novo documento","Ok":"Aceptar","Cancel":"Cancelar","Visual aids":"Axudas visuais","Bold":"Negra","Italic":"Cursiva","Underline":"Subli\xf1ado","Strikethrough":"Riscado","Superscript":"Super\xedndice","Subscript":"Sub\xedndice","Clear formatting":"Limpar o formato","Remove":"","Align left":"Ali\xf1ar \xe1 esquerda","Align center":"Ali\xf1ar ao centro","Align right":"Ali\xf1ar \xe1 dereita","No alignment":"","Justify":"Xustificar","Bullet list":"Lista de vi\xf1etas","Numbered list":"Lista numerada","Decrease indent":"Reducir a sangr\xeda","Increase indent":"Aumentar a sangr\xeda","Close":"Pechar","Formats":"Formatos","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"O seu navegador non admite o acceso directo ao portapapeis. Empregue os atallos de teclado Ctrl+X/C/V no seu canto.","Headings":"T\xedtulo","Heading 1":"T\xedtulo 1","Heading 2":"T\xedtulo 2","Heading 3":"T\xedtulo 3","Heading 4":"T\xedtulo 4","Heading 5":"T\xedtulo 5","Heading 6":"T\xedtulo 6","Preformatted":"Preformatado","Div":"","Pre":"","Code":"C\xf3digo","Paragraph":"Par\xe1grafo","Blockquote":"Bloque entre comi\xf1as","Inline":"En li\xf1a","Blocks":"Bloques","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Neste momento o pegado est\xe1 definido en modo de texto simple. Os contidos pegaranse como texto sen formato ata que se active esta opci\xf3n.","Fonts":"Tipos de letra","Font sizes":"","Class":"Clase","Browse for an image":"Buscar unha imaxe","OR":"OU","Drop an image here":"Soltar unha imaxe","Upload":"Cargar","Uploading image":"","Block":"Bloque","Align":"Ali\xf1amento","Default":"Predeterminada","Circle":"Circulo","Disc":"Disco","Square":"Cadrado","Lower Alpha":"Alfa min\xfascula","Lower Greek":"Grega min\xfascula","Lower Roman":"Romana min\xfascula","Upper Alpha":"Alfa mai\xfascula","Upper Roman":"Romana mai\xfascula","Anchor...":"Ancoraxe...","Anchor":"","Name":"Nome","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"Ten cambios sen gardar. Confirma que quere sa\xedr?","Restore last draft":"Restaurar o \xfaltimo borrador","Special character...":"","Special Character":"","Source code":"C\xf3digo fonte","Insert/Edit code sample":"Inserir/editar mostra de c\xf3digo","Language":"Idioma","Code sample...":"Mostra de c\xf3digo...","Left to right":"De esquerda a dereita","Right to left":"De dereita a esquerda","Title":"T\xedtulo","Fullscreen":"Pantalla completa","Action":"Acci\xf3n","Shortcut":"Atallo","Help":"Axuda","Address":"Enderezo","Focus to menubar":"Foco na barra de menu","Focus to toolbar":"Foco na barra de ferramentas","Focus to element path":"Foco na ruta do elemento","Focus to contextual toolbar":"Foco na barra de ferramentas de contexto","Insert link (if link plugin activated)":"Inserir a ligaz\xf3n (se o engadido de ligaz\xf3ns estiver activado) ","Save (if save plugin activated)":"Gardar (se o engadido para gardar estiver activado) ","Find (if searchreplace plugin activated)":"Atopar (se o engadido para buscar e substitu\xedr estiver activado) ","Plugins installed ({0}):":"Engadidos instalados ({0}):","Premium plugins:":"Engadidos comerciais:","Learn more...":"Saiba m\xe1is...","You are using {0}":"Est\xe1 a empregar {0}","Plugins":"Engadidos","Handy Shortcuts":"Atallos \xfatiles","Horizontal line":"Li\xf1a horizontal","Insert/edit image":"Inserir/editar imaxe","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"Orixe","Dimensions":"Dimensi\xf3ns","Constrain proportions":"Restrinxir as proporci\xf3ns","General":"Xeral","Advanced":"Avanzado","Style":"Estilo","Vertical space":"Espazo vertical","Horizontal space":"Espazo horizontal","Border":"Bordo","Insert image":"Inserir imaxe","Image...":"Imaxe...","Image list":"Lista de imaxes","Resize":"Redimensionar","Insert date/time":"Inserir data/hora","Date/time":"Data/hora","Insert/edit link":"Inserir/editar ligaz\xf3n","Text to display":"Texto que amosar","Url":"URL","Open link in...":"Abrir a ligaz\xf3n en...","Current window":"Xanela actual","None":"Ning\xfan","New window":"Nova xanela","Open link":"","Remove link":"Retirar a ligaz\xf3n","Anchors":"Ancoraxes","Link...":"Ligaz\xf3n...","Paste or type a link":"Pegue ou escriba unha ligaz\xf3n","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"O URL que introduciu semella ser un enderezo de correo. Quere engadirlle o prefixo mailto: requirido?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"O URL que introduciu semella ser unha ligaz\xf3n externa. Quere engadirlle o prefixo http:// requirido?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Lista de ligaz\xf3ns","Insert video":"Inserir v\xeddeo","Insert/edit video":"Inserir/editar v\xeddeo","Insert/edit media":"Inserir/editar medios","Alternative source":"Orixe alternativa","Alternative source URL":"URL da orixe alternativa","Media poster (Image URL)":"Cartel multimedia (URL da imaxe)","Paste your embed code below:":"Pegue embaixo o c\xf3digo integrado:","Embed":"Integrado","Media...":"Multimedia...","Nonbreaking space":"Espazo irromp\xedbel","Page break":"Quebra de p\xe1xina","Paste as text":"Pegar como texto","Preview":"Vista previa","Print":"","Print...":"Imprimir...","Save":"Gardar","Find":"Buscar","Replace with":"Substitu\xedr con","Replace":"Substitu\xedr","Replace all":"Substitu\xedr todo","Previous":"Anterior","Next":"Seguinte","Find and Replace":"","Find and replace...":"Atopar e substitu\xedr...","Could not find the specified string.":"Non foi pos\xedbel atopar a cadea de texto especificada.","Match case":"Distinguir mai\xfasculas","Find whole words only":"Atopar unicamente as palabras enteiras","Find in selection":"","Insert table":"Inserir t\xe1boa","Table properties":"Propiedades da t\xe1boa","Delete table":"Eliminar t\xe1boa","Cell":"Cela","Row":"Fila","Column":"Columna","Cell properties":"Propiedades da cela","Merge cells":"Combinar celas","Split cell":"Dividir celas","Insert row before":"Inserir unha fila enriba","Insert row after":"Inserir unha fila embaixo","Delete row":"Eliminar fila","Row properties":"Propiedades das filas","Cut row":"Cortar fila","Cut column":"","Copy row":"Copiar fila","Copy column":"","Paste row before":"Pegar fila embaixo","Paste column before":"","Paste row after":"Pegar fila enriba","Paste column after":"","Insert column before":"Inserir columna \xe1 esquerda","Insert column after":"Inserir columna \xe1 dereita","Delete column":"Eliminar columna","Cols":"Cols.","Rows":"Filas","Width":"Largo","Height":"Alto","Cell spacing":"Marxe entre celas","Cell padding":"Marxe interior da cela","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Subt\xedtulo","Show caption":"Amosar subt\xedtulo","Left":"Esquerda","Center":"Centro","Right":"Dereita","Cell type":"Tipo de cela","Scope":"\xc1mbito","Alignment":"Ali\xf1amento","Horizontal align":"","Vertical align":"","Top":"Arriba","Middle":"Medio","Bottom":"Abaixo","Header cell":"Cela de cabeceira","Row group":"Grupo de filas","Column group":"Grupo de columnas","Row type":"Tipo de fila","Header":"Cabeceira","Body":"Corpo","Footer":"Rodap\xe9","Border color":"Cor do bordo","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Inserir modelo...","Templates":"Modelos","Template":"Modelo","Insert Template":"","Text color":"Cor do texto","Background color":"Cor do fondo","Custom...":"Personalizado...","Custom color":"Cor personalizado","No color":"Sen cor","Remove color":"Retirar a cor","Show blocks":"Amosar os bloques","Show invisible characters":"Amosar caracteres invis\xedbeis","Word count":"Reconto de palabras","Count":"","Document":"","Selection":"","Words":"","Words: {0}":"Palabras: {0}","{0} words":"{0} palabras","File":"Ficheiro","Edit":"Editar","Insert":"Inserir","View":"Ver","Format":"Formato","Table":"T\xe1boa","Tools":"Ferramentas","Powered by {0}":"Coa tecnolox\xeda de {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\xc1rea de texto mellorado. Prema ALT-F9 para o men\xfa. Prema ALT-F10 para a barra de ferramentas. Prema ALT-0 para a axuda","Image title":"T\xedtulo da imaxe","Border width":"Largo do bordo","Border style":"Estilo do bordo","Error":"Erro","Warn":"Aviso","Valid":"V\xe1lido","To open the popup, press Shift+Enter":"Para abrir a xanela emerxente, prema Mai\xfas+Intro","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"\xc1rea de texto mellorado. PremaALT-0 para obter axuda.","System Font":"Tipo de letra do sistema","Failed to upload image: {0}":"Produciuse un fallo ao cargar a imaxe: {0}","Failed to load plugin: {0} from url {1}":"Produciuse un fallo ao cargar a o engadido: {0} dende o URL {1}","Failed to load plugin url: {0}":"Produciuse un fallo ao cargar a o URL do engadido: {0}","Failed to initialize plugin: {0}":"Produciuse un fallo ao iniciar o engadido: {0}","example":"exemplo","Search":"Buscar","All":"Todo","Currency":"Moeda","Text":"Texto","Quotations":"Citas","Mathematical":"Matem\xe1tico","Extended Latin":"Latino extendido","Symbols":"S\xedmbolos","Arrows":"Frechas","User Defined":"Definido polo usuario","dollar sign":"S\xedmbolo do dolar","currency sign":"S\xedmbolo de moeda","euro-currency sign":"S\xedmbolo do euro","colon sign":"S\xedmbolo do col\xf3n","cruzeiro sign":"S\xedmbolo do cruzeiro","french franc sign":"S\xedmbolo do franco franc\xe9s","lira sign":"S\xedmbolo da lira","mill sign":"S\xedmbolo do mill","naira sign":"S\xedmbolo da naira","peseta sign":"S\xedmbolo da peseta","rupee sign":"S\xedmbolo da rupia","won sign":"S\xedmbolo do won","new sheqel sign":"S\xedmbolo do novo s\xe9quel","dong sign":"S\xedmbolo do dong","kip sign":"S\xedmbolo do kip","tugrik sign":"S\xedmbolo do tugrik","drachma sign":"S\xedmbolo do dracma","german penny symbol":"S\xedmbolo do penique alem\xe1n","peso sign":"S\xedmbolo do peso","guarani sign":"S\xedmbolo do guaran\xed","austral sign":"S\xedmbolo do austral","hryvnia sign":"S\xedmbolo do grivna","cedi sign":"S\xedmbolo do cedi","livre tournois sign":"S\xedmbolo da libre tournois","spesmilo sign":"S\xedmbolo do spesmilo","tenge sign":"S\xedmbolo do tengue","indian rupee sign":"S\xedmbolo da rupia india","turkish lira sign":"S\xedmbolo da lira turca","nordic mark sign":"S\xedmbolo do marco n\xf3rdico","manat sign":"S\xedmbolo do manat","ruble sign":"S\xedmbolo do rublo","yen character":"Car\xe1cter do ien","yuan character":"Car\xe1cter do yuan","yuan character, in hong kong and taiwan":"Car\xe1cter do yuan, en Hong Kong e Taiwan","yen/yuan character variant one":"Variante 1 do car\xe1cter do ien/yuan","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"Xente","Animals and Nature":"Animais e natureza","Food and Drink":"Comida e bebida","Activity":"Actividade","Travel and Places":"Viaxes e lugares","Objects":"Obxectos","Flags":"Bandeiras","Characters":"Caracteres","Characters (no spaces)":"Caracteres (sen espazos)","{0} characters":"","Error: Form submit field collision.":"Erro: conflito de campo ao enviar o formulario ","Error: No form element found.":"Erro: non se atopou ning\xfan elemento de formulario","Color swatch":"Mostra de cores","Color Picker":"Selector de cor","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"Turquesa","Green":"Verde","Blue":"Azul","Purple":"P\xfarpura","Navy Blue":"Azul mari\xf1o","Dark Turquoise":"Turquesa escuro","Dark Green":"Verde escuro","Medium Blue":"Azul medio","Medium Purple":"P\xfarpura medio","Midnight Blue":"Azul noite","Yellow":"Amarelo","Orange":"Laranxa","Red":"Vermello","Light Gray":"Gris claro","Gray":"Gris","Dark Yellow":"Amarelo escuro","Dark Orange":"Laranxa escuro","Dark Red":"Vermello escuro","Medium Gray":"Gris medio","Dark Gray":"Gris escuro","Light Green":"","Light Yellow":"","Light Red":"","Light Purple":"","Light Blue":"","Dark Purple":"","Dark Blue":"","Black":"Negro","White":"Branco","Switch to or from fullscreen mode":"Activar ou desactivar o modo de pantalla completa","Open help dialog":"Abrir o di\xe1logo de axuda","history":"historial","styles":"estilos","formatting":"formatado","alignment":"ali\xf1amento","indentation":"sangrado","Font":"","Size":"","More...":"","Select...":"","Preferences":"","Yes":"","No":"","Keyboard Navigation":"","Version":"","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/he_IL.js b/deform/static/tinymce/langs/he_IL.js index da79fef8..5f11075a 100644 --- a/deform/static/tinymce/langs/he_IL.js +++ b/deform/static/tinymce/langs/he_IL.js @@ -1,174 +1 @@ -tinymce.addI18n('he_IL',{ -"Cut": "\u05d2\u05d6\u05d5\u05e8", -"Header 2": "\u05db\u05d5\u05ea\u05e8\u05ea 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u05d4\u05d3\u05e4\u05d3\u05e4\u05df \u05e9\u05dc\u05da \u05d0\u05d9\u05e0\u05d5 \u05de\u05d0\u05e4\u05e9\u05e8 \u05d2\u05d9\u05e9\u05d4 \u05d9\u05e9\u05d9\u05e8\u05d4 \u05dc\u05dc\u05d5\u05d7. \u05d0\u05e0\u05d0, \u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05de\u05e7\u05e9\u05d9\u05dd Ctrl+X\/C\/V ", -"Div": "\u05de\u05e7\u05d8\u05e2 \u05e7\u05d5\u05d3 Div", -"Paste": "\u05d4\u05d3\u05d1\u05e7", -"Close": "\u05e1\u05d2\u05d5\u05e8", -"Pre": "\u05e7\u05d8\u05e2 \u05de\u05e7\u05d3\u05d9\u05dd Pre", -"Align right": "\u05d9\u05d9\u05e9\u05e8 \u05dc\u05e9\u05de\u05d0\u05dc", -"New document": "\u05de\u05e1\u05de\u05da \u05d7\u05d3\u05e9", -"Blockquote": "\u05de\u05e7\u05d8\u05e2 \u05e6\u05d9\u05d8\u05d5\u05d8", -"Numbered list": "\u05e8\u05e9\u05d9\u05de\u05d4 \u05de\u05de\u05d5\u05e1\u05e4\u05e8\u05ea", -"Increase indent": "\u05d4\u05d2\u05d3\u05dc \u05d4\u05d6\u05d7\u05d4", -"Formats": "\u05e4\u05d5\u05e8\u05de\u05d8\u05d9\u05dd", -"Headers": "\u05db\u05d5\u05ea\u05e8\u05d5\u05ea", -"Select all": "\u05d1\u05d7\u05e8 \u05d4\u05db\u05dc", -"Header 3": "\u05db\u05d5\u05ea\u05e8\u05ea 3", -"Blocks": "\u05de\u05d1\u05e0\u05d9\u05dd", -"Undo": "\u05d1\u05d8\u05dc \u05e4\u05e2\u05d5\u05dc\u05d4", -"Strikethrough": "\u05e7\u05d5 \u05d7\u05d5\u05e6\u05d4", -"Bullet list": "\u05e8\u05e9\u05d9\u05de\u05d4 \u05de\u05d5\u05d3\u05d2\u05e9\u05ea", -"Header 1": "\u05db\u05d5\u05ea\u05e8\u05ea 1", -"Superscript": "\u05db\u05ea\u05d1 \u05e2\u05d9\u05dc\u05d9", -"Clear formatting": "\u05e0\u05e7\u05d4 \u05e4\u05d5\u05e8\u05de\u05d8\u05d9\u05dd", -"Subscript": "\u05db\u05ea\u05d1 \u05ea\u05d7\u05ea\u05d9", -"Header 6": "\u05db\u05d5\u05ea\u05e8\u05ea 6", -"Redo": "\u05d1\u05e6\u05e2 \u05e9\u05d5\u05d1", -"Paragraph": "\u05e4\u05d9\u05e1\u05e7\u05d4", -"Ok": "\u05d1\u05e1\u05d3\u05e8", -"Bold": "\u05de\u05d5\u05d3\u05d2\u05e9", -"Code": "\u05e7\u05d5\u05d3", -"Italic": "\u05e0\u05d8\u05d5\u05d9", -"Align center": "\u05de\u05e8\u05db\u05d6", -"Header 5": "\u05db\u05d5\u05ea\u05e8\u05ea 5", -"Decrease indent": "\u05d4\u05e7\u05d8\u05df \u05d4\u05d6\u05d7\u05d4", -"Header 4": "\u05db\u05d5\u05ea\u05e8\u05ea 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u05d4\u05d3\u05d1\u05e7\u05d4 \u05d1\u05de\u05e6\u05d1 \u05d8\u05e7\u05e1\u05d8 \u05e4\u05e9\u05d5\u05d8. \u05ea\u05db\u05e0\u05d9\u05dd \u05d9\u05d5\u05d3\u05d1\u05e7\u05d5 \u05db\u05d8\u05e7\u05e1\u05d8 \u05e4\u05e9\u05d5\u05d8 \u05e2\u05d3 \u05e9\u05ea\u05db\u05d1\u05d4 \u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d5.", -"Underline": "\u05e7\u05d5 \u05ea\u05d7\u05ea\u05d5\u05df", -"Cancel": "\u05d1\u05d8\u05dc", -"Justify": "\u05d9\u05d9\u05e9\u05d5\u05e8", -"Inline": "\u05d1\u05d2\u05d5\u05e3 \u05d4\u05d8\u05e7\u05e1\u05d8", -"Copy": "\u05d4\u05e2\u05ea\u05e7", -"Align left": "\u05d9\u05d9\u05e9\u05e8 \u05dc\u05e9\u05de\u05d0\u05dc", -"Visual aids": "\u05e2\u05d6\u05e8\u05d9\u05dd \u05d7\u05d6\u05d5\u05ea\u05d9\u05d9\u05dd", -"Lower Greek": "\u05d0\u05d5\u05ea\u05d9\u05d5\u05ea \u05d9\u05d5\u05d5\u05e0\u05d9\u05d5\u05ea \u05e7\u05d8\u05e0\u05d5\u05ea", -"Square": "\u05e8\u05d9\u05d1\u05d5\u05e2", -"Default": "\u05d1\u05e8\u05d9\u05e8\u05ea \u05de\u05d7\u05d3\u05dc", -"Lower Alpha": "\u05d0\u05d5\u05ea\u05d9\u05d5\u05ea \u05d0\u05e0\u05d2\u05dc\u05d9\u05d5\u05ea \u05e7\u05d8\u05e0\u05d5\u05ea", -"Circle": "\u05e2\u05d9\u05d2\u05d5\u05dc", -"Disc": "\u05d7\u05d9\u05e9\u05d5\u05e7", -"Upper Alpha": "\u05d0\u05d5\u05ea\u05d9\u05d5\u05ea \u05d0\u05e0\u05d2\u05dc\u05d9\u05d5\u05ea \u05d2\u05d3\u05d5\u05dc\u05d5\u05ea", -"Upper Roman": "\u05e1\u05e4\u05e8\u05d5\u05ea \u05e8\u05d5\u05de\u05d9\u05d5\u05ea \u05d2\u05d3\u05d5\u05dc\u05d5\u05ea", -"Lower Roman": "\u05e1\u05e4\u05e8\u05d5\u05ea \u05e8\u05d5\u05de\u05d9\u05d5\u05ea \u05e7\u05d8\u05e0\u05d5\u05ea", -"Name": "\u05e9\u05dd", -"Anchor": "\u05de\u05e7\u05d5\u05dd \u05e2\u05d9\u05d2\u05d5\u05df", -"You have unsaved changes are you sure you want to navigate away?": "\u05d4\u05e9\u05d9\u05e0\u05d5\u05d9\u05d9\u05dd \u05dc\u05d0 \u05e0\u05e9\u05de\u05e8\u05d5. \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05e6\u05d0\u05ea \u05de\u05d4\u05d3\u05e3?", -"Restore last draft": "\u05e9\u05d7\u05d6\u05e8 \u05d8\u05d9\u05d5\u05d8\u05d4 \u05d0\u05d7\u05e8\u05d5\u05e0\u05d4", -"Special character": "\u05ea\u05d5\u05d5\u05d9\u05dd \u05de\u05d9\u05d5\u05d7\u05d3\u05d9\u05dd", -"Source code": "\u05e7\u05d5\u05d3 \u05de\u05e7\u05d5\u05e8", -"Right to left": "\u05de\u05d9\u05de\u05d9\u05df \u05dc\u05e9\u05de\u05d0\u05dc", -"Left to right": "\u05de\u05e9\u05de\u05d0\u05dc \u05dc\u05d9\u05de\u05d9\u05df", -"Emoticons": "\u05de\u05d7\u05d5\u05d5\u05ea", -"Robots": "\u05e8\u05d5\u05d1\u05d5\u05d8\u05d9\u05dd", -"Document properties": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9 \u05de\u05e1\u05de\u05da", -"Title": "\u05db\u05d5\u05ea\u05e8\u05ea", -"Keywords": "\u05de\u05d9\u05dc\u05d5\u05ea \u05de\u05e4\u05ea\u05d7", -"Encoding": "\u05e7\u05d9\u05d3\u05d5\u05d3", -"Description": "\u05ea\u05d9\u05d0\u05d5\u05e8", -"Author": "\u05de\u05d7\u05d1\u05e8", -"Fullscreen": "\u05de\u05e1\u05da \u05de\u05dc\u05d0", -"Horizontal line": "\u05e7\u05d5 \u05d0\u05d5\u05e4\u05e7\u05d9", -"Horizontal space": "\u05de\u05e8\u05d5\u05d5\u05d7 \u05d0\u05d5\u05e4\u05e7\u05d9", -"Insert\/edit image": "\u05d4\u05db\u05e0\u05e1\/\u05e2\u05e8\u05d5\u05da \u05ea\u05de\u05d5\u05e0\u05d4", -"General": "\u05db\u05dc\u05dc\u05d9", -"Advanced": "\u05de\u05ea\u05e7\u05d3\u05dd", -"Source": "\u05de\u05e7\u05d5\u05e8", -"Border": "\u05de\u05e1\u05d2\u05e8\u05ea", -"Constrain proportions": "\u05d4\u05d2\u05d1\u05dc\u05ea \u05e4\u05e8\u05d5\u05e4\u05d5\u05e8\u05e6\u05d9\u05d5\u05ea", -"Vertical space": "\u05de\u05e8\u05d5\u05d5\u05d7 \u05d0\u05e0\u05db\u05d9", -"Image description": "\u05ea\u05d9\u05d0\u05d5\u05e8 \u05d4\u05ea\u05de\u05d5\u05e0\u05d4", -"Style": "\u05e1\u05d2\u05e0\u05d5\u05df", -"Dimensions": "\u05de\u05d9\u05de\u05d3\u05d9\u05dd", -"Insert image": "\u05d4\u05db\u05e0\u05e1 \u05ea\u05de\u05d5\u05e0\u05d4", -"Insert date\/time": "\u05d4\u05db\u05e0\u05e1 \u05ea\u05d0\u05e8\u05d9\u05da\/\u05e9\u05e2\u05d4", -"Remove link": "\u05de\u05d7\u05e7 \u05e7\u05d9\u05e9\u05d5\u05e8", -"Url": "\u05db\u05ea\u05d5\u05d1\u05ea \u05e7\u05d9\u05e9\u05d5\u05e8", -"Text to display": "\u05d8\u05e7\u05e1\u05d8 \u05dc\u05d4\u05e6\u05d2\u05d4", -"Anchors": "\u05e2\u05d5\u05d2\u05e0\u05d9\u05dd", -"Insert link": "\u05d4\u05db\u05e0\u05e1 \u05e7\u05d9\u05e9\u05d5\u05e8", -"New window": "\u05d7\u05dc\u05d5\u05df \u05d7\u05d3\u05e9", -"None": "\u05dc\u05dc\u05d0", -"Target": "\u05de\u05d8\u05e8\u05d4", -"Insert\/edit link": "\u05d4\u05db\u05e0\u05e1\/\u05e2\u05e8\u05d5\u05da \u05e7\u05d9\u05e9\u05d5\u05e8", -"Insert\/edit video": "\u05d4\u05db\u05e0\u05e1\/\u05e2\u05e8\u05d5\u05da \u05e1\u05e8\u05d8\u05d5\u05df", -"Poster": "\u05e4\u05d5\u05e1\u05d8\u05e8", -"Alternative source": "\u05de\u05e7\u05d5\u05e8 \u05de\u05e9\u05e0\u05d9", -"Paste your embed code below:": "\u05d4\u05d3\u05d1\u05e7 \u05e7\u05d5\u05d3 \u05d4\u05d8\u05de\u05e2\u05d4 \u05de\u05ea\u05d7\u05ea:", -"Insert video": "\u05d4\u05db\u05e0\u05e1 \u05e1\u05e8\u05d8\u05d5\u05df", -"Embed": "\u05de\u05d5\u05d8\u05de\u05e2", -"Nonbreaking space": "\u05e8\u05d5\u05d5\u05d7 (\u05dc\u05dc\u05d0 \u05e9\u05d1\u05d9\u05e8\u05ea \u05e9\u05d5\u05e8\u05d4)", -"Page break": "\u05d3\u05e3 \u05d7\u05d3\u05e9", -"Preview": "\u05ea\u05e6\u05d5\u05d2\u05d4 \u05de\u05e7\u05d3\u05d9\u05de\u05d4", -"Print": "\u05d4\u05d3\u05e4\u05e1", -"Save": "\u05e9\u05de\u05d9\u05e8\u05d4", -"Could not find the specified string.": "\u05de\u05d7\u05e8\u05d5\u05d6\u05ea \u05dc\u05d0 \u05e0\u05de\u05e6\u05d0\u05d4", -"Replace": "\u05d4\u05d7\u05dc\u05e3", -"Next": "\u05d4\u05d1\u05d0", -"Whole words": "\u05de\u05d9\u05dc\u05d4 \u05e9\u05dc\u05de\u05d4", -"Find and replace": "\u05d7\u05e4\u05e9 \u05d5\u05d4\u05d7\u05dc\u05e3", -"Replace with": "\u05d4\u05d7\u05dc\u05e3 \u05d1", -"Find": "\u05d7\u05e4\u05e9", -"Replace all": "\u05d4\u05d7\u05dc\u05e3 \u05d4\u05db\u05dc", -"Match case": "\u05d4\u05d1\u05d7\u05df \u05d1\u05d9\u05df \u05d0\u05d5\u05ea\u05d9\u05d5\u05ea \u05e7\u05d8\u05e0\u05d5\u05ea \u05dc\u05d2\u05d3\u05d5\u05dc\u05d5\u05ea", -"Prev": "\u05e7\u05d5\u05d3\u05dd", -"Spellcheck": "\u05d1\u05d5\u05d3\u05e7 \u05d0\u05d9\u05d5\u05ea", -"Finish": "\u05e1\u05d9\u05d9\u05dd", -"Ignore all": "\u05d4\u05ea\u05e2\u05dc\u05dd \u05de\u05d4\u05db\u05dc", -"Ignore": "\u05d4\u05ea\u05e2\u05dc\u05dd", -"Insert row before": "\u05d4\u05d5\u05e1\u05e3 \u05e9\u05d5\u05e8\u05d4 \u05dc\u05e4\u05e0\u05d9", -"Rows": "\u05e9\u05d5\u05e8\u05d5\u05ea", -"Height": "\u05d2\u05d5\u05d1\u05d4", -"Paste row after": "\u05d4\u05e2\u05ea\u05e7 \u05e9\u05d5\u05e8\u05d4 \u05d0\u05d7\u05e8\u05d9", -"Alignment": "\u05d9\u05d9\u05e9\u05d5\u05e8", -"Column group": "\u05e7\u05d9\u05d1\u05d5\u05e5 \u05e2\u05de\u05d5\u05d3\u05d5\u05ea", -"Row": "\u05e9\u05d5\u05e8\u05d4", -"Insert column before": "\u05d4\u05e2\u05ea\u05e7 \u05e2\u05de\u05d5\u05d3\u05d4 \u05dc\u05e4\u05e0\u05d9", -"Split cell": "\u05e4\u05e6\u05dc \u05ea\u05d0", -"Cell padding": "\u05e9\u05d5\u05dc\u05d9\u05d9\u05dd \u05e4\u05e0\u05d9\u05de\u05d9\u05d9\u05dd \u05dc\u05ea\u05d0", -"Cell spacing": "\u05e9\u05d5\u05dc\u05d9\u05d9\u05dd \u05d7\u05d9\u05e6\u05d5\u05e0\u05d9\u05dd \u05dc\u05ea\u05d0", -"Row type": "\u05e1\u05d5\u05d2 \u05e9\u05d5\u05e8\u05d4", -"Insert table": "\u05d4\u05db\u05e0\u05e1 \u05d8\u05d1\u05dc\u05d4", -"Body": "\u05d2\u05d5\u05e3 \u05d4\u05d8\u05d1\u05dc\u05d0", -"Caption": "\u05db\u05d9\u05ea\u05d5\u05d1", -"Footer": "\u05db\u05d5\u05ea\u05e8\u05ea \u05ea\u05d7\u05ea\u05d5\u05e0\u05d4", -"Delete row": "\u05de\u05d7\u05e7 \u05e9\u05d5\u05e8\u05d4", -"Paste row before": "\u05d4\u05d3\u05d1\u05e7 \u05e9\u05d5\u05e8\u05d4 \u05dc\u05e4\u05e0\u05d9", -"Scope": "\u05d4\u05d9\u05e7\u05e3", -"Delete table": "\u05de\u05d7\u05e7 \u05d8\u05d1\u05dc\u05d4", -"Header cell": "\u05db\u05d5\u05ea\u05e8\u05ea \u05dc\u05ea\u05d0", -"Column": "\u05e2\u05de\u05d5\u05d3\u05d4", -"Cell": "\u05ea\u05d0", -"Header": "\u05db\u05d5\u05ea\u05e8\u05ea", -"Cell type": "\u05e1\u05d5\u05d2 \u05ea\u05d0", -"Copy row": "\u05d4\u05e2\u05ea\u05e7 \u05e9\u05d5\u05e8\u05d4", -"Row properties": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9 \u05e9\u05d5\u05e8\u05d4", -"Table properties": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9 \u05d8\u05d1\u05dc\u05d4", -"Row group": "\u05e7\u05d9\u05d1\u05d5\u05e5 \u05e9\u05d5\u05e8\u05d5\u05ea", -"Right": "\u05d9\u05de\u05d9\u05df", -"Insert column after": "\u05d4\u05e2\u05ea\u05e7 \u05e2\u05de\u05d5\u05d3\u05d4 \u05d0\u05d7\u05e8\u05d9", -"Cols": "\u05e2\u05de\u05d5\u05d3\u05d5\u05ea", -"Insert row after": "\u05d4\u05d5\u05e1\u05e3 \u05e9\u05d5\u05e8\u05d4 \u05d0\u05d7\u05e8\u05d9", -"Width": "\u05e8\u05d5\u05d7\u05d1", -"Cell properties": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9 \u05ea\u05d0", -"Left": "\u05e9\u05de\u05d0\u05dc", -"Cut row": "\u05d2\u05d6\u05d5\u05e8 \u05e9\u05d5\u05e8\u05d4", -"Delete column": "\u05de\u05d7\u05e7 \u05e2\u05de\u05d5\u05d3\u05d4", -"Center": "\u05de\u05e8\u05db\u05d6", -"Merge cells": "\u05de\u05d6\u05d2 \u05ea\u05d0\u05d9\u05dd", -"Insert template": "\u05d4\u05db\u05e0\u05e1 \u05ea\u05d1\u05e0\u05d9\u05ea", -"Templates": "\u05ea\u05d1\u05e0\u05d9\u05d5\u05ea", -"Background color": "\u05e6\u05d1\u05e2 \u05e8\u05e7\u05e2", -"Text color": "\u05e6\u05d1\u05e2 \u05d4\u05db\u05ea\u05d1", -"Show blocks": "\u05d4\u05e6\u05d2 \u05ea\u05d9\u05d1\u05d5\u05ea", -"Show invisible characters": "\u05d4\u05e6\u05d2 \u05ea\u05d5\u05d5\u05d9\u05dd \u05dc\u05d0 \u05e0\u05e8\u05d0\u05d9\u05dd", -"Words: {0}": "\u05de\u05d9\u05dc\u05d9\u05dd: {0}", -"Insert": "\u05d4\u05d5\u05e1\u05e3", -"File": "\u05e7\u05d5\u05d1\u05e5", -"Edit": "\u05e2\u05e8\u05d5\u05da", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u05ea\u05d9\u05d1\u05ea \u05e2\u05e8\u05d9\u05db\u05d4 \u05d7\u05db\u05de\u05d4. \u05dc\u05d7\u05e5 Alt-F9 \u05dc\u05ea\u05e4\u05e8\u05d9\u05d8. Alt-F10 \u05dc\u05ea\u05e6\u05d5\u05d2\u05ea \u05db\u05e4\u05ea\u05d5\u05e8\u05d9\u05dd, Alt-0 \u05dc\u05e2\u05d6\u05e8\u05d4", -"Tools": "\u05db\u05dc\u05d9\u05dd", -"View": "\u05ea\u05e6\u05d5\u05d2\u05d4", -"Table": "\u05d8\u05d1\u05dc\u05d4", -"Format": "\u05e4\u05d5\u05e8\u05de\u05d8" -}); \ No newline at end of file +tinymce.addI18n("he_IL",{"Redo":"\u05d1\u05e6\u05e2 \u05e9\u05d5\u05d1","Undo":"\u05d1\u05d8\u05dc","Cut":"\u05d2\u05d6\u05d5\u05e8","Copy":"\u05d4\u05e2\u05ea\u05e7","Paste":"\u05d4\u05d3\u05d1\u05e7","Select all":"\u05d1\u05d7\u05e8 \u05d4\u05db\u05dc","New document":"\u05de\u05e1\u05de\u05da \u05d7\u05d3\u05e9","Ok":"\u05d0\u05d9\u05e9\u05d5\u05e8","Cancel":"\u05d1\u05d9\u05d8\u05d5\u05dc","Visual aids":"\u05e2\u05d6\u05e8\u05d9\u05dd \u05d7\u05d6\u05d5\u05ea\u05d9\u05d9\u05dd","Bold":"\u05de\u05d5\u05d3\u05d2\u05e9","Italic":"\u05e0\u05d8\u05d5\u05d9","Underline":"\u05e7\u05d5 \u05ea\u05d7\u05ea\u05d5\u05df","Strikethrough":"\u05e7\u05d5 \u05d7\u05d5\u05e6\u05d4","Superscript":"\u05db\u05ea\u05d1 \u05e2\u05d9\u05dc\u05d9","Subscript":"\u05db\u05ea\u05d1 \u05ea\u05d7\u05ea\u05d9","Clear formatting":"\u05e0\u05e7\u05d4 \u05e2\u05d9\u05e6\u05d5\u05d1","Remove":"\u05d4\u05e1\u05e8","Align left":"\u05d9\u05e9\u05e8 \u05dc\u05e9\u05de\u05d0\u05dc","Align center":"\u05de\u05e8\u05db\u05d6","Align right":"\u05d9\u05e9\u05e8 \u05dc\u05d9\u05de\u05d9\u05df","No alignment":"\u05d9\u05d9\u05e9\u05d5\u05e8","Justify":"\u05d9\u05d9\u05e9\u05e8","Bullet list":"\u05e8\u05e9\u05d9\u05de\u05ea \u05ea\u05d1\u05dc\u05d9\u05d8\u05d9\u05dd","Numbered list":"\u05e8\u05e9\u05d9\u05de\u05d4 \u05de\u05de\u05d5\u05e1\u05e4\u05e8\u05ea","Decrease indent":"\u05d4\u05e7\u05d8\u05df \u05d4\u05d6\u05d7\u05d4","Increase indent":"\u05d4\u05d2\u05d3\u05dc \u05d4\u05d6\u05d7\u05d4","Close":"\u05e1\u05d2\u05d5\u05e8","Formats":"\u05e2\u05d9\u05e6\u05d5\u05d1\u05d9\u05dd","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u05d4\u05d3\u05e4\u05d3\u05e4\u05df \u05e9\u05dc\u05da \u05d0\u05d9\u05e0\u05d5 \u05de\u05d0\u05e4\u05e9\u05e8 \u05d2\u05d9\u05e9\u05d4 \u05d9\u05e9\u05d9\u05e8\u05d4 \u05dc\u05dc\u05d5\u05d7. \u05d0\u05e0\u05d0 \u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05e7\u05d9\u05e6\u05d5\u05e8\u05d9 \u05d4\u05de\u05e7\u05dc\u05d3\u05ea Ctrl+X/C/V \u05d1\u05de\u05e7\u05d5\u05dd.","Headings":"\u05db\u05d5\u05ea\u05e8\u05d5\u05ea","Heading 1":"\u05db\u05d5\u05ea\u05e8\u05ea 1","Heading 2":"\u05db\u05d5\u05ea\u05e8\u05ea 2","Heading 3":"\u05db\u05d5\u05ea\u05e8\u05ea 3","Heading 4":"\u05db\u05d5\u05ea\u05e8\u05ea 4","Heading 5":"\u05db\u05d5\u05ea\u05e8\u05ea 5","Heading 6":"\u05db\u05d5\u05ea\u05e8\u05ea 6","Preformatted":"\u05de\u05e2\u05d5\u05e6\u05d1 \u05de\u05e8\u05d0\u05e9","Div":"Div","Pre":"\u05dc\u05e4\u05e0\u05d9","Code":"\u05e7\u05d5\u05d3","Paragraph":"\u05e4\u05e1\u05e7\u05d4","Blockquote":"\u05d1\u05dc\u05d5\u05e7 \u05e6\u05d9\u05d8\u05d5\u05d8","Inline":"\u05d1\u05ea\u05d5\u05da \u05e9\u05d5\u05e8\u05d4","Blocks":"\u05d1\u05dc\u05d5\u05e7\u05d9\u05dd","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u05d4\u05d3\u05d1\u05e7\u05d4 \u05d1\u05de\u05e6\u05d1 \u05d8\u05e7\u05e1\u05d8 \u05e4\u05e9\u05d5\u05d8. \u05ea\u05db\u05e0\u05d9\u05dd \u05d9\u05d5\u05d3\u05d1\u05e7\u05d5 \u05db\u05d8\u05e7\u05e1\u05d8 \u05e4\u05e9\u05d5\u05d8 \u05e2\u05d3 \u05e9\u05ea\u05db\u05d1\u05d4 \u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d5.","Fonts":"\u05d2\u05d5\u05e4\u05e0\u05d9\u05dd","Font sizes":"\u05d2\u05d5\u05d3\u05dc \u05d2\u05d5\u05e4\u05df","Class":"\u05de\u05d7\u05dc\u05e7\u05d4","Browse for an image":"\u05d7\u05e4\u05e9 \u05ea\u05de\u05d5\u05e0\u05d4","OR":"\u05d0\u05d5","Drop an image here":"\u05e9\u05d7\u05e8\u05e8 \u05ea\u05de\u05d5\u05e0\u05d4 \u05db\u05d0\u05df","Upload":"\u05d4\u05e2\u05dc\u05d4","Uploading image":"\u05de\u05e2\u05dc\u05d4 \u05ea\u05de\u05d5\u05e0\u05d4","Block":"\u05d1\u05dc\u05d5\u05e7","Align":"\u05d9\u05e9\u05e8","Default":"\u05d1\u05e8\u05d9\u05e8\u05ea \u05de\u05d7\u05d3\u05dc","Circle":"\u05e2\u05d9\u05d2\u05d5\u05dc","Disc":"\u05d3\u05d9\u05e1\u05e7","Square":"\u05e8\u05d9\u05d1\u05d5\u05e2","Lower Alpha":"\u05d0\u05d5\u05ea\u05d9\u05d5\u05ea \u05e7\u05d8\u05e0\u05d5\u05ea","Lower Greek":"\u05d0\u05d5\u05ea\u05d9\u05d5\u05ea \u05d9\u05d5\u05d5\u05e0\u05d9\u05d5\u05ea \u05e7\u05d8\u05e0\u05d5\u05ea","Lower Roman":"\u05e1\u05e4\u05e8\u05d5\u05ea \u05e8\u05d5\u05de\u05d9\u05d5\u05ea \u05e7\u05d8\u05e0\u05d5\u05ea","Upper Alpha":"\u05d0\u05d5\u05ea\u05d9\u05d5\u05ea \u05e8\u05d9\u05e9\u05d9\u05d5\u05ea","Upper Roman":"\u05e1\u05e4\u05e8\u05d5\u05ea \u05e8\u05d5\u05de\u05d9\u05d5\u05ea \u05e8\u05d9\u05e9\u05d9\u05d5\u05ea","Anchor...":"\u05e2\u05d5\u05d2\u05df...","Anchor":"\u05e2\u05d5\u05d2\u05df","Name":"\u05e9\u05dd","ID":"\u05de\u05d6\u05d4\u05d4","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u05de\u05d6\u05d4\u05d4 \u05e6\u05e8\u05d9\u05da \u05dc\u05d4\u05ea\u05d7\u05d9\u05dc \u05d1\u05d0\u05d5\u05ea \u05de\u05dc\u05d5\u05d5\u05d4 \u05e8\u05e7 \u05d1\u05d0\u05d5\u05ea\u05d9\u05d5\u05ea, \u05de\u05e1\u05e4\u05e8\u05d9\u05dd, \u05de\u05e7\u05e4\u05d9\u05dd, \u05e0\u05e7\u05d5\u05d3\u05d5\u05ea \u05e0\u05e7\u05d5\u05d3\u05d5\u05ea\u05d9\u05d9\u05dd \u05d0\u05d5 \u05de\u05e7\u05e3 \u05ea\u05d7\u05ea\u05d5\u05df.","You have unsaved changes are you sure you want to navigate away?":"\u05d4\u05e9\u05d9\u05e0\u05d5\u05d9\u05d9\u05dd \u05dc\u05d0 \u05e0\u05e9\u05de\u05e8\u05d5. \u05d4\u05d0\u05dd \u05d0\u05ea\u05d4 \u05d1\u05d8\u05d5\u05d7 \u05e9\u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05e0\u05d5\u05d5\u05d8 \u05d4\u05d7\u05d5\u05e6\u05d4?","Restore last draft":"\u05e9\u05d7\u05d6\u05e8 \u05d8\u05d9\u05d5\u05d8\u05d4 \u05d0\u05d7\u05e8\u05d5\u05e0\u05d4","Special character...":"\u05ea\u05d5\u05d5\u05d9\u05dd \u05de\u05d9\u05d5\u05d7\u05d3\u05d9\u05dd...","Special Character":"\u05ea\u05d5\u05d5\u05d9\u05dd \u05de\u05d9\u05d5\u05d7\u05d3\u05d9\u05dd","Source code":"\u05e7\u05d5\u05d3 \u05de\u05e7\u05d5\u05e8","Insert/Edit code sample":"\u05d4\u05db\u05e0\u05e1/\u05e2\u05e8\u05d5\u05da \u05d3\u05d5\u05d2\u05de\u05ea \u05e7\u05d5\u05d3","Language":"\u05e9\u05e4\u05d4","Code sample...":"\u05d3\u05d5\u05d2\u05de\u05ea \u05e7\u05d5\u05d3...","Left to right":"\u05de\u05e9\u05de\u05d0\u05dc \u05dc\u05d9\u05de\u05d9\u05df","Right to left":"\u05de\u05d9\u05de\u05d9\u05df \u05dc\u05e9\u05de\u05d0\u05dc","Title":"\u05db\u05d5\u05ea\u05e8\u05ea","Fullscreen":"\u05de\u05e1\u05da \u05de\u05dc\u05d0","Action":"\u05e4\u05e2\u05d5\u05dc\u05d4","Shortcut":"\u05e7\u05d9\u05e6\u05d5\u05e8","Help":"\u05e2\u05d6\u05e8\u05d4","Address":"\u05db\u05ea\u05d5\u05d1\u05ea","Focus to menubar":"\u05d4\u05e2\u05d1\u05e8 \u05de\u05d9\u05e7\u05d5\u05d3 \u05dc\u05e9\u05e8\u05d5\u05ea \u05d4\u05ea\u05e4\u05e8\u05d9\u05d8\u05d9\u05dd","Focus to toolbar":"\u05d4\u05e2\u05d1\u05e8 \u05de\u05d9\u05e7\u05d5\u05d3 \u05dc\u05e1\u05e8\u05d2\u05dc \u05d4\u05db\u05dc\u05d9\u05dd","Focus to element path":"\u05e2\u05d1\u05e8 \u05de\u05d9\u05e7\u05d5\u05d3 \u05dc\u05e0\u05ea\u05d9\u05d1 \u05d4\u05e8\u05db\u05d9\u05d1","Focus to contextual toolbar":"\u05d4\u05e2\u05d1\u05e8 \u05de\u05d9\u05e7\u05d5\u05d3 \u05dc\u05e1\u05e8\u05d2\u05dc \u05db\u05dc\u05d9\u05dd \u05d4\u05e7\u05e9\u05e8\u05d9","Insert link (if link plugin activated)":"\u05d4\u05db\u05e0\u05e1 \u05e7\u05d9\u05e9\u05d5\u05e8 (\u05d0\u05dd \u05d9\u05d9\u05e9\u05d5\u05dd \u05d4-Plugin \u05dc\u05e7\u05d9\u05e9\u05d5\u05e8 \u05d4\u05d5\u05e4\u05e2\u05dc)","Save (if save plugin activated)":"\u05e9\u05de\u05d5\u05e8 (\u05d0\u05dd \u05d9\u05d9\u05e9\u05d5\u05dd \u05d4-Plugin \u05dc\u05e9\u05de\u05d9\u05e8\u05d4 \u05d4\u05d5\u05e4\u05e2\u05dc)","Find (if searchreplace plugin activated)":"\u05d7\u05e4\u05e9 (\u05d0\u05dd \u05d9\u05d9\u05e9\u05d5\u05dd \u05d4-Plugin \u05dc-searchreplace \u05d4\u05d5\u05e4\u05e2\u05dc)","Plugins installed ({0}):":"\u05d9\u05d9\u05e9\u05d5\u05de\u05d9 Plugin \u05e9\u05d4\u05d5\u05ea\u05e7\u05e0\u05d5 \u200f({0}):","Premium plugins:":"\u05d9\u05d9\u05e9\u05d5\u05de\u05d9 Plugin \u05de\u05ea\u05e7\u05d3\u05de\u05d9\u05dd:","Learn more...":"\u05dc\u05de\u05d3 \u05e2\u05d5\u05d3...","You are using {0}":"\u05d0\u05ea\u05d4 \u05de\u05e9\u05ea\u05de\u05e9 \u05d1-{0}","Plugins":"\u05d9\u05d9\u05e9\u05d5\u05de\u05d9 Plugin","Handy Shortcuts":"\u05e7\u05d9\u05e6\u05d5\u05e8\u05d9\u05dd \u05e9\u05d9\u05de\u05d5\u05e9\u05d9\u05d9\u05dd","Horizontal line":"\u05e7\u05d5 \u05d0\u05d5\u05e4\u05e7\u05d9","Insert/edit image":"\u05d4\u05db\u05e0\u05e1/\u05e2\u05e8\u05d5\u05da \u05ea\u05de\u05d5\u05e0\u05d4","Alternative description":"\u05ea\u05d9\u05d0\u05d5\u05e8 \u05d0\u05dc\u05d8\u05e8\u05e0\u05d8\u05d9\u05d1\u05d9","Accessibility":"\u05e0\u05d2\u05d9\u05e9\u05d5\u05ea","Image is decorative":"\u05ea\u05de\u05d5\u05e0\u05d4 \u05dc\u05e7\u05d9\u05e9\u05d5\u05d8","Source":"\u05de\u05e7\u05d5\u05e8","Dimensions":"\u05de\u05de\u05d3\u05d9\u05dd","Constrain proportions":"\u05d0\u05dc\u05e5 \u05e4\u05e8\u05d5\u05e4\u05d5\u05e8\u05e6\u05d9\u05d5\u05ea","General":"\u05db\u05dc\u05dc\u05d9","Advanced":"\u05de\u05ea\u05e7\u05d3\u05dd","Style":"\u05e1\u05d2\u05e0\u05d5\u05df","Vertical space":"\u05de\u05e8\u05d5\u05d5\u05d7 \u05d0\u05e0\u05db\u05d9","Horizontal space":"\u05de\u05e8\u05d5\u05d5\u05d7 \u05d0\u05d5\u05e4\u05e7\u05d9","Border":"\u05d2\u05d1\u05d5\u05dc","Insert image":"\u05d4\u05db\u05e0\u05e1 \u05ea\u05de\u05d5\u05e0\u05d4","Image...":"\u05ea\u05de\u05d5\u05e0\u05d4...","Image list":"\u05e8\u05e9\u05d9\u05de\u05ea \u05ea\u05de\u05d5\u05e0\u05d5\u05ea","Resize":"\u05e9\u05e0\u05d4 \u05d2\u05d5\u05d3\u05dc","Insert date/time":"\u05d4\u05db\u05e0\u05e1 \u05ea\u05d0\u05e8\u05d9\u05da/\u05e9\u05e2\u05d4","Date/time":"\u05ea\u05d0\u05e8\u05d9\u05da/\u05e9\u05e2\u05d4","Insert/edit link":"\u05d4\u05db\u05e0\u05e1/\u05e2\u05e8\u05d5\u05da \u05e7\u05d9\u05e9\u05d5\u05e8","Text to display":"\u05d8\u05e7\u05e1\u05d8 \u05dc\u05ea\u05e6\u05d5\u05d2\u05d4","Url":"\u05db\u05ea\u05d5\u05d1\u05ea URL","Open link in...":"\u05e4\u05ea\u05d7 \u05e7\u05d9\u05e9\u05d5\u05e8 \u05d1...","Current window":"\u05d7\u05dc\u05d5\u05df \u05e0\u05d5\u05db\u05d7\u05d9","None":"\u05dc\u05dc\u05d0","New window":"\u05d7\u05dc\u05d5\u05df \u05d7\u05d3\u05e9","Open link":"\u05e4\u05ea\u05d7 \u05e7\u05d9\u05e9\u05d5\u05e8","Remove link":"\u05d4\u05e1\u05e8 \u05e7\u05d9\u05e9\u05d5\u05e8","Anchors":"\u05e2\u05d5\u05d2\u05e0\u05d9\u05dd","Link...":"\u05e7\u05d9\u05e9\u05d5\u05e8...","Paste or type a link":"\u05d4\u05d3\u05d1\u05e7 \u05d0\u05d5 \u05d4\u05e7\u05dc\u05d3 \u05e7\u05d9\u05e9\u05d5\u05e8","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u05e0\u05e8\u05d0\u05d4 \u05e9\u05db\u05ea\u05d5\u05d1\u05ea \u05d4-URL \u05e9\u05d4\u05d6\u05e0\u05ea \u05d4\u05d9\u05d0 \u05db\u05ea\u05d5\u05d1\u05ea \u05d3\u05d5\u05d0 \u05dc. \u05d4\u05d0\u05dd \u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05d4\u05d5\u05e1\u05d9\u05e3 \u05d0\u05ea \u05d4\u05e7\u05d9\u05d3\u05d5\u05de\u05ea \u05d4\u05e0\u05d3\u05e8\u05e9\u05ea :mailto?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u05e0\u05e8\u05d0\u05d4 \u05e9\u05db\u05ea\u05d5\u05d1\u05ea \u05d4-URL \u05e9\u05d4\u05d6\u05e0\u05ea \u05d4\u05d9\u05d0 \u05e7\u05d9\u05e9\u05d5\u05e8 \u05d7\u05d9\u05e6\u05d5\u05e0\u05d9. \u05d4\u05d0\u05dd \u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05d4\u05d5\u05e1\u05d9\u05e3 \u05d0\u05ea \u05d4\u05e7\u05d9\u05d3\u05d5\u05de\u05ea \u05d4\u05e0\u05d3\u05e8\u05e9\u05ea http://\u200e?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u05e0\u05e8\u05d0\u05d4 \u05e9\u05db\u05ea\u05d5\u05d1\u05ea \u05d4-URL \u05e9\u05d4\u05d6\u05e0\u05ea \u05d4\u05d9\u05d0 \u05e7\u05d9\u05e9\u05d5\u05e8 \u05d7\u05d9\u05e6\u05d5\u05e0\u05d9. \u05d4\u05d0\u05dd \u05d1\u05e8\u05e6\u05d5\u05e0\u05da \u05dc\u05d4\u05d5\u05e1\u05d9\u05e3 \u05d0\u05ea \u05d4\u05e7\u05d9\u05d3\u05d5\u05de\u05ea \u05d4\u05e0\u05d3\u05e8\u05e9\u05ea https://\u200e?","Link list":"\u05e8\u05e9\u05d9\u05de\u05ea \u05e7\u05d9\u05e9\u05d5\u05e8\u05d9\u05dd","Insert video":"\u05d4\u05db\u05e0\u05e1 \u05e1\u05e8\u05d8\u05d5\u05df","Insert/edit video":"\u05d4\u05db\u05e0\u05e1/\u05e2\u05e8\u05d5\u05da \u05e1\u05e8\u05d8\u05d5\u05df","Insert/edit media":"\u05d4\u05db\u05e0\u05e1/\u05e2\u05e8\u05d5\u05da \u05de\u05d3\u05d9\u05d4","Alternative source":"\u05de\u05e7\u05d5\u05e8 \u05d7\u05dc\u05d5\u05e4\u05d9","Alternative source URL":"\u05db\u05ea\u05d5\u05d1\u05ea URL \u05dc\u05de\u05e7\u05d5\u05e8 \u05d7\u05dc\u05d5\u05e4\u05d9","Media poster (Image URL)":"\u05e4\u05d5\u05e1\u05d8\u05e8 \u05de\u05d3\u05d9\u05d4 (\u05db\u05ea\u05d5\u05d1\u05ea URL \u05dc\u05ea\u05de\u05d5\u05e0\u05d4)","Paste your embed code below:":"\u05d4\u05d3\u05d1\u05e7 \u05d0\u05ea \u05d4\u05e7\u05d5\u05d3 \u05d4\u05de\u05d5\u05d8\u05d1\u05e2 \u05dc\u05de\u05d8\u05d4:","Embed":"\u05d4\u05d8\u05d1\u05e2","Media...":"\u05de\u05d3\u05d9\u05d4...","Nonbreaking space":"\u05e8\u05d5\u05d5\u05d7 \u05e7\u05e9\u05d9\u05d7","Page break":"\u05de\u05e2\u05d1\u05e8 \u05e2\u05de\u05d5\u05d3","Paste as text":"\u05d4\u05d3\u05d1\u05e7 \u05db\u05d8\u05e7\u05e1\u05d8","Preview":"\u05ea\u05e6\u05d5\u05d2\u05d4 \u05de\u05e7\u05d3\u05d9\u05de\u05d4","Print":"\u05d4\u05d3\u05e4\u05e1","Print...":"\u05d4\u05d3\u05e4\u05e1...","Save":"\u05e9\u05de\u05d5\u05e8","Find":"\u05d7\u05e4\u05e9","Replace with":"\u05d4\u05d7\u05dc\u05e3 \u05d1","Replace":"\u05d4\u05d7\u05dc\u05e3","Replace all":"\u05d4\u05d7\u05dc\u05e3 \u05d4\u05db\u05dc","Previous":"\u05d4\u05e7\u05d5\u05d3\u05dd","Next":"\u05d4\u05d1\u05d0","Find and Replace":"\u05d7\u05d9\u05e4\u05d5\u05e9 \u05d5\u05d4\u05d7\u05dc\u05e4\u05d4","Find and replace...":"\u05d7\u05d9\u05e4\u05d5\u05e9 \u05d5\u05d4\u05d7\u05dc\u05e4\u05d4...","Could not find the specified string.":"\u05dc\u05d0 \u05e0\u05d9\u05ea\u05df \u05d4\u05d9\u05d4 \u05dc\u05de\u05e6\u05d5\u05d0 \u05d0\u05ea \u05d4\u05de\u05d7\u05e8\u05d5\u05d6\u05ea \u05e9\u05e6\u05d5\u05d9\u05e0\u05d4.","Match case":"\u05d4\u05ea\u05d0\u05dd \u05e8\u05d9\u05e9\u05d9\u05d5\u05ea","Find whole words only":"\u05d7\u05e4\u05e9 \u05de\u05d9\u05dc\u05d9\u05dd \u05e9\u05dc\u05de\u05d5\u05ea \u05d1\u05dc\u05d1\u05d3","Find in selection":"\u05d7\u05e4\u05e9 \u05d1\u05ea\u05d5\u05da \u05d4\u05d1\u05d7\u05d9\u05e8\u05d4","Insert table":"\u05d4\u05db\u05e0\u05e1 \u05d8\u05d1\u05dc\u05d4","Table properties":"\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9 \u05d8\u05d1\u05dc\u05d4","Delete table":"\u05de\u05d7\u05e7 \u05d8\u05d1\u05dc\u05d4","Cell":"\u05ea\u05d0","Row":"\u05e9\u05d5\u05e8\u05d4","Column":"\u05e2\u05de\u05d5\u05d3\u05d4","Cell properties":"\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9 \u05ea\u05d0","Merge cells":"\u05de\u05d6\u05d2 \u05ea\u05d0\u05d9\u05dd","Split cell":"\u05e4\u05e6\u05dc \u05ea\u05d0","Insert row before":"\u05d4\u05db\u05e0\u05e1 \u05e9\u05d5\u05e8\u05d4 \u05dc\u05e4\u05e0\u05d9","Insert row after":"\u05d4\u05db\u05e0\u05e1 \u05e9\u05d5\u05e8\u05d4 \u05d0\u05d7\u05e8\u05d9","Delete row":"\u05de\u05d7\u05e7 \u05e9\u05d5\u05e8\u05d4","Row properties":"\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9 \u05e9\u05d5\u05e8\u05d4","Cut row":"\u05d2\u05d6\u05d5\u05e8 \u05e9\u05d5\u05e8\u05d4","Cut column":"\u05d7\u05ea\u05d5\u05da \u05e2\u05de\u05d5\u05d3\u05d4","Copy row":"\u05d4\u05e2\u05ea\u05e7 \u05e9\u05d5\u05e8\u05d4","Copy column":"\u05d4\u05e2\u05ea\u05e7 \u05e2\u05de\u05d5\u05d3\u05d4","Paste row before":"\u05d4\u05d3\u05d1\u05e7 \u05e9\u05d5\u05e8\u05d4 \u05dc\u05e4\u05e0\u05d9","Paste column before":"\u05d4\u05d3\u05d1\u05e7 \u05e2\u05de\u05d5\u05d3\u05d4 \u05dc\u05e4\u05e0\u05d9","Paste row after":"\u05d4\u05d3\u05d1\u05e7 \u05e9\u05d5\u05e8\u05d4 \u05d0\u05d7\u05e8\u05d9","Paste column after":"\u05d4\u05d3\u05d1\u05e7 \u05e2\u05de\u05d5\u05d3\u05d4 \u05dc\u05e4\u05e0\u05d9","Insert column before":"\u05d4\u05db\u05e0\u05e1 \u05e2\u05de\u05d5\u05d3\u05d4 \u05dc\u05e4\u05e0\u05d9","Insert column after":"\u05d4\u05db\u05e0\u05e1 \u05e2\u05de\u05d5\u05d3\u05d4 \u05d0\u05d7\u05e8\u05d9","Delete column":"\u05de\u05d7\u05e7 \u05e2\u05de\u05d5\u05d3\u05d4","Cols":"\u05e2\u05de\u05d5\u05d3\u05d5\u05ea","Rows":"\u05e9\u05d5\u05e8\u05d5\u05ea","Width":"\u05e8\u05d5\u05d7\u05d1","Height":"\u05d2\u05d5\u05d1\u05d4","Cell spacing":"\u05de\u05e8\u05d5\u05d5\u05d7 \u05d1\u05d9\u05df \u05ea\u05d0\u05d9\u05dd","Cell padding":"\u05de\u05e8\u05d5\u05d5\u05d7 \u05d1\u05d9\u05df \u05d2\u05d1\u05d5\u05dc \u05d4\u05ea\u05d0 \u05dc\u05ea\u05d5\u05db\u05df \u05d4\u05ea\u05d0","Row clipboard actions":"\u05e4\u05e2\u05d5\u05dc\u05d5\u05ea \u05dc\u05d5\u05d7 \u05e7\u05dc\u05d9\u05e4 \u05dc\u05e9\u05d5\u05e8\u05d4","Column clipboard actions":"\u05e4\u05e2\u05d5\u05dc\u05d5\u05ea \u05dc\u05d5\u05d7 \u05e7\u05dc\u05d9\u05e4 \u05dc\u05d8\u05d5\u05e8","Table styles":"\u05e1\u05d2\u05e0\u05d5\u05e0\u05d5\u05ea \u05d8\u05d1\u05dc\u05d4","Cell styles":"\u05e1\u05d2\u05e0\u05d5\u05e0\u05d5\u05ea \u05ea\u05d0\u05d9\u05dd","Column header":"\u05db\u05d5\u05ea\u05e8\u05ea \u05d8\u05d5\u05e8","Row header":"\u05db\u05d5\u05ea\u05e8\u05ea \u05e9\u05d5\u05e8\u05d4","Table caption":"\u05db\u05d5\u05ea\u05e8\u05ea \u05d8\u05d1\u05dc\u05d0","Caption":"\u05db\u05d9\u05ea\u05d5\u05d1","Show caption":"\u05d4\u05e6\u05d2 \u05db\u05ea\u05d5\u05d1\u05d9\u05ea","Left":"\u05e9\u05de\u05d0\u05dc","Center":"\u05de\u05e8\u05db\u05d6","Right":"\u05d9\u05de\u05d9\u05df","Cell type":"\u05e1\u05d5\u05d2 \u05ea\u05d0","Scope":"\u05d8\u05d5\u05d5\u05d7","Alignment":"\u05d9\u05d9\u05e9\u05d5\u05e8","Horizontal align":"\u05d9\u05d9\u05e9\u05d5\u05e8 \u05d0\u05d5\u05e4\u05e7\u05d9","Vertical align":"\u05d9\u05d9\u05e9\u05d5\u05e8 \u05d0\u05e0\u05db\u05d9","Top":"\u05e7\u05e6\u05d4 \u05e2\u05dc\u05d9\u05d5\u05df","Middle":"\u05d0\u05de\u05e6\u05e2","Bottom":"\u05e7\u05e6\u05d4 \u05ea\u05d7\u05ea\u05d5\u05df","Header cell":"\u05ea\u05d0 \u05db\u05d5\u05ea\u05e8\u05ea","Row group":"\u05e7\u05d1\u05d5\u05e6\u05ea \u05e9\u05d5\u05e8\u05d5\u05ea","Column group":"\u05e7\u05d1\u05d5\u05e6\u05ea \u05e2\u05de\u05d5\u05d3\u05d5\u05ea","Row type":"\u05e1\u05d5\u05d2 \u05e9\u05d5\u05e8\u05d4","Header":"\u05e8\u05d0\u05e9 \u05e2\u05de\u05d5\u05d3","Body":"\u05d2\u05d5\u05e3","Footer":"\u05ea\u05d7\u05ea\u05d9\u05ea \u05e2\u05de\u05d5\u05d3","Border color":"\u05e6\u05d1\u05e2 \u05d2\u05d1\u05d5\u05dc","Solid":"\u05de\u05d5\u05e6\u05e7","Dotted":"\u05de\u05e0\u05d5\u05e7\u05d3","Dashed":"\u05de\u05de\u05d5\u05e7\u05e3","Double":"\u05db\u05e4\u05d5\u05dc","Groove":"\u05d7\u05e8\u05d9\u05e5","Ridge":"\u05e7\u05e6\u05d4","Inset":"\u05d4\u05db\u05e0\u05e1","Outset":"\u05e4\u05bc\u05b0\u05ea\u05b4\u05d9\u05d7\u05b8\u05d4","Hidden":"\u05de\u05d5\u05e1\u05ea\u05e8","Insert template...":"\u05d4\u05db\u05e0\u05e1 \u05ea\u05d1\u05e0\u05d9\u05ea...","Templates":"\u05ea\u05d1\u05e0\u05d9\u05d5\u05ea","Template":"\u05ea\u05d1\u05e0\u05d9\u05ea","Insert Template":"\u05d4\u05db\u05e0\u05e1 \u05ea\u05d1\u05e0\u05d9\u05ea","Text color":"\u05e6\u05d1\u05e2 \u05d8\u05e7\u05e1\u05d8","Background color":"\u05e6\u05d1\u05e2 \u05e8\u05e7\u05e2","Custom...":"\u05d4\u05ea\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea...","Custom color":"\u05e6\u05d1\u05e2 \u05de\u05d5\u05ea\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea","No color":"\u05dc\u05dc\u05d0 \u05e6\u05d1\u05e2","Remove color":"\u05d4\u05e1\u05e8 \u05e6\u05d1\u05e2","Show blocks":"\u05d4\u05e6\u05d2 \u05d1\u05dc\u05d5\u05e7\u05d9\u05dd","Show invisible characters":"\u05d4\u05e6\u05d2 \u05ea\u05d5\u05d5\u05d9\u05dd \u05dc\u05d0 \u05e0\u05e8\u05d0\u05d9\u05dd","Word count":"\u05e1\u05e4\u05d9\u05e8\u05ea \u05de\u05d9\u05dc\u05d9\u05dd","Count":"\u05e1\u05e4\u05d9\u05e8\u05d4","Document":"\u05de\u05e1\u05de\u05da","Selection":"\u05d1\u05d7\u05d9\u05e8\u05d4","Words":"\u05de\u05d9\u05dc\u05d9\u05dd","Words: {0}":"\u05de\u05d9\u05dc\u05d9\u05dd: {0}","{0} words":"{0} \u05de\u05d9\u05dc\u05d9\u05dd","File":"\u05e7\u05d5\u05d1\u05e5","Edit":"\u05e2\u05e8\u05d5\u05da","Insert":"\u05d4\u05db\u05e0\u05e1","View":"\u05ea\u05e6\u05d5\u05d2\u05d4","Format":"\u05e2\u05d9\u05e6\u05d5\u05d1","Table":"\u05d8\u05d1\u05dc\u05d4","Tools":"\u05db\u05dc\u05d9\u05dd","Powered by {0}":"\u05de\u05d5\u05e4\u05e2\u05dc \u05d1\u05d0\u05de\u05e6\u05e2\u05d5\u05ea {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u05d0\u05d6\u05d5\u05e8 \u05d8\u05e7\u05e1\u05d8 \u05e2\u05e9\u05d9\u05e8. \u05d4\u05e7\u05e9 \u05e2\u05dc Alt-F9 \u05dc\u05ea\u05e4\u05e8\u05d9\u05d8. \u05d4\u05e7\u05e9 \u05e2\u05dc Alt-F10 \u05dc\u05e1\u05e8\u05d2\u05dc \u05d4\u05db\u05dc\u05d9\u05dd. \u05d4\u05e7\u05e9 \u05e2\u05dc Alt-0 \u05dc\u05e2\u05d6\u05e8\u05d4","Image title":"\u05db\u05d5\u05ea\u05e8\u05ea \u05ea\u05de\u05d5\u05e0\u05d4","Border width":"\u05e8\u05d5\u05d7\u05d1 \u05d2\u05d1\u05d5\u05dc","Border style":"\u05e1\u05d2\u05e0\u05d5\u05df \u05d2\u05d1\u05d5\u05dc","Error":"\u05e9\u05d2\u05d9\u05d0\u05d4","Warn":"\u05d0\u05d6\u05d4\u05e8\u05d4","Valid":"\u05d7\u05d5\u05e7\u05d9","To open the popup, press Shift+Enter":"\u05db\u05d3\u05d9 \u05dc\u05e4\u05ea\u05d5\u05d7 \u05d0\u05ea \u05d4\u05e4\u05e8\u05d9\u05d8 \u05d4\u05de\u05d5\u05e7\u05e4\u05e5, \u05d4\u05e7\u05e9 \u05e2\u05dc Shift+Enter","Rich Text Area":"\u05d0\u05d6\u05d5\u05e8 \u05d8\u05e7\u05e1\u05d8 \u05e2\u05e9\u05d9\u05e8","Rich Text Area. Press ALT-0 for help.":"\u05d0\u05d6\u05d5\u05e8 \u05d8\u05e7\u05e1\u05d8 \u05e2\u05e9\u05d9\u05e8. \u05d4\u05e7\u05e9 \u05e2\u05dc ALT-0 \u05dc\u05e2\u05d6\u05e8\u05d4.","System Font":"\u05d2\u05d5\u05e4\u05df \u05de\u05e2\u05e8\u05db\u05ea","Failed to upload image: {0}":"\u05db\u05e9\u05dc \u05d1\u05d4\u05e2\u05dc\u05d0\u05ea \u05ea\u05de\u05d5\u05e0\u05d4: {0}","Failed to load plugin: {0} from url {1}":"\u05db\u05e9\u05dc \u05d1\u05d8\u05e2\u05d9\u05e0\u05ea \u05d9\u05d9\u05e9\u05d5\u05dd Plugin: {0} \u05de\u05db\u05ea\u05d5\u05d1\u05ea URL\u200f {1}","Failed to load plugin url: {0}":"\u05db\u05e9\u05dc \u05d1\u05d8\u05e2\u05d9\u05e0\u05ea \u05db\u05ea\u05d5\u05d1\u05ea URL \u05e9\u05dc \u05d9\u05d9\u05e9\u05d5\u05dd Plugin\u200f: {0}","Failed to initialize plugin: {0}":"\u05db\u05e9\u05dc \u05d1\u05d0\u05ea\u05d7\u05d5\u05dc \u05d9\u05d9\u05e9\u05d5\u05dd Plugin\u200f: {0}","example":"\u05d3\u05d5\u05d2\u05de\u05d4","Search":"\u05d7\u05e4\u05e9","All":"\u05d4\u05db\u05dc","Currency":"\u05de\u05d8\u05d1\u05e2","Text":"\u05d8\u05e7\u05e1\u05d8","Quotations":"\u05e9\u05d0\u05dc\u05d5\u05ea","Mathematical":"\u05de\u05ea\u05de\u05d8\u05d9","Extended Latin":"\u05dc\u05d8\u05d9\u05e0\u05d9\u05ea \u05de\u05d5\u05e8\u05d7\u05d1\u05ea","Symbols":"\u05e1\u05de\u05dc\u05d9\u05dd","Arrows":"\u05d7\u05d9\u05e6\u05d9\u05dd","User Defined":"\u05de\u05d5\u05d2\u05d3\u05e8 \u05e2\u05dc-\u05d9\u05d3\u05d9 \u05d4\u05de\u05e9\u05ea\u05de\u05e9","dollar sign":"\u05e1\u05d9\u05de\u05df \u05d3\u05d5\u05dc\u05e8","currency sign":"\u05e1\u05d9\u05de\u05df \u05de\u05d8\u05d1\u05e2","euro-currency sign":"\u05e1\u05d9\u05de\u05df \u05de\u05d8\u05d1\u05e2 \u05d0\u05d9\u05e8\u05d5","colon sign":"\u05e1\u05d9\u05de\u05df \u05e7\u05d5\u05dc\u05d5\u05df","cruzeiro sign":"\u05e1\u05d9\u05de\u05df \u05e7\u05e8\u05d5\u05d6\u05e8\u05d5","french franc sign":"\u05e1\u05d9\u05de\u05df \u05e4\u05e8\u05e0\u05e7 \u05e6\u05e8\u05e4\u05ea\u05d9","lira sign":"\u05e1\u05d9\u05de\u05df \u05dc\u05d9\u05e8\u05d4","mill sign":"\u05e1\u05d9\u05de\u05df \u05de\u05d9\u05dc","naira sign":"\u05e1\u05d9\u05de\u05df \u05e0\u05d0\u05d9\u05e8\u05d4","peseta sign":"\u05e1\u05d9\u05de\u05df \u05e4\u05d6\u05d8\u05d4","rupee sign":"\u05e1\u05d9\u05de\u05df \u05e8\u05d5\u05e4\u05d9","won sign":"\u05e1\u05d9\u05de\u05df \u05d5\u05d5\u05df","new sheqel sign":"\u05e1\u05d9\u05de\u05df \u05e9\u05e7\u05dc \u05d7\u05d3\u05e9","dong sign":"\u05e1\u05d9\u05de\u05df \u05d3\u05d5\u05e0\u05d2","kip sign":"\u05e1\u05d9\u05de\u05df \u05e7\u05d9\u05e4","tugrik sign":"\u05e1\u05d9\u05de\u05df \u05d8\u05d5\u05d2\u05e8\u05d9\u05e7","drachma sign":"\u05e1\u05d9\u05de\u05df \u05d3\u05e8\u05db\u05de\u05d4","german penny symbol":"\u05e1\u05de\u05dc \u05e4\u05e0\u05d9 \u05d2\u05e8\u05de\u05e0\u05d9","peso sign":"\u05e1\u05d9\u05de\u05df \u05e4\u05d6\u05d5","guarani sign":"\u05e1\u05d9\u05de\u05df \u05d2\u05d5\u05d0\u05e8\u05e0\u05d9\u05ea","austral sign":"\u05e1\u05d9\u05de\u05df \u05d0\u05d5\u05e1\u05d8\u05e8\u05dc","hryvnia sign":"\u05e1\u05d9\u05de\u05df \u05e8\u05d9\u05d1\u05e0\u05d9\u05d4","cedi sign":"\u05e1\u05d9\u05de\u05df \u05e1\u05d3\u05d9","livre tournois sign":"\u05e1\u05d9\u05de\u05df \u05dc\u05d1\u05e8\u05d4 \u05d8\u05d5\u05e8\u05e0\u05d5","spesmilo sign":"\u05e1\u05d9\u05de\u05df \u05e1\u05e4\u05e1\u05de\u05d9\u05dc\u05d5","tenge sign":"\u05e1\u05d9\u05de\u05df \u05d8\u05e0\u05d2\u05d4","indian rupee sign":"\u05e1\u05d9\u05de\u05df \u05e8\u05d5\u05e4\u05d9 \u05d4\u05d5\u05d3\u05d9","turkish lira sign":"\u05e1\u05d9\u05de\u05df \u05dc\u05d9\u05e8\u05d4 \u05d8\u05d5\u05e8\u05e7\u05d9\u05ea","nordic mark sign":"\u05e1\u05d9\u05de\u05df \u05de\u05d0\u05e8\u05e7 \u05e1\u05e7\u05e0\u05d3\u05d9\u05e0\u05d1\u05d9","manat sign":"\u05e1\u05d9\u05de\u05df \u05de\u05d0\u05e0\u05d0\u05d8","ruble sign":"\u05e1\u05d9\u05de\u05df \u05e8\u05d5\u05d1\u05dc","yen character":"\u05ea\u05d5 \u05d9\u05df","yuan character":"\u05ea\u05d5 \u05d9\u05d5\u05d0\u05df","yuan character, in hong kong and taiwan":"\u05ea\u05d5 \u05d9\u05d5\u05d0\u05df, \u05d1\u05d4\u05d5\u05e0\u05d2 \u05e7\u05d5\u05e0\u05d2 \u05d5\u05d1\u05d8\u05d9\u05d9\u05d5\u05d5\u05d0\u05df","yen/yuan character variant one":"\u05de\u05e9\u05ea\u05e0\u05d4 \u05d0\u05d7\u05d3 \u05e9\u05dc \u05ea\u05d5 \u05d9\u05d5\u05d0\u05df/\u05d9\u05df","Emojis":"\u05d0\u05d9\u05de\u05d5\u05d2'\u05d9","Emojis...":"\u05d0\u05d9\u05de\u05d5\u05d2'\u05d9...","Loading emojis...":"\u05d8\u05d5\u05e2\u05df \u05d0\u05d9\u05de\u05d5\u05d2'\u05d9...","Could not load emojis":"\u05dc\u05d0 \u05d4\u05d9\u05d4 \u05e0\u05d9\u05ea\u05df \u05dc\u05d8\u05e2\u05d5\u05df \u05d0\u05d9\u05de\u05d5\u05d2'\u05d9","People":"\u05d0\u05e0\u05e9\u05d9\u05dd","Animals and Nature":"\u05d1\u05e2\u05dc\u05d9-\u05d7\u05d9\u05d9\u05dd \u05d5\u05d8\u05d1\u05e2","Food and Drink":"\u05d0\u05d5\u05db\u05dc \u05d5\u05e9\u05ea\u05d9\u05d9\u05d4","Activity":"\u05e4\u05e2\u05d9\u05dc\u05d5\u05ea","Travel and Places":"\u05e0\u05e1\u05d9\u05e2\u05d4 \u05d5\u05de\u05e7\u05d5\u05de\u05d5\u05ea","Objects":"\u05d0\u05d5\u05d1\u05d9\u05d9\u05e7\u05d8\u05d9\u05dd","Flags":"\u05d3\u05d2\u05dc\u05d9\u05dd","Characters":"\u05ea\u05d5\u05d5\u05d9\u05dd","Characters (no spaces)":"\u05ea\u05d5\u05d5\u05d9\u05dd (\u05dc\u05dc\u05d0 \u05e8\u05d5\u05d5\u05d7\u05d9\u05dd)","{0} characters":"{0} \u05ea\u05d5\u05d5\u05d9\u05dd","Error: Form submit field collision.":"\u05e9\u05d2\u05d9\u05d0\u05d4: \u05d4\u05ea\u05e0\u05d2\u05e9\u05d5\u05ea \u05d1\u05e9\u05d3\u05d4 \u05e9\u05dc\u05d9\u05d7\u05ea \u05d8\u05d5\u05e4\u05e1.","Error: No form element found.":"\u05e9\u05d2\u05d9\u05d0\u05d4: \u05dc\u05d0 \u05e0\u05de\u05e6\u05d0 \u05e8\u05db\u05d9\u05d1 \u05d8\u05d5\u05e4\u05e1.","Color swatch":"\u05d3\u05d5\u05d2\u05de\u05d0\u05d5\u05ea \u05e6\u05d1\u05e2","Color Picker":"\u05d1\u05d5\u05e8\u05e8 \u05e6\u05d1\u05e2\u05d9\u05dd","Invalid hex color code: {0}":"\u05e7\u05d5\u05d3 \u05e6\u05d1\u05e2 Hex \u05e9\u05d2\u05d5\u05d9: {0}","Invalid input":"\u05e7\u05dc\u05d8 \u05dc\u05d0 \u05d7\u05d5\u05e7\u05d9","R":"R","Red component":"\u05de\u05e8\u05db\u05d9\u05d1 \u05d0\u05d3\u05d5\u05dd","G":"G","Green component":"\u05de\u05e8\u05db\u05d9\u05d1 \u05d9\u05e8\u05d5\u05e7","B":"B","Blue component":"\u05de\u05e8\u05db\u05d9\u05d1 \u05db\u05d7\u05d5\u05dc","#":"#","Hex color code":"\u05e7\u05d5\u05d3 \u05e6\u05d1\u05e2 Hex","Range 0 to 255":"\u05d8\u05d5\u05d5\u05d7 0 \u05e2\u05d3 255","Turquoise":"\u05d8\u05d5\u05e8\u05e7\u05d9\u05d6","Green":"\u05d9\u05e8\u05d5\u05e7","Blue":"\u05db\u05d7\u05d5\u05dc","Purple":"\u05e1\u05d2\u05d5\u05dc","Navy Blue":"\u05db\u05d7\u05d5\u05dc \u05e6\u05d9","Dark Turquoise":"\u05d8\u05d5\u05e8\u05e7\u05d9\u05d6 \u05db\u05d4\u05d4","Dark Green":"\u05d9\u05e8\u05d5\u05e7 \u05db\u05d4\u05d4","Medium Blue":"\u05db\u05d7\u05d5\u05dc \u05d1\u05d9\u05e0\u05d5\u05e0\u05d9","Medium Purple":"\u05e1\u05d2\u05d5\u05dc \u05d1\u05d9\u05e0\u05d5\u05e0\u05d9","Midnight Blue":"\u05db\u05d7\u05d5\u05dc \u05d7\u05e6\u05d5\u05ea","Yellow":"\u05e6\u05d4\u05d5\u05d1","Orange":"\u05db\u05ea\u05d5\u05dd","Red":"\u05d0\u05d3\u05d5\u05dd","Light Gray":"\u05d0\u05e4\u05d5\u05e8 \u05d1\u05d4\u05d9\u05e8","Gray":"\u05d0\u05e4\u05d5\u05e8","Dark Yellow":"\u05e6\u05d4\u05d5\u05d1 \u05db\u05d4\u05d4","Dark Orange":"\u05db\u05ea\u05d5\u05dd \u05db\u05d4\u05d4","Dark Red":"\u05d0\u05d3\u05d5\u05dd \u05db\u05d4\u05d4","Medium Gray":"\u05d0\u05e4\u05d5\u05e8 \u05d1\u05d9\u05e0\u05d5\u05e0\u05d9","Dark Gray":"\u05d0\u05e4\u05d5\u05e8 \u05db\u05d4\u05d4","Light Green":"\u05d9\u05e8\u05d5\u05e7 \u05d1\u05d4\u05d9\u05e8","Light Yellow":"\u05e6\u05d4\u05d5\u05d1 \u05d1\u05d4\u05d9\u05e8","Light Red":"\u05d0\u05d3\u05d5\u05dd \u05d1\u05d4\u05d9\u05e8","Light Purple":"\u05e1\u05d2\u05d5\u05dc \u05d1\u05d4\u05d9\u05e8","Light Blue":"\u05db\u05d7\u05d5\u05dc \u05d1\u05d4\u05d9\u05e8","Dark Purple":"\u05e1\u05d2\u05d5\u05dc \u05db\u05d4\u05d4","Dark Blue":"\u05db\u05d7\u05d5\u05dc \u05db\u05d4\u05d4","Black":"\u05e9\u05d7\u05d5\u05e8","White":"\u05dc\u05d1\u05df","Switch to or from fullscreen mode":"\u05d4\u05d7\u05dc\u05e3 \u05dc\u05de\u05e6\u05d1 \u05de\u05e1\u05da \u05de\u05dc\u05d0 \u05d0\u05d5 \u05e6\u05d0 \u05de\u05de\u05e0\u05d5","Open help dialog":"\u05e4\u05ea\u05d7 \u05ea\u05d9\u05d1\u05ea \u05d3\u05d5-\u05e9\u05d9\u05d7 \u05e9\u05dc \u05e2\u05d6\u05e8\u05d4","history":"\u05d4\u05d9\u05e1\u05d8\u05d5\u05e8\u05d9\u05d4","styles":"\u05e1\u05d2\u05e0\u05d5\u05e0\u05d5\u05ea","formatting":"\u05e2\u05d9\u05e6\u05d5\u05d1","alignment":"\u05d9\u05d9\u05e9\u05d5\u05e8","indentation":"\u05d4\u05d6\u05d7\u05d4","Font":"\u05d2\u05d5\u05e4\u05df","Size":"\u05d2\u05d5\u05d3\u05dc","More...":"\u05e2\u05d5\u05d3...","Select...":"\u05d1\u05d7\u05e8...","Preferences":"\u05d4\u05e2\u05d3\u05e4\u05d5\u05ea","Yes":"\u05db\u05df","No":"\u05dc\u05d0","Keyboard Navigation":"\u05e0\u05d9\u05d5\u05d5\u05d8 \u05d1\u05de\u05e7\u05dc\u05d3\u05ea","Version":"\u05d2\u05e8\u05e1\u05d4","Code view":"\u05ea\u05e6\u05d5\u05d2\u05ea \u05e7\u05d5\u05d3","Open popup menu for split buttons":"\u05e4\u05ea\u05d7 \u05ea\u05e4\u05e8\u05d9\u05d8 \u05e8\u05e9\u05d9\u05de\u05d4 \u05dc\u05db\u05e4\u05ea\u05d5\u05e8\u05d9 \u05e4\u05d9\u05e6\u05d5\u05dc","List Properties":"\u05e0\u05db\u05e1\u05d9 \u05e8\u05e9\u05d9\u05de\u05d4","List properties...":"\u05e0\u05db\u05e1\u05d9 \u05e8\u05e9\u05d9\u05de\u05d4...","Start list at number":"\u05d4\u05ea\u05d7\u05dc \u05e8\u05e9\u05d9\u05de\u05d4 \u05de\u05de\u05e1\u05e4\u05e8","Line height":"\u05d2\u05d5\u05d1\u05d4 \u05e7\u05d5","Dropped file type is not supported":"\u05e1\u05d5\u05d2 \u05d4\u05e7\u05d5\u05d1\u05e5 \u05d4\u05de\u05d5\u05d8\u05dc \u05d0\u05d9\u05e0\u05d5 \u05e0\u05ea\u05de\u05da","Loading...":"\u05d8\u05d5\u05e2\u05df...","ImageProxy HTTP error: Rejected request":"\u05e9\u05d2\u05d9\u05d0\u05ea ImageProxy HTTP: \u05e9\u05d0\u05d9\u05dc\u05ea\u05d4 \u05e0\u05d3\u05d7\u05d4","ImageProxy HTTP error: Could not find Image Proxy":"\u05e9\u05d2\u05d9\u05d0\u05ea ImageProxy HTTP: Image Proxy \u05dc\u05d0 \u05e0\u05de\u05e6\u05d0","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u05e9\u05d2\u05d9\u05d0\u05ea ImageProxy HTTP: \u05e9\u05d2\u05d5\u05d9 Image Proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"\u05e9\u05d2\u05d9\u05d0\u05ea ImageProxy HTTP: \u05dc\u05d0 \u05d9\u05d3\u05d5\u05e2 ImageProxy error","_dir":"rtl"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/hi.js b/deform/static/tinymce/langs/hi.js new file mode 100644 index 00000000..5e55937a --- /dev/null +++ b/deform/static/tinymce/langs/hi.js @@ -0,0 +1 @@ +tinymce.addI18n("hi",{"Redo":"\u0906\u0917\u0947","Undo":"\u092a\u0940\u091b\u0947","Cut":"\u0915\u093e\u091f\u0947\u0902","Copy":"\u092a\u094d\u0930\u0924\u093f \u0915\u0930\u0947\u0902","Paste":"\u091a\u093f\u092a\u0915\u093e\u090f\u0901","Select all":"\u0938\u092d\u0940 \u091a\u0941\u0928\u0947\u0902","New document":"\u0928\u092f\u093e \u0926\u0938\u094d\u0924\u093e\u0935\u0947\u091c\u093c","Ok":"\u0920\u0940\u0915 \u0939\u0948","Cancel":"\u0930\u0926\u094d\u0926","Visual aids":"\u0926\u0943\u0936\u094d\u092f \u0938\u093e\u0927\u0928","Bold":"\u092e\u094b\u091f\u093e","Italic":"\u091f\u0947\u095c\u093e","Underline":"\u0905\u0927\u094b\u0930\u0947\u0916\u093e\u0902\u0915\u0928","Strikethrough":"\u092e\u0927\u094d\u092f \u0938\u0947 \u0915\u093e\u091f\u0947\u0902","Superscript":"\u0909\u092a\u0930\u093f\u0932\u093f\u0916\u093f\u0924","Subscript":"\u0928\u093f\u091a\u0932\u0940\u0932\u093f\u0916\u093f\u0924","Clear formatting":"\u092a\u094d\u0930\u093e\u0930\u0942\u092a\u0923 \u0939\u091f\u093e\u090f\u0901","Remove":"\u0939\u091f\u093e\u0928\u093e","Align left":"\u092c\u093e\u090f\u0901 \u0938\u0902\u0930\u0947\u0916\u0923","Align center":"\u092e\u0927\u094d\u092f \u0938\u0902\u0930\u0947\u0916\u0923","Align right":"\u0926\u093e\u090f\u0901 \u0938\u0902\u0930\u0947\u0916\u0923","No alignment":"\u0915\u094b\u0908 \u0938\u0902\u0930\u0947\u0916\u0923 \u0928\u0939\u0940\u0902","Justify":"\u0938\u092e\u0915\u0930\u0923","Bullet list":"\u0917\u094b\u0932\u0940 \u0938\u0942\u091a\u0940","Numbered list":"\u0915\u094d\u0930\u092e\u093e\u0902\u0915\u093f\u0924 \u0938\u0942\u091a\u0940","Decrease indent":"\u0916\u0930\u094b\u091c \u0915\u092e \u0915\u0930\u0947\u0902","Increase indent":"\u0916\u0930\u094b\u091c \u092c\u095d\u093e\u090f\u0901","Close":"\u092c\u0902\u0926","Formats":"\u092a\u094d\u0930\u093e\u0930\u0942\u092a","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0906\u092a\u0915\u093e \u091c\u093e\u0932 \u0935\u093f\u091a\u093e\u0930\u0915 \u0938\u0940\u0927\u0947 \u0938\u092e\u0930\u094d\u0925\u0928 \u0928\u0939\u0940\u0902 \u0915\u0930 \u0930\u0939\u093e \u0939\u0948\u0964 \u0915\u0943\u092a\u092f\u093e \u0915\u0941\u0902\u091c\u0940\u092a\u091f\u0932 \u0915\u0947 \u0926\u094d\u0935\u093e\u0930\u093e Ctrl+X/C/V \u0915\u093e \u0909\u092a\u092f\u094b\u0917 \u0915\u0930\u0947\u0902\u0964","Headings":"\u0936\u0940\u0930\u094d\u0937\u0915","Heading 1":"\u0936\u0940\u0930\u094d\u0937\u0915 1","Heading 2":"\u0936\u0940\u0930\u094d\u0937\u0915 2","Heading 3":"\u0936\u0940\u0930\u094d\u0937\u0915 3","Heading 4":"\u0936\u0940\u0930\u094d\u0937\u0915 4","Heading 5":"\u0936\u0940\u0930\u094d\u0937\u0915 5","Heading 6":"\u0936\u0940\u0930\u094d\u0937\u0915 6","Preformatted":"\u092a\u0942\u0930\u094d\u0935\u0938\u094d\u0935\u0930\u0942\u092a\u093f\u0924","Div":"\u0921\u093f\u0935","Pre":"\u092a\u0942\u0930\u094d\u0935","Code":"\u0938\u0902\u0915\u0947\u0924\u0932\u093f\u092a\u093f","Paragraph":"\u0905\u0928\u0941\u091a\u094d\u091b\u0947\u0926","Blockquote":"\u0916\u0902\u0921-\u0909\u0926\u094d\u0927\u0930\u0923","Inline":"\u0930\u0947\u0916\u093e \u092e\u0947\u0902","Blocks":"\u0916\u0902\u0921","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u091a\u093f\u092a\u0915\u093e\u0928\u0947 \u0915\u093e \u092a\u094d\u0930\u0915\u093e\u0930 \u0905\u092d\u0940 \u0938\u093e\u0926\u093e \u092a\u093e\u0920\u094d\u092f \u0939\u0948\u0964 \u0938\u093e\u092e\u0917\u094d\u0930\u0940 \u091a\u093f\u092a\u0915\u093e\u0928\u0947 \u092a\u0930 \u0935\u0939 \u0938\u093e\u0926\u0947 \u092a\u093e\u0920\u094d\u092f \u092e\u0947\u0902 \u0930\u0939\u0917\u0940 \u091c\u092c \u0924\u0915 \u0906\u092a \u0907\u0938 \u0935\u093f\u0915\u0932\u094d\u092a \u0915\u094b \u092c\u0902\u0926 \u0928\u0939\u0940\u0902 \u0915\u0930 \u0926\u0947\u0924\u0947\u0964","Fonts":"\u092b\u094b\u0902\u091f\u094d\u0938","Font sizes":"Font sizes","Class":"\u0915\u0915\u094d\u0937\u093e","Browse for an image":"\u090f\u0915 \u091b\u0935\u093f \u092c\u094d\u0930\u093e\u0909\u091c\u093c \u0915\u0930\u0947\u0902","OR":"\u092f\u093e","Drop an image here":"\u092f\u0939\u093e\u0902 \u090f\u0915 \u091b\u0935\u093f \u091b\u094b\u0921\u093c\u0947\u0902","Upload":"\u0905\u092a\u0932\u094b\u0921","Uploading image":"","Block":"\u0916\u0902\u0921","Align":"\u0938\u0902\u0930\u0947\u0916\u093f\u0924","Default":"\u092a\u0939\u0932\u0947 \u0938\u0947 \u091a\u0941\u0928\u093e \u0939\u0941\u0906","Circle":"\u0935\u0943\u0924\u094d\u0924","Disc":"\u092c\u093f\u0902\u092c","Square":"\u0935\u0930\u094d\u0917","Lower Alpha":"\u0928\u093f\u092e\u094d\u0928 \u0905\u0932\u094d\u092b\u093e","Lower Greek":"\u0928\u093f\u092e\u094d\u0928 \u0917\u094d\u0930\u0940\u0915","Lower Roman":"\u0928\u093f\u092e\u094d\u0928 \u0930\u094b\u092e\u0928","Upper Alpha":"\u0909\u091a\u094d\u091a \u0905\u0932\u094d\u092b\u093e","Upper Roman":"\u0909\u091a\u094d\u091a \u0930\u094b\u092e\u0928","Anchor...":"\u0932\u0902\u0917\u0930","Anchor":"","Name":"\u0928\u093e\u092e","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\u0906\u092a\u0915\u0947 \u0915\u0941\u091b \u0905\u0938\u0939\u0947\u091c\u0947 \u092c\u0926\u0932\u093e\u0935 \u0939\u0948\u0902, \u0915\u094d\u092f\u093e \u0906\u092a \u0928\u093f\u0936\u094d\u091a\u093f\u0924 \u0930\u0942\u092a \u0938\u0947 \u092f\u0939\u093e\u0901 \u0938\u0947 \u091c\u093e\u0928\u093e \u091a\u093e\u0939\u0924\u0947 \u0939\u094b?","Restore last draft":"\u0906\u0916\u093f\u0930\u0940 \u092e\u0938\u094c\u0926\u093e \u092a\u0941\u0928\u0930\u094d\u0938\u094d\u0925\u093e\u092a\u093f\u0924 \u0915\u0930\u0947\u0902","Special character...":"\u0935\u093f\u0936\u0947\u0937 \u0935\u0930\u094d\u0923","Special Character":"","Source code":"\u0938\u094d\u0924\u094d\u0930\u094b\u0924 \u0938\u0902\u0915\u0947\u0924\u0932\u093f\u092a\u093f","Insert/Edit code sample":"\u0915\u094b\u0921 \u0928\u092e\u0942\u0928\u093e \u0921\u093e\u0932\u0947\u0902/\u0938\u0902\u092a\u093e\u0926\u093f\u0924 \u0915\u0930\u0947\u0902","Language":"\u092d\u093e\u0937\u093e","Code sample...":"\u0915\u094b\u0921 \u0928\u092e\u0942\u0928\u093e","Left to right":"\u092c\u093e\u090f\u0901 \u0938\u0947 \u0926\u093e\u090f\u0901","Right to left":"\u0926\u093e\u090f\u0901 \u0938\u0947 \u092c\u093e\u090f\u0901","Title":"\u0936\u0940\u0930\u094d\u0937\u0915","Fullscreen":"\u092a\u0942\u0930\u094d\u0923 \u0938\u094d\u0915\u094d\u0930\u0940\u0928","Action":"\u0915\u093e\u0930\u094d\u092f","Shortcut":"\u091b\u094b\u091f\u093e \u0930\u093e\u0938\u094d\u0924\u093e","Help":"\u092e\u0926\u0926","Address":"\u092a\u0924\u093e","Focus to menubar":"\u092e\u0947\u0928\u0942\u092c\u093e\u0930 \u092a\u0930 \u0927\u094d\u092f\u093e\u0928 \u0926\u0947\u0902","Focus to toolbar":"\u091f\u0942\u0932\u092c\u093e\u0930 \u092a\u0930 \u0927\u094d\u092f\u093e\u0928 \u0926\u0947\u0902","Focus to element path":"\u0924\u0924\u094d\u0935 \u092a\u0925 \u092a\u0930 \u0927\u094d\u092f\u093e\u0928 \u0926\u0947\u0902","Focus to contextual toolbar":"\u092a\u094d\u0930\u093e\u0938\u0902\u0917\u093f\u0915 \u091f\u0942\u0932\u092c\u093e\u0930 \u092a\u0930 \u0927\u094d\u092f\u093e\u0928 \u0926\u0947\u0902","Insert link (if link plugin activated)":"\u0932\u093f\u0902\u0915 \u0921\u093e\u0932\u0947\u0902 (\u092f\u0926\u093f \u0932\u093f\u0902\u0915 \u092a\u094d\u0932\u0917\u0907\u0928 \u0938\u0915\u094d\u0930\u093f\u092f \u0939\u0948)","Save (if save plugin activated)":"\u0938\u0939\u0947\u091c\u0947\u0902 (\u092f\u0926\u093f \u0938\u0939\u0947\u091c\u0947\u0902 \u092a\u094d\u0932\u0917\u0907\u0928 \u0938\u0915\u094d\u0930\u093f\u092f \u0939\u0948)","Find (if searchreplace plugin activated)":"\u0916\u094b\u091c\u0947\u0902 (\u092f\u0926\u093f \u0916\u094b\u091c \u0938\u0915\u094d\u0930\u093f\u092f \u092a\u094d\u0932\u0917\u0907\u0928 \u0915\u094b \u092a\u094d\u0930\u0924\u093f\u0938\u094d\u0925\u093e\u092a\u093f\u0924 \u0915\u0930\u0924\u0940 \u0939\u0948)","Plugins installed ({0}):":"\u092a\u094d\u0932\u0917\u0907\u0928\u094d\u0938 \u0938\u094d\u0925\u093e\u092a\u093f\u0924 ({0}):","Premium plugins:":"\u092a\u094d\u0930\u0940\u092e\u093f\u092f\u092e \u092a\u094d\u0932\u0917\u0907\u0928\u094d\u0938:","Learn more...":"\u0914\u0930 \u0905\u0927\u093f\u0915 \u091c\u093e\u0928\u0947\u0902...","You are using {0}":"\u0906\u092a {0} \u0915\u093e \u0909\u092a\u092f\u094b\u0917 \u0915\u0930 \u0930\u0939\u0947 \u0939\u0948\u0902","Plugins":"\u092a\u094d\u0932\u0917-\u0907\u0928","Handy Shortcuts":"\u0906\u0938\u093e\u0928 \u0936\u0949\u0930\u094d\u091f\u0915\u091f","Horizontal line":"\u0915\u094d\u0937\u0948\u0924\u093f\u091c \u0930\u0947\u0916\u093e","Insert/edit image":"\u091b\u0935\u093f \u0921\u093e\u0932\u0947\u0902/\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0915\u0930\u0947\u0902","Alternative description":"\u0935\u0948\u0915\u0932\u094d\u092a\u093f\u0915 \u0935\u093f\u0935\u0930\u0923","Accessibility":"\u0938\u0930\u0932 \u0909\u092a\u092f\u094b\u0917","Image is decorative":"\u091b\u0935\u093f \u0938\u091c\u093e\u0935\u091f\u0940 \u0939\u0948","Source":"\u0938\u094d\u0924\u094d\u0930\u094b\u0924","Dimensions":"\u0906\u092f\u093e\u092e","Constrain proportions":"\u0905\u0928\u0941\u092a\u093e\u0924 \u0935\u093f\u0935\u0936","General":"\u0938\u093e\u092e\u093e\u0928\u094d\u092f","Advanced":"\u0909\u0928\u094d\u0928\u0924","Style":"\u0936\u0948\u0932\u0940","Vertical space":"\u090a\u0930\u094d\u0927\u094d\u0935\u093e\u0927\u0930 \u0938\u094d\u0925\u093e\u0928","Horizontal space":"\u0915\u094d\u0937\u0948\u0924\u093f\u091c \u0938\u094d\u0925\u093e\u0928","Border":"\u0938\u0940\u092e\u093e","Insert image":"\u091b\u0935\u093f \u0921\u093e\u0932\u0947\u0902","Image...":"\u091b\u0935\u093f...","Image list":"\u091b\u0935\u093f \u0938\u0942\u091a\u0940","Resize":"\u0906\u0915\u093e\u0930 \u092c\u0926\u0932\u0947\u0902","Insert date/time":"\u0926\u093f\u0928\u093e\u0902\u0915/\u0938\u092e\u092f \u0921\u093e\u0932\u0947\u0902","Date/time":"\u0926\u093f\u0928\u093e\u0902\u0915 \u0914\u0930 \u0938\u092e\u092f","Insert/edit link":"\u0915\u095c\u0940 \u0921\u093e\u0932\u0947\u0902/\u0938\u0902\u092a\u093e\u0926\u093f\u0924 \u0915\u0930\u0947\u0902","Text to display":"\u0926\u093f\u0916\u093e\u0928\u0947 \u0939\u0947\u0924\u0941 \u092a\u093e\u0920\u094d\u092f","Url":"\u091c\u093e\u0932\u0938\u094d\u0925\u0932 \u092a\u0924\u093e","Open link in...":"\u092e\u0947\u0902 \u0932\u093f\u0902\u0915 \u0916\u094b\u0932\u0947\u0902...","Current window":"\u0935\u0930\u094d\u0924\u092e\u093e\u0928 \u0916\u093f\u0921\u093c\u0915\u0940","None":"\u0915\u094b\u0908 \u0928\u0939\u0940\u0902","New window":"\u0928\u0908 \u0916\u093f\u095c\u0915\u0940","Open link":"\u0916\u0941\u0932\u0940 \u0932\u093f\u0902\u0915","Remove link":"\u0915\u095c\u0940 \u0939\u091f\u093e\u090f\u0901","Anchors":"\u0932\u0902\u0917\u0930","Link...":"\u0938\u0902\u092a\u0930\u094d\u0915...","Paste or type a link":"\u0932\u093f\u0902\u0915 \u092a\u0947\u0938\u094d\u091f \u0915\u0930\u0947\u0902 \u092f\u093e \u091f\u093e\u0907\u092a \u0915\u0930\u0947\u0902","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0906\u092a\u0928\u0947 \u091c\u094b \u0915\u095c\u0940 \u0921\u093e\u0932\u0940 \u0939\u0948 \u0935\u0939 \u0908\u092e\u0947\u0932 \u092a\u0924\u093e \u0915\u0947 \u091c\u0948\u0938\u0947 \u0926\u093f\u0916 \u0930\u0939\u093e \u0939\u0948\u0964 \u0915\u094d\u092f\u093e \u0906\u092a mailto: \u092a\u0939\u0932\u0947 \u091c\u094b\u095c\u0928\u093e \u091a\u093e\u0939\u0924\u0947 \u0939\u0948?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0906\u092a\u0928\u0947 \u091c\u094b \u0915\u095c\u0940 \u0921\u093e\u0932\u0940 \u0939\u0948 \u0935\u0939 \u092c\u093e\u0939\u0930\u0940 \u0915\u095c\u0940 \u0915\u0947 \u091c\u0948\u0938\u0947 \u0926\u093f\u0916 \u0930\u0939\u093e \u0939\u0948\u0964 \u0915\u094d\u092f\u093e \u0906\u092a http:// \u092a\u0939\u0932\u0947 \u091c\u094b\u095c\u0928\u093e \u091a\u093e\u0939\u0924\u0947 \u0939\u0948?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0906\u092a\u0915\u0947 \u0926\u094d\u0935\u093e\u0930\u093e \u0926\u0930\u094d\u091c \u0915\u093f\u092f\u093e \u0917\u092f\u093e URL \u090f\u0915 \u092c\u093e\u0939\u0930\u0940 \u0932\u093f\u0902\u0915 \u092a\u094d\u0930\u0924\u0940\u0924 \u0939\u094b\u0924\u093e \u0939\u0948\u0964 \u0915\u094d\u092f\u093e \u0906\u092a \u0906\u0935\u0936\u094d\u092f\u0915 https:// \u0909\u092a\u0938\u0930\u094d\u0917 \u091c\u094b\u0921\u093c\u0928\u093e \u091a\u093e\u0939\u0924\u0947 \u0939\u0948\u0902?","Link list":"\u0932\u093f\u0902\u0915 \u0938\u0942\u091a\u0940","Insert video":"\u091a\u0932\u091a\u093f\u0924\u094d\u0930 \u0921\u093e\u0932\u0947\u0902","Insert/edit video":"\u091a\u0932\u091a\u093f\u0924\u094d\u0930 \u0921\u093e\u0932\u0947\u0902/\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0915\u0930\u0947\u0902","Insert/edit media":"","Alternative source":"\u0935\u0948\u0915\u0932\u094d\u092a\u093f\u0915 \u0938\u094d\u0930\u094b\u0924","Alternative source URL":"","Media poster (Image URL)":"","Paste your embed code below:":"\u0926\u093f\u0916\u093e\u0928\u0947 \u0935\u093e\u0932\u0947 \u0938\u0902\u0915\u0947\u0924 \u0915\u094b \u0928\u0940\u091a\u0947 \u0921\u093e\u0932\u0947\u0902:","Embed":"\u0926\u093f\u0916\u093e\u0928\u093e","Media...":"","Nonbreaking space":"\u0905\u0935\u093f\u0930\u093e\u092e\u093f\u0924 \u091c\u0917\u0939","Page break":"\u092a\u0943\u0937\u094d\u0920 \u0935\u093f\u0930\u093e\u092e","Paste as text":"\u092a\u093e\u0920\u094d\u092f \u0915\u0947 \u0930\u0942\u092a \u092e\u0947\u0902 \u091a\u093f\u092a\u0915\u093e\u090f\u0901","Preview":"\u092a\u0942\u0930\u094d\u0935\u093e\u0935\u0932\u094b\u0915\u0928","Print":"","Print...":"","Save":"\u0938\u0939\u0947\u091c\u0947\u0902","Find":"\u0916\u094b\u091c","Replace with":"\u092a\u094d\u0930\u0924\u093f\u0938\u094d\u0925\u093e\u092a\u093f\u0924 \u0915\u0930\u0947\u0902","Replace":"\u092a\u094d\u0930\u0924\u093f\u0938\u094d\u0925\u093e\u092a\u0928","Replace all":"\u0938\u092d\u0940 \u092a\u094d\u0930\u0924\u093f\u0938\u094d\u0925\u093e\u092a\u093f\u0924 \u0915\u0930\u0947\u0902","Previous":"","Next":"\u0905\u0917\u0932\u093e","Find and Replace":"","Find and replace...":"","Could not find the specified string.":"\u0928\u093f\u0930\u094d\u0926\u093f\u0937\u094d\u091f \u092a\u0902\u0915\u094d\u0924\u093f \u0928\u0939\u0940\u0902 \u092e\u093f\u0932 \u0938\u0915\u093e\u0964","Match case":"\u092e\u093e\u092e\u0932\u0947 \u092e\u093f\u0932\u093e\u090f\u0901","Find whole words only":"","Find in selection":"","Insert table":"\u0924\u093e\u0932\u093f\u0915\u093e \u0921\u093e\u0932\u0947\u0902","Table properties":"\u0924\u093e\u0932\u093f\u0915\u093e \u0915\u0947 \u0917\u0941\u0923","Delete table":"\u0924\u093e\u0932\u093f\u0915\u093e \u0939\u091f\u093e\u090f\u0901","Cell":"\u0915\u094b\u0936\u093f\u0915\u093e","Row":"\u092a\u0902\u0915\u094d\u0924\u093f","Column":"\u0938\u094d\u0924\u0902\u092d","Cell properties":"\u0915\u094b\u0936\u093f\u0915\u093e \u0917\u0941\u0923","Merge cells":"\u0916\u093e\u0928\u094b\u0902 \u0915\u094b \u092e\u093f\u0932\u093e\u090f\u0902","Split cell":"\u0916\u093e\u0928\u0947\u0902 \u0935\u093f\u092d\u093e\u091c\u093f\u0924 \u0915\u0930\u0947\u0902","Insert row before":"\u092a\u0939\u0932\u0947 \u092a\u0902\u0915\u094d\u0924\u093f \u0921\u093e\u0932\u0947\u0902","Insert row after":"\u092c\u093e\u0926 \u092a\u0902\u0915\u094d\u0924\u093f \u0921\u093e\u0932\u0947\u0902","Delete row":"\u092a\u0902\u0915\u094d\u0924\u093f \u0939\u091f\u093e\u090f\u0902","Row properties":"\u092a\u0902\u0915\u094d\u0924\u093f \u0915\u0947 \u0917\u0941\u0923","Cut row":"\u092a\u0902\u0915\u094d\u0924\u093f \u0915\u093e\u091f\u0947\u0902","Cut column":"","Copy row":"\u092a\u0902\u0915\u094d\u0924\u093f \u0915\u0940 \u092a\u094d\u0930\u0924\u093f\u0932\u093f\u092a\u093f \u0932\u0947\u0902","Copy column":"","Paste row before":"\u092a\u0902\u0915\u094d\u0924\u093f \u0938\u0947 \u092a\u0939\u0932\u0947 \u091a\u093f\u092a\u0915\u093e\u090f\u0901","Paste column before":"","Paste row after":"\u092a\u0902\u0915\u094d\u0924\u093f \u0915\u0947 \u092c\u093e\u0926 \u091a\u093f\u092a\u0915\u093e\u090f\u0901","Paste column after":"","Insert column before":"\u092a\u0939\u0932\u0947 \u0938\u094d\u0924\u0902\u092d \u0921\u093e\u0932\u0947\u0902","Insert column after":"\u092c\u093e\u0926 \u0938\u094d\u0924\u0902\u092d \u0921\u093e\u0932\u0947\u0902","Delete column":"\u0938\u094d\u0924\u0902\u092d \u0939\u091f\u093e\u090f\u0901","Cols":"\u0938\u094d\u0924\u0902\u092d","Rows":"\u092a\u0902\u0915\u094d\u0924\u093f\u092f\u093e\u0901","Width":"\u091a\u094c\u0921\u093c\u093e\u0908","Height":"\u090a\u0901\u091a\u093e\u0908","Cell spacing":"\u0916\u093e\u0928\u094b\u0902 \u092e\u0947\u0902 \u0930\u093f\u0915\u094d\u0924\u093f","Cell padding":"\u0916\u093e\u0928\u094b\u0902 \u092e\u0947\u0902 \u0926\u0942\u0930\u0940","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"\u0905\u0928\u0941\u0936\u0940\u0930\u094d\u0937\u0915","Show caption":"","Left":"\u092c\u093e\u092f\u093e\u0901","Center":"\u092e\u0927\u094d\u092f","Right":"\u0926\u093e\u092f\u093e\u0901","Cell type":"\u0916\u093e\u0928\u0947 \u0915\u093e \u092a\u094d\u0930\u0915\u093e\u0930","Scope":"\u0915\u094d\u0937\u0947\u0924\u094d\u0930","Alignment":"\u0938\u0902\u0930\u0947\u0916\u0923","Horizontal align":"","Vertical align":"","Top":"\u0936\u0940\u0930\u094d\u0937","Middle":"\u092e\u0927\u094d\u092f","Bottom":"\u0928\u0940\u091a\u0947","Header cell":"\u0936\u0940\u0930\u094d\u0937 \u0916\u093e\u0928\u093e","Row group":"\u092a\u0902\u0915\u094d\u0924\u093f \u0938\u092e\u0942\u0939","Column group":"\u0938\u094d\u0924\u0902\u092d \u0938\u092e\u0942\u0939","Row type":"\u092a\u0902\u0915\u094d\u0924\u093f \u092a\u094d\u0930\u0915\u093e\u0930","Header":"\u0936\u0940\u0930\u094d\u0937\u0915","Body":"\u0936\u0930\u0940\u0930","Footer":"\u092a\u093e\u0926 \u0932\u0947\u0916","Border color":"\u0938\u0940\u092e\u093e \u0930\u0902\u0917","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"","Templates":"\u0938\u093e\u0901\u091a\u0947","Template":"","Insert Template":"","Text color":"\u092a\u093e\u0920\u094d\u092f \u0930\u0902\u0917","Background color":"\u092a\u0943\u0937\u094d\u0920\u092d\u0942\u092e\u093f \u0915\u093e \u0930\u0902\u0917","Custom...":"\u0905\u0928\u0941\u0915\u0942\u0932\u093f\u0924...","Custom color":"\u0905\u0928\u0941\u0915\u0942\u0932\u093f\u0924 \u0930\u0902\u0917","No color":"\u0930\u0902\u0917\u0939\u0940\u0928","Remove color":"","Show blocks":"\u0921\u092c\u094d\u092c\u0947 \u0926\u093f\u0916\u093e\u090f\u0901","Show invisible characters":"\u0905\u0926\u0943\u0936\u094d\u092f \u0905\u0915\u094d\u0937\u0930\u094b\u0902 \u0915\u094b \u0926\u093f\u0916\u093e\u090f\u0901","Word count":"","Count":"","Document":"","Selection":"","Words":"","Words: {0}":"\u0936\u092c\u094d\u0926: {0}","{0} words":"","File":"\u0928\u0924\u094d\u0925\u0940","Edit":"\u0938\u092e\u094d\u092a\u093e\u0926\u0928","Insert":"\u0921\u093e\u0932\u0947\u0902","View":"\u0926\u0947\u0916\u0947\u0902","Format":"\u092a\u094d\u0930\u093e\u0930\u0942\u092a","Table":"\u0924\u093e\u0932\u093f\u0915\u093e","Tools":"\u0909\u092a\u0915\u0930\u0923","Powered by {0}":"","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0938\u0902\u092a\u0928\u094d\u0928 \u092a\u093e\u0920 \u0915\u094d\u0937\u0947\u0924\u094d\u0930\u0964 \u092e\u0947\u0928\u0942 \u0915\u0947 \u0932\u093f\u090f ALT-F9 \u0926\u092c\u093e\u090f\u0901\u0964 \u0909\u092a\u0915\u0930\u0923 \u092a\u091f\u094d\u091f\u0940 \u0915\u0947 \u0932\u093f\u090f ALT-F10 \u0926\u092c\u093e\u090f\u0901\u0964 \u0938\u0939\u093e\u092f\u0924\u093e \u0915\u0947 \u0932\u093f\u090f ALT-0 \u0926\u092c\u093e\u090f\u0901\u0964","Image title":"","Border width":"","Border style":"","Error":"","Warn":"","Valid":"","To open the popup, press Shift+Enter":"","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"","System Font":"","Failed to upload image: {0}":"","Failed to load plugin: {0} from url {1}":"","Failed to load plugin url: {0}":"","Failed to initialize plugin: {0}":"","example":"","Search":"","All":"","Currency":"","Text":"","Quotations":"","Mathematical":"","Extended Latin":"","Symbols":"","Arrows":"","User Defined":"","dollar sign":"","currency sign":"","euro-currency sign":"","colon sign":"","cruzeiro sign":"","french franc sign":"","lira sign":"","mill sign":"","naira sign":"","peseta sign":"","rupee sign":"","won sign":"","new sheqel sign":"","dong sign":"","kip sign":"","tugrik sign":"","drachma sign":"","german penny symbol":"","peso sign":"","guarani sign":"","austral sign":"","hryvnia sign":"","cedi sign":"","livre tournois sign":"","spesmilo sign":"","tenge sign":"","indian rupee sign":"","turkish lira sign":"","nordic mark sign":"","manat sign":"","ruble sign":"","yen character":"","yuan character":"","yuan character, in hong kong and taiwan":"","yen/yuan character variant one":"","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"","Animals and Nature":"","Food and Drink":"","Activity":"","Travel and Places":"","Objects":"","Flags":"","Characters":"","Characters (no spaces)":"","{0} characters":"","Error: Form submit field collision.":"","Error: No form element found.":"","Color swatch":"","Color Picker":"\u0930\u0902\u0917 \u091a\u092f\u0928\u0915\u0930\u094d\u0924\u093e","Invalid hex color code: {0}":"","Invalid input":"","R":"\u0906\u0930","Red component":"","G":"\u091c\u0940","Green component":"","B":"\u092c\u0940","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"","Green":"","Blue":"","Purple":"","Navy Blue":"","Dark Turquoise":"","Dark Green":"","Medium Blue":"","Medium Purple":"","Midnight Blue":"","Yellow":"","Orange":"","Red":"","Light Gray":"","Gray":"","Dark Yellow":"","Dark Orange":"","Dark Red":"","Medium Gray":"","Dark Gray":"","Light Green":"","Light Yellow":"","Light Red":"","Light Purple":"","Light Blue":"","Dark Purple":"","Dark Blue":"","Black":"","White":"","Switch to or from fullscreen mode":"","Open help dialog":"","history":"","styles":"","formatting":"","alignment":"","indentation":"","Font":"","Size":"","More...":"","Select...":"","Preferences":"","Yes":"","No":"","Keyboard Navigation":"","Version":"","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/hr.js b/deform/static/tinymce/langs/hr.js index d6529664..332a765e 100644 --- a/deform/static/tinymce/langs/hr.js +++ b/deform/static/tinymce/langs/hr.js @@ -1,174 +1 @@ -tinymce.addI18n('hr',{ -"Cut": "Izre\u017ei", -"Header 2": "Zaglavlje 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Va\u0161 preglednik ne podr\u017eava direktan pristup me\u0111uspremniku. Molimo Vas da umjesto toga koristite tipkovni\u010dke kratice Ctrl+X\/C\/V.", -"Div": "DIV", -"Paste": "Zalijepi", -"Close": "Zatvori", -"Pre": "PRE", -"Align right": "Poravnaj desno", -"New document": "Novi dokument", -"Blockquote": "BLOCKQUOTE", -"Numbered list": "Numerirana lista", -"Increase indent": "Pove\u0107aj uvla\u010denje", -"Formats": "Formati", -"Headers": "Zaglavlja", -"Select all": "Ozna\u010di sve", -"Header 3": "Zaglavlje 3", -"Blocks": "Blokovi", -"Undo": "Poni\u0161ti", -"Strikethrough": "Crta kroz sredinu", -"Bullet list": "Lista", -"Header 1": "Zaglavlje 1", -"Superscript": "Natpis", -"Clear formatting": "Ukloni oblikovanje", -"Subscript": "Potpis", -"Header 6": "Zaglavlje 6", -"Redo": "Vrati", -"Paragraph": "Paragraf", -"Ok": "Uredu", -"Bold": "Masna", -"Code": "CODE oznaka", -"Italic": "Kurziv", -"Align center": "Poravnaj po sredini", -"Header 5": "Zaglavlje 5", -"Decrease indent": "Smanji uvla\u010denje", -"Header 4": "Zaglavlje 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Akcija zalijepi od sada lijepi \u010disti tekst. Sadr\u017eaj \u0107e biti zaljepljen kao \u010disti tekst sve dok ne isklju\u010dite ovu opciju.", -"Underline": "Crta ispod", -"Cancel": "Odustani", -"Justify": "Obostrano poravnanje", -"Inline": "Unutarnje", -"Copy": "Kopiraj", -"Align left": "Poravnaj lijevo", -"Visual aids": "Vizualna pomo\u0107", -"Lower Greek": "Mala gr\u010dka slova", -"Square": "Kvadrat", -"Default": "Zadano", -"Lower Alpha": "Mala slova", -"Circle": "Krug", -"Disc": "To\u010dka", -"Upper Alpha": "Velika slova", -"Upper Roman": "Velika rimska slova", -"Lower Roman": "Mala rimska slova", -"Name": "Ime", -"Anchor": "Sidro", -"You have unsaved changes are you sure you want to navigate away?": "Postoje ne pohranjene izmjene, jeste li sigurni da \u017eelite oti\u0107i?", -"Restore last draft": "Vrati posljednju skicu", -"Special character": "Poseban znak", -"Source code": "Izvorni kod", -"Right to left": "S desna na lijevo", -"Left to right": "S lijeva na desno", -"Emoticons": "Emotikoni", -"Robots": "Roboti pretra\u017eiva\u010da", -"Document properties": "Svojstva dokumenta", -"Title": "Naslov", -"Keywords": "Klju\u010dne rije\u010di", -"Encoding": "Kodna stranica", -"Description": "Opis", -"Author": "Autor", -"Fullscreen": "Cijeli ekran", -"Horizontal line": "Horizontalna linija", -"Horizontal space": "Horizontalan razmak", -"Insert\/edit image": "Umetni\/izmijeni sliku", -"General": "Op\u0107enito", -"Advanced": "Napredno", -"Source": "Izvor", -"Border": "Rub", -"Constrain proportions": "Zadr\u017ei proporcije", -"Vertical space": "Okomit razmak", -"Image description": "Opis slike", -"Style": "Stil", -"Dimensions": "Dimenzije", -"Insert image": "Umetni sliku", -"Insert date\/time": "Umetni datum\/vrijeme", -"Remove link": "Ukloni poveznicu", -"Url": "Url", -"Text to display": "Tekst za prikaz", -"Anchors": "Kra\u0107e poveznice", -"Insert link": "Umetni poveznicu", -"New window": "Novi prozor", -"None": "Ni\u0161ta", -"Target": "Meta", -"Insert\/edit link": "Umetni\/izmijeni poveznicu", -"Insert\/edit video": "Umetni\/izmijeni video", -"Poster": "Poster", -"Alternative source": "Alternativni izvor", -"Paste your embed code below:": "Umetnite va\u0161 kod za ugradnju ispod:", -"Insert video": "Umetni video", -"Embed": "Ugradi", -"Nonbreaking space": "Neprekidaju\u0107i razmak", -"Page break": "Prijelom stranice", -"Preview": "Pregled", -"Print": "Ispis", -"Save": "Spremi", -"Could not find the specified string.": "Tra\u017eeni tekst nije prona\u0111en", -"Replace": "Zamijeni", -"Next": "Slijede\u0107i", -"Whole words": "Cijele rije\u010di", -"Find and replace": "Prona\u0111i i zamijeni", -"Replace with": "Zamijeni s", -"Find": "Tra\u017ei", -"Replace all": "Zamijeni sve", -"Match case": "Pazi na mala i velika slova", -"Prev": "Prethodni", -"Spellcheck": "Provjeri pravopis", -"Finish": "Zavr\u0161i", -"Ignore all": "Zanemari sve", -"Ignore": "Zanemari", -"Insert row before": "Umetni redak prije", -"Rows": "Redci", -"Height": "Visina", -"Paste row after": "Zalijepi redak nakon", -"Alignment": "Poravnanje", -"Column group": "Grupirani stupci", -"Row": "Redak", -"Insert column before": "Umetni stupac prije", -"Split cell": "Razdvoji polja", -"Cell padding": "Razmak unutar polja", -"Cell spacing": "Razmak izme\u0111u polja", -"Row type": "Vrsta redka", -"Insert table": "Umetni tablicu", -"Body": "Sadr\u017eaj", -"Caption": "Natpis", -"Footer": "Podno\u017eje", -"Delete row": "Izbri\u0161i redak", -"Paste row before": "Zalijepi redak prije", -"Scope": "Doseg", -"Delete table": "Izbri\u0161i tablicu", -"Header cell": "Polje zaglavlja", -"Column": "Stupac", -"Cell": "Polje", -"Header": "Zaglavlje", -"Cell type": "Vrsta polja", -"Copy row": "Kopiraj redak", -"Row properties": "Svojstva redka", -"Table properties": "Svojstva tablice", -"Row group": "Grupirani redci", -"Right": "Desno", -"Insert column after": "Umetni stupac nakon", -"Cols": "Stupci", -"Insert row after": "Umetni redak nakon", -"Width": "\u0160irina", -"Cell properties": "Svojstva polja", -"Left": "Lijevo", -"Cut row": "Izre\u017ei redak", -"Delete column": "Izbri\u0161i stupac", -"Center": "Sredina", -"Merge cells": "Spoji polja", -"Insert template": "Umetni predlo\u017eak", -"Templates": "Predlo\u0161ci", -"Background color": "Boja pozadine", -"Text color": "Boja teksta", -"Show blocks": "Prika\u017ei blokove", -"Show invisible characters": "Prika\u017ei nevidljive znakove", -"Words: {0}": "Rije\u010di: {0}", -"Insert": "Umetni", -"File": "Datoteka", -"Edit": "Izmijeni", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Pritisni ALT-F9 za izbornik. Pritisni ALT-F10 za alatnu traku. Pritisni ALT-0 za pomo\u0107", -"Tools": "Alati", -"View": "Pogled", -"Table": "Tablica", -"Format": "Oblikuj" -}); \ No newline at end of file +tinymce.addI18n("hr",{"Redo":"Ponovi","Undo":"Poni\u0161ti","Cut":"Izre\u017ei","Copy":"Kopiraj","Paste":"Zalijepi","Select all":"Odaberi sve","New document":"Novi dokument","Ok":"U redu","Cancel":"Odustani","Visual aids":"Vizualna pomo\u0107","Bold":"Podebljano","Italic":"Kurziv","Underline":"Podcrtaj","Strikethrough":"Prekri\u017ei","Superscript":"Eksponent","Subscript":"Indeks","Clear formatting":"Izbri\u0161i oblikovanje","Remove":"Ukloni","Align left":"Poravnaj lijevo","Align center":"Poravnaj po sredini","Align right":"Poravnaj desno","No alignment":"Bez poravnavanja","Justify":"Obostrano poravnanje","Bullet list":"Popis s oznakama","Numbered list":"Numerirani popis","Decrease indent":"Smanji uvla\u010denje","Increase indent":"Pove\u0107aj uvla\u010denje","Close":"Zatvori","Formats":"Formati","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Va\u0161 preglednik ne podr\u017eava izravan pristup me\u0111uspremniku. Umjesto toga upotrijebite tipkovni\u010dke pre\u010dace Ctrl\xa0+\xa0X/C/V.","Headings":"Zaglavlja","Heading 1":"Zaglavlje 1","Heading 2":"Zaglavlje 2","Heading 3":"Zaglavlje 3","Heading 4":"Zaglavlje 4","Heading 5":"Zaglavlje 5","Heading 6":"Zaglavlje 6","Preformatted":"Prethodno oblikovano","Div":"Div","Pre":"Pre","Code":"Kod","Paragraph":"Odlomak","Blockquote":"Blockquote","Inline":"U retku","Blocks":"Blokovi","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Radnjom lijepljenja od sada se lijepi obi\u010dan tekst. Sadr\u017eaj \u0107e se lijepiti kao obi\u010dan tekst sve dok ne isklju\u010dite ovu opciju.","Fonts":"Fontovi","Font sizes":"Veli\u010dine fonta","Class":"Klasa","Browse for an image":"Potra\u017eite sliku","OR":"ILI","Drop an image here":"Ispustite sliku ovdje","Upload":"U\u010ditaj","Uploading image":"U\u010ditavanje fotografije","Block":"Blok","Align":"Poravnaj","Default":"Standardna vrijednost","Circle":"Krug","Disc":"Disk","Square":"Kvadrat","Lower Alpha":"Mala slova","Lower Greek":"Mala gr\u010dka slova","Lower Roman":"Male rimske znamenke","Upper Alpha":"Velika slova","Upper Roman":"Velike rimske znamenke","Anchor...":"Sidro...","Anchor":"Sidro","Name":"Ime","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID treba po\u010dinjati sa slovom, te sadr\u017eavati samo slova, brojeve, povlake, to\u010dke, dvoto\u010dke i donje crte.","You have unsaved changes are you sure you want to navigate away?":"Imate nepohranjene izmjene, jeste li sigurni da \u017eelite oti\u0107i?","Restore last draft":"Vrati posljednju skicu","Special character...":"Poseban znak...","Special Character":"Poseban znak","Source code":"Izvorni k\xf4d","Insert/Edit code sample":"Umetni/uredi primjerak k\xf4da","Language":"Jezik","Code sample...":"Primjerak k\xf4da...","Left to right":"Slijeva nadesno","Right to left":"Zdesna ulijevo","Title":"Naslov","Fullscreen":"Cijeli zaslon","Action":"Radnja","Shortcut":"Pre\u010dac","Help":"Pomo\u0107","Address":"Adresa","Focus to menubar":"Fokus na traku izbornika","Focus to toolbar":"Fokus na alatnu traku","Focus to element path":"Fokus na put elementa","Focus to contextual toolbar":"Fokus na kontekstnu alatnu traku","Insert link (if link plugin activated)":"Umetni poveznicu (ako je dodatak za povezivanje aktiviran)","Save (if save plugin activated)":"Spremi (ako je dodatak za spremanje aktiviran)","Find (if searchreplace plugin activated)":"Prona\u0111i (ako je dodatak za tra\u017eenje i zamjenjivanje aktiviran)","Plugins installed ({0}):":"Instalirani dodaci ({0}):","Premium plugins:":"Premium dodaci:","Learn more...":"Saznajte vi\u0161e...","You are using {0}":"Upotrebljavate {0}","Plugins":"Dodaci","Handy Shortcuts":"Korisni pre\u010daci","Horizontal line":"Vodoravna crta","Insert/edit image":"Umetni/izmijeni sliku","Alternative description":"Alternativni opis","Accessibility":"Pristupa\u010dnost","Image is decorative":"Fotografija je dekorativna","Source":"Izvor","Dimensions":"Mjere","Constrain proportions":"Ograni\u010di omjere","General":"Op\u0107e postavke","Advanced":"Napredne postavke","Style":"Format","Vertical space":"Uspravni prostor","Horizontal space":"Vodoravni prostor","Border":"Granica","Insert image":"Umetni sliku","Image...":"Slika...","Image list":"Popis slika","Resize":"Promijeni veli\u010dinu","Insert date/time":"Umetni datum/vrijeme","Date/time":"Datum/vrijeme","Insert/edit link":"Umetni/uredi poveznicu","Text to display":"Tekst za prikaz","Url":"URL","Open link in...":"Otvori poveznicu u...","Current window":"Trenuta\u010dni prozor","None":"Nema","New window":"Novi prozor","Open link":"Otvori poveznicu","Remove link":"Ukloni poveznicu","Anchors":"Sidra","Link...":"Poveznica...","Paste or type a link":"Zalijepite ili upi\u0161ite poveznicu","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Izgleda da je URL koji ste upisali adresa e-po\u0161te. \u017delite li dodati obavezan prefiks mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Izgleda da je URL koji ste upisali vanjska poveznica. \u017delite li dodati obavezan prefiks http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Izgleda da je URL koji ste upisali vanjska poveznica. \u017delite li dodati obavezan prefiks https://?","Link list":"Popis poveznica","Insert video":"Umetni videozapis","Insert/edit video":"Umetni/uredi videozapis","Insert/edit media":"Umetni/uredi medije","Alternative source":"Alternativni izvor","Alternative source URL":"URL alternativnog izvora","Media poster (Image URL)":"Medijski poster (URL slike)","Paste your embed code below:":"Zalijepite k\xf4d za ugradnju u nastavku:","Embed":"Ugradi","Media...":"Mediji...","Nonbreaking space":"Nerastavljaju\u0107i razmak","Page break":"Prijelom stranice","Paste as text":"Zalijepi kao tekst","Preview":"Pretpregled","Print":"Ispi\u0161i","Print...":"Ispi\u0161i...","Save":"Spremi","Find":"Na\u0111i","Replace with":"Zamijeni s","Replace":"Zamijeni","Replace all":"Zamijeni sve","Previous":"Prethodno","Next":"Sljede\u0107e","Find and Replace":"Prona\u0111i i izmjeni","Find and replace...":"Prona\u0111i i zamijeni...","Could not find the specified string.":"Nije bilo mogu\u0107e prona\u0107i navedeni niz.","Match case":"Prilagodi slova","Find whole words only":"Prona\u0111i samo cijele rije\u010di","Find in selection":"Prona\u0111i u selekciji","Insert table":"Umetni tablicu","Table properties":"Svojstva tablice","Delete table":"Izbri\u0161i tablicu","Cell":"\u0106elija","Row":"Redak","Column":"Stupac","Cell properties":"Svojstva \u0107elija","Merge cells":"Spoji \u0107elije","Split cell":"Razdvoji \u0107elije","Insert row before":"Umetni redak ispred","Insert row after":"Umetni redak iza","Delete row":"Izbri\u0161i redak","Row properties":"Svojstva retka","Cut row":"Izre\u017ei redak","Cut column":"Izre\u017ei stupac","Copy row":"Kopiraj redak","Copy column":"Kopiraj stupac","Paste row before":"Zalijepi redak ispred","Paste column before":"Zalijepi stupac ispred","Paste row after":"Zalijepi redak iza","Paste column after":"Zalijepi stupac iza","Insert column before":"Umetni stupac ispred","Insert column after":"Umetni stupac iza","Delete column":"Izbri\u0161i stupac","Cols":"Stupci","Rows":"Redovi","Width":"\u0160irina","Height":"Visina","Cell spacing":"Razmak izme\u0111u \u0107elija","Cell padding":"Podloga \u0107elije","Row clipboard actions":"Akcije me\u0111uspremnika za redak","Column clipboard actions":"Akcije me\u0111uspremnika za stupac","Table styles":"Stilovi tablice","Cell styles":"Stilovi \u0107elije","Column header":"Zaglavlje stupca","Row header":"Zaglavlje retka","Table caption":"Naslov tablice","Caption":"Naslov","Show caption":"Prika\u017ei naslov","Left":"Lijevo","Center":"Sredina","Right":"Desno","Cell type":"Vrsta \u0107elije","Scope":"Podru\u010dje va\u017eenja","Alignment":"Poravnanje","Horizontal align":"Horizontalno poravnanje","Vertical align":"Vertikalno poravnanje","Top":"Vrh","Middle":"Sredina","Bottom":"Dno","Header cell":"\u0106elija zaglavlja","Row group":"Grupa redaka","Column group":"Grupa stupaca","Row type":"Vrsta retka","Header":"Zaglavlje","Body":"Tijelo","Footer":"Podno\u017eje","Border color":"Boja granice","Solid":"Puni","Dotted":"To\u010dkasti","Dashed":"Crtkani","Double":"Dupli","Groove":"Brazda","Ridge":"Izbo\u010denje","Inset":"Udubljenje","Outset":"Ispup\u010denje","Hidden":"Skriven","Insert template...":"Umetni predlo\u017eak...","Templates":"Predlo\u0161ci","Template":"Predlo\u017eak","Insert Template":"Umetni predlo\u017eak","Text color":"Boja teksta","Background color":"Boja pozadine","Custom...":"Prilago\u0111eno...","Custom color":"Prilago\u0111ena boja","No color":"Bez boje","Remove color":"Ukloni boju","Show blocks":"Prika\u017ei blokove","Show invisible characters":"Prika\u017ei nevidljive znakove","Word count":"Broj rije\u010di","Count":"Broj","Document":"Dokument","Selection":"Odabir","Words":"Rije\u010di","Words: {0}":"Rije\u010di: {0}","{0} words":"{0} rije\u010d(i)","File":"Datoteka","Edit":"Uredi","Insert":"Umetni","View":"Prikaz","Format":"Oblikovanje","Table":"Tablica","Tools":"Alati","Powered by {0}":"Omogu\u0107uje {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Podru\u010dje oboga\u0107enog teksta. Pritisnite ALT-F9 za izbornik. Pritisnite ALT-F10 za alatnu traku. Pritisnite ALT-0 za pomo\u0107","Image title":"Naslov slike","Border width":"\u0160irina granice","Border style":"Stil granice","Error":"Pogre\u0161ka","Warn":"Upozori","Valid":"Valjano","To open the popup, press Shift+Enter":"Da biste otvorili sko\u010dni prozor, pritisnite Shift\xa0+\xa0Enter","Rich Text Area":"Podru\u010dje oboga\u0107enog teksta","Rich Text Area. Press ALT-0 for help.":"Podru\u010dje oboga\u0107enog teksta. Pritisnite ALT-0 za pomo\u0107.","System Font":"Font sustava","Failed to upload image: {0}":"U\u010ditavanje slike nije uspjelo: {0}","Failed to load plugin: {0} from url {1}":"U\u010ditavanje dodatka nije uspjelo: {0} s URL-a {1}","Failed to load plugin url: {0}":"U\u010ditavanje dodatka nije uspjelo: {0}","Failed to initialize plugin: {0}":"Pokretanje dodatka nije uspjelo: {0}","example":"primjer","Search":"Tra\u017ei","All":"Svi","Currency":"Valuta","Text":"Tekst","Quotations":"Navodnici","Mathematical":"Matemati\u010dki","Extended Latin":"Pro\u0161ireni latinski","Symbols":"Simboli","Arrows":"Strelice","User Defined":"Korisni\u010dki definirano","dollar sign":"znak za dolar","currency sign":"znak za valutu","euro-currency sign":"znak za valutu \u2013 euro","colon sign":"znak za kolon","cruzeiro sign":"znak za cruzeiro","french franc sign":"znak za francuski franak","lira sign":"znak za liru","mill sign":"znak za mill","naira sign":"znak za nairu","peseta sign":"znak za pezetu","rupee sign":"znak za rupiju","won sign":"znak za von","new sheqel sign":"znak za novi \u0161ekel","dong sign":"znak za dong","kip sign":"znak za kip","tugrik sign":"znak za tugrik","drachma sign":"znak za drahmu","german penny symbol":"simbol za njema\u010dki peni","peso sign":"znak za pezo","guarani sign":"znak za gvarani","austral sign":"znak za austral","hryvnia sign":"znak za grivnju","cedi sign":"znak za cedi","livre tournois sign":"znak za livre tournois","spesmilo sign":"znak za spesmilo","tenge sign":"znak za tengu","indian rupee sign":"znak za indijsku rupiju","turkish lira sign":"znak za tursku liru","nordic mark sign":"znak za nordijsku marku","manat sign":"znak za manat","ruble sign":"znak za rubalj","yen character":"znak za jen","yuan character":"znak za juan","yuan character, in hong kong and taiwan":"znak za juan, u Hong Kongu i Tajvanu","yen/yuan character variant one":"znak za jen/juan, prva varijanta","Emojis":"Emotikoni","Emojis...":"Emotikoni...","Loading emojis...":"U\u010ditavanje emotikona...","Could not load emojis":"Nije mogu\u0107e u\u010ditati emotikone","People":"Osobe","Animals and Nature":"\u017divotinje i priroda","Food and Drink":"Hrana i pi\u0107e","Activity":"Aktivnosti","Travel and Places":"Putovanje i mjesta","Objects":"Predmeti","Flags":"Zastave","Characters":"Znakovi","Characters (no spaces)":"Znakovi (bez razmaka)","{0} characters":"{0} znakova","Error: Form submit field collision.":"Pogre\u0161ka: sukob polja za podno\u0161enje obrasca.","Error: No form element found.":"Pogre\u0161ka: nema elementa oblika.","Color swatch":"Uzorak boje","Color Picker":"Izabira\u010d boja","Invalid hex color code: {0}":"Neispravan hex kod boje: {0}","Invalid input":"Neispravan unos","R":"R","Red component":"Crvena komponenta","G":"G","Green component":"Zelena komponenta","B":"B","Blue component":"Plava komponenta","#":"#","Hex color code":"Hex kod boje","Range 0 to 255":"Raspon 0 do 255","Turquoise":"Tirkizna","Green":"Zelena","Blue":"Plava","Purple":"Ljubi\u010dasta","Navy Blue":"Mornarsko plava","Dark Turquoise":"Tamnotirkizna","Dark Green":"Tamnozelena","Medium Blue":"Srednje plava","Medium Purple":"Srednje ljubi\u010dasta","Midnight Blue":"Pono\u0107no plava","Yellow":"\u017duta","Orange":"Naran\u010dasta","Red":"Crvena","Light Gray":"Svijetlosiva","Gray":"Siva","Dark Yellow":"Tamno\u017euta","Dark Orange":"Tamnonaran\u010dasta","Dark Red":"Tamnocrvena","Medium Gray":"Srednje siva","Dark Gray":"Tamnosiva","Light Green":"Svjetlozelena","Light Yellow":"Svjetlo\u017euta","Light Red":"Svjetlocrvena","Light Purple":"Svjetloljubi\u010dasta","Light Blue":"Svjetloplava","Dark Purple":"Tamnoljubi\u010dasta","Dark Blue":"Tamnoplava","Black":"Crna","White":"Bijela","Switch to or from fullscreen mode":"Prebacivanje u prikaz preko cijelog zaslona ili iz njega","Open help dialog":"Otvori dijalo\u0161ki okvir za pomo\u0107","history":"povijest","styles":"stilovi","formatting":"oblikovanje","alignment":"poravnanje","indentation":"uvlaka","Font":"Font","Size":"Veli\u010dina","More...":"Vi\u0161e...","Select...":"Odaberi...","Preferences":"Postavke","Yes":"Da","No":"Ne","Keyboard Navigation":"Navigacija na tipkovnici","Version":"Ina\u010dica","Code view":"Pregled koda","Open popup menu for split buttons":"Otvori padaju\u0107i izbornik na podijeljenim gumbima","List Properties":"Svojstva liste","List properties...":"Svojstva liste...","Start list at number":"Kreni listu s brojem","Line height":"Visina reda","Dropped file type is not supported":"Dodana datoteka nije podr\u017eana","Loading...":"U\u010ditavanje...","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/hu_HU.js b/deform/static/tinymce/langs/hu_HU.js index e3705cae..f6fd2afd 100644 --- a/deform/static/tinymce/langs/hu_HU.js +++ b/deform/static/tinymce/langs/hu_HU.js @@ -1,175 +1 @@ -tinymce.addI18n('hu_HU',{ -"Cut": "Kiv\u00e1g\u00e1s", -"Header 2": "C\u00edmsor 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "A b\u00f6ng\u00e9sz\u0151d nem t\u00e1mogatja a k\u00f6zvetlen hozz\u00e1f\u00e9r\u00e9st a v\u00e1g\u00f3laphoz. K\u00e9rlek haszn\u00e1ld a Ctrl+X\/C\/V billenty\u0171ket.", -"Div": "Div", -"Paste": "Beilleszt\u00e9s", -"Close": "Bez\u00e1r", -"Pre": "El\u0151", -"Align right": "Jobbra igaz\u00edt", -"New document": "\u00daj dokumentum", -"Blockquote": "Id\u00e9zetblokk", -"Numbered list": "Sz\u00e1moz\u00e1s", -"Increase indent": "Beh\u00faz\u00e1s n\u00f6vel\u00e9se", -"Formats": "Form\u00e1tumok", -"Headers": "C\u00edmsorok", -"Select all": "Minden kijel\u00f6l\u00e9se", -"Header 3": "C\u00edmsor 3", -"Blocks": "Blokkok", -"Undo": "Visszavon\u00e1s", -"Strikethrough": "\u00c1th\u00fazott", -"Bullet list": "Felsorol\u00e1s", -"Header 1": "C\u00edmsor 1", -"Superscript": "Fels\u0151 index", -"Clear formatting": "Form\u00e1z\u00e1s t\u00f6rl\u00e9se", -"Subscript": "Als\u00f3 index", -"Header 6": "C\u00edmsor 6", -"Redo": "Ism\u00e9t", -"Paragraph": "Bekezd\u00e9s", -"Ok": "Rendben", -"Bold": "F\u00e9lk\u00f6v\u00e9r", -"Code": "K\u00f3d", -"Italic": "D\u0151lt", -"Align center": "K\u00f6z\u00e9pre z\u00e1r", -"Header 5": "C\u00edmsor 5", -"Decrease indent": "Beh\u00faz\u00e1s cs\u00f6kkent\u00e9se", -"Header 4": "C\u00edmsor 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Beilleszt\u00e9s mostant\u00f3l egyszer\u0171 sz\u00f6veg m\u00f3dban. A tartalmak mostant\u00f3l egyszer\u0171 sz\u00f6vegk\u00e9nt lesznek beillesztve, am\u00edg nem kapcsolod ki ezt az opci\u00f3t.", -"Underline": "Al\u00e1h\u00fazott", -"Cancel": "M\u00e9gse", -"Justify": "Sorkiz\u00e1r\u00e1s", -"Inline": "Vonalon bel\u00fcl", -"Copy": "M\u00e1sol\u00e1s", -"Align left": "Balra igaz\u00edt", -"Visual aids": "Vizu\u00e1lis seg\u00e9deszk\u00f6z\u00f6k", -"Lower Greek": "Kis g\u00f6r\u00f6g sz\u00e1m", -"Square": "N\u00e9gyzet", -"Default": "Alap\u00e9rtelmezett", -"Lower Alpha": "Kisbet\u0171", -"Circle": "K\u00f6r", -"Disc": "Pont", -"Upper Alpha": "Nagybet\u0171", -"Upper Roman": "Nagy r\u00f3mai sz\u00e1m", -"Lower Roman": "Kis r\u00f3mai sz\u00e1m", -"Name": "N\u00e9v", -"Anchor": "Horgony", -"You have unsaved changes are you sure you want to navigate away?": "Nem mentett m\u00f3dos\u00edt\u00e1said vannak, biztos hogy el akarsz navig\u00e1lni?", -"Restore last draft": "Utols\u00f3 piszkozat vissza\u00e1ll\u00edt\u00e1sa", -"Special character": "Speci\u00e1lis karakter", -"Source code": "Forr\u00e1sk\u00f3d", -"Right to left": "Jobbr\u00f3l balra", -"Left to right": "Balr\u00f3l jobbra", -"Emoticons": "Mosolyok", -"Robots": "Robotok", -"Document properties": "Dokumentum tulajdons\u00e1gai", -"Title": "C\u00edm", -"Keywords": "Kulcsszavak", -"Encoding": "K\u00f3dol\u00e1s", -"Description": "Le\u00edr\u00e1s", -"Author": "Szerz\u0151", -"Fullscreen": "Teljes k\u00e9perny\u0151", -"Horizontal line": "V\u00edzszintes vonal", -"Horizontal space": "Horizont\u00e1lis hely", -"Insert\/edit image": "K\u00e9p beilleszt\u00e9se\/szerkeszt\u00e9se", -"General": "\u00c1ltal\u00e1nos", -"Advanced": "Halad\u00f3", -"Source": "Forr\u00e1s", -"Border": "Szeg\u00e9ly", -"Constrain proportions": "M\u00e9retar\u00e1ny", -"Vertical space": "Vertik\u00e1lis hely", -"Image description": "K\u00e9p le\u00edr\u00e1sa", -"Style": "St\u00edlus", -"Dimensions": "M\u00e9retek", -"Insert image": "K\u00e9p besz\u00far\u00e1sa", -"Insert date\/time": "D\u00e1tum\/id\u0151 beilleszt\u00e9se", -"Remove link": "Hivatkoz\u00e1s t\u00f6rl\u00e9se", -"Url": "Url", -"Text to display": "Megjelen\u0151 sz\u00f6veg", -"Anchors": "Horgonyok", -"Insert link": "Link beilleszt\u00e9se", -"New window": "\u00daj ablak", -"None": "Nincs", -"Target": "C\u00e9l", -"Insert\/edit link": "Link beilleszt\u00e9se\/szerkeszt\u00e9se", -"Insert\/edit video": "Vide\u00f3 beilleszt\u00e9se\/szerkeszt\u00e9se", -"Poster": "El\u0151n\u00e9zeti k\u00e9p", -"Alternative source": "Alternat\u00edv forr\u00e1s", -"Paste your embed code below:": "Illeszd be a be\u00e1gyaz\u00f3 k\u00f3dot alulra:", -"Insert video": "Vide\u00f3 beilleszt\u00e9se", -"Embed": "Be\u00e1gyaz", -"Nonbreaking space": "Nem t\u00f6rhet\u0151 hely", -"Page break": "Oldalt\u00f6r\u00e9s", -"Paste as text": "Beilleszt\u00e9s sz\u00f6vegk\u00e9nt", -"Preview": "El\u0151n\u00e9zet", -"Print": "Nyomtat\u00e1s", -"Save": "Ment\u00e9s", -"Could not find the specified string.": "A be\u00edrt kifejez\u00e9s nem tal\u00e1lhat\u00f3.", -"Replace": "Csere", -"Next": "K\u00f6vetkez\u0151", -"Whole words": "Csak ha ez a teljes sz\u00f3", -"Find and replace": "Keres\u00e9s \u00e9s csere", -"Replace with": "Csere erre", -"Find": "Keres\u00e9s", -"Replace all": "Az \u00f6sszes cser\u00e9je", -"Match case": "Teljes egyez\u00e9s", -"Prev": "El\u0151z\u0151", -"Spellcheck": "Helyes\u00edr\u00e1s ellen\u0151rz\u00e9s", -"Finish": "Befejez\u00e9s", -"Ignore all": "Mindent figyelmen k\u00edv\u00fcl hagy", -"Ignore": "Figyelmen k\u00edv\u00fcl hagy", -"Insert row before": "Sor besz\u00far\u00e1sa el\u00e9", -"Rows": "Sorok", -"Height": "Magass\u00e1g", -"Paste row after": "Sor beilleszt\u00e9se m\u00f6g\u00e9", -"Alignment": "Igaz\u00edt\u00e1s", -"Column group": "Oszlop csoport", -"Row": "Sor", -"Insert column before": "Oszlop besz\u00far\u00e1sa el\u00e9", -"Split cell": "Cell\u00e1k sz\u00e9tv\u00e1laszt\u00e1sa", -"Cell padding": "Cella m\u00e9rete", -"Cell spacing": "Cell\u00e1k t\u00e1vols\u00e1ga", -"Row type": "Sor t\u00edpus", -"Insert table": "T\u00e1bl\u00e1zat beilleszt\u00e9se", -"Body": "Sz\u00f6vegt\u00f6rzs", -"Caption": "Felirat", -"Footer": "L\u00e1bl\u00e9c", -"Delete row": "Sor t\u00f6rl\u00e9se", -"Paste row before": "Sor beilleszt\u00e9se el\u00e9", -"Scope": "Hat\u00f3k\u00f6r", -"Delete table": "T\u00e1bl\u00e1zat t\u00f6rl\u00e9se", -"Header cell": "Fejl\u00e9c cella", -"Column": "Oszlop", -"Cell": "Cella", -"Header": "Fejl\u00e9c", -"Cell type": "Cella t\u00edpusa", -"Copy row": "Sor m\u00e1sol\u00e1sa", -"Row properties": "Sor tulajdons\u00e1gai", -"Table properties": "T\u00e1bl\u00e1zat tulajdons\u00e1gok", -"Row group": "Sor csoport", -"Right": "Jobb", -"Insert column after": "Oszlop besz\u00far\u00e1sa m\u00f6g\u00e9", -"Cols": "Oszlopok", -"Insert row after": "Sor besz\u00far\u00e1sa m\u00f6g\u00e9", -"Width": "Sz\u00e9less\u00e9g", -"Cell properties": "Cella tulajdons\u00e1gok", -"Left": "Bal", -"Cut row": "Sor kiv\u00e1g\u00e1sa", -"Delete column": "Oszlop t\u00f6rl\u00e9se", -"Center": "K\u00f6z\u00e9p", -"Merge cells": "Cell\u00e1k egyes\u00edt\u00e9se", -"Insert template": "Sablon beilleszt\u00e9se", -"Templates": "Sablonok", -"Background color": "H\u00e1tt\u00e9r sz\u00edn", -"Text color": "Sz\u00f6veg sz\u00edne", -"Show blocks": "Blokkok mutat\u00e1sa", -"Show invisible characters": "L\u00e1thatatlan karakterek mutat\u00e1sa", -"Words: {0}": "Szavak: {0}", -"Insert": "Beilleszt\u00e9s", -"File": "F\u00e1jl", -"Edit": "Szerkeszt\u00e9s", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich Text ter\u00fclet. Nyomj ALT-F9-et a men\u00fch\u00f6z. Nyomj ALT-F10-et az eszk\u00f6zt\u00e1rhoz. Nyomj ALT-0-t a s\u00fag\u00f3hoz", -"Tools": "Eszk\u00f6z\u00f6k", -"View": "N\u00e9zet", -"Table": "T\u00e1bl\u00e1zat", -"Format": "Form\u00e1tum" -}); \ No newline at end of file +tinymce.addI18n("hu_HU",{"Redo":"Ism\xe9t","Undo":"Visszavon\xe1s","Cut":"Kiv\xe1g\xe1s","Copy":"M\xe1sol\xe1s","Paste":"Beilleszt\xe9s","Select all":"Minden kijel\xf6l\xe9se","New document":"\xdaj dokumentum","Ok":"Rendben","Cancel":"M\xe9gse","Visual aids":"Vizu\xe1lis seg\xe9deszk\xf6z\xf6k","Bold":"F\xe9lk\xf6v\xe9r","Italic":"D\u0151lt","Underline":"Al\xe1h\xfazott","Strikethrough":"\xc1th\xfazott","Superscript":"Fels\u0151 index","Subscript":"Als\xf3 index","Clear formatting":"Form\xe1z\xe1s t\xf6rl\xe9se","Remove":"Elt\xe1vol\xedt\xe1s","Align left":"Balra igaz\xedt\xe1s","Align center":"K\xf6z\xe9pre igaz\xedt\xe1s","Align right":"Jobbra igaz\xedt\xe1s","No alignment":"Igaz\xedt\xe1s n\xe9lk\xfcl","Justify":"Sorkiz\xe1rt","Bullet list":"Listajeles lista","Numbered list":"Sz\xe1mozott lista","Decrease indent":"Beh\xfaz\xe1s cs\xf6kkent\xe9se","Increase indent":"Beh\xfaz\xe1s n\xf6vel\xe9se","Close":"Bez\xe1r\xe1s","Formats":"Form\xe1tumok","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"A b\xf6ng\xe9sz\u0151d nem t\xe1mogatja a k\xf6zvetlen hozz\xe1f\xe9r\xe9st a v\xe1g\xf3laphoz. K\xe9rlek, haszn\xe1ld a Ctrl+X/C/V billenty\u0171ket.","Headings":"C\xedmsorok","Heading 1":"1. c\xedmsor","Heading 2":"2. c\xedmsor","Heading 3":"3. c\xedmsor","Heading 4":"4. c\xedmsor","Heading 5":"5. c\xedmsor","Heading 6":"6. c\xedmsor","Preformatted":"El\u0151form\xe1zott","Div":"Div","Pre":"Pre","Code":"K\xf3d","Paragraph":"Bekezd\xe9s","Blockquote":"Id\xe9zetblokk","Inline":"Foly\xf3 sz\xf6veg","Blocks":"Blokkok","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Beilleszt\xe9s form\xe1zatlan sz\xf6vegk\xe9nt. A tartalom mostant\xf3l form\xe1zatlan sz\xf6vegk\xe9nt lesz beillesztve, am\xedg nem kapcsolod ki ezt az opci\xf3t.","Fonts":"Bet\u0171t\xedpusok","Font sizes":"Bet\u0171m\xe9ret","Class":"Oszt\xe1ly","Browse for an image":"K\xe9p keres\xe9se tall\xf3z\xe1ssal","OR":"VAGY","Drop an image here":"H\xfazz ide egy k\xe9pet","Upload":"Felt\xf6lt\xe9s","Uploading image":"K\xe9p felt\xf6lt\xe9se","Block":"Blokk","Align":"Igaz\xedt\xe1s","Default":"Alap\xe9rtelmezett","Circle":"K\xf6r","Disc":"Pont","Square":"N\xe9gyzet","Lower Alpha":"Kisbet\u0171s","Lower Greek":"Kisbet\u0171s g\xf6r\xf6g","Lower Roman":"Kisbet\u0171s r\xf3mai sz\xe1mos","Upper Alpha":"Nagybet\u0171s","Upper Roman":"Nagybet\u0171s r\xf3mai sz\xe1mos","Anchor...":"Horgony...","Anchor":"Horgony","Name":"N\xe9v","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"Az ID bet\u0171vel kezd\u0151dj\xf6n, \xe9s csak bet\u0171ket, sz\xe1mokat, k\xf6t\u0151jelet, pontot, kett\u0151spontot vagy alulvon\xe1st tartalmazzon.","You have unsaved changes are you sure you want to navigate away?":"Nem mentett m\xf3dos\xedt\xe1said vannak, biztosan el akarsz navig\xe1lni?","Restore last draft":"Utols\xf3 piszkozat vissza\xe1ll\xedt\xe1sa","Special character...":"Speci\xe1lis karakter...","Special Character":"Speci\xe1lis karakter","Source code":"Forr\xe1sk\xf3d","Insert/Edit code sample":"K\xf3dminta besz\xfar\xe1sa/szerkeszt\xe9se","Language":"Nyelv","Code sample...":"K\xf3dminta...","Left to right":"Balr\xf3l jobbra","Right to left":"Jobbr\xf3l balra","Title":"C\xedm","Fullscreen":"Teljes k\xe9perny\u0151","Action":"M\u0171velet","Shortcut":"Billenty\u0171kombin\xe1ci\xf3","Help":"S\xfag\xf3","Address":"C\xedm","Focus to menubar":"F\xf3kusz a men\xfcre","Focus to toolbar":"F\xf3kusz az eszk\xf6zt\xe1rra","Focus to element path":"F\xf3kusz az elem el\xe9r\xe9si \xfatj\xe1ra","Focus to contextual toolbar":"F\xf3kusz a k\xf6rnyezetf\xfcgg\u0151 eszk\xf6zt\xe1rra","Insert link (if link plugin activated)":"Hivatkoz\xe1s besz\xfar\xe1sa (ha a hivatkoz\xe1s be\xe9p\xfcl\u0151 modul enged\xe9lyezett)","Save (if save plugin activated)":"Ment\xe9s (ha a ment\xe9s be\xe9p\xfcl\u0151 modul enged\xe9lyezett)","Find (if searchreplace plugin activated)":"Keres\xe9s (ha a keres\xe9s \xe9s csere be\xe9p\xfcl\u0151 modul enged\xe9lyezett)","Plugins installed ({0}):":"Telep\xedtett be\xe9p\xfcl\u0151 modulok ({0}):","Premium plugins:":"Pr\xe9mium be\xe9p\xfcl\u0151 modulok:","Learn more...":"Tudj meg t\xf6bbet...","You are using {0}":"Haszn\xe1latban: {0}","Plugins":"Be\xe9p\xfcl\u0151 modulok","Handy Shortcuts":"Hasznos billenty\u0171parancsok","Horizontal line":"V\xedzszintes vonal","Insert/edit image":"K\xe9p beilleszt\xe9se/szerkeszt\xe9se","Alternative description":"Alternat\xedv le\xedr\xe1s","Accessibility":"Akad\xe1lymentes\xedt\xe9s","Image is decorative":"Dekor\xe1ci\xf3s k\xe9p","Source":"Forr\xe1s","Dimensions":"M\xe9retek","Constrain proportions":"M\xe9retar\xe1ny","General":"\xc1ltal\xe1nos","Advanced":"Speci\xe1lis","Style":"St\xedlus","Vertical space":"T\xe9rk\xf6z f\xfcgg\u0151legesen","Horizontal space":"T\xe9rk\xf6z v\xedzszintesen","Border":"Szeg\xe9ly","Insert image":"K\xe9p beilleszt\xe9se","Image...":"K\xe9p...","Image list":"K\xe9plista","Resize":"\xc1tm\xe9retez\xe9s","Insert date/time":"D\xe1tum/id\u0151 beilleszt\xe9se","Date/time":"D\xe1tum/id\u0151","Insert/edit link":"Hivatkoz\xe1s besz\xfar\xe1sa/szerkeszt\xe9se","Text to display":"Megjelen\xedtend\u0151 sz\xf6veg","Url":"Webc\xedm","Open link in...":"Hivatkoz\xe1s megnyit\xe1sa...","Current window":"Jelenlegi ablak","None":"Nincs","New window":"\xdaj ablak","Open link":"Hivatkoz\xe1s megnyit\xe1sa","Remove link":"Hivatkoz\xe1s t\xf6rl\xe9se","Anchors":"Horgonyok","Link...":"Hivatkoz\xe1s...","Paste or type a link":"Hivatkoz\xe1s be\xedr\xe1sa vagy beilleszt\xe9se","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"A megadott URL e-mail-c\xedmnek t\u0171nik. Szeretn\xe9d hozz\xe1adni a sz\xfcks\xe9ges mailto: el\u0151tagot?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"A megadott URL k\xfcls\u0151 c\xedmnek t\u0171nik. Szeretn\xe9d hozz\xe1adni a sz\xfcks\xe9ges http:// el\u0151tagot?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Az URL amit megadt\xe1l k\xfcls\u0151 hivatkoz\xe1s. Szeretn\xe9d https:// el\u0151taggal megnyitni?","Link list":"Hivatkoz\xe1slista","Insert video":"Vide\xf3 beilleszt\xe9se","Insert/edit video":"Vide\xf3 beilleszt\xe9se/szerkeszt\xe9se","Insert/edit media":"M\xe9dia beilleszt\xe9se/szerkeszt\xe9se","Alternative source":"Alternat\xedv forr\xe1s","Alternative source URL":"Alternat\xedv forr\xe1s URL","Media poster (Image URL)":"M\xe9dia poszter (k\xe9p URL)","Paste your embed code below:":"Illeszd be a be\xe1gyaz\xe1si k\xf3dot al\xe1bb:","Embed":"Be\xe1gyaz\xe1s","Media...":"M\xe9dia...","Nonbreaking space":"Nem t\xf6rhet\u0151 sz\xf3k\xf6z","Page break":"Oldalt\xf6r\xe9s","Paste as text":"Beilleszt\xe9s sz\xf6vegk\xe9nt","Preview":"El\u0151n\xe9zet","Print":"Nyomtat\xe1s","Print...":"Nyomtat\xe1s...","Save":"Ment\xe9s","Find":"Keres\xe9s","Replace with":"Csere erre:","Replace":"Csere","Replace all":"Az \xf6sszes cser\xe9je","Previous":"El\u0151z\u0151","Next":"K\xf6vetkez\u0151","Find and Replace":"Keres\xe9s \xe9s csere","Find and replace...":"Keres\xe9s \xe9s csere...","Could not find the specified string.":"A be\xedrt kifejez\xe9s nem tal\xe1lhat\xf3.","Match case":"Kis- \xe9s nagybet\u0171k megk\xfcl\xf6nb\xf6ztet\xe9se","Find whole words only":"Csak teljes szavak keres\xe9se","Find in selection":"Keres\xe9s a kiv\xe1laszt\xe1sban","Insert table":"T\xe1bl\xe1zat beilleszt\xe9se","Table properties":"T\xe1bl\xe1zat tulajdons\xe1gai","Delete table":"T\xe1bl\xe1zat t\xf6rl\xe9se","Cell":"Cella","Row":"Sor","Column":"Oszlop","Cell properties":"Cella tulajdons\xe1gai","Merge cells":"Cell\xe1k egyes\xedt\xe9se","Split cell":"Cell\xe1k sz\xe9tv\xe1laszt\xe1sa","Insert row before":"Sor besz\xfar\xe1sa el\xe9","Insert row after":"Sor besz\xfar\xe1sa m\xf6g\xe9","Delete row":"Sor t\xf6rl\xe9se","Row properties":"Sor tulajdons\xe1gai","Cut row":"Sor kiv\xe1g\xe1sa","Cut column":"Oszlop kiv\xe1g\xe1sa","Copy row":"Sor m\xe1sol\xe1sa","Copy column":"Oszlop m\xe1sol\xe1sa","Paste row before":"Sor beilleszt\xe9se el\xe9","Paste column before":"Oszlop besz\xfar\xe1sa el\xe9","Paste row after":"Sor besz\xfar\xe1sa ut\xe1na","Paste column after":"Oszlop besz\xfar\xe1sa ut\xe1na","Insert column before":"Oszlop besz\xfar\xe1sa el\xe9","Insert column after":"Oszlop besz\xfar\xe1sa m\xf6g\xe9","Delete column":"Oszlop t\xf6rl\xe9se","Cols":"Oszlopok","Rows":"Sorok","Width":"Sz\xe9less\xe9g","Height":"Magass\xe1g","Cell spacing":"Cellat\xe1vols\xe1g","Cell padding":"Cellamarg\xf3","Row clipboard actions":"Sor v\xe1g\xf3lapi m\u0171veletek","Column clipboard actions":"Oszlop v\xe1g\xf3lapi m\u0171veletek","Table styles":"T\xe1bl\xe1zatst\xedlusok","Cell styles":"Cellast\xedlusok","Column header":"Oszlopfejl\xe9c","Row header":"Sorfejl\xe9c","Table caption":"T\xe1bl\xe1zatfelirat","Caption":"Felirat","Show caption":"Felirat megjelen\xedt\xe9se","Left":"Balra","Center":"K\xf6z\xe9pre","Right":"Jobbra","Cell type":"Cellat\xedpus","Scope":"Tartom\xe1ny","Alignment":"Igaz\xedt\xe1s","Horizontal align":"V\xedzszintes igaz\xedt\xe1s","Vertical align":"F\xfcgg\u0151leges igaz\xedt\xe1s","Top":"Fel\xfclre","Middle":"K\xf6z\xe9pre","Bottom":"Alulra","Header cell":"C\xedmsor cella","Row group":"Sorcsoport","Column group":"Oszlopcsoport","Row type":"Sort\xedpus","Header":"Fejl\xe9c","Body":"Sz\xf6vegt\xf6rzs","Footer":"L\xe1bl\xe9c","Border color":"Szeg\xe9lysz\xedn","Solid":"Szimpla","Dotted":"Pontozott","Dashed":"Szaggatott","Double":"Dupla","Groove":"Faragott","Ridge":"Dombor\xfa","Inset":"S\xfcllyesztett","Outset":"Kiemelt","Hidden":"Rejtett","Insert template...":"Sablon besz\xfar\xe1sa...","Templates":"Sablonok","Template":"Sablon","Insert Template":"Sablon besz\xfar\xe1sa","Text color":"Sz\xf6veg sz\xedne","Background color":"H\xe1tt\xe9rsz\xedn","Custom...":"Egy\xe9ni...","Custom color":"Egy\xe9ni sz\xedn","No color":"Nincs sz\xedn","Remove color":"Sz\xedn t\xf6rl\xe9se","Show blocks":"Blokkok mutat\xe1sa","Show invisible characters":"L\xe1thatatlan karakterek mutat\xe1sa","Word count":"Szavak sz\xe1ma","Count":"Sz\xe1m","Document":"Dokumentum","Selection":"Kiv\xe1laszt\xe1s","Words":"Szavak","Words: {0}":"Szavak: {0}","{0} words":"{0} sz\xf3","File":"F\xe1jl","Edit":"Szerkeszt\xe9s","Insert":"Besz\xfar\xe1s","View":"N\xe9zet","Format":"Form\xe1tum","Table":"T\xe1bl\xe1zat","Tools":"Eszk\xf6z\xf6k","Powered by {0}":"Szolg\xe1ltat\xf3: {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Vizu\xe1lis szerkeszt\u0151 ter\xfclet. Nyomjon ALT-F9-et a men\xfch\xf6z. Nyomjon ALT-F10-et az eszk\xf6zt\xe1rhoz. Nyomjon ALT-0-t a s\xfag\xf3hoz","Image title":"K\xe9p c\xedme","Border width":"Szeg\xe9ly vastags\xe1ga","Border style":"Szeg\xe9ly st\xedlusa","Error":"Hiba","Warn":"Figyelmeztet\xe9s","Valid":"\xc9rv\xe9nyes","To open the popup, press Shift+Enter":"A felugr\xf3 ablak megnyit\xe1s\xe1hoz nyomja meg a Shift+Enter billenty\u0171t","Rich Text Area":"Szabadsz\xf6veges mez\u0151","Rich Text Area. Press ALT-0 for help.":"Vizu\xe1lis szerkeszt\u0151 ter\xfclet. Nyomjon ALT-0-t a s\xfag\xf3hoz.","System Font":"Rendszer bet\u0171t\xedpusa","Failed to upload image: {0}":"Nem siker\xfclt felt\xf6lteni a k\xe9pet: {0}","Failed to load plugin: {0} from url {1}":"Nem siker\xfclt bet\xf6lteni a be\xe9p\xfcl\u0151 modult: {0} err\u0151l a webc\xedmr\u0151l: {1}","Failed to load plugin url: {0}":"Nem siker\xfclt bet\xf6lteni a be\xe9p\xfcl\u0151 modul webc\xedm\xe9t: {0}","Failed to initialize plugin: {0}":"Nem siker\xfclt el\u0151k\xe9sz\xedteni a be\xe9p\xfcl\u0151 modult: {0}","example":"p\xe9lda","Search":"Keres\xe9s","All":"Minden","Currency":"P\xe9nznem","Text":"Sz\xf6veg","Quotations":"Id\xe9z\u0151jelek","Mathematical":"Matematikai","Extended Latin":"B\u0151v\xedtett latin","Symbols":"Szimb\xf3lumok","Arrows":"Nyilak","User Defined":"Felhaszn\xe1l\xf3 \xe1ltal meghat\xe1rozott","dollar sign":"doll\xe1r jel","currency sign":"valuta jel","euro-currency sign":"euro-valuta jel","colon sign":"kett\u0151spont","cruzeiro sign":"cruzeiro jel","french franc sign":"francia frank jel","lira sign":"l\xedra jel","mill sign":"mill jel","naira sign":"naira jel","peseta sign":"peseta jel","rupee sign":"r\xfapia jel","won sign":"won jel","new sheqel sign":"\xfaj s\xe9kel jel","dong sign":"dong jel","kip sign":"kip jel","tugrik sign":"tugrik jel","drachma sign":"drachma jel","german penny symbol":"n\xe9met penny jel","peso sign":"peso jel","guarani sign":"guarani jel","austral sign":"austral jel","hryvnia sign":"hrivnya jel","cedi sign":"cedi jel","livre tournois sign":"livre tournois jel","spesmilo sign":"spesmilo jel","tenge sign":"tenge jel","indian rupee sign":"r\xfapia jel","turkish lira sign":"t\xf6r\xf6k l\xedra jel","nordic mark sign":"\xe9szaki m\xe1rka jel","manat sign":"manat jel","ruble sign":"rubel jel","yen character":"jen karakter","yuan character":"j\xfcan karakter","yuan character, in hong kong and taiwan":"hongkongi \xe9s tajvani j\xfcan karakter","yen/yuan character variant one":"jen/j\xfcan karaktervari\xe1ns","Emojis":"Hangulatjelek","Emojis...":"Hangulatjelek...","Loading emojis...":"Hangulatjelek bet\xf6lt\xe9se...","Could not load emojis":"A hangulatjeleket nem siker\xfclt bet\xf6lteni","People":"Emberek","Animals and Nature":"\xc1llatok \xe9s term\xe9szet","Food and Drink":"\xc9tel, ital","Activity":"Tev\xe9kenys\xe9gek","Travel and Places":"Utaz\xe1s \xe9s helyek","Objects":"T\xe1rgyak","Flags":"Z\xe1szl\xf3k","Characters":"Karakterek","Characters (no spaces)":"Karakterek (sz\xf3k\xf6z\xf6k n\xe9lk\xfcl)","{0} characters":"{0} karakter","Error: Form submit field collision.":"Hiba: \xdctk\xf6z\xe9s t\xf6rt\xe9nt az \u0171rlap elk\xfcld\xe9sekor.","Error: No form element found.":"Hiba: Nem tal\xe1lhat\xf3 \u0171rlap elem.","Color swatch":"Sz\xednpaletta","Color Picker":"Sz\xednv\xe1laszt\xf3","Invalid hex color code: {0}":"\xc9rv\xe9nytelen hexadecim\xe1lis sz\xednk\xf3d: {0}","Invalid input":"\xc9rv\xe9nytelen bemenet","R":"R","Red component":"Piros komponens","G":"G","Green component":"Z\xf6ld komponens","B":"B","Blue component":"K\xe9k komponens","#":"#","Hex color code":"Hexadecim\xe1lis sz\xednk\xf3d","Range 0 to 255":"0-t\xf3l 255-ig","Turquoise":"T\xfcrkiz","Green":"Z\xf6ld","Blue":"K\xe9k","Purple":"Lila","Navy Blue":"Tengerk\xe9k","Dark Turquoise":"S\xf6t\xe9tt\xfcrkiz","Dark Green":"S\xf6t\xe9tz\xf6ld","Medium Blue":"Kir\xe1lyk\xe9k","Medium Purple":"K\xf6z\xe9plila","Midnight Blue":"\xc9jf\xe9lk\xe9k","Yellow":"S\xe1rga","Orange":"Narancss\xe1rga","Red":"Piros","Light Gray":"Vil\xe1gossz\xfcrke","Gray":"Sz\xfcrke","Dark Yellow":"S\xf6t\xe9ts\xe1rga","Dark Orange":"S\xf6t\xe9t narancss\xe1rga","Dark Red":"S\xf6t\xe9tv\xf6r\xf6s","Medium Gray":"K\xf6z\xe9psz\xfcrke","Dark Gray":"S\xf6t\xe9tsz\xfcrke","Light Green":"Vil\xe1gosz\xf6ld","Light Yellow":"Vil\xe1goss\xe1rga","Light Red":"Vil\xe1gospiros","Light Purple":"Vil\xe1goslila","Light Blue":"Vil\xe1gosk\xe9k","Dark Purple":"S\xf6t\xe9tlila","Dark Blue":"S\xf6t\xe9tk\xe9k","Black":"Fekete","White":"Feh\xe9r","Switch to or from fullscreen mode":"Teljes vagy norm\xe1l k\xe9perny\u0151s m\xf3dra v\xe1lt\xe1s","Open help dialog":"S\xfag\xf3ablak megnyit\xe1sa","history":"el\u0151zm\xe9nyek","styles":"st\xedlusok","formatting":"form\xe1z\xe1s","alignment":"igaz\xedt\xe1s","indentation":"beh\xfaz\xe1s","Font":"Bet\u0171t\xedpus","Size":"M\xe9ret","More...":"Tov\xe1bbiak...","Select...":"V\xe1lasszon...","Preferences":"Be\xe1ll\xedt\xe1sok","Yes":"Igen","No":"Nem","Keyboard Navigation":"Billenty\u0171zettel val\xf3 navig\xe1l\xe1s","Version":"Verzi\xf3","Code view":"K\xf3dn\xe9zet","Open popup menu for split buttons":"Felugr\xf3 men\xfc megnyit\xe1sa az osztott gombokhoz","List Properties":"Lista tulajdons\xe1gai","List properties...":"Lista tulajdons\xe1gai...","Start list at number":"Lista kezd\xe9se ett\u0151l a sz\xe1mt\xf3l","Line height":"Sor magass\xe1ga","Dropped file type is not supported":"Nem t\xe1mogatott f\xe1jlt\xedpus","Loading...":"Bet\xf6lt\xe9s...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP hiba: k\xe9r\xe9s elutas\xedtva","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP hiba: nincs ilyen Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP hiba: helytelen Image Proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP hiba: ismeretlen ImageProxy hiba"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/hy.js b/deform/static/tinymce/langs/hy.js new file mode 100644 index 00000000..5ec41082 --- /dev/null +++ b/deform/static/tinymce/langs/hy.js @@ -0,0 +1 @@ +tinymce.addI18n("hy",{"Redo":"\u0540\u0561\u057b\u0578\u0580\u0564 \u0584\u0561\u0575\u056c","Undo":"\u0546\u0561\u056d\u0578\u0580\u0564 \u0584\u0561\u0575\u056c","Cut":"\u053f\u057f\u0580\u0565\u056c","Copy":"\u054a\u0561\u057f\u0573\u0565\u0576\u0565\u056c","Paste":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c","Select all":"\u0546\u0577\u0565\u056c \u0562\u0578\u056c\u0578\u0580\u0568","New document":"\u0546\u0578\u0580 \u0583\u0561\u057d\u057f\u0561\u0569\u0578\u0582\u0572\u0569","Ok":"\u053c\u0561\u057e","Cancel":"\u0553\u0561\u056f\u0565\u056c","Visual aids":"\u0551\u0578\u0582\u0581\u0561\u0564\u0580\u0565\u056c \u056f\u0578\u0576\u057f\u0578\u0582\u0580\u0576\u0565\u0580\u0568","Bold":"\u0539\u0561\u057e\u0561\u057f\u0561\u057c","Italic":"\u0547\u0565\u0572\u0561\u057f\u0561\u057c","Underline":"\u0538\u0576\u0564\u0563\u056e\u057e\u0561\u056e","Strikethrough":"\u0531\u0580\u057f\u0561\u0563\u056e\u057e\u0561\u056e","Superscript":"\u054e\u0565\u0580\u056b\u0576 \u056b\u0576\u0564\u0565\u0584\u057d","Subscript":"\u054d\u057f\u0578\u0580\u056b\u0576 \u056b\u0576\u0564\u0565\u0584\u057d","Clear formatting":"\u0544\u0561\u0584\u0580\u0565\u056c \u0586\u0578\u0580\u0574\u0561\u057f\u0561\u057e\u0578\u0580\u0578\u0582\u0574\u0568","Remove":"\u0540\u0565\u057c\u0561\u0581\u0576\u0565\u056c","Align left":"\u0541\u0561\u056d\u0561\u056f\u0578\u0572\u0574\u0575\u0561 \u0570\u0561\u057e\u0561\u057d\u0561\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Align center":"\u053f\u0565\u0576\u057f\u0580\u0578\u0576\u0561\u056f\u0561\u0576 \u0570\u0561\u057e\u0561\u057d\u0561\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Align right":"\u0531\u057b\u0561\u056f\u0578\u0572\u0574\u0575\u0561 \u0570\u0561\u057e\u0561\u057d\u0561\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576","No alignment":"","Justify":"\u0535\u0580\u056f\u056f\u0578\u0572\u0574\u0561\u0576\u056b \u0570\u0561\u057e\u0561\u057d\u0561\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Bullet list":"\u0549\u0570\u0561\u0574\u0561\u0580\u0561\u056f\u0561\u056c\u057e\u0561\u056e \u0581\u0578\u0582\u0581\u0561\u056f","Numbered list":"\u0540\u0561\u0574\u0561\u0580\u0561\u056f\u0561\u056c\u057e\u0561\u056e \u0581\u0578\u0582\u0581\u0561\u056f","Decrease indent":"\u0553\u0578\u0584\u0580\u0561\u0581\u0576\u0565\u056c \u0571\u0561\u056d \u0565\u0566\u0580\u056b \u0570\u0565\u057c\u0561\u057e\u0578\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0568","Increase indent":"\u0544\u0565\u056e\u0561\u0581\u0576\u0565\u056c \u0571\u0561\u056d \u0565\u0566\u0580\u056b \u0570\u0565\u057c\u0561\u057e\u0578\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0568","Close":"\u0553\u0561\u056f\u0565\u056c","Formats":"\u0556\u0578\u0580\u0574\u0561\u057f\u0576\u0565\u0580","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0541\u0565\u0580 \u0562\u0580\u0561\u0578\u0582\u0566\u0565\u0580\u0568 \u0579\u056b \u0561\u057a\u0561\u0570\u0578\u057e\u0578\u0582\u0574 \u0561\u0576\u0574\u056b\u057b\u0561\u056f\u0561\u0576 \u0565\u056c\u0584 \u0583\u0578\u056d\u0561\u0576\u0561\u056f\u0574\u0561\u0576 \u0562\u0578\u0582\u0586\u0565\u0580\u056b\u0576\u0589 \u053d\u0576\u0564\u0580\u0578\u0582\u0574 \u0565\u0576\u0584 \u0585\u0563\u057f\u057e\u0565\u056c Ctrl+X/C/V \u057d\u057f\u0565\u0572\u0576\u0565\u0580\u056b\u0581\u0589","Headings":"\u054e\u0565\u0580\u0576\u0561\u0563\u0580\u0565\u0580","Heading 1":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580 1","Heading 2":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580 2","Heading 3":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580 3","Heading 4":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580 4","Heading 5":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580 5","Heading 6":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580 6","Preformatted":"\u0546\u0561\u056d\u0561\u057a\u0565\u057d \u0571\u0565\u0582\u0561\u057e\u0578\u0580\u057e\u0561\u056e","Div":"","Pre":"","Code":"\u053f\u0578\u0564","Paragraph":"\u054a\u0561\u0580\u0562\u0565\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Blockquote":"\u0544\u0565\u057b\u0562\u0565\u0580\u0578\u0582\u0574","Inline":"\u054f\u0578\u0572\u0561\u0575\u056b\u0576","Blocks":"\u0532\u056c\u0578\u056f\u0576\u0565\u0580","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u054f\u0565\u0584\u057d\u057f\u056b \u057f\u0565\u0572\u0561\u0564\u0580\u0578\u0582\u0574\u0568 \u056f\u0561\u057f\u0561\u0580\u057e\u0565\u056c\u0578\u0582 \u0567 \u0570\u0561\u057d\u0561\u0580\u0561\u056f \u057f\u0565\u0584\u057d\u057f\u056b \u057c\u0565\u056a\u056b\u0574\u0578\u057e\u0589 \u054a\u0561\u057f\u0573\u0565\u0576\u057e\u0561\u056e \u057f\u0565\u0584\u057d\u057f\u0568 \u057f\u0565\u0572\u0561\u0564\u0580\u057e\u0565\u056c\u0578\u0582 \u0567 \u0570\u0561\u057d\u0561\u0580\u0561\u056f \u057f\u0565\u0584\u057d\u057f\u056b \u0571\u0587\u0578\u057e \u0574\u056b\u0576\u0579\u0587 \u0561\u0575\u057d \u057c\u0565\u056a\u056b\u0574\u056b \u0561\u0576\u057b\u0561\u057f\u0578\u0582\u0574\u0568\u0589","Fonts":"\u0556\u0578\u0576\u057f\u0565\u0580","Font sizes":"","Class":"\u0534\u0561\u057d","Browse for an image":"\u0538\u0576\u057f\u0580\u0565\u056c \u0576\u056f\u0561\u0580","OR":"\u053f\u0531\u0544","Drop an image here":"\u0546\u056f\u0561\u0580\u0568 \u0563\u0581\u0565\u0584 \u0561\u0575\u057d\u057f\u0565\u0572","Upload":"\u054e\u0565\u0580\u0562\u0565\u057c\u0576\u0565\u056c","Uploading image":"","Block":"\u0532\u056c\u0578\u056f","Align":"\u0540\u0561\u057e\u0561\u057d\u0561\u0580\u0565\u0581\u0576\u0565\u056c","Default":"\u054d\u057f\u0561\u0576\u0564\u0561\u0580\u057f","Circle":"\u0547\u0580\u057b\u0561\u0576","Disc":"\u053f\u056c\u0578\u0580","Square":"\u0554\u0561\u057c\u0561\u056f\u0578\u0582\u057d\u056b","Lower Alpha":"\u0553\u0578\u0584\u0580\u0561\u057f\u0561\u057c \u056c\u0561\u057f\u056b\u0576\u0561\u056f\u0561\u0576 \u057f\u0561\u057c\u0565\u0580","Lower Greek":"\u0553\u0578\u0584\u0580\u0561\u057f\u0561\u057c \u0570\u0578\u0582\u0576\u0561\u056f\u0561\u0576 \u057f\u0561\u057c\u0565\u0580","Lower Roman":"\u0553\u0578\u0584\u0580\u0561\u057f\u0561\u057c \u0570\u057c\u0578\u0574\u0565\u0561\u056f\u0561\u0576 \u0569\u057e\u0565\u0580","Upper Alpha":"\u0544\u0565\u056e\u0561\u057f\u0561\u057c \u056c\u0561\u057f\u056b\u0576\u0565\u0580\u0565\u0576 \u057f\u0561\u057c\u0565\u0580","Upper Roman":"\u0544\u0565\u056e\u0561\u057f\u0561\u057c \u0570\u057c\u0578\u0574\u0565\u0561\u056f\u0561\u0576 \u0569\u057e\u0565\u0580","Anchor...":"\u053d\u0561\u0580\u056b\u057d\u056d...","Anchor":"","Name":"\u0531\u0576\u0578\u0582\u0576","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\u053f\u0561\u0576 \u0579\u057a\u0561\u0570\u057a\u0561\u0576\u057e\u0561\u056e \u0583\u0578\u0583\u0578\u056d\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0576\u0565\u0580\u0589 \u0534\u0578\u0582\u0584 \u056b\u0580\u0578\u055e\u0584 \u0578\u0582\u0566\u0578\u0582\u0574 \u0565\u0584 \u0564\u0578\u0582\u0580\u057d \u0563\u0561\u056c","Restore last draft":"\u054e\u0565\u0580\u0561\u056f\u0561\u0576\u0563\u0576\u0565\u056c \u057e\u0565\u0580\u057b\u056b\u0576 \u0576\u0561\u056d\u0561\u0563\u056b\u056e\u0568","Special character...":"\u0540\u0561\u057f\u0578\u0582\u056f \u057d\u056b\u0574\u057e\u0578\u056c\u0576\u0565\u0580...","Special Character":"","Source code":"\u053e\u0580\u0561\u0563\u0580\u0561\u0575\u056b\u0576 \u056f\u0578\u0564","Insert/Edit code sample":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c/\u056d\u0574\u0562\u0561\u0563\u0580\u0565\u056c \u056f\u0578\u0564\u0568","Language":"\u053c\u0565\u0566\u0578\u0582","Code sample...":"\u053f\u0578\u0564\u056b \u0585\u0580\u0576\u0561\u056f","Left to right":"\u0541\u0561\u056d\u056b\u0581 \u0561\u057b","Right to left":"\u0531\u057b\u056b\u0581 \u0571\u0561\u056d","Title":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580","Fullscreen":"\u0531\u0574\u0562\u0578\u0572\u057b \u0567\u056f\u0580\u0561\u0576\u0578\u057e","Action":"\u0533\u0578\u0580\u056e\u0578\u0572\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Shortcut":"\u053f\u0561\u0580\u0573\u0578\u0582\u0572\u056b","Help":"\u0555\u0563\u0576\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Address":"\u0540\u0561\u057d\u0581\u0565","Focus to menubar":"\u053f\u0565\u0576\u057f\u0580\u0578\u0576\u0561\u0576\u0561\u056c \u0574\u0565\u0576\u0575\u0578\u0582\u056b \u057e\u0580\u0561","Focus to toolbar":"\u053f\u0565\u0576\u057f\u0580\u0578\u0576\u0561\u0576\u0561\u056c \u0563\u0578\u0580\u056e\u056b\u0584\u0561\u0563\u0578\u057f\u0578\u0582 \u057e\u0580\u0561","Focus to element path":"\u053f\u0565\u0576\u057f\u0580\u0578\u0576\u0561\u0581\u0565\u0584 \u057f\u0561\u0580\u0580\u0565\u0580\u056b \u0578\u0582\u0572\u0578\u0582 \u057e\u0580\u0561","Focus to contextual toolbar":"\u053f\u0565\u0576\u057f\u0580\u0578\u0576\u0561\u0576\u0561\u056c \u0570\u0561\u0574\u0561\u057f\u0565\u0584\u057d\u057f\u056b \u0563\u0578\u0580\u056e\u056b\u0584\u0561\u0563\u0578\u057f\u0578\u0582 \u057e\u0580\u0561","Insert link (if link plugin activated)":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u0570\u0572\u0578\u0582\u0574 (\u0565\u0569\u0565 \u0570\u0572\u0578\u0582\u0574 \u0568\u0576\u0564\u056c\u0561\u0575\u0576\u0578\u0582\u0574\u0568 \u0561\u057e\u057f\u056b\u057e \u0567)","Save (if save plugin activated)":"\u054a\u0561\u0570\u057a\u0561\u0576\u0565\u056c (\u0565\u0569\u0565 save \u0568\u0576\u0564\u056c\u0561\u0575\u0576\u0578\u0582\u0574\u0568 \u0561\u056f\u057f\u056b\u057e \u0567)","Find (if searchreplace plugin activated)":"\u0553\u0576\u057f\u0580\u0565\u056c (\u0565\u0569\u0565 searchreplace \u0568\u0576\u0564\u056c\u0561\u0575\u0576\u0578\u0582\u0574\u0568 \u0561\u056f\u057f\u056b\u057e \u0567)","Plugins installed ({0}):":"\u054f\u0565\u0572\u0561\u0564\u0580\u057e\u0561\u056e \u0583\u056c\u0561\u0563\u056b\u0576\u0576\u0565\u0580 ({0}):","Premium plugins:":"\u054e\u0573\u0561\u0580\u0578\u057e\u056b \u0568\u0576\u0564\u056c\u0561\u0575\u0576\u0578\u0582\u0574\u0576\u0565\u0580","Learn more...":"\u053b\u0574\u0561\u0576\u0561\u056c \u0561\u057e\u0565\u056c\u056b\u0576 \u2024\u2024\u2024","You are using {0}":"\u0534\u0578\u0582\u0584 \u0585\u0563\u057f\u0561\u0563\u0578\u0580\u056e\u0578\u0582\u0574 \u0565\u0584 {0}","Plugins":"\u0538\u0576\u0564\u056c\u0561\u0575\u0576\u0578\u0582\u0574\u0576\u0565\u0580","Handy Shortcuts":"\u0555\u0563\u057f\u0561\u056f\u0561\u0580 \u056f\u0561\u0580\u0573\u0578\u0582\u0572\u056b\u0576\u0565\u0580","Horizontal line":"\u0540\u0578\u0580\u056b\u0566\u0578\u0576\u0561\u056f\u0561\u0576 \u0563\u056b\u056e","Insert/edit image":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c/\u056d\u0574\u0562\u0561\u0563\u0580\u0565\u056c \u0576\u056f\u0561\u0580","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"\u0546\u056f\u0561\u0580\u056b \u0570\u0561\u057d\u0581\u0565","Dimensions":"\u0549\u0561\u0583\u0565\u0580","Constrain proportions":"\u054a\u0561\u0570\u057a\u0561\u0576\u0565\u056c \u0574\u0561\u0577\u057f\u0561\u0562\u0561\u057e\u0578\u0580\u0578\u0582\u0574\u0568","General":"\u0533\u056c\u056d\u0561\u057e\u0578\u0580","Advanced":"\u053c\u0580\u0561\u0581\u0578\u0582\u0581\u056b\u0579","Style":"\u0548\u0573","Vertical space":"\u0548\u0582\u0572\u0572\u0561\u0570\u0561\u0575\u0561\u0581 \u057f\u0561\u0580\u0561\u056e\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Horizontal space":"\u0540\u0578\u0580\u056b\u0566\u0578\u0576\u0561\u056f\u0561\u0576 \u057f\u0561\u0580\u0561\u056e\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Border":"\u0535\u0566\u0580\u0561\u0563\u056b\u056e","Insert image":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u0576\u056f\u0561\u0580","Image...":"\u0546\u056f\u0561\u0580","Image list":"\u0546\u056f\u0561\u0580\u0576\u0565\u0580\u056b \u0581\u0561\u0576\u056f","Resize":"\u0553\u0578\u056d\u0565\u056c \u0579\u0561\u0583\u0568","Insert date/time":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u0561\u0574\u057d\u0561\u0569\u056b\u057e/\u056a\u0561\u0574\u0561\u0576\u0561\u056f","Date/time":"\u0531\u0574\u057d\u0561\u0569\u056b\u057e/\u056a\u0561\u0574\u0561\u0576\u0561\u056f","Insert/edit link":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c/\u056d\u0574\u0562\u0561\u0563\u0580\u0565\u056c \u0570\u0572\u0578\u0582\u0574","Text to display":"\u0540\u0572\u0574\u0561\u0576 \u057f\u0565\u0584\u057d\u057f","Url":"","Open link in...":"\u0532\u0561\u0581\u0565\u056c \u0570\u0572\u0578\u0582\u0574\u0568","Current window":"\u0538\u0576\u0569\u0561\u0581\u056b\u056f \u057a\u0561\u057f\u0578\u0582\u0570\u0561\u0576\u0568","None":"\u0548\u0579\u056b\u0576\u0579","New window":"\u0546\u0578\u0580 \u057a\u0561\u057f\u0578\u0582\u0570\u0561\u0576","Open link":"","Remove link":"\u054b\u0576\u057b\u0565\u056c \u0570\u0572\u0578\u0582\u0574\u0568","Anchors":"\u053d\u0561\u0580\u056b\u057d\u056d\u0576\u0565\u0580","Link...":"\u0540\u0572\u0578\u0582\u0574","Paste or type a link":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u0584 \u056f\u0561\u0574 \u0563\u0580\u0565\u0584 \u0570\u0572\u0578\u0582\u0574\u0568","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0544\u0578\u0582\u057f\u0584\u0561\u0563\u0580\u057e\u0561\u056e \u0570\u0572\u0578\u0582\u0574\u0568 \u056f\u0561\u0580\u056e\u0565\u057d \u0537\u056c. \u0583\u0578\u057d\u057f\u056b \u0570\u0561\u057d\u0581\u0565 \u0567: \u0534\u0578\u0582\u0584 \u056f\u0581\u0561\u0576\u056f\u0561\u0576\u0561\u0584 \u0561\u057e\u0565\u056c\u0561\u0581\u0576\u0565\u056c mailto: \u0570\u0572\u0574\u0561\u0576 \u057d\u056f\u0566\u0562\u0578\u0582\u0574","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0544\u0578\u0582\u057f\u0584\u0561\u0563\u0580\u057e\u0561\u056e \u0570\u0572\u0578\u0582\u0574\u0568 \u056f\u0561\u0580\u056e\u0565\u057d \u0561\u0580\u057f\u0561\u0584\u056b\u0576 \u0570\u0572\u0578\u0582\u0574 \u0567: \u0534\u0578\u0582\u0584 \u056f\u0581\u0561\u0576\u056f\u0561\u0576\u0561\u0584 \u0561\u057e\u0565\u056c\u0561\u0581\u0576\u0565\u056c http:// \u0570\u0572\u0574\u0561\u0576 \u057d\u056f\u0566\u0562\u0578\u0582\u0574","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"\u0540\u0572\u0578\u0582\u0574\u0576\u0565\u0580\u056b \u0581\u0578\u0582\u0581\u0561\u056f","Insert video":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u057e\u056b\u0564\u0565\u0578","Insert/edit video":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c/\u056d\u0574\u0562\u0561\u0563\u0580\u0565\u056c \u057e\u056b\u0564\u0565\u0578","Insert/edit media":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c/\u056d\u0574\u0562\u0561\u0563\u0580\u0565\u056c \u0574\u0565\u0564\u056b\u0561","Alternative source":"\u0531\u0575\u056c\u0568\u0576\u057f\u0580\u0561\u0576\u0584\u0561\u0575\u056b\u0576 \u056f\u0578\u0564","Alternative source URL":"\u0531\u0575\u056c\u0568\u0576\u057f\u0580\u0561\u0576\u0584\u0561\u0575\u056b\u0576 \u0561\u0572\u0562\u0575\u0578\u0582\u0580\u056b \u0570\u0572\u0578\u0582\u0574","Media poster (Image URL)":"\u0544\u0565\u0564\u056b\u0561 \u057a\u0561\u057d\u057f\u0561\u057c (\u0546\u056f\u0561\u0580\u056b \u0570\u0572\u0578\u0582\u0574)","Paste your embed code below:":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u0584 \u0541\u0565\u0580 \u056f\u0578\u0564\u0568 \u0561\u0575\u057d\u057f\u0565\u0572\u055d","Embed":"\u054f\u0565\u0572\u0561\u0564\u0580\u057e\u0578\u0572 \u056f\u0578\u0564","Media...":"\u0544\u0565\u0564\u056b\u0561","Nonbreaking space":"\u0531\u057c\u0561\u0576\u0581 \u0576\u0578\u0580 \u057f\u0578\u0572\u056b \u0562\u0561\u0581\u0561\u057f","Page break":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u0567\u057b\u056b \u0561\u0576\u057b\u0561\u057f\u056b\u0579","Paste as text":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u0578\u0580\u057a\u0565\u057d \u057f\u0565\u0584\u057d\u057f","Preview":"\u0546\u0561\u056d\u0576\u0561\u056f\u0561\u0576 \u0564\u056b\u057f\u0578\u0582\u0574","Print":"","Print...":"\u054f\u057a\u0565\u056c","Save":"\u054a\u0561\u0570\u057a\u0561\u0576\u0565\u056c","Find":"\u0553\u0576\u057f\u0580\u0565\u056c","Replace with":"\u0553\u0578\u056d\u0561\u0580\u056b\u0576\u0565\u056c","Replace":"\u0553\u0578\u056d\u0561\u0580\u056b\u0576\u0565\u056c","Replace all":"\u0553\u0578\u056d\u0561\u0580\u056b\u0576\u0565\u056c \u0562\u0578\u056c\u0578\u0580\u0568","Previous":"\u0546\u0561\u056d\u0578\u0580\u0564","Next":"\u0540\u0561\u057b\u0578\u0580\u0564","Find and Replace":"","Find and replace...":"\u0553\u0576\u057f\u0580\u0565\u056c \u0587 \u0583\u0578\u056d\u0561\u0580\u056b\u0576\u0565\u056c","Could not find the specified string.":"\u0546\u0577\u057e\u0561\u056e \u057f\u0565\u0584\u057d\u057f\u0568 \u0579\u056b \u0563\u057f\u0576\u057e\u0565\u056c","Match case":"\u0540\u0561\u0577\u057e\u056b \u0561\u057c\u0576\u0565\u056c \u057c\u0565\u0563\u056b\u057d\u057f\u0578\u0580\u0568","Find whole words only":"\u0533\u057f\u0576\u0565\u056c \u0574\u056b\u0561\u0575\u0576 \u0561\u0574\u0562\u0578\u0572\u057b \u0562\u0561\u057c\u0565\u0580\u0568","Find in selection":"","Insert table":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u0561\u0572\u0575\u0578\u0582\u057d\u0561\u056f","Table properties":"\u0531\u0572\u0575\u0578\u0582\u057d\u0561\u056f\u056b \u0570\u0561\u057f\u056f\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0576\u0565\u0580\u0568","Delete table":"\u054b\u0576\u057b\u0565\u056c \u0561\u0572\u0575\u0578\u0582\u057d\u0561\u056f\u0568","Cell":"\u054e\u0561\u0576\u0564\u0561\u056f","Row":"\u054f\u0578\u0572","Column":"\u054d\u0575\u0578\u0582\u0576\u0575\u0561\u056f","Cell properties":"\u054e\u0561\u0576\u0564\u0561\u056f\u056b \u0570\u0561\u057f\u056f\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0576\u0565\u0580\u0568","Merge cells":"\u0544\u056b\u0561\u057e\u0578\u0580\u0565\u056c \u057e\u0561\u0576\u0564\u0561\u056f\u0576\u0565\u0580\u0568","Split cell":"\u0532\u0561\u056a\u0561\u0576\u0565\u056c \u057e\u0561\u0576\u0564\u0561\u056f\u0568","Insert row before":"\u0531\u057e\u0565\u056c\u0561\u0581\u0576\u0565\u056c \u057f\u0578\u0572 \u057e\u0565\u0580\u0587\u0578\u0582\u0574","Insert row after":"\u0531\u057e\u0565\u056c\u0561\u0581\u0576\u0565\u056c \u057f\u0578\u0572 \u0576\u0565\u0580\u0584\u0587\u0578\u0582\u0574","Delete row":"\u054b\u0576\u057b\u0565\u056c \u057f\u0578\u0572\u0568","Row properties":"\u054f\u0578\u0572\u056b \u0570\u0561\u057f\u056f\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0576\u0565\u0580\u0568","Cut row":"\u053f\u057f\u0580\u0565\u056c \u057f\u0578\u0572\u0568","Cut column":"","Copy row":"\u054a\u0561\u057f\u0573\u0565\u0576\u0565\u056c \u057f\u0578\u0572\u0568","Copy column":"","Paste row before":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u057f\u0578\u0572\u0568 \u057e\u0565\u0580\u0587\u0578\u0582\u0574","Paste column before":"","Paste row after":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c \u057f\u0578\u0572\u0568 \u0576\u0565\u0580\u0584\u0587\u0578\u0582\u0574","Paste column after":"","Insert column before":"\u0531\u057e\u0565\u056c\u0561\u0581\u0576\u0565\u056c \u0576\u0578\u0580 \u057d\u0575\u0578\u0582\u0576 \u0571\u0561\u056d\u056b\u0581","Insert column after":"\u0531\u057e\u0565\u056c\u0561\u0581\u0576\u0565\u056c \u0576\u0578\u0580 \u057d\u0575\u0578\u0582\u0576 \u0561\u057b\u056b\u0581","Delete column":"\u0541\u0576\u057b\u0565\u056c \u057d\u0575\u0578\u0582\u0576\u0568","Cols":"\u054d\u0575\u0578\u0582\u0576\u0575\u0561\u056f\u0576\u0565\u0580","Rows":"\u054f\u0578\u0572\u0565\u0580","Width":"\u053c\u0561\u0575\u0576\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Height":"\u0532\u0561\u0580\u0571\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Cell spacing":"\u0531\u0580\u057f\u0561\u0584\u056b\u0576 \u057f\u0561\u0580\u0561\u056e\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Cell padding":"\u0546\u0565\u0580\u0584\u056b\u0576 \u057f\u0561\u0580\u0561\u056e\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580","Show caption":"\u0551\u0578\u0582\u0581\u0561\u0564\u0580\u0565\u056c \u057e\u0565\u0580\u0576\u0561\u0563\u056b\u0580\u0568","Left":"\u0541\u0561\u056d","Center":"\u053f\u0565\u0576\u057f\u0580\u0578\u0576","Right":"\u0531\u057b","Cell type":"\u054e\u0561\u0576\u0564\u0561\u056f\u056b \u057f\u056b\u057a","Scope":"","Alignment":"\u0540\u0561\u057e\u0561\u057d\u0561\u0580\u0565\u0581\u0578\u0582\u0574","Horizontal align":"","Vertical align":"","Top":"\u054e\u0565\u0580\u0587","Middle":"\u0544\u0565\u057b\u057f\u0565\u0572","Bottom":"\u0546\u0565\u0580\u0584\u0587","Header cell":"\u054e\u0565\u0580\u0576\u0561\u0563\u0580\u056b \u057e\u0561\u0576\u0564\u0561\u056f\u0576\u0565\u0580","Row group":"\u054f\u0578\u0572\u0565\u0580\u056b \u056d\u0578\u0582\u0574\u0562","Column group":"\u054d\u0575\u0578\u0582\u0576\u0575\u0561\u056f\u0576\u0565\u0580\u056b \u056d\u0578\u0582\u0574\u0562","Row type":"\u054f\u0578\u0572\u056b \u057f\u056b\u057a","Header":"\u054e\u0565\u0580\u0576\u0561\u0563\u056b\u0580","Body":"\u054a\u0561\u0580\u0578\u0582\u0576\u0561\u056f\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Footer":"\u0531\u0572\u0575\u0578\u0582\u057d\u0561\u056f\u056b \u057d\u057f\u0578\u0580\u056b\u0576 \u0570\u0561\u057f\u057e\u0561\u056e","Border color":"\u0535\u0566\u0580\u0561\u0563\u056b\u056e","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u0584 \u0571\u0587\u0561\u0576\u0574\u0578\u0582\u0577","Templates":"\u0541\u0587\u0561\u0576\u0574\u0578\u0582\u0577\u0576\u0565\u0580","Template":"\u0541\u0587\u0561\u0576\u0574\u0578\u0582\u0577","Insert Template":"","Text color":"\u054f\u0561\u057c\u056b \u0563\u0578\u0582\u0575\u0576","Background color":"\u0556\u0578\u0576\u056b \u0563\u0578\u0582\u0575\u0576","Custom...":"\u0531\u0575\u056c...","Custom color":"\u0531\u0575\u056c \u0563\u0578\u0582\u0575\u0576","No color":"\u0531\u0576\u0563\u0578\u0582\u0575\u0576","Remove color":"\u054b\u0576\u057b\u0565\u056c \u0563\u0578\u0582\u0575\u0576\u0568","Show blocks":"\u0551\u0578\u0582\u0581\u0561\u0564\u0580\u0565\u056c \u0562\u056c\u0578\u056f\u0576\u0565\u0580\u0568","Show invisible characters":"\u0551\u0578\u0582\u0575\u0581 \u057f\u0561\u056c \u0561\u0576\u057f\u0565\u057d\u0561\u0576\u0565\u056c\u056b \u057d\u056b\u0574\u057e\u0578\u056c\u0576\u0565\u0580\u0568","Word count":"\u0532\u0561\u057c\u056b \u0584\u0561\u0576\u0561\u056f","Count":"\u0554\u0561\u0576\u0561\u056f\u0568","Document":"\u0553\u0561\u057d\u057f\u0561\u0569\u0578\u0582\u0572\u0569","Selection":"\u0538\u0576\u057f\u0580\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Words":"\u0532\u0561\u057c\u0565\u0580","Words: {0}":"\u0532\u0561\u057c\u0565\u0580\u056b \u0584\u0561\u0576\u0561\u056f: {0}","{0} words":"{0} \u0562\u0561\u057c","File":"\u0556\u0561\u0575\u056c","Edit":"\u053d\u0574\u0562\u0561\u0563\u0580\u0565\u056c","Insert":"\u054f\u0565\u0572\u0561\u0564\u0580\u0565\u056c","View":"\u054f\u0565\u057d\u0584","Format":"\u0556\u0578\u0580\u0574\u0561\u057f","Table":"\u0531\u0572\u0575\u0578\u0582\u057d\u0561\u056f","Tools":"\u0533\u0578\u0580\u056e\u056b\u0584\u0576\u0565\u0580","Powered by {0}":"\u0540\u0578\u057e\u0561\u0576\u0561\u057e\u0578\u0580\u057e\u0561\u056e \u0567 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u054f\u0565\u0584\u057d\u057f\u0561\u0575\u056b\u0576 \u0564\u0561\u0577\u057f\u0589 \u054d\u0565\u0572\u0574\u0565\u0584 ALT-F9 \u0574\u0565\u0576\u0575\u0578\u0582\u056b \u0570\u0561\u0574\u0561\u0580\u0589 ALT-F10 \u0563\u0578\u0580\u056e\u056b\u0584\u0576\u0565\u0580\u056b \u057e\u0561\u0570\u0561\u0576\u0561\u056f\u0589 \u054d\u0565\u0572\u0574\u0565\u0584 ALT-0 \u0585\u0563\u0576\u0578\u0582\u0569\u0575\u0561\u0576 \u0570\u0561\u0574\u0561\u0580","Image title":"\u0546\u056f\u0561\u0580\u056b \u057e\u0565\u0580\u0576\u0561\u0563\u056b\u0580","Border width":"\u054d\u0561\u0570\u0574\u0561\u0576\u056b \u056c\u0561\u0575\u0576\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0568","Border style":"\u054d\u0561\u0570\u0574\u0561\u0576\u056b \u0578\u0573\u0568","Error":"\u054d\u056d\u0561\u056c","Warn":"\u0536\u0563\u0578\u0582\u0577\u0561\u0581\u0578\u0582\u0574","Valid":"\u054e\u0561\u057e\u0565\u0580 \u0567","To open the popup, press Shift+Enter":"\u0539\u057c\u0578\u0582\u0581\u056b\u056f\u0568 \u0562\u0561\u0581\u0565\u056c\u0578\u0582 \u0570\u0561\u0574\u0561\u0580 \u057d\u0565\u0572\u0574\u0565\u0584 Shift + Enter","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"\u0540\u0561\u0580\u0578\u0582\u057d\u057f \u057f\u0565\u0584\u057d\u057f\u0561\u0575\u056b\u0576 \u057f\u0561\u0580\u0561\u056e\u0584: \u0555\u0563\u0576\u0578\u0582\u0569\u0575\u0561\u0576 \u0570\u0561\u0574\u0561\u0580 \u057d\u0565\u0572\u0574\u0565\u0584 ALT-0:","System Font":"\u0540\u0561\u0574\u0561\u056f\u0561\u0580\u0563\u056b \u057f\u0561\u057c\u0561\u057f\u0565\u057d\u0561\u056f","Failed to upload image: {0}":"\u0549\u0570\u0561\u057b\u0578\u0572\u057e\u0565\u0581 \u057e\u0565\u0580\u0562\u0565\u057c\u0576\u0565\u056c \u057a\u0561\u057f\u056f\u0565\u0580\u0568: {0}","Failed to load plugin: {0} from url {1}":"\u0549\u0570\u0561\u057b\u0578\u0572\u057e\u0565\u0581 \u0562\u0565\u057c\u0576\u0565\u056c \u057a\u056c\u0561\u0563\u056b\u0576\u0568\u0589 {0} \u0570\u0572\u0578\u0582\u0574\u056b\u0581 {1}","Failed to load plugin url: {0}":"\u0549\u0570\u0561\u057b\u0578\u0572\u057e\u0565\u0581 \u0562\u0565\u057c\u0576\u0565\u056c \u057a\u056c\u0561\u0563\u056b\u0576\u0568 \u0570\u0572\u0578\u0582\u0574\u056b\u0581\u0589 {0}","Failed to initialize plugin: {0}":"\u0549\u0570\u0561\u057b\u0578\u0572\u057e\u0565\u0581 \u0574\u056b\u0561\u0581\u0576\u0565\u056c \u057a\u056c\u0561\u0563\u056b\u0576\u0568\u0589 {0}","example":"\u0585\u0580\u056b\u0576\u0561\u056f","Search":"\u0553\u0576\u057f\u0580\u0565\u056c","All":"\u0532\u0578\u056c\u0578\u0580\u0568","Currency":"\u0531\u0580\u056a\u0578\u0582\u0575\u0569","Text":"\u054f\u0565\u0584\u057d\u057f","Quotations":"\u0544\u0565\u057b\u0562\u0565\u0580\u0578\u0582\u0574\u0576\u0565\u0580","Mathematical":"\u0544\u0561\u0569\u0565\u0574\u0561\u057f\u056b\u056f\u0561\u056f\u0561\u0576","Extended Latin":"\u0538\u0576\u0564\u0561\u0580\u0571\u0561\u056f \u056c\u0561\u057f\u056b\u0576\u0565\u0580\u0565\u0576","Symbols":"\u054d\u056b\u0574\u057e\u0578\u056c\u0576\u0565\u0580","Arrows":"\u054d\u056c\u0561\u0584\u0576\u0565\u0580","User Defined":"\u0555\u0563\u057f\u0561\u0563\u0578\u0580\u056e\u0578\u0572\u056b \u056f\u0578\u0572\u0574\u056b\u0581 \u054d\u0561\u0570\u0574\u0561\u0576\u057e\u0561\u056e","dollar sign":"\u0564\u0578\u056c\u056c\u0561\u0580\u056b \u0576\u0577\u0561\u0576","currency sign":"\u0561\u0580\u056a\u0578\u0582\u0575\u0569\u056b \u0576\u0577\u0561\u0576","euro-currency sign":"\u0565\u057e\u0580\u0578-\u0561\u0580\u056a\u0578\u0582\u0575\u0569\u056b \u0576\u0577\u0561\u0576","colon sign":"\u056f\u0580\u056f\u0576\u0561\u056f\u0565\u057f \u0576\u0577\u0561\u0576","cruzeiro sign":"\u0576\u0561\u057e\u0561\u0580\u056f\u0578\u0582\u0569\u0575\u0561\u0576 \u0576\u0577\u0561\u0576","french franc sign":"\u0586\u0580\u0561\u0576\u057d\u056b\u0561\u056f\u0561\u0576 \u0586\u0580\u0561\u0576\u056f\u056b \u0576\u0577\u0561\u0576","lira sign":"\u056c\u056b\u0580\u056b \u0576\u0577\u0561\u0576","mill sign":"\u057b\u0580\u0561\u0572\u0561\u0581\u056b \u0576\u0577\u0561\u0576","naira sign":"\u0576\u0561\u056b\u0580\u0561\u0575\u056b \u0576\u0577\u0561\u0576","peseta sign":"\u057a\u0565\u057d\u0565\u057f\u0561\u0575\u056b \u0576\u0577\u0561\u0576","rupee sign":"\u057c\u0578\u0582\u0583\u056b\u056b \u0576\u0577\u0561\u0576","won sign":"\u0577\u0561\u0570\u0565\u056c\u0578\u0582 \u0576\u0577\u0561\u0576\u0568","new sheqel sign":"\u0576\u0578\u0580 \u0577\u0565\u056f\u0565\u056c \u0576\u0577\u0561\u0576","dong sign":"\u0564\u0578\u0576\u0563\u056b \u0576\u0577\u0561\u0576","kip sign":"\u056f\u056b\u057a \u0576\u0577\u0561\u0576","tugrik sign":"\u057f\u0578\u0582\u0563\u0580\u056b\u056f\u056b \u0576\u0577\u0561\u0576","drachma sign":"\u0564\u0580\u0561\u0574\u0561\u056d\u0574\u0561\u0575\u056b \u0576\u0577\u0561\u0576","german penny symbol":"\u0563\u0565\u0580\u0574\u0561\u0576\u0561\u056f\u0561\u0576 \u057a\u0565\u0576\u056b\u0575\u056b \u056d\u0578\u0580\u0570\u0580\u0564\u0561\u0576\u056b\u0577","peso sign":"\u057a\u0565\u057d\u0578\u0575\u056b \u0576\u0577\u0561\u0576","guarani sign":"\u0563\u0578\u0582\u0561\u0580\u0561\u0576\u056b \u0576\u0577\u0561\u0576","austral sign":"\u0561\u057e\u057d\u057f\u0580\u0561\u056c\u056b \u0576\u0577\u0561\u0576","hryvnia sign":"\u0563\u0580\u056b\u057e\u0576\u0561\u0575\u056b \u0576\u0577\u0561\u0576","cedi sign":"\u0584\u0565\u0564\u056b \u0576\u0577\u0561\u0576","livre tournois sign":"\u056c\u056b\u057e\u0580\u0565 \u0569\u0578\u0582\u0580\u0576\u0578\u056b\u057d \u0576\u0577\u0561\u0576","spesmilo sign":"\u057d\u057a\u0565\u057d\u0574\u056b\u056c\u0578 \u0576\u0577\u0561\u0576","tenge sign":"\u057f\u0565\u0576\u0563\u0565 \u0576\u0577\u0561\u0576","indian rupee sign":"\u0570\u0576\u0564\u056f\u0561\u056f\u0561\u0576 \u057c\u0578\u0582\u0583\u056b \u0576\u0577\u0561\u0576","turkish lira sign":"\u0569\u0578\u0582\u0580\u0584\u0561\u056f\u0561\u0576 \u056c\u056b\u0580\u0561\u0575\u056b \u0576\u0577\u0561\u0576","nordic mark sign":"\u0570\u0575\u0578\u0582\u057d\u056b\u057d\u0561\u0575\u056b\u0576 \u0576\u0577\u0561\u0576\u056b \u0576\u0577\u0561\u0576","manat sign":"\u0574\u0561\u0576\u0561\u0569\u056b \u0576\u0577\u0561\u0576","ruble sign":"\u057c\u0578\u0582\u0562\u056c\u0578\u0582 \u0576\u0577\u0561\u0576","yen character":"\u056b\u0565\u0576\u056b \u0576\u0577\u0561\u0576","yuan character":"\u0575\u0578\u0582\u0561\u0576\u056b \u0576\u0577\u0561\u0576","yuan character, in hong kong and taiwan":"\u0575\u0578\u0582\u0561\u0576\u056b \u0576\u0577\u0561\u0576 \u0570\u0578\u0576\u0563\u056f\u0578\u0576\u0563\u0578\u0582\u0574 \u0587 \u0569\u0561\u0575\u057e\u0561\u0576\u0578\u0582\u0574","yen/yuan character variant one":"\u0575\u0565\u0576\u056b/\u0575\u0578\u0582\u0561\u0576\u056b \u0576\u0577\u0561\u0576 \u057f\u0561\u0580\u0562\u0565\u0580\u0561\u056f \u0561\u057c\u0561\u057b\u056b\u0576","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"\u0544\u0561\u0580\u0564\u056b\u0584","Animals and Nature":"\u053f\u0565\u0576\u0564\u0561\u0576\u056b\u0576\u0565\u0580 \u0587 \u0532\u0576\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Food and Drink":"\u054d\u0576\u0578\u0582\u0576\u0564 \u0587 \u056d\u0574\u056b\u0579\u0584","Activity":"\u0533\u0578\u0580\u056e\u0578\u0582\u0576\u0565\u0578\u0582\u0569\u0575\u0578\u0582\u0576","Travel and Places":"\u0543\u0561\u0576\u0561\u057a\u0561\u0580\u0570\u0578\u0580\u0564\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0576\u0565\u0580 \u0587 \u057e\u0561\u0575\u0580\u0565\u0580","Objects":"\u0555\u0562\u0575\u0565\u056f\u057f\u0576\u0565\u0580","Flags":"\u0534\u0580\u0578\u0577\u0576\u0565\u0580","Characters":"\u0546\u056b\u0577\u0565\u0580","Characters (no spaces)":"\u0546\u056b\u0577\u0565\u0580 (\u0562\u0561\u0581\u0561\u057f\u0576\u0565\u0580)","{0} characters":"{0} \u0576\u056b\u0577\u0565\u0580","Error: Form submit field collision.":"\u054d\u056d\u0561\u056c\u0589 \u0541\u0587\u0568 \u0570\u0561\u057d\u057f\u0561\u057f\u0565\u056c\u0578\u0582\u0581 \u0564\u0561\u0577\u057f\u056b \u0562\u0561\u056d\u0578\u0582\u0574:","Error: No form element found.":"\u054d\u056d\u0561\u056c\u0589 \u0541\u0587\u056b \u0578\u0579 \u0574\u056b \u057f\u0561\u0580\u0580 \u0579\u056b \u0563\u057f\u0576\u057e\u0565\u056c:","Color swatch":"\u0533\u0578\u0582\u0575\u0576\u056b \u0583\u0578\u056d\u0561\u0576\u0561\u056f\u0578\u0582\u0574","Color Picker":"\u0533\u0578\u0582\u0576\u0561\u057a\u0576\u0561\u056f","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"\u0553\u056b\u0580\u0578\u0582\u0566\u0561\u0563\u0578\u0582\u0575\u0576","Green":"\u053f\u0561\u0576\u0561\u0579","Blue":"\u053f\u0561\u057a\u0578\u0582\u0575\u057f","Purple":"\u0544\u0561\u0576\u0578\u0582\u0577\u0561\u056f\u0561\u0563\u0578\u0582\u0575\u0576","Navy Blue":"\u0544\u0578\u0582\u0563 \u056f\u0561\u057a\u0578\u0582\u0575\u057f","Dark Turquoise":"\u0544\u0578\u0582\u0563 \u0583\u056b\u0580\u0578\u0582\u0566\u0561\u0563\u0578\u0582\u0575\u0576","Dark Green":"\u0544\u0578\u0582\u0563 \u056f\u0561\u0576\u0561\u0579","Medium Blue":"\u0544\u056b\u057b\u056b\u0576 \u056f\u0561\u057a\u0578\u0582\u0575\u057f","Medium Purple":"\u0544\u056b\u057b\u056b\u0576 \u0574\u0561\u0576\u0578\u0582\u0577\u0561\u056f\u0561\u0563\u0578\u0582\u0575\u0576","Midnight Blue":"\u053f\u0565\u057d\u0563\u056b\u0577\u0565\u0580\u0561\u0575\u056b\u0576 \u056f\u0561\u057a\u0578\u0582\u0575\u057f","Yellow":"\u0534\u0565\u0572\u056b\u0576","Orange":"\u0546\u0561\u0580\u0576\u057b\u0561\u0563\u0578\u0582\u0575\u0576","Red":"\u053f\u0561\u0580\u0574\u056b\u0580","Light Gray":"\u0532\u0561\u0581 \u0574\u0578\u056d\u0580\u0561\u0563\u0578\u0582\u0575\u0576","Gray":"\u0544\u0578\u056d\u0580\u0561\u0563\u0578\u0582\u0575\u0576","Dark Yellow":"\u0544\u0578\u0582\u0563 \u0564\u0565\u0572\u056b\u0576","Dark Orange":"\u0544\u0578\u0582\u0563 \u0576\u0561\u0580\u0576\u057b\u0561\u0563\u0578\u0582\u0575\u0576","Dark Red":"\u0544\u0578\u0582\u0563 \u056f\u0561\u0580\u0574\u056b\u0580","Medium Gray":"\u0544\u056b\u057b\u056b\u0576 \u0574\u0578\u056d\u0580\u0561\u0563\u0578\u0582\u0575\u0576","Dark Gray":"\u0544\u0578\u0582\u0563 \u0574\u0578\u056d\u0580\u0561\u0563\u0578\u0582\u0575\u0576","Light Green":"\u0532\u0561\u0581 \u056f\u0561\u0576\u0561\u0579","Light Yellow":"\u0532\u0561\u0581 \u0564\u0565\u0572\u056b\u0576","Light Red":"\u0532\u0561\u0581 \u056f\u0561\u0580\u0574\u056b\u0580","Light Purple":"\u0532\u0561\u0581 \u0574\u0561\u0576\u0578\u0582\u0577\u0561\u056f\u0561\u0563\u0578\u0582\u0575\u0576","Light Blue":"\u0532\u0561\u0581 \u056f\u0561\u057a\u0578\u0582\u0575\u057f","Dark Purple":"\u0544\u0578\u0582\u0563 \u0574\u0561\u0576\u0578\u0582\u0577\u0561\u056f\u0561\u0563\u0578\u0582\u0575\u0576","Dark Blue":"\u0544\u0578\u0582\u0563 \u056f\u0561\u057a\u0578\u0582\u0575\u057f","Black":"\u054d\u0587","White":"\u054d\u057a\u056b\u057f\u0561\u056f","Switch to or from fullscreen mode":"\u0531\u0576\u0581\u0565\u0584 \u0561\u0574\u0562\u0578\u0572\u057b \u0567\u056f\u0580\u0561\u0576\u056b\u0576 \u057c\u0565\u056a\u056b\u0574\u056b\u0581 \u056f\u0561\u0574 \u0561\u0574\u0562\u0578\u0572\u057b \u057c\u0565\u056a\u056b\u0574\u056b\u0581","Open help dialog":"\u0532\u0561\u0581\u0565\u056c \u0585\u0563\u0576\u0578\u0582\u0569\u0575\u0561\u0576 \u0565\u0580\u056f\u056d\u0578\u057d\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0568","history":"\u054a\u0561\u057f\u0574\u0578\u0582\u0569\u0575\u0578\u0582\u0576","styles":"\u0578\u0573\u0565\u0580\u0568","formatting":"\u0579\u0561\u0583\u0561\u0576\u0577\u0578\u0582\u0574","alignment":"\u0570\u0561\u057e\u0561\u057d\u0561\u0580\u0565\u0581\u0578\u0582\u0574","indentation":"\u056d\u0561\u0575\u0569\u0578\u0581","Font":"\u054f\u0561\u057c\u0561\u057f\u0565\u057d\u0561\u056f","Size":"\u0549\u0561\u0583\u057d","More...":"\u0531\u057e\u0565\u056c\u056b\u0576\u2024\u2024\u2024","Select...":"\u0538\u0576\u057f\u0580\u0565\u056c\u2024\u2024\u2024","Preferences":"\u0546\u0561\u056d\u0561\u057a\u0561\u057f\u057e\u0578\u0582\u0569\u0575\u0578\u0582\u0576\u0576\u0565\u0580","Yes":"\u0531\u0575\u0578","No":"\u0548\u0579","Keyboard Navigation":"\u054d\u057f\u0565\u0572\u0576\u0561\u0577\u0561\u0580\u056b \u0546\u0561\u057e\u056b\u0563\u0561\u0581\u056b\u0561","Version":"\u054f\u0561\u0580\u0562\u0565\u0580\u0561\u056f","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/id.js b/deform/static/tinymce/langs/id.js index c62179c4..8523ab60 100644 --- a/deform/static/tinymce/langs/id.js +++ b/deform/static/tinymce/langs/id.js @@ -1,71 +1 @@ -tinymce.addI18n('id',{ -"Cut": "Penggal", -"Header 2": "Header 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Browser anda tidak mendukung akses langsung ke clipboard. Silahkan gunakan Ctrl+X\/C\/V dari keyboard.", -"Div": "Div", -"Paste": "Tempel", -"Close": "Tutup", -"Pre": "Pre", -"Align right": "Rata kanan", -"New document": "Dokumen baru", -"Blockquote": "Kutipan", -"Numbered list": "list nomor", -"Increase indent": "Tambah inden", -"Formats": "Format", -"Headers": "Header", -"Select all": "Pilih semua", -"Header 3": "Header 3", -"Blocks": "Blok", -"Undo": "Batal", -"Strikethrough": "Coret", -"Bullet list": "list simbol", -"Header 1": "Header 1", -"Superscript": "Superskrip", -"Clear formatting": "Hapus format", -"Subscript": "Subskrip", -"Header 6": "Header 6", -"Redo": "Ulang", -"Paragraph": "Paragraf", -"Ok": "Ok", -"Bold": "Tebal", -"Code": "Code", -"Italic": "Miring", -"Align center": "Rate tengah", -"Header 5": "Header 5", -"Decrease indent": "Turunkan inden", -"Header 4": "Header 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Aksi 'Tempel' sekarang ini dalam mode text. Konten akan 'ditempelkan' sebagai 'Plain Text' hingga anda mematikan opsi ini.", -"Underline": "Garis bawah", -"Cancel": "Batal", -"Justify": "Justifi", -"Inline": "Inline", -"Copy": "Salin", -"Align left": "Rate kiri", -"Visual aids": "Alat bantu visual", -"Lower Greek": "Lower Yunani", -"Square": "Kotak", -"Default": "Bawaan", -"Lower Alpha": "Lower Alpha", -"Circle": "Lingkaran", -"Disc": "Cakram", -"Upper Alpha": "Upper Alpha", -"Upper Roman": "Upper Roman", -"Lower Roman": "Lower Roman", -"Name": "Nama", -"Anchor": "Anjar", -"You have unsaved changes are you sure you want to navigate away?": "Anda memiliki perubahan yang belum disimpan, yakin ingin beralih ?", -"Restore last draft": "Muat kembali draft sebelumnya", -"Special character": "Spesial karakter", -"Source code": "Kode sumber", -"Right to left": "Kanan ke kiri", -"Left to right": "Kiri ke kanan", -"Emoticons": "Emotikon", -"Robots": "Robot", -"Document properties": "Properti dokumwn", -"Title": "Judul", -"Keywords": "Kata kunci", -"Encoding": "Enkoding", -"Description": "Deskripsi", -"Author": "Penulis", -"Fullscreen": "Layar penuh" -}); \ No newline at end of file +tinymce.addI18n("id",{"Redo":"Ulang","Undo":"Batalkan","Cut":"Potong","Copy":"Salin","Paste":"Rekat","Select all":"Pilih semua","New document":"Dokumen baru","Ok":"Ok","Cancel":"Batal","Visual aids":"Alat bantu visual","Bold":"Tebal","Italic":"Miring","Underline":"Garis bawah","Strikethrough":"Coret","Superscript":"Superskrip","Subscript":"Subskrip","Clear formatting":"Kosongkan format","Remove":"Hapus","Align left":"Rata kiri","Align center":"Rata tengah","Align right":"Rata kanan","No alignment":"Tanpa pejajaran","Justify":"Rata penuh","Bullet list":"Daftar bersimbol","Numbered list":"Daftar bernomor","Decrease indent":"Kurangi inden","Increase indent":"Tambah inden","Close":"Tutup","Formats":"Format","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Browser anda tidak mendukung akses langsung ke papan klip. Silakan gunakan pintasan Ctrl+X/C/V dari keyboard.","Headings":"Kepala","Heading 1":"Kepala 1","Heading 2":"Kepala 2","Heading 3":"Kepala 3","Heading 4":"Kepala 4","Heading 5":"Kepala 5","Heading 6":"Kepala 6","Preformatted":"Praformat","Div":"Div","Pre":"Pre","Code":"Kode","Paragraph":"Paragraf","Blockquote":"Kutipan","Inline":"Baris","Blocks":"Blok","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Tempel sekarang dalam mode teks biasa. Konten sekarang akan ditempelkan sebagai teks biasa hingga Anda mematikan pilihan ini.","Fonts":"Huruf","Font sizes":"Ukuran huruf","Class":"Kelas","Browse for an image":"Jelajahi gambar","OR":"ATAU","Drop an image here":"Letakkan gambar di sini","Upload":"Unggah","Uploading image":"Unggah gambar","Block":"Blok","Align":"Sejajarkan","Default":"Bawaan","Circle":"Lingkaran","Disc":"Cakram","Square":"Kotak","Lower Alpha":"Huruf Kecil","Lower Greek":"Huruf Kecil Yunani","Lower Roman":"Huruf Kecil Romawi","Upper Alpha":"Huruf Besar","Upper Roman":"Huruf Besar Romawi","Anchor...":"Jangkar..","Anchor":"Jangkar","Name":"Nama","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID harus dimulai dengan huruf, lalu diikuti hanya oleh huruf, angka, garis pisah, titik, titik dua, atau garis bawah.","You have unsaved changes are you sure you want to navigate away?":"Anda memiliki perubahan yang belum disimpan, yakin ingin beralih ?","Restore last draft":"Pulihkan draf sebelumnya","Special character...":"Karakter khusus...","Special Character":"Karakter Khusus","Source code":"Kode sumber","Insert/Edit code sample":"Tambah/Edit sampel kode","Language":"Bahasa","Code sample...":"Sampel kode...","Left to right":"Kiri ke kanan","Right to left":"Kanan ke kiri","Title":"Judul","Fullscreen":"Layar penuh","Action":"Tindakan","Shortcut":"Pintasan","Help":"Bantuan","Address":"Alamat","Focus to menubar":"Fokus ke bilah menu","Focus to toolbar":"Fokus ke bilah alat","Focus to element path":"Fokus ke alur elemen","Focus to contextual toolbar":"Fokus ke bilah alat kontekstual","Insert link (if link plugin activated)":"Masukan tautan (jika plugin tautan diaktifkan)","Save (if save plugin activated)":"Simpan (jika plugin simpan diaktifkan)","Find (if searchreplace plugin activated)":"Cari (jika plugin cari ganti diaktifkan)","Plugins installed ({0}):":"Plugin terpasang ({0}):","Premium plugins:":"Plugin premium:","Learn more...":"Ketahui selengkapnya...","You are using {0}":"Anda menggunakan {0}","Plugins":"Plugin","Handy Shortcuts":"Pintasan Bermanfaat","Horizontal line":"Garis horizontal","Insert/edit image":"Masukkan/edit gambar","Alternative description":"Deskripsi alternatif","Accessibility":"Aksesibilitas","Image is decorative":"Gambar Hiasan","Source":"Sumber","Dimensions":"Dimensi","Constrain proportions":"Pertahankan proporsi","General":"Umum","Advanced":"Lanjutan","Style":"Gaya","Vertical space":"Ruang vertikal","Horizontal space":"Ruang horizontal","Border":"Batas","Insert image":"Masukkan gambar","Image...":"Gambar...","Image list":"Daftar gambar","Resize":"Ubah ukuran","Insert date/time":"Masukkan tanggal/waktu","Date/time":"Tanggal/waktu","Insert/edit link":"Masukkan/edit tautan","Text to display":"Teks yang akan ditampilkan","Url":"Url","Open link in...":"Buka tautan dalam...","Current window":"Jendela saat ini","None":"Tidak ada","New window":"Jendela baru","Open link":"Buka tautan","Remove link":"Hapus tautan","Anchors":"Jangkar","Link...":"Tautan...","Paste or type a link":"Rekat atau ketik tautan","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL yang dimasukkan sepertinya adalah alamat email. Apakah Anda ingin menambahkan prefiks mailto: yang dibutuhkan?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Tautan yang dimasukkan sepertinya adalah tautan eksternal. Apakah Anda ingin menambahkan prefiks http:// yang dibutuhkan?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"URL yang Anda masukkan tampaknya merupakan tautan eksternal. Apakah Anda ingin menambahkan awalan https:// yang diperlukan?","Link list":"Daftar tautan","Insert video":"Masukkan video","Insert/edit video":"Masukkan/edit video","Insert/edit media":"Masukkan/edit media","Alternative source":"Sumber alternatif","Alternative source URL":"URL Sumber alternatif","Media poster (Image URL)":"Poster media (URL gambar)","Paste your embed code below:":"Rekatkan kode sematan di bawah:","Embed":"Semat","Media...":"Media...","Nonbreaking space":"Spasi","Page break":"Halaman baru","Paste as text":"Rekatkan sebagai teks","Preview":"Pratinjau","Print":"Cetak","Print...":"Cetak...","Save":"Simpan","Find":"Cari","Replace with":"Ganti dengan","Replace":"Ganti","Replace all":"Ganti semua","Previous":"Sebelumnya","Next":"Berikutnya","Find and Replace":"Temukan dan Ganti","Find and replace...":"Cari dan ganti...","Could not find the specified string.":"Tidak dapat menemukan string yang dimaksud.","Match case":"Samakan besar kecil huruf","Find whole words only":"Cari hanya kata utuh","Find in selection":"Cari dari yang dipilih","Insert table":"Masukkan tabel","Table properties":"Properti tabel","Delete table":"Hapus tabel","Cell":"Sel","Row":"Baris","Column":"Kolom","Cell properties":"Properti sel","Merge cells":"Gabung sel","Split cell":"Bagi sel","Insert row before":"Sisipkan baris sebelum","Insert row after":"Sisipkan baris setelah","Delete row":"Hapus baris","Row properties":"Properti baris","Cut row":"Potong baris","Cut column":"Potong kolom","Copy row":"Salin baris","Copy column":"Salin kolom","Paste row before":"Rekat baris sebelum","Paste column before":"Tempel kolom ke sebelum","Paste row after":"Rekat baris setelah","Paste column after":"Tempel kolom ke setelah","Insert column before":"Masukkan kolom sebelum","Insert column after":"Masukkan kolom setelah","Delete column":"Hapus kolom","Cols":"Kolom","Rows":"Baris","Width":"Lebar","Height":"Tinggi","Cell spacing":"Jarak sel","Cell padding":"Lapisan sel","Row clipboard actions":"Aksi baris clipboard","Column clipboard actions":"Aksi kolom clipboard","Table styles":"Corak tabel","Cell styles":"Corak sel","Column header":"Kepala kolom","Row header":"Baris kolom","Table caption":"Judul tabel","Caption":"Judul","Show caption":"Perlihatkan keterangan","Left":"Kiri","Center":"Tengah","Right":"Kanan","Cell type":"Tipe sel","Scope":"Cakupan","Alignment":"Penyejajaran","Horizontal align":"Sejajar horisontal","Vertical align":"Sejajar vertikal","Top":"Atas","Middle":"Tengah","Bottom":"Bawah","Header cell":"Sel judul","Row group":"Grup baris","Column group":"Grup kolom","Row type":"Tipe baris","Header":"Judul","Body":"Badan","Footer":"Catatan kaki","Border color":"Warna pinggiran","Solid":"Padat","Dotted":"Titik-titik","Dashed":"Garis-garis","Double":"Ganda","Groove":"Tumbuh","Ridge":"Kerut","Inset":"Inset","Outset":"Outset","Hidden":"Sembunyi","Insert template...":"Masukkan template...","Templates":"Template","Template":"Template","Insert Template":"Masukkan Template","Text color":"Warna teks","Background color":"Warna latar belakang","Custom...":"Khusus...","Custom color":"Warna khusus","No color":"Tanpa berwarna","Remove color":"Hapus warna","Show blocks":"Tampilkan blok","Show invisible characters":"Tampilkan karakter tak tampak","Word count":"Hitungan kata","Count":"Hitungan","Document":"Dokumen","Selection":"Pemilihan","Words":"Kata","Words: {0}":"Kata: {0}","{0} words":"{0} kata","File":"Berkas","Edit":"Edit","Insert":"Masukkan","View":"Tampilkan","Format":"Format","Table":"Tabel","Tools":"Alat","Powered by {0}":"Didayai oleh {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Area Teks Kaya. Tekan ALT-F9 untuk menu. Tekan ALT-F10 untuk bilah alat. Tekan ALT-0 untuk bantuan","Image title":"Judul gambar","Border width":"Lebar pinggiran","Border style":"Gaya pinggiran","Error":"Kesalahan","Warn":"Peringatkan","Valid":"Valid","To open the popup, press Shift+Enter":"Untuk membuka popup, tekan Shift+Enter","Rich Text Area":"Area Rich Text","Rich Text Area. Press ALT-0 for help.":"Area Teks Kaya. Tekan ALT-0 untuk bantuan.","System Font":"Huruf Sistem","Failed to upload image: {0}":"Gagal mengunggah gambar: {0}","Failed to load plugin: {0} from url {1}":"Gagal memuat plugin: {0} dari url {1}","Failed to load plugin url: {0}":"Gagal memuat url plugin: {0}","Failed to initialize plugin: {0}":"Gagal memulai plugin: {0}","example":"contoh","Search":"Cari","All":"Semua","Currency":"Mata Uang","Text":"Teks","Quotations":"Kutipan","Mathematical":"Matematis","Extended Latin":"Latin Diperluas","Symbols":"Simbol","Arrows":"Panah","User Defined":"Ditentukan Pengguna","dollar sign":"tanda dolar","currency sign":"tanda mata uang","euro-currency sign":"tanda mata uang eropa","colon sign":"tanda titik dua","cruzeiro sign":"tanda cruzeiro","french franc sign":"tanda franc prancis","lira sign":"tanda lira","mill sign":"tanda mill","naira sign":"tanda naira","peseta sign":"tanda peseta","rupee sign":"tanda rupee","won sign":"tanda won","new sheqel sign":"tanda sheqel baru","dong sign":"tanda dong","kip sign":"tanda kip","tugrik sign":"tanda tugrik","drachma sign":"tanda drachma","german penny symbol":"simbol penny jerman","peso sign":"tanda peso","guarani sign":"tanda guarani","austral sign":"tanda austral","hryvnia sign":"tanda hryvnia","cedi sign":"tanda cedi","livre tournois sign":"tanda livre tournois","spesmilo sign":"tanda spesmilo","tenge sign":"tanda tenge","indian rupee sign":"tanda rupee india","turkish lira sign":"tanda lira turki","nordic mark sign":"tanda mark nordik","manat sign":"tanda manat","ruble sign":"tanda ruble","yen character":"karakter yen","yuan character":"karakter yuan","yuan character, in hong kong and taiwan":"karakter yuan, di hong kong dan taiwan","yen/yuan character variant one":"varian satu karakter yen/yuan","Emojis":"Emoji","Emojis...":"Emoji...","Loading emojis...":"Memuat emoji...","Could not load emojis":"Tidak dapat memuat emoji","People":"Orang","Animals and Nature":"Hewan dan Alam","Food and Drink":"Makanan dan Minuman","Activity":"Aktivitas","Travel and Places":"Perjalanan dan Lokasi","Objects":"Objek","Flags":"Bendera","Characters":"Karakter","Characters (no spaces)":"Karakter (tanpa spasi)","{0} characters":"{0} karakter","Error: Form submit field collision.":"Kesalahan: Benturan bidang pengiriman bentuk.","Error: No form element found.":"Kesalahan: tidak ditemukan elemen bentuk.","Color swatch":"Contoh warna","Color Picker":"Pemilih warna","Invalid hex color code: {0}":"Kode warna hex tidak valid: {0}","Invalid input":"Masukan tidak valid","R":"R","Red component":"Komponen merah","G":"G","Green component":"Komponen hijau","B":"B","Blue component":"Komponen biru","#":"#","Hex color code":"Kode warna hex","Range 0 to 255":"Rentang 0 hingga 255","Turquoise":"Toska","Green":"Hijau","Blue":"Biru","Purple":"Ungu","Navy Blue":"Biru Navy","Dark Turquoise":"Turquoise Gelap","Dark Green":"Hijau Gelap","Medium Blue":"Biru Medium","Medium Purple":"Ungu Medium","Midnight Blue":"Biru Midnight","Yellow":"Kuning","Orange":"Jingga","Red":"Merah","Light Gray":"Abu Muda","Gray":"Abu-abu","Dark Yellow":"Kuning Gelap","Dark Orange":"Jingga Gelap","Dark Red":"Merah Gelap","Medium Gray":"Abu Medium","Dark Gray":"Abu Gelap","Light Green":"Hijau Muda","Light Yellow":"Kuning Muda","Light Red":"Merah Muda","Light Purple":"Ungu Muda","Light Blue":"Biru Muda","Dark Purple":"Ungu Gelap","Dark Blue":"Biru Gelap","Black":"Hitam","White":"Putih","Switch to or from fullscreen mode":"Alihkan ke atau dari mode layar penuh","Open help dialog":"Buka dialog bantuan","history":"riwayat","styles":"gaya","formatting":"pemformatan","alignment":"penyejajaran","indentation":"indentasi","Font":"Huruf","Size":"Ukuran","More...":"Lainnya...","Select...":"Pilih...","Preferences":"Preferensi","Yes":"Ya","No":"Tidak","Keyboard Navigation":"Navigasi Keyboard","Version":"Versi","Code view":"Tampilan Kode","Open popup menu for split buttons":"Buka menu popup untuk tombol terpisah","List Properties":"Daftar properti","List properties...":"Daftar properti...","Start list at number":"Mulai daftar dari nomor","Line height":"Tinggi baris","Dropped file type is not supported":"Jenis file yang dijatuhkan tidak didukung","Loading...":"Memuat...","ImageProxy HTTP error: Rejected request":"Kesalahan HTTP ImageProxy: Permintaan ditolak","ImageProxy HTTP error: Could not find Image Proxy":"Kesalahan HTTP ImageProxy: Tidak dapat menemukan Proxy Gambar","ImageProxy HTTP error: Incorrect Image Proxy URL":"Kesalahan HTTP ImageProxy: URL Proxy Gambar Salah","ImageProxy HTTP error: Unknown ImageProxy error":"Kesalahan HTTP ImageProxy: Kesalahan Proxy Gambar tidak diketahui"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/is_IS.js b/deform/static/tinymce/langs/is_IS.js new file mode 100644 index 00000000..5a178993 --- /dev/null +++ b/deform/static/tinymce/langs/is_IS.js @@ -0,0 +1 @@ +tinymce.addI18n("is_IS",{"Redo":"Endurkalla","Undo":"Afturkalla","Cut":"Skera","Copy":"Afrita","Paste":"L\xedma","Select all":"Velja allt","New document":"N\xfdtt skjal","Ok":"Sta\xf0festa","Cancel":"H\xe6tta vi\xf0","Visual aids":"Sj\xf3nr\xe6n hj\xe1lp","Bold":"Feitletra\xf0","Italic":"Skr\xe1letra\xf0","Underline":"Undirstrika\xf0","Strikethrough":"Yfirstrika\xf0","Superscript":"Uppskrift","Subscript":"Ni\xf0urskrifa\xf0","Clear formatting":"Hreinsa sni\xf0","Remove":"","Align left":"Vinstrijafna","Align center":"Mi\xf0jujafna","Align right":"H\xe6grijafna","No alignment":"","Justify":"Jafna","Bullet list":"K\xfalu listi","Numbered list":"N\xfamera\xf0ur listi","Decrease indent":"Minnka inndr\xe1tt","Increase indent":"Auka inndr\xe1tt","Close":"Loka","Formats":"Sni\xf0m\xe1t","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Vafrinn \xfeinn sty\xf0ur ekki beinann a\xf0gang a\xf0 klippibor\xf0inu. Nota\xf0u Ctrl-X/C/V \xe1 lyklabor\xf0inu \xed sta\xf0inn.","Headings":"Fyrirsagnir","Heading 1":"Fyrirs\xf6gn 1","Heading 2":"Fyrirs\xf6gn 2","Heading 3":"Fyrirs\xf6gn 3","Heading 4":"Fyrirs\xf6gn 4","Heading 5":"Fyrirs\xf6gn 5","Heading 6":"Fyrirs\xf6gn 6","Preformatted":"","Div":"","Pre":"\xd3st\xedla\xf0","Code":"K\xf3\xf0i","Paragraph":"M\xe1lsgrein","Blockquote":"Blokk","Inline":"Inndregi\xf0","Blocks":"Blokkir","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"L\xedming er \xed textaham. Texti ver\xf0ur l\xedmdur sem l\xe1tlaus \xfeanga\xf0 til \xfe\xfa afhakar vi\xf0 \xfeennan valm\xf6guleika.","Fonts":"Leturger\xf0ir","Font sizes":"","Class":"Tegund","Browse for an image":"Finna mynd \xed t\xf6lvunni","OR":"E\xd0A","Drop an image here":"Settu inn mynd h\xe9r","Upload":"Hla\xf0a upp","Uploading image":"","Block":"Blokka","Align":"Stilla","Default":"Sj\xe1lfgefi\xf0","Circle":"Hringur","Disc":"Diskur","Square":"Ferningur","Lower Alpha":"L\xe1gstafir Alpha","Lower Greek":"L\xe1gstafir Gr\xedskir","Lower Roman":"L\xe1gstafir R\xf3mverskir","Upper Alpha":"H\xe1stafir Alpha","Upper Roman":"H\xe1stafir R\xf3mverskir","Anchor...":"","Anchor":"","Name":"Nafn","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\xdea\xf0 eru \xf3vista\xf0ar breytingar, ertu viss um a\xf0 \xfe\xfa viljir vafra \xed burtu?","Restore last draft":"Endurkalla s\xed\xf0asta uppkast","Special character...":"S\xe9rstakur stafur...","Special Character":"","Source code":"Frumk\xf3\xf0i","Insert/Edit code sample":"Setja inn/breyta k\xf3\xf0ad\xe6mi","Language":"Tungum\xe1l","Code sample...":"K\xf3\xf0ad\xe6mi...","Left to right":"Vinstri til h\xe6gri","Right to left":"H\xe6gri til vinstri","Title":"Titill","Fullscreen":"Fylla skj\xe1","Action":"A\xf0ger\xf0","Shortcut":"Fl\xfdtilei\xf0","Help":"Hj\xe1lp","Address":"","Focus to menubar":"F\xf3kus \xe1 menubar","Focus to toolbar":"F\xf3kus \xe1 t\xe6kjastiku","Focus to element path":"F\xf3kus \xe1 element path","Focus to contextual toolbar":"F\xf3kus \xe1 contextual toolbar","Insert link (if link plugin activated)":"Setja inn hlekk (ef link vi\xf0b\xf3t er virk)","Save (if save plugin activated)":"Vista (ef vistunar vi\xf0b\xf3t er virk)","Find (if searchreplace plugin activated)":"Leita (ef searchreplace vi\xf0b\xf3t er virk)","Plugins installed ({0}):":"Uppsettar vi\xf0b\xf3tir ({0}):","Premium plugins:":"Premium vi\xf0b\xe6tur:","Learn more...":"Sj\xe1 meira...","You are using {0}":"\xde\xfa ert a\xf0 nota {0}","Plugins":"Vi\xf0b\xe6tur","Handy Shortcuts":"Sni\xf0ugar fl\xfdtilei\xf0ir","Horizontal line":"L\xe1r\xe9tt l\xedna","Insert/edit image":"Setja inn/breyta mynd","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"Sl\xf3\xf0i","Dimensions":"Hlutf\xf6ll","Constrain proportions":"Halda hlutf\xf6llum","General":"Almennt","Advanced":"\xcdtarlegt","Style":"St\xedll","Vertical space":"L\xf3\xf0r\xe9tt bil","Horizontal space":"L\xe1r\xe9tt bil","Border":"Rammi","Insert image":"Setja inn mynd","Image...":"Mynd...","Image list":"Myndalisti","Resize":"Breyta st\xe6r\xf0","Insert date/time":"Setja inn dagsetningu/t\xedma","Date/time":"Dagur/t\xedmi","Insert/edit link":"Setja inn/breyta hlekk","Text to display":"Texti til a\xf0 s\xfdna","Url":"Veffang","Open link in...":"Opna hlekk \xed...","Current window":"N\xfaverandi gluggi","None":"Ekkert","New window":"N\xfdr gluggi","Open link":"","Remove link":"Fjarl\xe6gja hlekk","Anchors":"Akkeri","Link...":"Hlekkur...","Paste or type a link":"L\xedma e\xf0a sl\xe1 inn hlekk","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Hlekkurinn sem \xfe\xfa rita\xf0ir inn l\xfdtur \xfat fyrir a\xf0 vera netfang. Viltu b\xe6ta vi\xf0 forskeytinu mailto: ?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Hlekkurinn sem \xfe\xfa rita\xf0ir inn l\xfdtur \xfat fyrir a\xf0 vera ytri hlekkur. Viltu b\xe6ta vi\xf0 forskeytinu http:// ?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Listi hlekkja","Insert video":"Setja inn myndband","Insert/edit video":"Setja inn/fjarl\xe6gja myndband","Insert/edit media":"Setja inn/breyta myndefni","Alternative source":"Valkv\xe6\xf0ur frumk\xf3\xf0i","Alternative source URL":"","Media poster (Image URL)":"Media poster (mynd URL)","Paste your embed code below:":"L\xedma frumk\xf3\xf0a fyrir ne\xf0an:","Embed":"Hengja vi\xf0","Media...":"","Nonbreaking space":"Bil sem brotnar ekki","Page break":"S\xed\xf0ubrot","Paste as text":"L\xedma sem texta","Preview":"Forsko\xf0un","Print":"","Print...":"Prenta...","Save":"Vista","Find":"Finna","Replace with":"Skipta \xfat me\xf0","Replace":"Skipta \xfat","Replace all":"Skipta \xf6llum \xfat","Previous":"Fyrri","Next":"N\xe6sti","Find and Replace":"","Find and replace...":"","Could not find the specified string.":"Fann ekki umbe\xf0inn streng.","Match case":"Samanbur\xf0ur","Find whole words only":"Finna einungis heil or\xf0","Find in selection":"","Insert table":"Setja inn t\xf6flu","Table properties":"Stillingar t\xf6flu","Delete table":"Ey\xf0a t\xf6flu","Cell":"Reitur","Row":"R\xf6\xf0","Column":"D\xe1lkur","Cell properties":"Stillingar reits","Merge cells":"Sameina reiti","Split cell":"Deila reiti","Insert row before":"Setja inn r\xf6\xf0 fyrir framan","Insert row after":"Setja inn r\xf6\xf0 fyrir aftan","Delete row":"Ey\xf0a r\xf6\xf0","Row properties":"Stillingar ra\xf0ar","Cut row":"Klippa r\xf6\xf0","Cut column":"","Copy row":"Afrita r\xf6\xf0","Copy column":"","Paste row before":"L\xedma r\xf6\xf0 fyrir framan","Paste column before":"","Paste row after":"L\xedma r\xf6\xf0 fyrir aftan","Paste column after":"","Insert column before":"Setja inn d\xe1lk fyrir framan","Insert column after":"Setja inn d\xe1lk fyrir aftan","Delete column":"Ey\xf0a d\xe1lki","Cols":"D\xe1lkar","Rows":"Ra\xf0ir","Width":"Breidd","Height":"H\xe6\xf0","Cell spacing":"Bil \xed reit","Cell padding":"R\xfdmi reits","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Titill","Show caption":"S\xfdna myndatexta","Left":"Vinstri","Center":"Mi\xf0ja","Right":"H\xe6gri","Cell type":"Tegund reits","Scope":"Gildissvi\xf0","Alignment":"J\xf6fnun","Horizontal align":"","Vertical align":"","Top":"Efst","Middle":"Mi\xf0ja","Bottom":"Ne\xf0st","Header cell":"Reitarhaus","Row group":"H\xf3pur ra\xf0ar","Column group":"H\xf3pur d\xe1lks","Row type":"Tegund ra\xf0ar","Header":"Fyrirs\xf6gn","Body":"Innihald","Footer":"Ne\xf0anm\xe1l","Border color":"Litur \xe1 ramma","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Setja inn sni\xf0m\xe1t...","Templates":"Sni\xf0m\xe1t","Template":"Sni\xf0m\xe1t","Insert Template":"","Text color":"Litur texta","Background color":"Bakgrunnslitur","Custom...":"S\xe9rsni\xf0i\xf0...","Custom color":"S\xe9rsni\xf0in litur","No color":"Enginn litur","Remove color":"Fjarl\xe6gja lit","Show blocks":"S\xfdna kubba","Show invisible characters":"S\xfdna \xf3s\xfdnilega stafi","Word count":"Or\xf0afj\xf6ldi","Count":"Fj\xf6ldi","Document":"Skjal","Selection":"Val","Words":"Or\xf0","Words: {0}":"Or\xf0: {0}","{0} words":"{0} or\xf0","File":"Skjal","Edit":"Breyta","Insert":"Setja inn","View":"Sko\xf0a","Format":"Sni\xf0","Table":"Tafla","Tools":"T\xf3l","Powered by {0}":"Keyrt af {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Textasv\xe6\xf0i \xed \xedtarham. \xddttu \xe1 ALT-F9 fyrir valmynd. \xddttu \xe1 ALT-F10 fyrir t\xf3lastiku. \xddttu \xe1 ALT-0 fyrir a\xf0sto\xf0.","Image title":"Titill myndar","Border width":"","Border style":"","Error":"Villa","Warn":"A\xf0vara","Valid":"Gilt","To open the popup, press Shift+Enter":"\xddttu \xe1 Shift+Enter til a\xf0 opna sprettiglugga","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Rich Text sv\xe6\xf0i. Smelltu \xe1 Alt-0 fyrir hj\xe1lp","System Font":"Kerfis leturger\xf0","Failed to upload image: {0}":"Gat ekki hala\xf0 upp mynd: {0}","Failed to load plugin: {0} from url {1}":"Gat ekki hla\xf0i\xf0 vi\xf0b\xf3t: {0} fr\xe1 urli {1}","Failed to load plugin url: {0}":"Gat ekki hla\xf0i\xf0 vi\xf0b\xf3t url: {0}","Failed to initialize plugin: {0}":"Val","example":"d\xe6mi","Search":"Leita","All":"Allt","Currency":"Gjaldmi\xf0ill","Text":"Texti","Quotations":"Tilvitnanir","Mathematical":"St\xe6r\xf0fr\xe6\xf0i","Extended Latin":"","Symbols":"T\xe1kn","Arrows":"\xd6rvar","User Defined":"Stillt af notanda","dollar sign":"dollar t\xe1kn","currency sign":"gjaldmi\xf0ils t\xe1kn","euro-currency sign":"evru-gjaldmi\xf0ils t\xe1kn","colon sign":"kommu t\xe1kn","cruzeiro sign":"cruzeiro t\xe1kn","french franc sign":"franskur franki t\xe1kn","lira sign":"lira t\xe1kn","mill sign":"mill t\xe1kn","naira sign":"naira t\xe1kn","peseta sign":"peseta t\xe1kn","rupee sign":"rupee t\xe1kn","won sign":"won t\xe1kn","new sheqel sign":"new sheqel t\xe1kn","dong sign":"dong t\xe1kn","kip sign":"kip t\xe1kn","tugrik sign":"tugrik t\xe1kn","drachma sign":"drachma t\xe1kn","german penny symbol":"german penny t\xe1kn","peso sign":"peso t\xe1kn","guarani sign":"guarani t\xe1kn","austral sign":"austral t\xe1kn","hryvnia sign":"hryvnia t\xe1kn","cedi sign":"cedi t\xe1kn","livre tournois sign":"livre tournois t\xe1kn","spesmilo sign":"spesmilo t\xe1kn","tenge sign":"tenge t\xe1kn","indian rupee sign":"indverskt rupee t\xe1kn","turkish lira sign":"tyrknesk l\xedra t\xe1kn","nordic mark sign":"nordic mark t\xe1kn","manat sign":"manat t\xe1kn","ruble sign":"ruble t\xe1kn","yen character":"yen stafur","yuan character":"yuan stafur","yuan character, in hong kong and taiwan":"yuan stafur, \xed Hong Kong og Ta\xedvan","yen/yuan character variant one":"yen/yuan t\xe1kn afbrig\xf0i eitt","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"F\xf3lk","Animals and Nature":"D\xfdr og n\xe1tt\xfara","Food and Drink":"Matur og drykkur","Activity":"Virkni","Travel and Places":"Fer\xf0al\xf6g og sta\xf0ir","Objects":"Hlutir","Flags":"F\xe1nar","Characters":"Stafabil","Characters (no spaces)":"Stafabil (engin bil)","{0} characters":"{0} stafabil","Error: Form submit field collision.":"Villa: Form submit field collision.","Error: No form element found.":"Villa: Ekkert form element fannst.","Color swatch":"Litaval","Color Picker":"Litaval","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"Gr\xe6nbl\xe1r","Green":"Gr\xe6nn","Blue":"Bl\xe1r","Purple":"Fj\xf3lubl\xe1r","Navy Blue":"D\xf6kkbl\xe1r","Dark Turquoise":"D\xf6kk gr\xe6nbl\xe1r","Dark Green":"D\xf6kkgr\xe6nn","Medium Blue":"Mi\xf0lungs bl\xe1r","Medium Purple":"Mi\xf0lungs fj\xf3lubl\xe1r","Midnight Blue":"N\xe6turbl\xe1r","Yellow":"Gulur","Orange":"Appels\xednugulur","Red":"Rau\xf0ur","Light Gray":"Lj\xf3sgr\xe1r","Gray":"Gr\xe1r","Dark Yellow":"D\xf6kkgulur","Dark Orange":"D\xf6kk appels\xednugulur","Dark Red":"D\xf6kkrau\xf0ur","Medium Gray":"Mi\xf0lungs gr\xe1r","Dark Gray":"D\xf6kkgr\xe1r","Light Green":"Lj\xf3sgr\xe6nn","Light Yellow":"Lj\xf3sgulur","Light Red":"Lj\xf3srau\xf0ur","Light Purple":"Lj\xf3s fj\xf3lubl\xe1r","Light Blue":"Lj\xf3sbl\xe1r","Dark Purple":"D\xf6kk fj\xf3lubl\xe1r","Dark Blue":"D\xf6kkbl\xe1r","Black":"Svartur","White":"Hv\xedtur","Switch to or from fullscreen mode":"Skipta \xed e\xf0a \xfar fullum skj\xe1","Open help dialog":"Opna hj\xe1lparkassa","history":"saga","styles":"st\xedlar","formatting":"","alignment":"textastilling","indentation":"inndr\xe1ttur","Font":"Leturger\xf0","Size":"St\xe6r\xf0","More...":"Meira...","Select...":"Velja...","Preferences":"Stillingar","Yes":"J\xe1","No":"Nei","Keyboard Navigation":"Lyklabor\xf0 Navigation","Version":"\xdatg\xe1fa","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/it.js b/deform/static/tinymce/langs/it.js index 90a34df2..1ccf8130 100644 --- a/deform/static/tinymce/langs/it.js +++ b/deform/static/tinymce/langs/it.js @@ -1,174 +1 @@ -tinymce.addI18n('it',{ -"Cut": "Taglia", -"Header 2": "Header 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Il tuo browser non supporta l'accesso diretto negli Appunti. Per favore usa i tasti di scelta rapida Ctrl+X\/C\/V.", -"Div": "Div", -"Paste": "Incolla", -"Close": "Chiudi", -"Pre": "Pre", -"Align right": "Allinea a Destra", -"New document": "Nuovo Documento", -"Blockquote": "Blockquote", -"Numbered list": "Elenchi Numerati", -"Increase indent": "Aumenta Rientro", -"Formats": "Formattazioni", -"Headers": "Intestazioni", -"Select all": "Seleziona Tutto", -"Header 3": "Intestazione 3", -"Blocks": "Blocchi", -"Undo": "Indietro", -"Strikethrough": "Barrato", -"Bullet list": "Elenchi Puntati", -"Header 1": "Intestazione 1", -"Superscript": "Apice", -"Clear formatting": "Cancella Formattazione", -"Subscript": "Pedice", -"Header 6": "Intestazione 6", -"Redo": "Ripeti", -"Paragraph": "Paragrafo", -"Ok": "Ok", -"Bold": "Grassetto", -"Code": "Codice", -"Italic": "Corsivo", -"Align center": "Allinea al Cento", -"Header 5": "Intestazione 5", -"Decrease indent": "Riduci Rientro", -"Header 4": "Intestazione 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Incolla \u00e8 in modalit\u00e0 testo normale. I contenuti sono incollati come testo normale se non disattivi l'opzione.", -"Underline": "Sottolineato", -"Cancel": "Cancella", -"Justify": "Giustifica", -"Inline": "Inlinea", -"Copy": "Copia", -"Align left": "Allinea a Sinistra", -"Visual aids": "Elementi Visivi", -"Lower Greek": "Greek Minore", -"Square": "Quadrato", -"Default": "Default", -"Lower Alpha": "Alpha Minore", -"Circle": "Cerchio", -"Disc": "Disco", -"Upper Alpha": "Alpha Superiore", -"Upper Roman": "Roman Superiore", -"Lower Roman": "Roman Minore", -"Name": "Nome", -"Anchor": "Fissa", -"You have unsaved changes are you sure you want to navigate away?": "Non hai salvato delle modifiche, sei sicuro di andartene?", -"Restore last draft": "Ripristina l'ultima bozza.", -"Special character": "Carattere Speciale", -"Source code": "Codice Sorgente", -"Right to left": "Da Destra a Sinistra", -"Left to right": "Da Sinistra a Destra", -"Emoticons": "Emoction", -"Robots": "Robot", -"Document properties": "Propriet\u00e0 Documento", -"Title": "Titolo", -"Keywords": "Parola Chiave", -"Encoding": "Codifica", -"Description": "Descrizione", -"Author": "Autore", -"Fullscreen": "Schermo Intero", -"Horizontal line": "Linea Orizzontale", -"Horizontal space": "Spazio Orizzontale", -"Insert\/edit image": "Aggiungi\/Modifica Immagine", -"General": "Generale", -"Advanced": "Avanzato", -"Source": "Fonte", -"Border": "Bordo", -"Constrain proportions": "Mantieni Proporzioni", -"Vertical space": "Spazio Verticale", -"Image description": "Descrizione Immagine", -"Style": "Stile", -"Dimensions": "Dimenzioni", -"Insert image": "Inserisci immagine", -"Insert date\/time": "Inserisci Data\/Ora", -"Remove link": "Rimuovi link", -"Url": "Url", -"Text to display": "Testo da Visualizzare", -"Anchors": "Anchors", -"Insert link": "Inserisci il Link", -"New window": "Nuova Finestra", -"None": "No", -"Target": "Target", -"Insert\/edit link": "Inserisci\/Modifica Link", -"Insert\/edit video": "Inserisci\/Modifica Video", -"Poster": "Anteprima", -"Alternative source": "Alternativo", -"Paste your embed code below:": "Incolla il codice d'incorporamento qui:", -"Insert video": "Inserisci Video", -"Embed": "Incorporare", -"Nonbreaking space": "Spazio unificatore", -"Paste as text": "incolla come testo", -"Preview": "Anteprima", -"Print": "Stampa", -"Save": "Salva", -"Could not find the specified string.": "Impossibile trovare la parola specifica.", -"Replace": "Sostituisci", -"Next": "Successivo", -"Whole words": "Parole Sbagliate", -"Find and replace": "Trova e Sostituisci", -"Replace with": "Sostituisci Con", -"Find": "Trova", -"Replace all": "Sostituisci Tutto", -"Match case": "Maiuscole\/Minuscole ", -"Prev": "Precedente", -"Spellcheck": "Controllo ortografico", -"Finish": "Termina", -"Ignore all": "Ignora Tutto", -"Ignore": "Ignora", -"Insert row before": "Inserisci una Riga Prima", -"Rows": "Righe", -"Height": "Altezza", -"Paste row after": "Incolla una Riga Dopo", -"Alignment": "Allineamento", -"Column group": "Gruppo di Colonne", -"Row": "Riga", -"Insert column before": "Inserisci una Colonna Prima", -"Split cell": "Dividi Cella", -"Cell padding": "Padding della Cella", -"Cell spacing": "Spaziatura della Cella", -"Row type": "Tipo di Riga", -"Insert table": "Inserisci Tabella", -"Body": "Body", -"Caption": "Didascalia", -"Footer": "Footer", -"Delete row": "Cancella Riga", -"Paste row before": "Incolla una Riga Prima", -"Scope": "Campo", -"Delete table": "Cancella Tabella", -"Header cell": "cella d'intestazione", -"Column": "Colonna", -"Cell": "Cella", -"Header": "Header", -"Cell type": "Tipo di Cella", -"Copy row": "Copia Riga", -"Row properties": "Propriet\u00e0 della Riga", -"Table properties": "Propiet\u00e0 della Tabella", -"Row group": "Gruppo di Righe", -"Right": "Destra", -"Insert column after": "Inserisci una Colonna Dopo", -"Cols": "Colonne", -"Insert row after": "Inserisci una Riga Dopo", -"Width": "Larghezza", -"Cell properties": "Propiet\u00e0 della Cella", -"Left": "Sinistra", -"Cut row": "Taglia Riga", -"Delete column": "Cancella Colonna", -"Center": "Centro", -"Merge cells": "Unisci Cella", -"Insert template": "Inserisci Template", -"Templates": "Template", -"Background color": "Colore Background", -"Text color": "Colore Testo", -"Show blocks": "Mostra Blocchi", -"Show invisible characters": "Mostra Caratteri Invisibili", -"Words: {0}": "Parole: {0}", -"Insert": "Inserisci", -"File": "File", -"Edit": "Modifica", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich Text Area. Premi ALT-F9 per il men\u00f9. Premi ALT-F10 per la barra degli strumenti. Premi ALT-0 per l'aiuto.", -"Tools": "Strumenti", -"View": "Visualiza", -"Table": "Tabella", -"Format": "Formato" -}); \ No newline at end of file +tinymce.addI18n("it",{"Redo":"Ripristina","Undo":"Annulla","Cut":"Taglia","Copy":"Copia","Paste":"Incolla","Select all":"Seleziona tutto","New document":"Nuovo documento","Ok":"OK","Cancel":"Annulla","Visual aids":"Aiuti visivi","Bold":"Grassetto","Italic":"Corsivo","Underline":"Sottolineato","Strikethrough":"Barrato","Superscript":"Apice","Subscript":"Pedice","Clear formatting":"Cancella la formattazione","Remove":"Rimuovi","Align left":"Allinea a sinistra","Align center":"Allinea al centro","Align right":"Allinea a destra","No alignment":"Senza allineamento","Justify":"Giustifica","Bullet list":"Elenco puntato","Numbered list":"Elenco numerato","Decrease indent":"Riduci rientro","Increase indent":"Aumenta rientro","Close":"Chiudi","Formats":"Formati","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Il browser non supporta l'accesso diretto alla cartella degli appunti. Usare i tasti di scelta rapida Ctrl+X/C/V.","Headings":"Titoli","Heading 1":"Titolo 1","Heading 2":"Titolo 2","Heading 3":"Titolo 3","Heading 4":"Titolo 4","Heading 5":"Titolo 5","Heading 6":"Titolo 6","Preformatted":"Preformattato","Div":"Div","Pre":"Pre","Code":"Codice","Paragraph":"Paragrafo","Blockquote":"Citazione","Inline":"In linea","Blocks":"Blocchi","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Incolla \xe8 in modalit\xe0 testo normale. I contenuti saranno incollati come testo normale se non viene disattivata questa opzione.","Fonts":"Caratteri","Font sizes":"Dimensioni font","Class":"Classe","Browse for an image":"Cerca un'immagine","OR":"OPPURE","Drop an image here":"Rilasciare un'immagine qui","Upload":"Carica","Uploading image":"Caricamento immagine","Block":"Blocco","Align":"Allinea","Default":"Predefinito","Circle":"Circolo","Disc":"Disco","Square":"Quadrato","Lower Alpha":"Alfabetico minuscolo","Lower Greek":"Greco minuscolo","Lower Roman":"Romano minuscolo","Upper Alpha":"Alfabetico maiuscolo","Upper Roman":"Romano maiuscolo","Anchor...":"Ancoraggio...","Anchor":"Ancora","Name":"Nome","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID dovrebbe iniziare con una lettera, seguita solo da lettere, numeri, trattini, punti, due punti.","You have unsaved changes are you sure you want to navigate away?":"Ci sono modifiche non salvate, si \xe8 sicuro di volere uscire?","Restore last draft":"Ripristina l'ultima bozza","Special character...":"Carattere speciale...","Special Character":"Carattere Speciale","Source code":"Codice sorgente","Insert/Edit code sample":"Inserisci/modifica esempio di codice","Language":"Lingua","Code sample...":"Esempio di codice...","Left to right":"Da sinistra a destra","Right to left":"Da destra a sinistra","Title":"Titolo","Fullscreen":"A tutto schermo","Action":"Azione","Shortcut":"Collegamento","Help":"Guida","Address":"Indirizzo","Focus to menubar":"Imposta stato attivo per la barra dei menu","Focus to toolbar":"Imposta stato attivo per la barra degli strumenti","Focus to element path":"Imposta stato attivo per il percorso dell'elemento","Focus to contextual toolbar":"Imposta stato attivo per la barra degli strumenti contestuale","Insert link (if link plugin activated)":"Inserisci un collegamento (se \xe8 attivato l'apposito plugin)","Save (if save plugin activated)":"Salva (se \xe8 attivato l'apposito plugin)","Find (if searchreplace plugin activated)":"Trova (se \xe8 attivato l'apposito plugin)","Plugins installed ({0}):":"Plugin installati ({0}):","Premium plugins:":"Plugin Premium:","Learn more...":"Maggiori informazioni...","You are using {0}":"Si sta utilizzando {0}","Plugins":"Plugin","Handy Shortcuts":"Scorciatoie utili","Horizontal line":"Linea orizzontale","Insert/edit image":"Inserisci/modifica immagine","Alternative description":"Descrizione alternativa","Accessibility":"Accessibilit\xe0","Image is decorative":"L'immagine \xe8 decorativa","Source":"Fonte","Dimensions":"Dimensioni","Constrain proportions":"Mantieni proporzioni","General":"Generali","Advanced":"Avanzate","Style":"Stile","Vertical space":"Spazio verticale","Horizontal space":"Spazio orizzontale","Border":"Bordo","Insert image":"Inserisci immagine","Image...":"Immagine...","Image list":"Elenco immagini","Resize":"Ridimensiona","Insert date/time":"Inserisci data/ora","Date/time":"Data/ora","Insert/edit link":"Inserisci/modifica collegamento","Text to display":"Testo da visualizzare","Url":"URL","Open link in...":"Apri collegamento in...","Current window":"Finestra corrente","None":"Nessuno","New window":"Nuova finestra","Open link":"Apri link","Remove link":"Rimuovi collegamento","Anchors":"Ancoraggi","Link...":"Collegamento...","Paste or type a link":"Incolla o digita un collegamento","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"L'URL inserito sembra essere un indirizzo email. Si vuole aggiungere il necessario prefisso mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"L'URL inserito sembra essere un collegamento esterno. Si vuole aggiungere il necessario prefisso http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"L'URL inserito sembra essere un collegamento esterno. Si vuole aggiungere il necessario prefisso http://?","Link list":"Elenco collegamenti","Insert video":"Inserisci video","Insert/edit video":"Inserisci/modifica video","Insert/edit media":"Inserisci/modifica oggetti multimediali","Alternative source":"Sorgente alternativa","Alternative source URL":"URL sorgente alternativa","Media poster (Image URL)":"Poster dell'oggetto multimediale (URL dell'immagine)","Paste your embed code below:":"Incolla il codice d'incorporamento di seguito:","Embed":"Incorpora","Media...":"Oggetto multimediale...","Nonbreaking space":"Spazio indivisibile","Page break":"Interruzione di pagina","Paste as text":"Incolla senza formattazioni","Preview":"Anteprima","Print":"Stampa","Print...":"Stampa...","Save":"Salva","Find":"Trova","Replace with":"Sostituisci con","Replace":"Sostituisci","Replace all":"Sostituisci tutto","Previous":"Indietro","Next":"Avanti","Find and Replace":"Trova e sostituisci","Find and replace...":"Trova e sostituisci...","Could not find the specified string.":"Impossibile trovare la stringa specificata.","Match case":"Maiuscole/minuscole","Find whole words only":"Trova solo parole intere","Find in selection":"Trova nella selezione","Insert table":"Inserisci tabella","Table properties":"Propriet\xe0 della tabella","Delete table":"Elimina tabella","Cell":"Cella","Row":"Riga","Column":"Colonna","Cell properties":"Propriet\xe0 cella","Merge cells":"Unisci le celle","Split cell":"Dividi la cella","Insert row before":"Inserisci riga prima","Insert row after":"Inserisci riga dopo","Delete row":"Elimina riga","Row properties":"Propriet\xe0 della riga","Cut row":"Taglia riga","Cut column":"Taglia colonna","Copy row":"Copia riga","Copy column":"Copia colonna","Paste row before":"Incolla riga prima","Paste column before":"Inserisci colonna prima","Paste row after":"Incolla riga dopo","Paste column after":"Inserisci colonna dopo","Insert column before":"Inserisci colonna prima","Insert column after":"Inserisci colonna dopo","Delete column":"Elimina colonna","Cols":"Colonne","Rows":"Righe","Width":"Larghezza","Height":"Altezza","Cell spacing":"Spaziatura tra celle","Cell padding":"Spaziatura interna celle","Row clipboard actions":"Azioni appunti riga","Column clipboard actions":"Azioni appunti colonna","Table styles":"Stili tabella","Cell styles":"Stili cella","Column header":"Intestazione colonna","Row header":"Intestazione riga","Table caption":"Titolo tabella","Caption":"Didascalia","Show caption":"Mostra didascalia","Left":"Sinistra","Center":"Centro","Right":"Destra","Cell type":"Tipo di cella","Scope":"Ambito","Alignment":"Allineamento","Horizontal align":"Allineamento orizzontale","Vertical align":"Allineamento verticale","Top":"In alto","Middle":"Centrato","Bottom":"In basso","Header cell":"Cella d'intestazione","Row group":"Gruppo di righe","Column group":"Gruppo di colonne","Row type":"Tipo di riga","Header":"Intestazione","Body":"Corpo","Footer":"Pi\xe8 di pagina","Border color":"Colore del bordo","Solid":"Pieno","Dotted":"Puntini","Dashed":"Trattini","Double":"Doppio","Groove":"Groove","Ridge":"Ridge","Inset":"Inserto","Outset":"Inizio","Hidden":"Nascosto","Insert template...":"Inserisci modello...","Templates":"Modelli","Template":"Modello","Insert Template":"Inserisci modello","Text color":"Colore testo","Background color":"Colore dello sfondo","Custom...":"Personalizzato...","Custom color":"Colore personalizzato","No color":"Nessun colore","Remove color":"Rimuovi colore","Show blocks":"Mostra blocchi","Show invisible characters":"Mostra caratteri invisibili","Word count":"Conteggio parole","Count":"Conteggio","Document":"Documento","Selection":"Selezione","Words":"Parole","Words: {0}":"Parole: {0}","{0} words":"{0} parole","File":"File","Edit":"Modifica","Insert":"Inserisci","View":"Visualizza","Format":"Formato","Table":"Tabella","Tools":"Strumenti","Powered by {0}":"Con tecnologia {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Area di testo RTF. Premere ALT-F9 per il menu. Premere ALT-F10 per la barra degli strumenti. Premere ALT-0 per la guida.","Image title":"Titolo immagine","Border width":"Larghezza del bordo","Border style":"Stile del bordo","Error":"Errore","Warn":"Avviso","Valid":"Valido","To open the popup, press Shift+Enter":"Per aprire il popup, premere Shift+Invio","Rich Text Area":"Area di testo ricco","Rich Text Area. Press ALT-0 for help.":"Area di testo RTF. Premere ALT-0 per la guida.","System Font":"Carattere di sistema","Failed to upload image: {0}":"Caricamento immagine fallito: {0}","Failed to load plugin: {0} from url {1}":"Caricamento plugin fallito: {0} dall'URL {1}","Failed to load plugin url: {0}":"Caricamento URL plugin fallito: {0}","Failed to initialize plugin: {0}":"Inizializzazione plugin fallita: {0}","example":"esempio","Search":"Cerca","All":"Tutto","Currency":"Valuta","Text":"Testo","Quotations":"Citazioni","Mathematical":"Caratteri matematici","Extended Latin":"Latino esteso","Symbols":"Simboli","Arrows":"Frecce","User Defined":"Definito dall'utente","dollar sign":"simbolo del dollaro","currency sign":"simbolo di valuta","euro-currency sign":"simbolo dell'euro","colon sign":"simbolo del col\xf3n","cruzeiro sign":"simbolo del cruzeiro","french franc sign":"simbolo del franco francese","lira sign":"simbolo della lira","mill sign":"simbolo del mill","naira sign":"simbolo della naira","peseta sign":"simbolo della peseta","rupee sign":"simbolo della rup\xeca","won sign":"simbolo del won","new sheqel sign":"simbolo del nuovo shekel","dong sign":"simbolo del dong","kip sign":"simbolo del kip","tugrik sign":"simbolo del tugrik","drachma sign":"simbolo della dracma","german penny symbol":"simbolo del pfennig tedesco","peso sign":"simbolo del peso","guarani sign":"simbolo del guaran\xec","austral sign":"simbolo dell'austral","hryvnia sign":"simbolo della hryvnia","cedi sign":"simbolo del cedi","livre tournois sign":"simbolo della lira di Tours","spesmilo sign":"simbolo dello spesmilo","tenge sign":"simbolo del tenge","indian rupee sign":"simbolo della rup\xeca indiana","turkish lira sign":"simbolo della lira turca","nordic mark sign":"simbolo del marco nordico","manat sign":"simbolo del manat","ruble sign":"simbolo del rublo","yen character":"simbolo dello yen","yuan character":"simbolo dello yuan","yuan character, in hong kong and taiwan":"simbolo dello yuan, Hong Kong e Taiwan","yen/yuan character variant one":"simbolo yen/yuan variante uno","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Caricamento emojis...","Could not load emojis":"Non posso caricare le emojis","People":"Persone","Animals and Nature":"Animali e natura","Food and Drink":"Cibi e bevande","Activity":"Attivit\xe0","Travel and Places":"Viaggi e luoghi","Objects":"Oggetti","Flags":"Bandiere","Characters":"Caratteri","Characters (no spaces)":"Caratteri (senza spazi)","{0} characters":"{0} caratteri","Error: Form submit field collision.":"Errore: Conflitto di campi nel modulo inviato.","Error: No form element found.":"Errore: Nessun elemento di modulo trovato.","Color swatch":"Campione di colore","Color Picker":"Selezione colori","Invalid hex color code: {0}":"Codice esadecimale colore non valido: {0}","Invalid input":"Dato non valido","R":"R","Red component":"Componente rosso","G":"V","Green component":"Componente verde","B":"B","Blue component":"Componente blu","#":"#","Hex color code":"Colore esadecimale","Range 0 to 255":"Intervallo da 0 a 255","Turquoise":"Turchese","Green":"Verde","Blue":"Blu","Purple":"Viola","Navy Blue":"Blu scuro","Dark Turquoise":"Turchese scuro","Dark Green":"Verde scuro","Medium Blue":"Blu medio","Medium Purple":"Viola medio","Midnight Blue":"Blu notte","Yellow":"Giallo","Orange":"Arancio","Red":"Rosso","Light Gray":"Grigio chiaro","Gray":"Grigio","Dark Yellow":"Giallo scuro","Dark Orange":"Arancio scuro","Dark Red":"Rosso scuro","Medium Gray":"Grigio medio","Dark Gray":"Grigio scuro","Light Green":"Verde chiaro","Light Yellow":"Giallo chiaro","Light Red":"Rosso chiaro","Light Purple":"Viola chiaro","Light Blue":"Azzurro","Dark Purple":"Viola scuro","Dark Blue":"Blu scuro","Black":"Nero","White":"Bianco","Switch to or from fullscreen mode":"Attiva/disattiva la modalit\xe0 schermo intero","Open help dialog":"Apri la finestra di aiuto","history":"cronologia","styles":"stili","formatting":"formattazione","alignment":"allineamento","indentation":"indentazione","Font":"Carattere","Size":"Dimensione carattere","More...":"Altro\u2026","Select...":"Seleziona...","Preferences":"Preferenze","Yes":"S\xec","No":"No","Keyboard Navigation":"Navigazione tramite tastiera","Version":"Versione","Code view":"Visualizza codice","Open popup menu for split buttons":"Apri il menu a comparsa per i pulsanti divisi","List Properties":"Propriet\xe0 Lista","List properties...":"Propriet\xe0 lista...","Start list at number":"La lista inizia con il numero","Line height":"Altezza linea","Dropped file type is not supported":"Tipo di file non supportato","Loading...":"Lettura in corso...","ImageProxy HTTP error: Rejected request":"Errore HTTP ImageProxy: richiesta rifiutata","ImageProxy HTTP error: Could not find Image Proxy":"Errore HTTP ImageProxy: impossibile trovare Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"Errore HTTP ImageProxy: URL Image Proxy non corretto","ImageProxy HTTP error: Unknown ImageProxy error":"Errore HTTP ImageProxy: errore sconosciuto"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ja.js b/deform/static/tinymce/langs/ja.js index 75a23c3b..b5537ad2 100644 --- a/deform/static/tinymce/langs/ja.js +++ b/deform/static/tinymce/langs/ja.js @@ -1,174 +1 @@ -tinymce.addI18n('ja',{ -"Cut": "\u5207\u308a\u53d6\u308a", -"Header 2": "\u30d8\u30c3\u30c0\u30fc 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u304a\u4f7f\u3044\u306e\u30d6\u30e9\u30a6\u30b6\u3067\u306f\u30af\u30ea\u30c3\u30d7\u30dc\u30fc\u30c9\u6a5f\u80fd\u3092\u5229\u7528\u3059\u308b\u3053\u3068\u304c\u3067\u304d\u307e\u305b\u3093\u3002\u30ad\u30fc\u30dc\u30fc\u30c9\u306e\u30b7\u30e7\u30fc\u30c8\u30ab\u30c3\u30c8\uff08Ctrl+X, Ctrl+C, Ctrl+V\uff09\u3092\u304a\u4f7f\u3044\u4e0b\u3055\u3044\u3002", -"Div": "Div", -"Paste": "\u8cbc\u308a\u4ed8\u3051", -"Close": "\u9589\u3058\u308b", -"Pre": "Pre", -"Align right": "\u53f3\u5bc4\u305b", -"New document": "\u65b0\u898f\u30c9\u30ad\u30e5\u30e1\u30f3\u30c8", -"Blockquote": "Blockquote", -"Numbered list": "\u756a\u53f7\u4ed8\u304d\u7b87\u6761\u66f8\u304d", -"Increase indent": "\u30a4\u30f3\u30c7\u30f3\u30c8\u3092\u5897\u3084\u3059", -"Formats": "\u66f8\u5f0f", -"Headers": "\u30d8\u30c3\u30c0\u30fc", -"Select all": "\u5168\u3066\u3092\u9078\u629e", -"Header 3": "\u30d8\u30c3\u30c0\u30fc 3", -"Blocks": "\u30d6\u30ed\u30c3\u30af", -"Undo": "\u5143\u306b\u623b\u3059", -"Strikethrough": "\u53d6\u308a\u6d88\u3057\u7dda", -"Bullet list": "\u7b87\u6761\u66f8\u304d", -"Header 1": "\u30d8\u30c3\u30c0\u30fc 1", -"Superscript": "\u4e0a\u4ed8\u304d\u6587\u5b57", -"Clear formatting": "\u66f8\u5f0f\u3092\u30af\u30ea\u30a2", -"Subscript": "\u4e0b\u4ed8\u304d\u6587\u5b57", -"Header 6": "\u30d8\u30c3\u30c0\u30fc 6", -"Redo": "\u3084\u308a\u76f4\u3059", -"Paragraph": "\u6bb5\u843d", -"Ok": "OK", -"Bold": "\u592a\u5b57", -"Code": "\u30b3\u30fc\u30c9", -"Italic": "\u659c\u4f53", -"Align center": "\u4e2d\u592e\u63c3\u3048", -"Header 5": "\u30d8\u30c3\u30c0\u30fc 5", -"Decrease indent": "\u30a4\u30f3\u30c7\u30f3\u30c8\u3092\u6e1b\u3089\u3059", -"Header 4": "\u30d8\u30c3\u30c0\u30fc 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u8cbc\u308a\u4ed8\u3051\u306f\u73fe\u5728\u30d7\u30ec\u30fc\u30f3\u30c6\u30ad\u30b9\u30c8\u30e2\u30fc\u30c9\u3067\u3059\u3002\u3053\u306e\u30aa\u30d7\u30b7\u30e7\u30f3\u3092\u30aa\u30d5\u306b\u3057\u306a\u3044\u9650\u308a\u5185\u5bb9\u306f\u30d7\u30ec\u30fc\u30f3\u30c6\u30ad\u30b9\u30c8\u3068\u3057\u3066\u8cbc\u308a\u4ed8\u3051\u3089\u308c\u307e\u3059\u3002", -"Underline": "\u4e0b\u7dda", -"Cancel": "\u30ad\u30e3\u30f3\u30bb\u30eb", -"Justify": "\u4e21\u7aef\u63c3\u3048", -"Inline": "\u30a4\u30f3\u30e9\u30a4\u30f3", -"Copy": "\u30b3\u30d4\u30fc", -"Align left": "\u5de6\u5bc4\u305b", -"Visual aids": "\u8868\u306e\u67a0\u7dda\u3092\u70b9\u7dda\u3067\u8868\u793a", -"Lower Greek": "\u5c0f\u6587\u5b57\u306e\u30ae\u30ea\u30b7\u30e3\u6587\u5b57", -"Square": "\u56db\u89d2", -"Default": "\u30c7\u30d5\u30a9\u30eb\u30c8", -"Lower Alpha": "\u5c0f\u6587\u5b57\u306e\u30a2\u30eb\u30d5\u30a1\u30d9\u30c3\u30c8", -"Circle": "\u5186", -"Disc": "\u70b9", -"Upper Alpha": "\u5927\u6587\u5b57\u306e\u30a2\u30eb\u30d5\u30a1\u30d9\u30c3\u30c8", -"Upper Roman": "\u5927\u6587\u5b57\u306e\u30ed\u30fc\u30de\u6570\u5b57", -"Lower Roman": "\u5c0f\u6587\u5b57\u306e\u30ed\u30fc\u30de\u6570\u5b57", -"Name": "\u30a2\u30f3\u30ab\u30fc\u540d", -"Anchor": "\u30a2\u30f3\u30ab\u30fc\uff08\u30ea\u30f3\u30af\u306e\u5230\u9054\u70b9\uff09", -"You have unsaved changes are you sure you want to navigate away?": "\u307e\u3060\u4fdd\u5b58\u3057\u3066\u3044\u306a\u3044\u5909\u66f4\u304c\u3042\u308a\u307e\u3059\u304c\u3001\u672c\u5f53\u306b\u3053\u306e\u30da\u30fc\u30b8\u3092\u96e2\u308c\u307e\u3059\u304b\uff1f", -"Restore last draft": "\u524d\u56de\u306e\u4e0b\u66f8\u304d\u3092\u5fa9\u6d3b\u3055\u305b\u308b", -"Special character": "\u7279\u6b8a\u6587\u5b57", -"Source code": "\u30bd\u30fc\u30b9\u30b3\u30fc\u30c9", -"Right to left": "\u53f3\u304b\u3089\u5de6", -"Left to right": "\u5de6\u304b\u3089\u53f3", -"Emoticons": "\u7d75\u6587\u5b57", -"Robots": "\u30ed\u30dc\u30c3\u30c8", -"Document properties": "\u30c9\u30ad\u30e5\u30e1\u30f3\u30c8\u306e\u30d7\u30ed\u30d1\u30c6\u30a3", -"Title": "\u30bf\u30a4\u30c8\u30eb", -"Keywords": "\u30ad\u30fc\u30ef\u30fc\u30c9", -"Encoding": "\u30a8\u30f3\u30b3\u30fc\u30c7\u30a3\u30f3\u30b0", -"Description": "\u30c6\u30f3\u30d7\u30ec\u30fc\u30c8\u306e\u5185\u5bb9", -"Author": "\u8457\u8005", -"Fullscreen": "\u5168\u753b\u9762\u8868\u793a", -"Horizontal line": "\u6c34\u5e73\u7f6b\u7dda", -"Horizontal space": "\u6a2a\u65b9\u5411\u306e\u4f59\u767d", -"Insert\/edit image": "\u753b\u50cf\u306e\u633f\u5165\u30fb\u7de8\u96c6", -"General": "\u4e00\u822c", -"Advanced": "\u8a73\u7d30\u8a2d\u5b9a", -"Source": "\u753b\u50cf\u306e\u30bd\u30fc\u30b9", -"Border": "\u67a0\u7dda", -"Constrain proportions": "\u7e26\u6a2a\u6bd4\u3092\u4fdd\u6301\u3059\u308b", -"Vertical space": "\u7e26\u65b9\u5411\u306e\u4f59\u767d", -"Image description": "\u753b\u50cf\u306e\u8aac\u660e\u6587", -"Style": "\u30b9\u30bf\u30a4\u30eb", -"Dimensions": "\u753b\u50cf\u30b5\u30a4\u30ba\uff08\u6a2a\u30fb\u7e26\uff09", -"Insert image": "\u753b\u50cf\u306e\u633f\u5165", -"Insert date\/time": "\u65e5\u4ed8\u30fb\u6642\u523b", -"Remove link": "\u30ea\u30f3\u30af\u306e\u524a\u9664", -"Url": "\u30ea\u30f3\u30af\u5148URL", -"Text to display": "\u30ea\u30f3\u30af\u5143\u30c6\u30ad\u30b9\u30c8", -"Anchors": "\u30a2\u30f3\u30ab\u30fc\uff08\u30ea\u30f3\u30af\u306e\u5230\u9054\u70b9\uff09", -"Insert link": "\u30ea\u30f3\u30af", -"New window": "\u65b0\u898f\u30a6\u30a3\u30f3\u30c9\u30a6", -"None": "\u306a\u3057", -"Target": "\u30bf\u30fc\u30b2\u30c3\u30c8\u5c5e\u6027", -"Insert\/edit link": "\u30ea\u30f3\u30af\u306e\u633f\u5165\u30fb\u7de8\u96c6", -"Insert\/edit video": "\u52d5\u753b\u306e\u633f\u5165\u30fb\u7de8\u96c6", -"Poster": "\u4ee3\u66ff\u753b\u50cf\u306e\u5834\u6240", -"Alternative source": "\u4ee3\u66ff\u52d5\u753b\u306e\u5834\u6240", -"Paste your embed code below:": "\u57cb\u3081\u8fbc\u307f\u7528\u30b3\u30fc\u30c9\u3092\u4e0b\u8a18\u306b\u8cbc\u308a\u4ed8\u3051\u3066\u304f\u3060\u3055\u3044\u3002", -"Insert video": "\u52d5\u753b", -"Embed": "\u57cb\u3081\u8fbc\u307f", -"Nonbreaking space": "\u56fa\u5b9a\u30b9\u30da\u30fc\u30b9\uff08 \uff09", -"Page break": "\u30da\u30fc\u30b8\u533a\u5207\u308a", -"Preview": "\u30d7\u30ec\u30d3\u30e5\u30fc", -"Print": "\u5370\u5237", -"Save": "\u4fdd\u5b58", -"Could not find the specified string.": "\u304a\u63a2\u3057\u306e\u6587\u5b57\u304c\u898b\u3064\u304b\u308a\u307e\u305b\u3093\u3067\u3057\u305f\u3002", -"Replace": "\u7f6e\u304d\u63db\u3048", -"Next": "\u6b21", -"Whole words": "\u5358\u8a9e\u5358\u4f4d\u3067\u691c\u7d22\u3059\u308b", -"Find and replace": "\u691c\u7d22\u3068\u7f6e\u304d\u63db\u3048", -"Replace with": "\u7f6e\u304d\u63db\u3048", -"Find": "\u691c\u7d22\u3059\u308b\u6587\u5b57", -"Replace all": "\u5168\u3066\u3092\u7f6e\u304d\u63db\u3048\u308b", -"Match case": "\u5927\u6587\u5b57\u30fb\u5c0f\u6587\u5b57\u3092\u533a\u5225\u3059\u308b", -"Prev": "\u524d", -"Spellcheck": "\u30b9\u30da\u30eb\u30c1\u30a7\u30c3\u30af", -"Finish": "\u7d42\u4e86", -"Ignore all": "\u5168\u3066\u3092\u7121\u8996", -"Ignore": "\u7121\u8996", -"Insert row before": "\u4e0a\u5074\u306b\u884c\u3092\u633f\u5165", -"Rows": "\u884c\u6570", -"Height": "\u9ad8\u3055", -"Paste row after": "\u4e0b\u5074\u306b\u884c\u3092\u8cbc\u308a\u4ed8\u3051", -"Alignment": "\u914d\u7f6e", -"Column group": "\u5217\u30b0\u30eb\u30fc\u30d7", -"Row": "\u884c", -"Insert column before": "\u5de6\u5074\u306b\u5217\u3092\u633f\u5165", -"Split cell": "\u30bb\u30eb\u306e\u5206\u5272", -"Cell padding": "\u30bb\u30eb\u5185\u4f59\u767d\uff08\u30d1\u30c7\u30a3\u30f3\u30b0\uff09", -"Cell spacing": "\u30bb\u30eb\u306e\u9593\u9694", -"Row type": "\u884c\u30bf\u30a4\u30d7", -"Insert table": "\u8868\u306e\u633f\u5165", -"Body": "\u30dc\u30c7\u30a3\u30fc", -"Caption": "\u8868\u984c", -"Footer": "\u30d5\u30c3\u30bf\u30fc", -"Delete row": "\u884c\u306e\u524a\u9664", -"Paste row before": "\u4e0a\u5074\u306b\u884c\u3092\u8cbc\u308a\u4ed8\u3051", -"Scope": "\u30b9\u30b3\u30fc\u30d7", -"Delete table": "\u8868\u306e\u524a\u9664", -"Header cell": "\u30d8\u30c3\u30c0\u30fc\u30bb\u30eb", -"Column": "\u5217", -"Cell": "\u30bb\u30eb", -"Header": "\u30d8\u30c3\u30c0\u30fc", -"Cell type": "\u30bb\u30eb\u30bf\u30a4\u30d7", -"Copy row": "\u884c\u306e\u30b3\u30d4\u30fc", -"Row properties": "\u884c\u306e\u8a73\u7d30\u8a2d\u5b9a", -"Table properties": "\u8868\u306e\u8a73\u7d30\u8a2d\u5b9a", -"Row group": "\u884c\u30b0\u30eb\u30fc\u30d7", -"Right": "\u53f3\u5bc4\u305b", -"Insert column after": "\u53f3\u5074\u306b\u5217\u3092\u633f\u5165", -"Cols": "\u5217\u6570", -"Insert row after": "\u4e0b\u5074\u306b\u884c\u3092\u633f\u5165", -"Width": "\u5e45", -"Cell properties": "\u30bb\u30eb\u306e\u8a73\u7d30\u8a2d\u5b9a", -"Left": "\u5de6\u5bc4\u305b", -"Cut row": "\u884c\u306e\u5207\u308a\u53d6\u308a", -"Delete column": "\u5217\u306e\u524a\u9664", -"Center": "\u4e2d\u592e\u63c3\u3048", -"Merge cells": "\u30bb\u30eb\u306e\u7d50\u5408", -"Insert template": "\u30c6\u30f3\u30d7\u30ec\u30fc\u30c8\u306e\u633f\u5165", -"Templates": "\u30c6\u30f3\u30d7\u30ec\u30fc\u30c8\u4e00\u89a7", -"Background color": "\u80cc\u666f\u8272", -"Text color": "\u6587\u5b57\u306e\u8272", -"Show blocks": "\u6587\u7ae0\u306e\u533a\u5207\u308a\u3092\u70b9\u7dda\u3067\u8868\u793a", -"Show invisible characters": "\u4e0d\u53ef\u8996\u6587\u5b57\u3092\u8868\u793a", -"Words: {0}": "\u5358\u8a9e\u6570: {0}", -"Insert": "\u633f\u5165", -"File": "\u30d5\u30a1\u30a4\u30eb", -"Edit": "\u7de8\u96c6", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u66f8\u5f0f\u4ed8\u304d\u30c6\u30ad\u30b9\u30c8\u306e\u7de8\u96c6\u753b\u9762\u3002ALT-F9\u3067\u30e1\u30cb\u30e5\u30fc\u3001ALT-F10\u3067\u30c4\u30fc\u30eb\u30d0\u30fc\u3001ALT-0\u3067\u30d8\u30eb\u30d7\u304c\u8868\u793a\u3055\u308c\u307e\u3059\u3002", -"Tools": "\u30c4\u30fc\u30eb", -"View": "\u8868\u793a", -"Table": "\u8868", -"Format": "\u66f8\u5f0f" -}); \ No newline at end of file +tinymce.addI18n("ja",{"Redo":"\u3084\u308a\u76f4\u3057","Undo":"\u5143\u306b\u623b\u3059","Cut":"\u5207\u308a\u53d6\u308a","Copy":"\u30b3\u30d4\u30fc","Paste":"\u8cbc\u308a\u4ed8\u3051","Select all":"\u3059\u3079\u3066\u9078\u629e","New document":"\u65b0\u898f\u30c9\u30ad\u30e5\u30e1\u30f3\u30c8","Ok":"OK","Cancel":"\u53d6\u6d88","Visual aids":"\u8868\u306e\u67a0\u7dda\u3092\u70b9\u7dda\u3067\u8868\u793a","Bold":"\u592a\u5b57","Italic":"\u659c\u4f53","Underline":"\u4e0b\u7dda","Strikethrough":"\u53d6\u6d88\u7dda","Superscript":"\u4e0a\u4ed8\u304d","Subscript":"\u4e0b\u4ed8\u304d","Clear formatting":"\u66f8\u5f0f\u3092\u30af\u30ea\u30a2","Remove":"\u524a\u9664","Align left":"\u5de6\u63c3\u3048","Align center":"\u4e2d\u592e\u63c3\u3048","Align right":"\u53f3\u63c3\u3048","No alignment":"\u914d\u7f6e\u306a\u3057","Justify":"\u4e21\u7aef\u63c3\u3048","Bullet list":"\u7b87\u6761\u66f8\u304d","Numbered list":"\u756a\u53f7\u4ed8\u304d\u7b87\u6761\u66f8\u304d","Decrease indent":"\u30a4\u30f3\u30c7\u30f3\u30c8\u3092\u6e1b\u3089\u3059","Increase indent":"\u30a4\u30f3\u30c7\u30f3\u30c8\u3092\u5897\u3084\u3059","Close":"\u9589\u3058\u308b","Formats":"\u66f8\u5f0f","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u304a\u4f7f\u3044\u306e\u30d6\u30e9\u30a6\u30b6\u3067\u306f\u30af\u30ea\u30c3\u30d7\u30dc\u30fc\u30c9\u6a5f\u80fd\u3092\u5229\u7528\u3059\u308b\u3053\u3068\u304c\u3067\u304d\u307e\u305b\u3093\u3002\u30ad\u30fc\u30dc\u30fc\u30c9\u306e\u30b7\u30e7\u30fc\u30c8\u30ab\u30c3\u30c8\uff08Ctrl+X, Ctrl+C, Ctrl+V\uff09\u3092\u4f7f\u7528\u3057\u3066\u304f\u3060\u3055\u3044\u3002","Headings":"\u898b\u51fa\u3057","Heading 1":"\u898b\u51fa\u30571","Heading 2":"\u898b\u51fa\u30572","Heading 3":"\u898b\u51fa\u30573","Heading 4":"\u898b\u51fa\u30574","Heading 5":"\u898b\u51fa\u30575","Heading 6":"\u898b\u51fa\u30576","Preformatted":"\u66f8\u5f0f\u8a2d\u5b9a\u6e08\u307f","Div":"\u5206\u5272","Pre":"\u6574\u5f62\u6e08\u307f\u30c6\u30ad\u30b9\u30c8","Code":"\u30b3\u30fc\u30c9","Paragraph":"\u6bb5\u843d","Blockquote":"\u5f15\u7528","Inline":"\u30a4\u30f3\u30e9\u30a4\u30f3","Blocks":"\u30d6\u30ed\u30c3\u30af","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u8cbc\u308a\u4ed8\u3051\u306f\u73fe\u5728\u30d7\u30ec\u30fc\u30f3\u30c6\u30ad\u30b9\u30c8\u30e2\u30fc\u30c9\u3067\u3059\u3002\u3053\u306e\u30aa\u30d7\u30b7\u30e7\u30f3\u3092\u30aa\u30d5\u306b\u3057\u306a\u3044\u9650\u308a\u5185\u5bb9\u306f\u30d7\u30ec\u30fc\u30f3\u30c6\u30ad\u30b9\u30c8\u3068\u3057\u3066\u8cbc\u308a\u4ed8\u3051\u3089\u308c\u307e\u3059\u3002","Fonts":"\u30d5\u30a9\u30f3\u30c8","Font sizes":"\u30d5\u30a9\u30f3\u30c8\u306e\u30b5\u30a4\u30ba","Class":"\u30af\u30e9\u30b9","Browse for an image":"\u753b\u50cf\u3092\u53c2\u7167","OR":"\u307e\u305f\u306f","Drop an image here":"\u3053\u3053\u306b\u753b\u50cf\u3092\u30c9\u30ed\u30c3\u30d7","Upload":"\u30a2\u30c3\u30d7\u30ed\u30fc\u30c9","Uploading image":"\u753b\u50cf\u30a2\u30c3\u30d7\u30ed\u30fc\u30c9\u4e2d","Block":"\u30d6\u30ed\u30c3\u30af","Align":"\u914d\u7f6e","Default":"\u65e2\u5b9a","Circle":"\u4e38","Disc":"\u9ed2\u4e38","Square":"\u56db\u89d2","Lower Alpha":"\u5c0f\u6587\u5b57\u30a2\u30eb\u30d5\u30a1\u30d9\u30c3\u30c8","Lower Greek":"\u5c0f\u6587\u5b57\u30ae\u30ea\u30b7\u30e3\u6587\u5b57","Lower Roman":"\u5c0f\u6587\u5b57\u30ed\u30fc\u30de\u5b57","Upper Alpha":"\u5927\u6587\u5b57\u30a2\u30eb\u30d5\u30a1\u30d9\u30c3\u30c8","Upper Roman":"\u5927\u6587\u5b57\u30ed\u30fc\u30de\u5b57","Anchor...":"\u30a2\u30f3\u30ab\u30fc...","Anchor":"\u30a2\u30f3\u30ab\u30fc","Name":"\u540d\u524d","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID\u306f\u6587\u5b57\u3067\u59cb\u307e\u308a\u3001\u305d\u306e\u5f8c\u306b\u6587\u5b57\u3001\u6570\u5b57\u3001\u30c0\u30c3\u30b7\u30e5\u3001\u30d4\u30ea\u30aa\u30c9\u3001\u30b3\u30ed\u30f3\u3001\u307e\u305f\u306f\u30a2\u30f3\u30c0\u30fc\u30b9\u30b3\u30a2\u304c\u7d9a\u304f\u5fc5\u8981\u304c\u3042\u308a\u307e\u3059\u3002","You have unsaved changes are you sure you want to navigate away?":"\u307e\u3060\u4fdd\u5b58\u3057\u3066\u3044\u306a\u3044\u5909\u66f4\u304c\u3042\u308a\u307e\u3059\u3002\u3053\u306e\u30da\u30fc\u30b8\u3092\u96e2\u308c\u307e\u3059\u304b\uff1f","Restore last draft":"\u524d\u56de\u306e\u4e0b\u66f8\u304d\u3092\u56de\u5fa9","Special character...":"\u7279\u6b8a\u6587\u5b57...","Special Character":"\u7279\u6b8a\u6587\u5b57","Source code":"\u30bd\u30fc\u30b9\u30b3\u30fc\u30c9","Insert/Edit code sample":"\u30b3\u30fc\u30c9\u30b5\u30f3\u30d7\u30eb\u306e\u633f\u5165/\u7de8\u96c6","Language":"\u8a00\u8a9e","Code sample...":"\u30b3\u30fc\u30c9\u306e\u30b5\u30f3\u30d7\u30eb...","Left to right":"\u5de6\u304b\u3089\u53f3","Right to left":"\u53f3\u304b\u3089\u5de6","Title":"\u30bf\u30a4\u30c8\u30eb","Fullscreen":"\u30d5\u30eb\u30b9\u30af\u30ea\u30fc\u30f3","Action":"\u30a2\u30af\u30b7\u30e7\u30f3","Shortcut":"\u30b7\u30e7\u30fc\u30c8\u30ab\u30c3\u30c8","Help":"\u30d8\u30eb\u30d7","Address":"\u30a2\u30c9\u30ec\u30b9","Focus to menubar":"\u30e1\u30cb\u30e5\u30fc\u30d0\u30fc\u306b\u30d5\u30a9\u30fc\u30ab\u30b9","Focus to toolbar":"\u30c4\u30fc\u30eb\u30d0\u30fc\u306b\u30d5\u30a9\u30fc\u30ab\u30b9","Focus to element path":"\u8981\u7d20\u30d1\u30b9\u306b\u30d5\u30a9\u30fc\u30ab\u30b9","Focus to contextual toolbar":"\u30b3\u30f3\u30c6\u30ad\u30b9\u30c8\u30c4\u30fc\u30eb\u30d0\u30fc\u306b\u30d5\u30a9\u30fc\u30ab\u30b9","Insert link (if link plugin activated)":"\u30ea\u30f3\u30af\u3092\u633f\u5165 (\u30ea\u30f3\u30af\u30d7\u30e9\u30b0\u30a4\u30f3\u6709\u52b9\u6642)","Save (if save plugin activated)":"\u4fdd\u5b58 (\u4fdd\u5b58\u30d7\u30e9\u30b0\u30a4\u30f3\u6709\u52b9\u6642)","Find (if searchreplace plugin activated)":"\u691c\u7d22 (\u7f6e\u63db\u30d7\u30e9\u30b0\u30a4\u30f3\u6709\u52b9\u6642)","Plugins installed ({0}):":"\u30a4\u30f3\u30b9\u30c8\u30fc\u30eb\u6e08\u30d7\u30e9\u30b0\u30a4\u30f3 ({0})\uff1a","Premium plugins:":"\u30d7\u30ec\u30df\u30a2\u30e0\u30d7\u30e9\u30b0\u30a4\u30f3\uff1a","Learn more...":"\u8a73\u7d30...","You are using {0}":"{0}\u3092\u4f7f\u7528\u4e2d","Plugins":"\u30d7\u30e9\u30b0\u30a4\u30f3","Handy Shortcuts":"\u4fbf\u5229\u306a\u30b7\u30e7\u30fc\u30c8\u30ab\u30c3\u30c8","Horizontal line":"\u6c34\u5e73\u7f6b\u7dda","Insert/edit image":"\u753b\u50cf\u306e\u633f\u5165/\u7de8\u96c6","Alternative description":"\u4ee3\u66ff\u306e\u8aac\u660e\u6587","Accessibility":"\u30a2\u30af\u30bb\u30b7\u30d3\u30ea\u30c6\u30a3","Image is decorative":"\u753b\u50cf\u306f\u88c5\u98fe\u753b\u50cf","Source":"\u30bd\u30fc\u30b9","Dimensions":"\u30b5\u30a4\u30ba","Constrain proportions":"\u7e26\u6a2a\u6bd4\u3092\u56fa\u5b9a","General":"\u4e00\u822c","Advanced":"\u8a73\u7d30","Style":"\u30b9\u30bf\u30a4\u30eb","Vertical space":"\u4e0a\u4e0b\u4f59\u767d","Horizontal space":"\u5de6\u53f3\u4f59\u767d","Border":"\u30dc\u30fc\u30c0\u30fc","Insert image":"\u753b\u50cf\u306e\u633f\u5165","Image...":"\u753b\u50cf..","Image list":"\u753b\u50cf\u30ea\u30b9\u30c8","Resize":"\u30b5\u30a4\u30ba\u5909\u66f4","Insert date/time":"\u65e5\u4ed8/\u6642\u523b\u306e\u633f\u5165","Date/time":"\u65e5\u4ed8/\u6642\u523b","Insert/edit link":"\u30ea\u30f3\u30af\u306e\u633f\u5165/\u7de8\u96c6","Text to display":"\u8868\u793a\u3059\u308b\u30c6\u30ad\u30b9\u30c8","Url":"URL","Open link in...":"\u30ea\u30f3\u30af\u306e\u958b\u304d\u65b9...","Current window":"\u540c\u3058\u30a6\u30a3\u30f3\u30c9\u30a6","None":"\u306a\u3057","New window":"\u65b0\u898f\u30a6\u30a3\u30f3\u30c9\u30a6","Open link":"\u30ea\u30f3\u30af\u3092\u958b\u304f","Remove link":"\u30ea\u30f3\u30af\u306e\u524a\u9664","Anchors":"\u30a2\u30f3\u30ab\u30fc","Link...":"\u30ea\u30f3\u30af...","Paste or type a link":"\u30ea\u30f3\u30af\u3092\u30da\u30fc\u30b9\u30c8\u307e\u305f\u306f\u5165\u529b","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u5165\u529b\u3055\u308c\u305fURL\u306f\u30e1\u30fc\u30eb\u30a2\u30c9\u30ec\u30b9\u306e\u3088\u3046\u3067\u3059\u3002\u300cmailto:\u300d\u30d7\u30ec\u30d5\u30a3\u30c3\u30af\u30b9\u3092\u8ffd\u52a0\u3057\u307e\u3059\u304b\uff1f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u5165\u529b\u3055\u308c\u305fURL\u306f\u5916\u90e8\u30ea\u30f3\u30af\u306e\u3088\u3046\u3067\u3059\u3002\u300chttp://\u300d\u30d7\u30ec\u30d5\u30a3\u30c3\u30af\u30b9\u3092\u8ffd\u52a0\u3057\u307e\u3059\u304b\uff1f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u5165\u529b\u3055\u308c\u305fURL\u306f\u5916\u90e8\u30ea\u30f3\u30af\u306e\u3088\u3046\u3067\u3059\u3002\u5fc5\u8981\u306a\u300chttps://\u300d\u30d7\u30ec\u30d5\u30a3\u30c3\u30af\u30b9\u3092\u8ffd\u52a0\u3057\u307e\u3059\u304b\uff1f","Link list":"\u30ea\u30f3\u30af\u306e\u4e00\u89a7","Insert video":"\u52d5\u753b\u306e\u633f\u5165","Insert/edit video":"\u52d5\u753b\u306e\u633f\u5165/\u7de8\u96c6","Insert/edit media":"\u30e1\u30c7\u30a3\u30a2\u306e\u633f\u5165/\u7de8\u96c6","Alternative source":"\u4ee3\u66ff\u30bd\u30fc\u30b9","Alternative source URL":"\u4ee3\u66ff\u30bd\u30fc\u30b9URL","Media poster (Image URL)":"\u30e1\u30c7\u30a3\u30a2\u30dd\u30b9\u30bf\u30fc (\u753b\u50cfURL)","Paste your embed code below:":"\u57cb\u3081\u8fbc\u307f\u7528\u30b3\u30fc\u30c9\u3092\u4ee5\u4e0b\u306b\u8cbc\u308a\u4ed8\u3051\u3066\u304f\u3060\u3055\u3044\u3002","Embed":"\u57cb\u3081\u8fbc\u307f","Media...":"\u30e1\u30c7\u30a3\u30a2\u2026","Nonbreaking space":"\u56fa\u5b9a\u30b9\u30da\u30fc\u30b9","Page break":"\u30da\u30fc\u30b8\u533a\u5207\u308a","Paste as text":"\u30c6\u30ad\u30b9\u30c8\u3068\u3057\u3066\u8cbc\u308a\u4ed8\u3051","Preview":"\u30d7\u30ec\u30d3\u30e5\u30fc","Print":"\u5370\u5237","Print...":"\u5370\u5237...","Save":"\u4fdd\u5b58","Find":"\u691c\u7d22...","Replace with":"\u7f6e\u63db\u5f8c\u306e\u6587\u5b57\u5217","Replace":"\u7f6e\u63db","Replace all":"\u3059\u3079\u3066\u7f6e\u63db","Previous":"\u524d\u3078","Next":"\u6b21\u3078","Find and Replace":"\u691c\u7d22\u3068\u7f6e\u63db","Find and replace...":"\u7f6e\u63db...","Could not find the specified string.":"\u304a\u63a2\u3057\u306e\u6587\u5b57\u5217\u304c\u898b\u3064\u304b\u308a\u307e\u305b\u3093\u3067\u3057\u305f\u3002","Match case":"\u5927\u6587\u5b57\u3068\u5c0f\u6587\u5b57\u3092\u533a\u5225","Find whole words only":"\u8a9e\u5168\u4f53\u3092\u542b\u3080\u3082\u306e\u306e\u307f\u691c\u7d22","Find in selection":"\u9078\u629e\u90e8\u5206\u3067\u691c\u7d22","Insert table":"\u8868\u306e\u633f\u5165","Table properties":"\u30c6\u30fc\u30d6\u30eb\u306e\u30d7\u30ed\u30d1\u30c6\u30a3","Delete table":"\u30c6\u30fc\u30d6\u30eb\u306e\u524a\u9664","Cell":"\u30bb\u30eb","Row":"\u884c","Column":"\u5217","Cell properties":"\u30bb\u30eb\u306e\u30d7\u30ed\u30d1\u30c6\u30a3","Merge cells":"\u30bb\u30eb\u306e\u7d50\u5408","Split cell":"\u30bb\u30eb\u306e\u5206\u5272","Insert row before":"\u524d\u306b\u884c\u3092\u633f\u5165","Insert row after":"\u5f8c\u306b\u884c\u3092\u633f\u5165","Delete row":"\u884c\u306e\u524a\u9664","Row properties":"\u884c\u306e\u30d7\u30ed\u30d1\u30c6\u30a3","Cut row":"\u884c\u306e\u5207\u308a\u53d6\u308a","Cut column":"\u5217\u3092\u30ab\u30c3\u30c8","Copy row":"\u884c\u306e\u30b3\u30d4\u30fc","Copy column":"\u5217\u3092\u30b3\u30d4\u30fc","Paste row before":"\u4e0a\u5074\u306b\u884c\u3092\u8cbc\u308a\u4ed8\u3051","Paste column before":"\u524d\u306b\u5217\u3092\u8cbc\u308a\u4ed8\u3051","Paste row after":"\u4e0b\u5074\u306b\u884c\u3092\u8cbc\u308a\u4ed8\u3051","Paste column after":"\u5f8c\u306b\u5217\u3092\u8cbc\u308a\u4ed8\u3051","Insert column before":"\u524d\u306b\u5217\u3092\u633f\u5165","Insert column after":"\u5f8c\u306b\u5217\u3092\u633f\u5165","Delete column":"\u5217\u306e\u524a\u9664","Cols":"\u5217\u6570","Rows":"\u884c\u6570","Width":"\u5e45","Height":"\u9ad8\u3055","Cell spacing":"\u30bb\u30eb\u306e\u9593\u9694","Cell padding":"\u30bb\u30eb\u5185\u306e\u30b9\u30da\u30fc\u30b9","Row clipboard actions":"\u884c\u306e\u30af\u30ea\u30c3\u30d7\u30dc\u30fc\u30c9\u30a2\u30af\u30b7\u30e7\u30f3","Column clipboard actions":"\u5217\u306e\u30af\u30ea\u30c3\u30d7\u30dc\u30fc\u30c9\u30a2\u30af\u30b7\u30e7\u30f3","Table styles":"\u30c6\u30fc\u30d6\u30eb\u306e\u7a2e\u985e","Cell styles":"\u30bb\u30eb\u306e\u7a2e\u985e","Column header":"\u5217\u306e\u30d8\u30c3\u30c0\u30fc","Row header":"\u884c\u306e\u30d8\u30c3\u30c0\u30fc","Table caption":"\u30c6\u30fc\u30d6\u30eb\u306e\u898b\u51fa\u3057","Caption":"\u30ad\u30e3\u30d7\u30b7\u30e7\u30f3","Show caption":"\u30ad\u30e3\u30d7\u30b7\u30e7\u30f3\u306e\u8868\u793a","Left":"\u5de6\u63c3\u3048","Center":"\u4e2d\u592e\u63c3\u3048","Right":"\u53f3\u63c3\u3048","Cell type":"\u30bb\u30eb\u306e\u7a2e\u985e","Scope":"\u30b9\u30b3\u30fc\u30d7","Alignment":"\u914d\u7f6e","Horizontal align":"\u6c34\u5e73\u306b\u6574\u5217","Vertical align":"\u5782\u76f4\u306b\u6574\u5217","Top":"\u4e0a\u63c3\u3048","Middle":"\u4e2d\u592e\u63c3\u3048","Bottom":"\u4e0b\u63c3\u3048","Header cell":"\u30d8\u30c3\u30c0\u30fc\u30bb\u30eb","Row group":"\u884c\u30b0\u30eb\u30fc\u30d7","Column group":"\u5217\u30b0\u30eb\u30fc\u30d7","Row type":"\u884c\u30bf\u30a4\u30d7","Header":"\u30d8\u30c3\u30c0\u30fc","Body":"\u672c\u6587","Footer":"\u30d5\u30c3\u30bf\u30fc","Border color":"\u30dc\u30fc\u30c0\u30fc\u306e\u8272","Solid":"\u5b9f\u7dda","Dotted":"\u70b9\u7dda","Dashed":"\u7834\u7dda","Double":"\u4e8c\u91cd\u7dda","Groove":"\u8c37\u7dda","Ridge":"\u5c71\u7dda","Inset":"\u5185\u7dda","Outset":"\u5916\u7dda","Hidden":"\u975e\u8868\u793a","Insert template...":"\u30c6\u30f3\u30d7\u30ec\u30fc\u30c8\u306e\u633f\u5165..","Templates":"\u30c6\u30f3\u30d7\u30ec\u30fc\u30c8","Template":"\u30c6\u30f3\u30d7\u30ec\u30fc\u30c8","Insert Template":"\u30c6\u30f3\u30d7\u30ec\u30fc\u30c8\u306e\u633f\u5165..","Text color":"\u30c6\u30ad\u30b9\u30c8\u8272","Background color":"\u80cc\u666f\u8272","Custom...":"\u30e6\u30fc\u30b6\u30fc\u8a2d\u5b9a...","Custom color":"\u30e6\u30fc\u30b6\u30fc\u8a2d\u5b9a\u306e\u8272","No color":"\u8272\u306a\u3057","Remove color":"\u8272\u8a2d\u5b9a\u3092\u89e3\u9664","Show blocks":"\u6587\u7ae0\u306e\u533a\u5207\u308a\u3092\u70b9\u7dda\u3067\u8868\u793a","Show invisible characters":"\u975e\u8868\u793a\u6587\u5b57\u3092\u8868\u793a","Word count":"\u6587\u5b57\u6570\u30ab\u30a6\u30f3\u30c8","Count":"\u30ab\u30a6\u30f3\u30c8","Document":"\u30c9\u30ad\u30e5\u30e1\u30f3\u30c8","Selection":"\u9078\u629e","Words":"\u5358\u8a9e\u6570","Words: {0}":"\u5358\u8a9e\u6570\uff1a{0}","{0} words":"{0}\u8a9e","File":"\u30d5\u30a1\u30a4\u30eb","Edit":"\u7de8\u96c6","Insert":"\u633f\u5165","View":"\u8868\u793a","Format":"\u66f8\u5f0f\u8a2d\u5b9a","Table":"\u8868","Tools":"\u30c4\u30fc\u30eb","Powered by {0}":"{0} \u306b\u3088\u3063\u3066\u642d\u8f09\u3055\u308c\u305f","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u30ea\u30c3\u30c1\u30c6\u30ad\u30b9\u30c8\u30a8\u30ea\u30a2\u3002ALT-F9\u3067\u30e1\u30cb\u30e5\u30fc\u3001ALT-F10\u3067\u30c4\u30fc\u30eb\u30d0\u30fc\u3001ALT-0\u3067\u30d8\u30eb\u30d7\u304c\u8868\u793a\u3055\u308c\u307e\u3059\u3002","Image title":"\u753b\u50cf\u30bf\u30a4\u30c8\u30eb","Border width":"\u67a0\u7dda\u5e45","Border style":"\u67a0\u7dda\u30b9\u30bf\u30a4\u30eb","Error":"\u30a8\u30e9\u30fc","Warn":"\u8b66\u544a","Valid":"\u6709\u52b9","To open the popup, press Shift+Enter":"\u30dd\u30c3\u30d7\u30a2\u30c3\u30d7\u3092\u958b\u304f\u306b\u306f\u3001Shift+Enter\u3092\u62bc\u3057\u3066\u304f\u3060\u3055\u3044","Rich Text Area":"\u30ea\u30c3\u30c1\u30c6\u30ad\u30b9\u30c8\u30a8\u30ea\u30a2","Rich Text Area. Press ALT-0 for help.":"\u30ea\u30c3\u30c1\u30c6\u30ad\u30b9\u30c8\u30a8\u30ea\u30a2\u3002Alt-0\u3067\u30d8\u30eb\u30d7\u304c\u8868\u793a\u3055\u308c\u307e\u3059\u3002","System Font":"\u30b7\u30b9\u30c6\u30e0\u30d5\u30a9\u30f3\u30c8","Failed to upload image: {0}":"\u753b\u50cf{0}\u3092\u30a2\u30c3\u30d7\u30ed\u30fc\u30c9\u3067\u304d\u307e\u305b\u3093\u3067\u3057\u305f","Failed to load plugin: {0} from url {1}":"URL{1}\u304b\u3089\u306e\u30d7\u30e9\u30b0\u30a4\u30f3{0}\u306e\u8aad\u307f\u8fbc\u307f\u306b\u5931\u6557\u3057\u307e\u3057\u305f","Failed to load plugin url: {0}":"\u30d7\u30e9\u30b0\u30a4\u30f3\u306eURL{0}\u3092\u8aad\u307f\u8fbc\u3081\u307e\u305b\u3093\u3067\u3057\u305f","Failed to initialize plugin: {0}":"\u30d7\u30e9\u30b0\u30a4\u30f3{0}\u306e\u521d\u671f\u5316\u306b\u5931\u6557\u3057\u307e\u3057\u305f","example":"\u4f8b","Search":"\u691c\u7d22","All":"\u3059\u3079\u3066","Currency":"\u901a\u8ca8","Text":"\u30c6\u30ad\u30b9\u30c8","Quotations":"\u5f15\u7528","Mathematical":"\u6570\u5b66\u8a18\u53f7","Extended Latin":"\u30e9\u30c6\u30f3\u6587\u5b57\u62e1\u5f35","Symbols":"\u8a18\u53f7","Arrows":"\u77e2\u5370","User Defined":"\u30e6\u30fc\u30b6\u30fc\u5b9a\u7fa9","dollar sign":"\u30c9\u30eb\u8a18\u53f7","currency sign":"\u901a\u8ca8\u8a18\u53f7","euro-currency sign":"\u30e6\u30fc\u30ed\u8a18\u53f7","colon sign":"\u30b3\u30ed\u30f3\u8a18\u53f7","cruzeiro sign":"\u30af\u30eb\u30bc\u30a4\u30ed\u8a18\u53f7","french franc sign":"\u30d5\u30e9\u30f3\u30b9\u30d5\u30e9\u30f3\u8a18\u53f7","lira sign":"\u30ea\u30e9\u8a18\u53f7","mill sign":"\u30df\u30eb\u8a18\u53f7","naira sign":"\u30ca\u30a4\u30e9\u8a18\u53f7","peseta sign":"\u30da\u30bb\u30bf\u8a18\u53f7","rupee sign":"\u30eb\u30d4\u30fc\u8a18\u53f7","won sign":"\u30a6\u30a9\u30f3\u8a18\u53f7","new sheqel sign":"\u65b0\u30b7\u30a7\u30b1\u30eb\u8a18\u53f7","dong sign":"\u30c9\u30f3\u8a18\u53f7","kip sign":"\u30ad\u30fc\u30d7\u8a18\u53f7","tugrik sign":"\u30c8\u30a5\u30b0\u30eb\u30b0\u8a18\u53f7","drachma sign":"\u30c9\u30e9\u30af\u30de\u8a18\u53f7","german penny symbol":"\u30c9\u30a4\u30c4\u30da\u30cb\u30fc\u8a18\u53f7","peso sign":"\u30da\u30bd\u8a18\u53f7","guarani sign":"\u30ac\u30e9\u30cb\u8a18\u53f7","austral sign":"\u30a2\u30a6\u30b9\u30c8\u30e9\u30eb\u8a18\u53f7","hryvnia sign":"\u30d5\u30ea\u30f4\u30cb\u30e3\u8a18\u53f7","cedi sign":"\u30bb\u30c7\u30a3\u8a18\u53f7","livre tournois sign":"\u30c8\u30a5\u30fc\u30eb\u30dd\u30f3\u30c9\u8a18\u53f7","spesmilo sign":"\u30b9\u30da\u30b9\u30df\u30fc\u30ed\u8a18\u53f7","tenge sign":"\u30c6\u30f3\u30b2\u8a18\u53f7","indian rupee sign":"\u30a4\u30f3\u30c9\u30eb\u30d4\u30fc\u8a18\u53f7","turkish lira sign":"\u30c8\u30eb\u30b3\u30ea\u30e9\u8a18\u53f7","nordic mark sign":"\u5317\u6b27\u30de\u30eb\u30af\u8a18\u53f7","manat sign":"\u30de\u30ca\u30c8\u8a18\u53f7","ruble sign":"\u30eb\u30fc\u30d6\u30eb\u8a18\u53f7","yen character":"\u5186\u8a18\u53f7","yuan character":"\u4eba\u6c11\u5143\u8a18\u53f7","yuan character, in hong kong and taiwan":"\u9999\u6e2f\u304a\u3088\u3073\u53f0\u6e7e\u306b\u304a\u3051\u308b\u5143\u8a18\u53f7","yen/yuan character variant one":"\u5186/\u5143\u8a18\u53f7\u306e\u30d0\u30ea\u30a8\u30fc\u30b7\u30e7\u30f3","Emojis":"\u7d75\u6587\u5b57","Emojis...":"\u7d75\u6587\u5b57...","Loading emojis...":"\u7d75\u6587\u5b57\u3092\u8aad\u307f\u8fbc\u3093\u3067\u3044\u307e\u3059\u2026","Could not load emojis":"\u7d75\u6587\u5b57\u304c\u8aad\u307f\u8fbc\u3081\u307e\u305b\u3093\u3067\u3057\u305f","People":"\u4eba","Animals and Nature":"\u52d5\u7269\u3068\u81ea\u7136","Food and Drink":"\u98df\u3079\u7269\u3068\u98f2\u307f\u7269","Activity":"\u884c\u52d5","Travel and Places":"\u65c5\u884c\u3068\u5834\u6240","Objects":"\u7269","Flags":"\u65d7","Characters":"\u6587\u5b57\u6570","Characters (no spaces)":"\u6587\u5b57\u6570 (\u30b9\u30da\u30fc\u30b9\u306a\u3057)","{0} characters":"{0}\u6587\u5b57","Error: Form submit field collision.":"\u30a8\u30e9\u30fc\uff1a\u30d5\u30a9\u30fc\u30e0\u9001\u4fe1\u30d5\u30a3\u30fc\u30eb\u30c9\u304c\u7af6\u5408\u3057\u3066\u3044\u307e\u3059\u3002","Error: No form element found.":"\u30a8\u30e9\u30fc\uff1a\u30d5\u30a9\u30fc\u30e0\u8981\u7d20\u304c\u898b\u3064\u304b\u308a\u307e\u305b\u3093\u3067\u3057\u305f\u3002","Color swatch":"\u8272\u306e\u898b\u672c","Color Picker":"\u30ab\u30e9\u30fc\u30d4\u30c3\u30ab\u30fc","Invalid hex color code: {0}":"\u7121\u52b9\u306a16\u9032\u30ab\u30e9\u30fc\u30b3\u30fc\u30c9: {0}","Invalid input":"\u7121\u52b9\u306a\u5165\u529b","R":"\u8d64","Red component":"\u8d64\u8272\u30b3\u30f3\u30dd\u30fc\u30cd\u30f3\u30c8","G":"\u7dd1","Green component":"\u7dd1\u8272\u30b3\u30f3\u30dd\u30fc\u30cd\u30f3\u30c8","B":"\u9752","Blue component":"\u9752\u8272\u30b3\u30f3\u30dd\u30fc\u30cd\u30f3\u30c8","#":"#","Hex color code":"16\u9032\u30ab\u30e9\u30fc\u30b3\u30fc\u30c9","Range 0 to 255":"\u7bc4\u56f20\u301c255","Turquoise":"\u30bf\u30fc\u30b3\u30a4\u30ba","Green":"\u30b0\u30ea\u30fc\u30f3","Blue":"\u30d6\u30eb\u30fc","Purple":"\u30d1\u30fc\u30d7\u30eb","Navy Blue":"\u30cd\u30a4\u30d3\u30fc","Dark Turquoise":"\u30c0\u30fc\u30af\u30bf\u30fc\u30b3\u30a4\u30ba","Dark Green":"\u30c0\u30fc\u30af\u30b0\u30ea\u30fc\u30f3","Medium Blue":"\u30e1\u30c7\u30a3\u30a2\u30e0\u30d6\u30eb\u30fc","Medium Purple":"\u30df\u30c7\u30a3\u30a2\u30e0\u30d1\u30fc\u30d7\u30eb","Midnight Blue":"\u30df\u30c3\u30c9\u30ca\u30a4\u30c8\u30d6\u30eb\u30fc","Yellow":"\u30a4\u30a8\u30ed\u30fc","Orange":"\u30aa\u30ec\u30f3\u30b8","Red":"\u30ec\u30c3\u30c9","Light Gray":"\u30e9\u30a4\u30c8\u30b0\u30ec\u30fc","Gray":"\u30b0\u30ec\u30fc","Dark Yellow":"\u30c0\u30fc\u30af\u30a4\u30a8\u30ed\u30fc","Dark Orange":"\u30c0\u30fc\u30af\u30aa\u30ec\u30f3\u30b8","Dark Red":"\u30c0\u30fc\u30af\u30ec\u30c3\u30c9","Medium Gray":"\u30df\u30c7\u30a3\u30a2\u30e0\u30b0\u30ec\u30fc","Dark Gray":"\u30c0\u30fc\u30af\u30b0\u30ec\u30fc","Light Green":"\u30e9\u30a4\u30c8\u30b0\u30ea\u30fc\u30f3","Light Yellow":"\u30e9\u30a4\u30c8\u30a4\u30a8\u30ed\u30fc","Light Red":"\u30e9\u30a4\u30c8\u30ec\u30c3\u30c9","Light Purple":"\u30e9\u30a4\u30c8\u30d1\u30fc\u30d7\u30eb","Light Blue":"\u30e9\u30a4\u30c8\u30d6\u30eb\u30fc","Dark Purple":"\u30c0\u30fc\u30af\u30d1\u30fc\u30d7\u30eb","Dark Blue":"\u30c0\u30fc\u30af\u30d6\u30eb\u30fc","Black":"\u30d6\u30e9\u30c3\u30af","White":"\u30db\u30ef\u30a4\u30c8","Switch to or from fullscreen mode":"\u30d5\u30eb\u30b9\u30af\u30ea\u30fc\u30f3\u30e2\u30fc\u30c9\u5207\u66ff","Open help dialog":"\u30d8\u30eb\u30d7\u30c0\u30a4\u30a2\u30ed\u30b0\u3092\u958b\u304f","history":"\u5c65\u6b74","styles":"\u30b9\u30bf\u30a4\u30eb","formatting":"\u66f8\u5f0f","alignment":"\u914d\u7f6e","indentation":"\u30a4\u30f3\u30c7\u30f3\u30c8","Font":"\u30d5\u30a9\u30f3\u30c8","Size":"\u30b5\u30a4\u30ba","More...":"\u8a73\u7d30...","Select...":"\u9078\u629e...","Preferences":"\u30d7\u30ea\u30d5\u30a1\u30ec\u30f3\u30b9","Yes":"\u306f\u3044","No":"\u3044\u3044\u3048","Keyboard Navigation":"\u30ad\u30fc\u30dc\u30fc\u30c9\u30ca\u30d3\u30b2\u30fc\u30b7\u30e7\u30f3","Version":"\u30d0\u30fc\u30b8\u30e7\u30f3","Code view":"\u30b3\u30fc\u30c9\u8868\u793a","Open popup menu for split buttons":"\u5206\u5272\u30dc\u30bf\u30f3\u306e\u30dd\u30c3\u30d7\u30a2\u30c3\u30d7\u30e1\u30cb\u30e5\u30fc\u3092\u958b\u304f","List Properties":"\u7b87\u6761\u66f8\u304d\u306e\u30d7\u30ed\u30d1\u30c6\u30a3","List properties...":"\u7b87\u6761\u66f8\u304d\u306e\u30d7\u30ed\u30d1\u30c6\u30a3...","Start list at number":"\u756a\u53f7\u30ea\u30b9\u30c8\u306e\u958b\u59cb","Line height":"\u884c\u306e\u9ad8\u3055","Dropped file type is not supported":"\u30c9\u30ed\u30c3\u30d7\u3055\u308c\u305f\u30d5\u30a1\u30a4\u30eb\u30bf\u30a4\u30d7\u306f\u30b5\u30dd\u30fc\u30c8\u3055\u308c\u3066\u3044\u307e\u305b\u3093","Loading...":"\u8aad\u307f\u8fbc\u3093\u3067\u3044\u307e\u3059...","ImageProxy HTTP error: Rejected request":"\u753b\u50cf\u30d7\u30ed\u30ad\u30b7 HTTP\u30a8\u30e9\u30fc\uff1a\u62d2\u5426\u3055\u308c\u305f\u30ea\u30af\u30a8\u30b9\u30c8","ImageProxy HTTP error: Could not find Image Proxy":"\u753b\u50cf\u30d7\u30ed\u30ad\u30b7 HTTP\u30a8\u30e9\u30fc\uff1a\u753b\u50cf\u30d7\u30ed\u30ad\u30b7\u304c\u898b\u3064\u304b\u308a\u307e\u305b\u3093\u3067\u3057\u305f","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u753b\u50cf\u30d7\u30ed\u30ad\u30b7 HTTP\u30a8\u30e9\u30fc\uff1a\u4e0d\u6b63\u306a\u753b\u50cf\u30d7\u30ed\u30ad\u30b7URL","ImageProxy HTTP error: Unknown ImageProxy error":"\u753b\u50cf\u30d7\u30ed\u30ad\u30b7 HTTP\u30a8\u30e9\u30fc\uff1a\u4e0d\u660e\u306a\u753b\u50cf\u30d7\u30ed\u30ad\u30b7\u30a8\u30e9\u30fc"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ka_GE.js b/deform/static/tinymce/langs/ka_GE.js index 5846773e..4a2ece35 100644 --- a/deform/static/tinymce/langs/ka_GE.js +++ b/deform/static/tinymce/langs/ka_GE.js @@ -1,172 +1 @@ -tinymce.addI18n('ka_GE',{ -"Cut": "\u10d0\u10db\u10dd\u10ed\u10e0\u10d0", -"Header 2": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u10d7\u10e5\u10d5\u10d4\u10dc \u10d1\u10e0\u10d0\u10e3\u10d6\u10d4\u10e0\u10e1 \u10d0\u10e0 \u10d0\u10e5\u10d5\u10e1 \u10d1\u10e3\u10e4\u10e0\u10e2\u10e8\u10d8 \u10e8\u10d4\u10ee\u10ec\u10d4\u10d5\u10d8\u10e1 \u10db\u10ee\u10d0\u10e0\u10d3\u10d0\u10ed\u10d4\u10e0\u10d0. \u10d2\u10d7\u10ee\u10dd\u10d5\u10d7 \u10e1\u10d0\u10dc\u10d0\u10ea\u10d5\u10da\u10dd\u10d3 \u10d8\u10e1\u10d0\u10e0\u10d2\u10d4\u10d1\u10da\u10dd\u10d7 Ctrl+X\/C\/V \u10db\u10d0\u10da\u10e1\u10d0\u10ee\u10db\u10dd\u10d1\u10d8 \u10d9\u10dd\u10db\u10d1\u10d8\u10dc\u10d0\u10ea\u10d8\u10d4\u10d1\u10d8\u10d7.", -"Div": "\u10d2\u10d0\u10dc\u10d0\u10ec\u10d8\u10da\u10d4\u10d1\u10d0", -"Paste": "\u10e9\u10d0\u10e1\u10db\u10d0", -"Close": "\u10d3\u10d0\u10ee\u10e3\u10e0\u10d5\u10d0", -"Pre": "\u10de\u10e0\u10d4\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8", -"Align right": "\u10d2\u10d0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d5", -"New document": "\u10d0\u10ee\u10d0\u10da\u10d8 \u10d3\u10dd\u10d9\u10e3\u10db\u10d4\u10dc\u10e2\u10d8", -"Blockquote": "\u10d1\u10da\u10dd\u10d9\u10d8\u10e0\u10d4\u10d1\u10e3\u10da\u10d8 \u10ea\u10d8\u10e2\u10d0\u10e2\u10d0", -"Numbered list": "\u10d3\u10d0\u10dc\u10dd\u10db\u10e0\u10d8\u10da\u10d8 \u10e1\u10d8\u10d0", -"Increase indent": "\u10d0\u10d1\u10d6\u10d0\u10ea\u10d8\u10e1 \u10d2\u10d0\u10d6\u10e0\u10d3\u10d0", -"Formats": "\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d4\u10d1\u10d8", -"Headers": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d4\u10d1\u10d8", -"Select all": "\u10e7\u10d5\u10d4\u10da\u10d0\u10e1 \u10db\u10dd\u10e6\u10dc\u10d8\u10e8\u10d5\u10dc\u10d0", -"Header 3": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 3", -"Blocks": "\u10d1\u10da\u10dd\u10d9\u10d4\u10d1\u10d8", -"Undo": "\u10d3\u10d0\u10d1\u10e0\u10e3\u10dc\u10d4\u10d1\u10d0", -"Strikethrough": "\u10e8\u10e3\u10d0 \u10ee\u10d0\u10d6\u10d8", -"Bullet list": "\u10d1\u10e3\u10da\u10d4\u10e2 \u10e1\u10d8\u10d0", -"Header 1": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 1", -"Superscript": "\u10d6\u10d4\u10d3\u10d0 \u10d8\u10dc\u10d3\u10d4\u10e5\u10e1\u10d8", -"Clear formatting": "\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8\u10e0\u10d4\u10d1\u10d8\u10e1 \u10d2\u10d0\u10e1\u10e3\u10e4\u10d7\u10d0\u10d5\u10d4\u10d1\u10d0", -"Subscript": "\u10e5\u10d5\u10d4\u10d3\u10d0 \u10d8\u10dc\u10d3\u10d4\u10e5\u10e1\u10d8", -"Header 6": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 6", -"Redo": "\u10d2\u10d0\u10db\u10d4\u10dd\u10e0\u10d4\u10d1\u10d0", -"Paragraph": "\u10de\u10d0\u10e0\u10d0\u10d2\u10e0\u10d0\u10e4\u10d8", -"Ok": "\u10d9\u10d0\u10e0\u10d2\u10d8", -"Bold": "\u10db\u10d9\u10d5\u10d4\u10d7\u10e0\u10d8", -"Code": "\u10d9\u10dd\u10d3\u10d8", -"Italic": "\u10d3\u10d0\u10ee\u10e0\u10d8\u10da\u10d8", -"Align center": "\u10d2\u10d0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10ea\u10d4\u10dc\u10e2\u10e0\u10e8\u10d8", -"Header 5": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 5", -"Decrease indent": "\u10d0\u10d1\u10d6\u10d0\u10ea\u10d8\u10e1 \u10e8\u10d4\u10db\u10ea\u10d8\u10e0\u10d4\u10d1\u10d0", -"Header 4": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u10d0\u10ee\u10da\u10d0 \u10e2\u10d4\u10e5\u10e1\u10e2\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0 \u10e9\u10d5\u10d4\u10e3\u10da\u10d4\u10d1\u10e0\u10d8\u10d5 \u10e0\u10d4\u10df\u10d8\u10db\u10e8\u10d8\u10d0. \u10e2\u10d4\u10e5\u10e1\u10e2\u10d8 \u10e9\u10d0\u10d8\u10e1\u10db\u10d4\u10d5\u10d0 \u10e3\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10dd\u10d7 \u10e1\u10d0\u10dc\u10d0\u10db \u10d0\u10db \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d0\u10e1 \u10d0\u10e0 \u10d2\u10d0\u10d7\u10d8\u10e8\u10d0\u10d5\u10d7.", -"Underline": "\u10e5\u10d5\u10d4\u10d3\u10d0 \u10ee\u10d0\u10d6\u10d8", -"Cancel": "\u10d2\u10d0\u10e3\u10e5\u10db\u10d4\u10d1\u10d0", -"Justify": "\u10d2\u10d0\u10db\u10d0\u10e0\u10d7\u10e3\u10da\u10d8", -"Inline": "\u10ee\u10d0\u10d6\u10e8\u10d8\u10d3\u10d0", -"Copy": "\u10d9\u10dd\u10de\u10d8\u10e0\u10d4\u10d1\u10d0", -"Align left": "\u10d2\u10d0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d5", -"Visual aids": "\u10d5\u10d8\u10d6\u10e3\u10d0\u10da\u10d8\u10d6\u10d0\u10ea\u10d8\u10d0", -"Lower Greek": "\u10d3\u10d0\u10d1\u10d0\u10da\u10d8 \u10d1\u10d4\u10e0\u10eb\u10dc\u10e3\u10da\u10d8", -"Square": "\u10d9\u10d5\u10d0\u10d3\u10e0\u10d0\u10e2\u10d8", -"Default": "\u10e1\u10e2\u10d0\u10dc\u10d3\u10d0\u10e0\u10e2\u10e3\u10da\u10d8", -"Lower Alpha": "\u10d3\u10d0\u10d1\u10d0\u10da\u10d8 \u10d0\u10da\u10e4\u10d0", -"Circle": "\u10ec\u10e0\u10d4", -"Disc": "\u10d3\u10d8\u10e1\u10d9\u10d8", -"Upper Alpha": "\u10db\u10d0\u10e6\u10d0\u10da\u10d8 \u10d0\u10da\u10e4\u10d0", -"Upper Roman": "\u10db\u10d0\u10e6\u10d0\u10da\u10d8 \u10e0\u10dd\u10db\u10d0\u10e3\u10da\u10d8", -"Lower Roman": "\u10d3\u10d0\u10d1\u10d0\u10da\u10d8 \u10e0\u10dd\u10db\u10d0\u10e3\u10da\u10d8", -"Name": "\u10e1\u10d0\u10ee\u10d4\u10da\u10d8", -"Anchor": "\u10e6\u10e3\u10d6\u10d0", -"You have unsaved changes are you sure you want to navigate away?": "\u10d7\u10e5\u10d5\u10d4\u10dc \u10d2\u10d0\u10e5\u10d5\u10d7 \u10e8\u10d4\u10e3\u10dc\u10d0\u10ee\u10d0\u10d5\u10d8 \u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d4\u10d1\u10d8, \u10d3\u10d0\u10e0\u10ec\u10db\u10e3\u10dc\u10d4\u10d1\u10e3\u10da\u10d8 \u10ee\u10d0\u10d7 \u10e0\u10dd\u10db \u10e1\u10ee\u10d5\u10d0\u10d2\u10d0\u10dc \u10d2\u10d0\u10d3\u10d0\u10e1\u10d5\u10da\u10d0 \u10d2\u10e1\u10e3\u10e0\u10d7?", -"Restore last draft": "\u10d1\u10dd\u10da\u10dd\u10e1 \u10e8\u10d4\u10dc\u10d0\u10ee\u10e3\u10da\u10d8\u10e1 \u10d0\u10e6\u10d3\u10d2\u10d4\u10dc\u10d0", -"Special character": "\u10e1\u10de\u10d4\u10ea\u10d8\u10d0\u10da\u10e3\u10e0\u10d8 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd", -"Source code": "\u10ec\u10e7\u10d0\u10e0\u10dd\u10e1 \u10d9\u10dd\u10d3\u10d8", -"Right to left": "\u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d3\u10d0\u10dc \u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d5", -"Left to right": "\u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d3\u10d0\u10dc \u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d5", -"Emoticons": "\u10e1\u10db\u10d0\u10d8\u10da\u10d8\u10d9\u10d4\u10d1\u10d8", -"Robots": "\u10e0\u10dd\u10d1\u10dd\u10d4\u10d1\u10d8", -"Document properties": "\u10d3\u10dd\u10d9\u10e3\u10db\u10d4\u10dc\u10e2\u10d8\u10e1 \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8", -"Title": "\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8", -"Keywords": "\u10e1\u10d0\u10d9\u10d5\u10d0\u10dc\u10eb\u10dd \u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8", -"Encoding": "\u10d9\u10dd\u10d3\u10d8\u10e0\u10d4\u10d1\u10d0", -"Description": "\u10d0\u10ee\u10ec\u10d4\u10e0\u10d0", -"Author": "\u10d0\u10d5\u10e2\u10dd\u10e0\u10d8", -"Fullscreen": "\u10e1\u10d0\u10d5\u10e1\u10d4 \u10d4\u10d9\u10e0\u10d0\u10dc\u10d8", -"Horizontal line": "\u10f0\u10dd\u10e0\u10d8\u10d6\u10dd\u10dc\u10e2\u10d0\u10da\u10e3\u10e0\u10d8 \u10ee\u10d0\u10d6\u10d8", -"Horizontal space": "\u10f0\u10dd\u10e0\u10d8\u10d6\u10dd\u10dc\u10e2\u10d0\u10da\u10e3\u10e0\u10d8 \u10e1\u10d8\u10d5\u10e0\u10ea\u10d4", -"Insert\/edit image": "\u10e9\u10d0\u10e1\u10d5\u10d8\/\u10e8\u10d4\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10e1\u10e3\u10e0\u10d0\u10d7\u10d8", -"General": "\u10db\u10d7\u10d0\u10d5\u10d0\u10e0\u10d8", -"Advanced": "\u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d8\u10d7\u10d8", -"Source": "\u10d1\u10db\u10e3\u10da\u10d8", -"Border": "\u10e1\u10d0\u10d6\u10e6\u10d5\u10d0\u10e0\u10d8", -"Constrain proportions": "\u10de\u10e0\u10dd\u10de\u10dd\u10e0\u10ea\u10d8\u10d8\u10e1 \u10d3\u10d0\u10ea\u10d5\u10d0", -"Vertical space": "\u10d5\u10d4\u10e0\u10e2\u10d8\u10d9\u10d0\u10da\u10e3\u10e0\u10d8 \u10e1\u10d8\u10d5\u10e0\u10ea\u10d4", -"Image description": "\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8\u10e1 \u10d3\u10d0\u10ee\u10d0\u10e1\u10d8\u10d0\u10d7\u10d4\u10d1\u10d0", -"Style": "\u10e1\u10e2\u10d8\u10da\u10d8", -"Dimensions": "\u10d2\u10d0\u10dc\u10d6\u10dd\u10db\u10d8\u10da\u10d4\u10d1\u10d0", -"Insert image": "\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0", -"Insert date\/time": "\u10d7\u10d0\u10e0\u10d8\u10e6\u10d8\/\u10d3\u10e0\u10dd\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0", -"Url": "Url", -"Text to display": "\u10e2\u10d4\u10e5\u10e1\u10e2\u10d8", -"Insert link": "\u10d1\u10db\u10e3\u10da\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0", -"New window": "\u10d0\u10ee\u10d0\u10da \u10e4\u10d0\u10dc\u10ef\u10d0\u10e0\u10d0\u10e8\u10d8", -"None": "\u10d0\u10e0\u10ea\u10d4\u10e0\u10d7\u10d8", -"Target": "\u10d2\u10d0\u10ee\u10e1\u10dc\u10d0", -"Insert\/edit link": "\u10d1\u10db\u10e3\u10da\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0\/\u10e0\u10d4\u10d3\u10d0\u10e5\u10e2\u10d8\u10e0\u10d4\u10d0", -"Insert\/edit video": "\u10d5\u10d8\u10d3\u10d4\u10dd\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0\/\u10e0\u10d4\u10d3\u10d0\u10e5\u10e2\u10d8\u10e0\u10d4\u10d1\u10d0", -"Poster": "\u10de\u10da\u10d0\u10d9\u10d0\u10e2\u10d8", -"Alternative source": "\u10d0\u10da\u10e2\u10d4\u10e0\u10dc\u10d0\u10e2\u10d8\u10e3\u10da\u10d8 \u10ec\u10e7\u10d0\u10e0\u10dd", -"Paste your embed code below:": "\u10d0\u10e5 \u10e9\u10d0\u10e1\u10d5\u10d8\u10d7 \u10d7\u10e5\u10d5\u10d4\u10dc\u10d8 \u10d9\u10dd\u10d3\u10d8:", -"Insert video": "\u10d5\u10d8\u10d3\u10d4\u10dd\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0", -"Embed": "Embed", -"Nonbreaking space": "\u10e3\u10ec\u10e7\u10d5\u10d4\u10e2\u10d8 \u10e1\u10d8\u10d5\u10e0\u10ea\u10d4", -"Page break": "\u10d2\u10d5\u10d4\u10e0\u10d3\u10d8\u10e1 \u10d2\u10d0\u10ec\u10e7\u10d5\u10d4\u10e2\u10d0", -"Preview": "\u10ec\u10d8\u10dc\u10d0\u10e1\u10ec\u10d0\u10e0 \u10dc\u10d0\u10ee\u10d5\u10d0", -"Print": "\u10d0\u10db\u10dd\u10d1\u10d4\u10ed\u10d5\u10d3\u10d0", -"Save": "\u10e8\u10d4\u10dc\u10d0\u10ee\u10d5\u10d0", -"Could not find the specified string.": "\u10db\u10dd\u10ea\u10d4\u10db\u10e3\u10da\u10d8 \u10e9\u10d0\u10dc\u10d0\u10ec\u10d4\u10e0\u10d8 \u10d5\u10d4\u10e0 \u10db\u10dd\u10d8\u10eb\u10d4\u10d1\u10dc\u10d0.", -"Replace": "\u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0", -"Next": "\u10e8\u10d4\u10db\u10d3\u10d4\u10d2\u10d8", -"Whole words": "\u10e1\u10e0\u10e3\u10da\u10d8 \u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8", -"Find and replace": "\u10db\u10dd\u10eb\u10d4\u10d1\u10dc\u10d4 \u10d3\u10d0 \u10e8\u10d4\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4", -"Replace with": "\u10e8\u10d4\u10e1\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d4\u10da\u10d8 \u10e1\u10d8\u10e2\u10e7\u10d5\u10d0", -"Find": "\u10eb\u10d4\u10d1\u10dc\u10d0", -"Replace all": "\u10e7\u10d5\u10d4\u10da\u10d0\u10e1 \u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0", -"Match case": "\u10d3\u10d0\u10d0\u10db\u10d7\u10ee\u10d5\u10d8\u10d4 \u10d0\u10e1\u10dd\u10d4\u10d1\u10d8\u10e1 \u10d6\u10dd\u10db\u10d0", -"Prev": "\u10ec\u10d8\u10dc\u10d0", -"Spellcheck": "\u10db\u10d0\u10e0\u10d7\u10da\u10ec\u10d4\u10e0\u10d8\u10e1 \u10e8\u10d4\u10db\u10dd\u10ec\u10db\u10d4\u10d1\u10d0", -"Finish": "\u10e4\u10d8\u10dc\u10d8\u10e8\u10d8", -"Ignore all": "\u10e7\u10d5\u10d4\u10da\u10d0\u10e1 \u10d8\u10d2\u10dc\u10dd\u10e0\u10d8\u10e0\u10d4\u10d1\u10d0", -"Ignore": "\u10d8\u10d2\u10dc\u10dd\u10e0\u10d8\u10e0\u10d4\u10d1\u10d0", -"Insert row before": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d7\u10d0\u10d5\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0", -"Rows": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d4\u10d1\u10d8", -"Height": "\u10e1\u10d8\u10db\u10d0\u10e6\u10da\u10d4", -"Paste row after": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d1\u10dd\u10da\u10dd\u10e8\u10d8 \u10e9\u10d0\u10e1\u10db\u10d0", -"Alignment": "\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0", -"Column group": "\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10ef\u10d2\u10e3\u10e4\u10d8", -"Row": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8", -"Insert column before": "\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d7\u10d0\u10d5\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0", -"Split cell": "\u10e3\u10ef\u10e0\u10d8\u10e1 \u10d2\u10d0\u10e7\u10dd\u10e4\u10d0", -"Cell padding": "\u10e3\u10ef\u10e0\u10d8\u10e1 \u10e4\u10d0\u10e0\u10d7\u10dd\u10d1\u10d8", -"Cell spacing": "\u10e3\u10ef\u10e0\u10d8\u10e1 \u10d3\u10d0\u10e8\u10dd\u10e0\u10d4\u10d1\u10d0", -"Row type": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10e2\u10d8\u10de\u10d8", -"Insert table": "\u10ea\u10ee\u10e0\u10d8\u10da\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0", -"Body": "\u10e2\u10d0\u10dc\u10d8", -"Caption": "\u10ec\u10d0\u10e0\u10ec\u10d4\u10e0\u10d0", -"Footer": "\u10eb\u10d8\u10e0\u10d8", -"Delete row": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0", -"Paste row before": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d7\u10d0\u10d5\u10e8\u10d8 \u10e9\u10d0\u10e1\u10db\u10d0", -"Scope": "\u10e9\u10d0\u10e0\u10e9\u10dd", -"Delete table": "\u10ea\u10ee\u10e0\u10d8\u10da\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0", -"Header cell": "\u10d7\u10d0\u10d5\u10d8\u10e1 \u10e3\u10ef\u10e0\u10d0", -"Column": "\u10e1\u10d5\u10d4\u10e2\u10d8", -"Cell": "\u10e3\u10ef\u10e0\u10d0", -"Header": "\u10d7\u10d0\u10d5\u10d8", -"Cell type": "\u10e3\u10ef\u10e0\u10d8\u10e1 \u10e2\u10d8\u10de\u10d8", -"Copy row": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d9\u10dd\u10de\u10d8\u10e0\u10d4\u10d1\u10d0", -"Row properties": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8", -"Table properties": "\u10ea\u10ee\u10e0\u10d8\u10da\u10d8\u10e1 \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8", -"Row group": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10ef\u10d2\u10e3\u10e4\u10d8", -"Right": "\u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d5", -"Insert column after": "\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d1\u10dd\u10da\u10dd\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0", -"Cols": "\u10e1\u10d5\u10d4\u10e2\u10d4\u10d1\u10d8", -"Insert row after": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d1\u10dd\u10da\u10dd\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0", -"Width": "\u10e1\u10d8\u10d2\u10d0\u10dc\u10d4", -"Cell properties": "\u10e3\u10ef\u10e0\u10d8\u10e1 \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8", -"Left": "\u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d5", -"Cut row": "\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d0\u10db\u10dd\u10ed\u10e0\u10d0", -"Delete column": "\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0", -"Center": "\u10ea\u10d4\u10dc\u10e2\u10e0\u10e8\u10d8", -"Merge cells": "\u10e3\u10ef\u10e0\u10d4\u10d1\u10d8\u10e1 \u10d2\u10d0\u10d4\u10e0\u10d7\u10d8\u10d0\u10dc\u10d4\u10d1\u10d0", -"Insert template": "\u10e8\u10d0\u10d1\u10da\u10dd\u10dc\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0", -"Templates": "\u10e8\u10d0\u10d1\u10da\u10dd\u10dc\u10d4\u10d1\u10d8", -"Background color": "\u10e3\u10d9\u10d0\u10dc\u10d0 \u10e4\u10d4\u10e0\u10d8", -"Text color": "\u10e2\u10d4\u10e5\u10e1\u10e2\u10d8\u10e1 \u10e4\u10d4\u10e0\u10d8", -"Show blocks": "\u10d1\u10da\u10dd\u10d9\u10d4\u10d1\u10d8\u10e1 \u10e9\u10d5\u10d4\u10dc\u10d4\u10d1\u10d0", -"Show invisible characters": "\u10e3\u10ee\u10d8\u10da\u10d0\u10d5\u10d8 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd\u10d4\u10d1\u10d8\u10e1 \u10e9\u10d5\u10d4\u10dc\u10d4\u10d1\u10d0", -"Words: {0}": "\u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8: {0}", -"Insert": "\u10e9\u10d0\u10e1\u10db\u10d0", -"File": "\u10e4\u10d0\u10d8\u10da\u10d8", -"Edit": "\u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u10e2\u10d4\u10e5\u10e1\u10e2\u10d8\u10e1 \u10e4\u10d0\u10e0\u10d7\u10d8. \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 ALT-F9\u10e1 \u10db\u10d4\u10dc\u10d8\u10e3\u10e1 \u10d2\u10d0\u10db\u10dd\u10e1\u10d0\u10eb\u10d0\u10ee\u10d4\u10d1\u10da\u10d0\u10d3. \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 ALT-F10\u10e1 \u10de\u10d0\u10dc\u10d4\u10da\u10d8\u10e1\u10d7\u10d5\u10d8\u10e1. \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 ALT-0\u10e1 \u10d3\u10d0\u10ee\u10db\u10d0\u10e0\u10d4\u10d1\u10d8\u10e1\u10d7\u10d5\u10d8\u10e1", -"Tools": "\u10d8\u10d0\u10e0\u10d0\u10e6\u10d4\u10d1\u10d8", -"View": "\u10dc\u10d0\u10ee\u10d5\u10d0", -"Table": "\u10ea\u10ee\u10e0\u10d8\u10da\u10d8", -"Format": "\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8" -}); \ No newline at end of file +tinymce.addI18n("ka_GE",{"Redo":"\u10d2\u10d0\u10db\u10d4\u10dd\u10e0\u10d4\u10d1\u10d0","Undo":"\u10d3\u10d0\u10d1\u10e0\u10e3\u10dc\u10d4\u10d1\u10d0","Cut":"\u10d0\u10db\u10dd\u10ed\u10e0\u10d0","Copy":"\u10d9\u10dd\u10de\u10d8\u10e0\u10d4\u10d1\u10d0","Paste":"\u10e9\u10d0\u10e1\u10db\u10d0","Select all":"\u10e7\u10d5\u10d4\u10da\u10d0\u10e1 \u10db\u10dd\u10e6\u10dc\u10d8\u10e8\u10d5\u10dc\u10d0","New document":"\u10d0\u10ee\u10d0\u10da\u10d8 \u10d3\u10dd\u10d9\u10e3\u10db\u10d4\u10dc\u10e2\u10d8","Ok":"\u10d9\u10d0\u10e0\u10d2\u10d8","Cancel":"\u10d2\u10d0\u10e3\u10e5\u10db\u10d4\u10d1\u10d0","Visual aids":"\u10d5\u10d8\u10d6\u10e3\u10d0\u10da\u10d8\u10d6\u10d0\u10ea\u10d8\u10d0","Bold":"\u10db\u10d9\u10d5\u10d4\u10d7\u10e0\u10d8","Italic":"\u10d3\u10d0\u10ee\u10e0\u10d8\u10da\u10d8","Underline":"\u10e5\u10d5\u10d4\u10d3\u10d0 \u10ee\u10d0\u10d6\u10d8","Strikethrough":"\u10e8\u10e3\u10d0 \u10ee\u10d0\u10d6\u10d8","Superscript":"\u10d6\u10d4\u10d3\u10d0 \u10d8\u10dc\u10d3\u10d4\u10e5\u10e1\u10d8","Subscript":"\u10e5\u10d5\u10d4\u10d3\u10d0 \u10d8\u10dc\u10d3\u10d4\u10e5\u10e1\u10d8","Clear formatting":"\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8\u10e0\u10d4\u10d1\u10d8\u10e1 \u10d2\u10d0\u10e1\u10e3\u10e4\u10d7\u10d0\u10d5\u10d4\u10d1\u10d0","Remove":"\u10ec\u10d0\u10e8\u10da\u10d0","Align left":"\u10d2\u10d0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d5","Align center":"\u10d2\u10d0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10ea\u10d4\u10dc\u10e2\u10e0\u10e8\u10d8","Align right":"\u10d2\u10d0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d5","No alignment":"\u10d2\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d8\u10e1 \u10d2\u10d0\u10e0\u10d4\u10e8\u10d4","Justify":"\u10d2\u10d0\u10db\u10d0\u10e0\u10d7\u10e3\u10da\u10d8","Bullet list":"\u10d1\u10e3\u10da\u10d4\u10e2 \u10e1\u10d8\u10d0","Numbered list":"\u10d3\u10d0\u10dc\u10dd\u10db\u10e0\u10d8\u10da\u10d8 \u10e1\u10d8\u10d0","Decrease indent":"\u10d0\u10d1\u10d6\u10d0\u10ea\u10d8\u10e1 \u10e8\u10d4\u10db\u10ea\u10d8\u10e0\u10d4\u10d1\u10d0","Increase indent":"\u10d0\u10d1\u10d6\u10d0\u10ea\u10d8\u10e1 \u10d2\u10d0\u10d6\u10e0\u10d3\u10d0","Close":"\u10d3\u10d0\u10ee\u10e3\u10e0\u10d5\u10d0","Formats":"\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d4\u10d1\u10d8","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u10d7\u10e5\u10d5\u10d4\u10dc \u10d1\u10e0\u10d0\u10e3\u10d6\u10d4\u10e0\u10e1 \u10d0\u10e0 \u10d0\u10e5\u10d5\u10e1 \u10d1\u10e3\u10e4\u10e0\u10e2\u10e8\u10d8 \u10e8\u10d4\u10ee\u10ec\u10d4\u10d5\u10d8\u10e1 \u10db\u10ee\u10d0\u10e0\u10d3\u10d0\u10ed\u10d4\u10e0\u10d0. \u10d2\u10d7\u10ee\u10dd\u10d5\u10d7 \u10e1\u10d0\u10dc\u10d0\u10ea\u10d5\u10da\u10dd\u10d3 \u10d8\u10e1\u10d0\u10e0\u10d2\u10d4\u10d1\u10da\u10dd\u10d7 Ctrl+X/C/V \u10db\u10d0\u10da\u10e1\u10d0\u10ee\u10db\u10dd\u10d1\u10d8 \u10d9\u10dd\u10db\u10d1\u10d8\u10dc\u10d0\u10ea\u10d8\u10d4\u10d1\u10d8\u10d7.","Headings":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8","Heading 1":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 1","Heading 2":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 2","Heading 3":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 3","Heading 4":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 4","Heading 5":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 5","Heading 6":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8 6","Preformatted":"\u10ec\u10d8\u10dc\u10d0\u10e1\u10ec\u10d0\u10e0 \u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8\u10e0\u10d4\u10d1\u10e3\u10da\u10d8","Div":"\u10d2\u10d0\u10dc\u10d0\u10ec\u10d8\u10da\u10d4\u10d1\u10d0","Pre":"\u10de\u10e0\u10d4\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8","Code":"\u10d9\u10dd\u10d3\u10d8","Paragraph":"\u10de\u10d0\u10e0\u10d0\u10d2\u10e0\u10d0\u10e4\u10d8","Blockquote":"\u10d1\u10da\u10dd\u10d9\u10d8\u10e0\u10d4\u10d1\u10e3\u10da\u10d8 \u10ea\u10d8\u10e2\u10d0\u10e2\u10d0","Inline":"\u10ee\u10d0\u10d6\u10e8\u10d8\u10d3\u10d0","Blocks":"\u10d1\u10da\u10dd\u10d9\u10d4\u10d1\u10d8","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u10d0\u10ee\u10da\u10d0 \u10e2\u10d4\u10e5\u10e1\u10e2\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0 \u10e9\u10d5\u10d4\u10e3\u10da\u10d4\u10d1\u10e0\u10d8\u10d5 \u10e0\u10d4\u10df\u10d8\u10db\u10e8\u10d8\u10d0. \u10e2\u10d4\u10e5\u10e1\u10e2\u10d8 \u10e9\u10d0\u10d8\u10e1\u10db\u10d4\u10d5\u10d0 \u10e3\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10dd\u10d7 \u10e1\u10d0\u10dc\u10d0\u10db \u10d0\u10db \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d0\u10e1 \u10d0\u10e0 \u10d2\u10d0\u10d7\u10d8\u10e8\u10d0\u10d5\u10d7.","Fonts":"\u10e4\u10dd\u10dc\u10e2\u10d8","Font sizes":"\u10e8\u10e0\u10d8\u10e4\u10e2\u10d8\u10e1 \u10d6\u10dd\u10db\u10d4\u10d1\u10d8","Class":"\u10d9\u10da\u10d0\u10e1\u10d8","Browse for an image":"\u10d0\u10d8\u10e0\u10e9\u10d8\u10d4\u10d7 \u10e1\u10e3\u10e0\u10d0\u10d7\u10d8","OR":"\u10d0\u10dc","Drop an image here":"\u10e9\u10d0\u10d0\u10d2\u10d3\u10d4\u10d7 \u10e1\u10e3\u10e0\u10d0\u10d7\u10d8 \u10d0\u10e5","Upload":"\u10d0\u10e2\u10d5\u10d8\u10e0\u10d7\u10d5\u10d0","Uploading image":"\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8 \u10d8\u10e2\u10d5\u10d8\u10e0\u10d7\u10d4\u10d1\u10d0","Block":"\u10e9\u10d0\u10d9\u10d4\u10e2\u10d5\u10d0","Align":"\u10e9\u10d0\u10db\u10ec\u10d9\u10e0\u10d8\u10d5\u10d4\u10d1\u10d0","Default":"\u10e1\u10e2\u10d0\u10dc\u10d3\u10d0\u10e0\u10e2\u10e3\u10da\u10d8","Circle":"\u10ec\u10e0\u10d4","Disc":"\u10d3\u10d8\u10e1\u10d9\u10d8","Square":"\u10d9\u10d5\u10d0\u10d3\u10e0\u10d0\u10e2\u10d8","Lower Alpha":"\u10d3\u10d0\u10d1\u10d0\u10da\u10d8 \u10d0\u10da\u10e4\u10d0","Lower Greek":"\u10d3\u10d0\u10d1\u10d0\u10da\u10d8 \u10d1\u10d4\u10e0\u10eb\u10dc\u10e3\u10da\u10d8","Lower Roman":"\u10d3\u10d0\u10d1\u10d0\u10da\u10d8 \u10e0\u10dd\u10db\u10d0\u10e3\u10da\u10d8","Upper Alpha":"\u10db\u10d0\u10e6\u10d0\u10da\u10d8 \u10d0\u10da\u10e4\u10d0","Upper Roman":"\u10db\u10d0\u10e6\u10d0\u10da\u10d8 \u10e0\u10dd\u10db\u10d0\u10e3\u10da\u10d8","Anchor...":"\u10e6\u10e3\u10d6\u10d0...","Anchor":"\u10e6\u10e3\u10d6\u10d0","Name":"\u10e1\u10d0\u10ee\u10d4\u10da\u10d8","ID":"\u10d0\u10d8\u10d3\u10d8","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u10d0\u10d8\u10d3\u10d8 \u10e3\u10dc\u10d3\u10d0 \u10d3\u10d0\u10ec\u10e7\u10dd\u10e1 \u10d0\u10e1\u10dd\u10d7\u10d8, \u10e8\u10d4\u10db\u10d3\u10d4\u10d2 \u10e3\u10dc\u10d3\u10d0 \u10d2\u10d0\u10d2\u10e0\u10eb\u10d4\u10da\u10d3\u10d4\u10e1 \u10d0\u10e1\u10dd\u10d4\u10d1\u10d8\u10d7, \u10e0\u10d8\u10ea\u10ee\u10d5\u10d4\u10d1\u10d8\u10d7, \u10e2\u10d8\u10e0\u10d4\u10d4\u10d1\u10d8\u10d7, \u10ec\u10d4\u10e0\u10e2\u10d8\u10da\u10d4\u10d1\u10d8\u10d7, \u10dd\u10e0\u10ec\u10d4\u10e0\u10e2\u10d8\u10da\u10d4\u10d1\u10d8\u10d7 \u10d0\u10dc \u10e5\u10d5\u10d4\u10d3\u10d0\u10e2\u10d8\u10e0\u10d4\u10d4\u10d1\u10d8\u10d7.","You have unsaved changes are you sure you want to navigate away?":"\u10d7\u10e5\u10d5\u10d4\u10dc \u10d2\u10d0\u10e5\u10d5\u10d7 \u10e8\u10d4\u10e3\u10dc\u10d0\u10ee\u10d0\u10d5\u10d8 \u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d4\u10d1\u10d8, \u10d3\u10d0\u10e0\u10ec\u10db\u10e3\u10dc\u10d4\u10d1\u10e3\u10da\u10d8 \u10ee\u10d0\u10d7 \u10e0\u10dd\u10db \u10e1\u10ee\u10d5\u10d0\u10d2\u10d0\u10dc \u10d2\u10d0\u10d3\u10d0\u10e1\u10d5\u10da\u10d0 \u10d2\u10e1\u10e3\u10e0\u10d7?","Restore last draft":"\u10d1\u10dd\u10da\u10dd\u10e1 \u10e8\u10d4\u10dc\u10d0\u10ee\u10e3\u10da\u10d8\u10e1 \u10d0\u10e6\u10d3\u10d2\u10d4\u10dc\u10d0","Special character...":"\u10e1\u10de\u10d4\u10ea\u10d8\u10d0\u10da\u10e3\u10e0\u10d8 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd","Special Character":"\u10e1\u10de\u10d4\u10ea\u10d8\u10d0\u10da\u10e3\u10e0\u10d8 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd","Source code":"\u10ec\u10e7\u10d0\u10e0\u10dd\u10e1 \u10d9\u10dd\u10d3\u10d8","Insert/Edit code sample":"\u10e9\u10d0\u10e1\u10d5\u10d8/\u10e8\u10d4\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10d9\u10dd\u10d3\u10d8\u10e1 \u10db\u10d0\u10d2\u10d0\u10da\u10d8\u10d7\u10d8","Language":"\u10d4\u10dc\u10d0","Code sample...":"\u10d9\u10dd\u10d3\u10d8\u10e1 \u10e4\u10e0\u10d0\u10d2\u10db\u10d4\u10dc\u10e2\u10d8","Left to right":"\u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d3\u10d0\u10dc \u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d5","Right to left":"\u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d3\u10d0\u10dc \u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d5","Title":"\u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8","Fullscreen":"\u10e1\u10d0\u10d5\u10e1\u10d4 \u10d4\u10d9\u10e0\u10d0\u10dc\u10d8","Action":"\u10e5\u10db\u10d4\u10d3\u10d4\u10d1\u10d0","Shortcut":"\u10e1\u10ec\u10e0\u10d0\u10e4\u10d8 \u10d2\u10d0\u10db\u10dd\u10eb\u10d0\u10ee\u10d4\u10d1\u10d0","Help":"\u10d3\u10d0\u10ee\u10db\u10d0\u10e0\u10d4\u10d1\u10d0","Address":"\u10db\u10d8\u10e1\u10d0\u10db\u10d0\u10e0\u10d7\u10d8","Focus to menubar":"\u10e4\u10dd\u10d9\u10e3\u10e1\u10d8 \u10db\u10d4\u10dc\u10d8\u10e3\u10d1\u10d0\u10e0\u10d6\u10d4","Focus to toolbar":"\u10e4\u10dd\u10d9\u10e3\u10e1\u10d8\u10e0\u10d4\u10d1\u10d0 \u10e2\u10e3\u10da\u10d1\u10d0\u10e0\u10d6\u10d4","Focus to element path":"\u10e4\u10dd\u10d9\u10e3\u10e1\u10d8\u10e0\u10d4\u10d1\u10d0 \u10d4\u10da\u10d4\u10db\u10d4\u10dc\u10e2\u10d8\u10e1 \u10db\u10d8\u10e1\u10d0\u10db\u10d0\u10e0\u10d7\u10d6\u10d4","Focus to contextual toolbar":"\u10e4\u10dd\u10d9\u10e3\u10e1\u10d8\u10e0\u10d4\u10d1\u10d0 \u10d9\u10dd\u10dc\u10e2\u10d4\u10e5\u10e1\u10e2\u10e3\u10d0\u10da\u10e3\u10e0 \u10e2\u10e3\u10da\u10d1\u10d0\u10e0\u10d6\u10d4","Insert link (if link plugin activated)":"\u10d1\u10db\u10e3\u10da\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0 (\u10d7\u10e3 \u10d1\u10db\u10e3\u10da\u10d8\u10e1 \u10de\u10da\u10d0\u10d2\u10d8\u10dc\u10d8 \u10d0\u10e5\u10e2\u10d8\u10d5\u10d8\u10e0\u10d4\u10d1\u10e3\u10da\u10d8\u10d0)","Save (if save plugin activated)":"\u10e8\u10d4\u10dc\u10d0\u10ee\u10d5\u10d0 (\u10d7\u10e3 \u10e8\u10d4\u10dc\u10d0\u10ee\u10d5\u10d8\u10e1 \u10de\u10da\u10d0\u10d2\u10d8\u10dc\u10d8 \u10d0\u10e5\u10e2\u10d8\u10d5\u10d8\u10e0\u10d4\u10d1\u10e3\u10da\u10d8\u10d0)","Find (if searchreplace plugin activated)":"\u10eb\u10d4\u10d1\u10dc\u10d0 (\u10d7\u10e3 searchreplace \u10de\u10da\u10d0\u10d2\u10d8\u10dc\u10d8 \u10d0\u10e5\u10e2\u10d8\u10d5\u10e0\u10d4\u10d1\u10e3\u10da\u10d8\u10d0)","Plugins installed ({0}):":"\u10de\u10da\u10d0\u10d2\u10d8\u10dc\u10d4\u10d1\u10d8 \u10d3\u10d0\u10d8\u10dc\u10e1\u10e2\u10d0\u10da\u10d8\u10e0\u10d4\u10d1\u10e3\u10da\u10d8\u10d0 ({0}):","Premium plugins:":"\u10de\u10e0\u10d4\u10db\u10d8\u10e3\u10db \u10de\u10da\u10d0\u10d2\u10d8\u10dc\u10d4\u10d1\u10d8:","Learn more...":"\u10db\u10d4\u10e2\u10d8\u10e1 \u10dc\u10d0\u10ee\u10d5\u10d0...","You are using {0}":"\u10e8\u10d4\u10dc \u10d8\u10e7\u10d4\u10dc\u10d4\u10d1 {0}","Plugins":"\u10de\u10da\u10d0\u10d2\u10d8\u10dc\u10d4\u10d1\u10d8","Handy Shortcuts":"\u10db\u10dd\u10e1\u10d0\u10ee\u10d4\u10e0\u10ee\u10d4\u10d1\u10d4\u10da\u10d8 \u10e1\u10ec\u10e0\u10d0\u10e4\u10d8 \u10d2\u10d0\u10db\u10dd\u10eb\u10d0\u10ee\u10d4\u10d1\u10d4\u10d1\u10d8","Horizontal line":"\u10f0\u10dd\u10e0\u10d8\u10d6\u10dd\u10dc\u10e2\u10d0\u10da\u10e3\u10e0\u10d8 \u10ee\u10d0\u10d6\u10d8","Insert/edit image":"\u10e9\u10d0\u10e1\u10d5\u10d8/\u10e8\u10d4\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4 \u10e1\u10e3\u10e0\u10d0\u10d7\u10d8","Alternative description":"\u10d0\u10da\u10e2\u10d4\u10e0\u10dc\u10d0\u10e2\u10d8\u10e3\u10da\u10d8 \u10d0\u10e6\u10ec\u10d4\u10e0\u10d0","Accessibility":"\u10ee\u10d4\u10da\u10db\u10d8\u10e1\u10d0\u10ec\u10d5\u10d3\u10dd\u10db\u10dd\u10d1\u10d0","Image is decorative":"\u10d2\u10d0\u10db\u10dd\u10e1\u10d0\u10ee\u10e3\u10da\u10d4\u10d1\u10d0 \u10d0\u10e0\u10d8\u10e1 \u10d3\u10d4\u10d9\u10dd\u10e0\u10d0\u10e2\u10d8\u10e3\u10da\u10d8","Source":"\u10d1\u10db\u10e3\u10da\u10d8","Dimensions":"\u10d2\u10d0\u10dc\u10d6\u10dd\u10db\u10d8\u10da\u10d4\u10d1\u10d0","Constrain proportions":"\u10de\u10e0\u10dd\u10de\u10dd\u10e0\u10ea\u10d8\u10d8\u10e1 \u10d3\u10d0\u10ea\u10d5\u10d0","General":"\u10db\u10d7\u10d0\u10d5\u10d0\u10e0\u10d8","Advanced":"\u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d8\u10d7\u10d8","Style":"\u10e1\u10e2\u10d8\u10da\u10d8","Vertical space":"\u10d5\u10d4\u10e0\u10e2\u10d8\u10d9\u10d0\u10da\u10e3\u10e0\u10d8 \u10e1\u10d8\u10d5\u10e0\u10ea\u10d4","Horizontal space":"\u10f0\u10dd\u10e0\u10d8\u10d6\u10dd\u10dc\u10e2\u10d0\u10da\u10e3\u10e0\u10d8 \u10e1\u10d8\u10d5\u10e0\u10ea\u10d4","Border":"\u10e1\u10d0\u10d6\u10e6\u10d5\u10d0\u10e0\u10d8","Insert image":"\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0","Image...":"\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8...","Image list":"\u10e1\u10e3\u10e0\u10d0\u10d7\u10d4\u10d1\u10d8\u10e1 \u10e1\u10d8\u10d0","Resize":"\u10d6\u10dd\u10db\u10d8\u10e1 \u10e8\u10d4\u10ea\u10d5\u10da\u10d0","Insert date/time":"\u10d7\u10d0\u10e0\u10d8\u10e6\u10d8/\u10d3\u10e0\u10dd\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0","Date/time":"\u10d7\u10d0\u10e0\u10d8\u10e6\u10d8/\u10d3\u10e0\u10dd","Insert/edit link":"\u10d1\u10db\u10e3\u10da\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0/\u10e0\u10d4\u10d3\u10d0\u10e5\u10e2\u10d8\u10e0\u10d4\u10d0","Text to display":"\u10e2\u10d4\u10e5\u10e1\u10e2\u10d8","Url":"Url","Open link in...":"\u10d2\u10d0\u10ee\u10e1\u10d4\u10dc\u10d8\u10d7 \u10d1\u10db\u10e3\u10da\u10d8...","Current window":"\u10db\u10d8\u10db\u10d3\u10d8\u10dc\u10d0\u10e0\u10d4 \u10e4\u10d0\u10dc\u10ef\u10d0\u10e0\u10d0","None":"\u10d0\u10e0\u10ea\u10d4\u10e0\u10d7\u10d8","New window":"\u10d0\u10ee\u10d0\u10da \u10e4\u10d0\u10dc\u10ef\u10d0\u10e0\u10d0\u10e8\u10d8","Open link":"\u1c92\u10d0\u10ee\u10e1\u10d4\u10dc\u10d8 \u10d1\u10db\u10e3\u10da\u10d8","Remove link":"\u10d1\u10db\u10e3\u10da\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0","Anchors":"\u10e6\u10e3\u10d6\u10d0","Link...":"\u10d1\u10db\u10e3\u10da\u10d8...","Paste or type a link":"\u10e9\u10d0\u10e1\u10d5\u10d8\u10d7 \u10d0\u10dc \u10e8\u10d4\u10d8\u10e7\u10d5\u10d0\u10dc\u10d4\u10d7 \u10d1\u10db\u10e3\u10da\u10d8","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u10d7\u10e5\u10d5\u10d4\u10dc \u10db\u10d8\u10e3\u10d7\u10d8\u10d7\u10d4\u10d7 \u10d4\u10da-\u10e4\u10dd\u10e1\u10e2\u10d8\u10e1 \u10db\u10d8\u10e1\u10d0\u10db\u10d0\u10e0\u10d7\u10d8 \u10dc\u10d0\u10ea\u10d5\u10da\u10d0\u10d3 \u10d5\u10d4\u10d1-\u10d2\u10d5\u10d4\u10e0\u10d3\u10d8\u10e1\u10d0. \u10d2\u10e1\u10e3\u10e0\u10d7, \u10e0\u10dd\u10db \u10db\u10d8\u10d5\u10d0\u10dc\u10d8\u10ed\u10dd mailto: \u10e4\u10e0\u10d4\u10e4\u10d8\u10e5\u10e1\u10d8?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u10d7\u10e5\u10d5\u10d4\u10dc\u10e1 \u10db\u10d8\u10d4\u10e0 \u10db\u10d8\u10d7\u10d8\u10d7\u10d4\u10d1\u10e3\u10da\u10d8 \u10db\u10d8\u10e1\u10d0\u10db\u10d0\u10e0\u10d7\u10d8 \u10ec\u10d0\u10e0\u10db\u10dd\u10d0\u10d3\u10d2\u10d4\u10dc\u10e1 \u10d2\u10d0\u10e0\u10d4 \u10d1\u10db\u10e3\u10da\u10e1. \u10d2\u10e1\u10e3\u10e0\u10d7, \u10e0\u10dd\u10db \u10db\u10d8\u10d5\u10d0\u10dc\u10d8\u10ed\u10dd http:// \u10e4\u10e0\u10d4\u10e4\u10d8\u10e5\u10e1\u10d8?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u10d7\u10e5\u10d5\u10d4\u10dc\u10e1 \u10db\u10d8\u10d4\u10e0 \u10db\u10d8\u10d7\u10d8\u10d7\u10d4\u10d1\u10e3\u10da\u10d8 \u10db\u10d8\u10e1\u10d0\u10db\u10d0\u10e0\u10d7\u10d8 \u10ec\u10d0\u10e0\u10db\u10dd\u10d0\u10d3\u10d2\u10d4\u10dc\u10e1 \u10d2\u10d0\u10e0\u10d4 \u10d1\u10db\u10e3\u10da\u10e1. \u10d2\u10e1\u10e3\u10e0\u10d7, \u10e0\u10dd\u10db \u10d3\u10d0\u10d4\u10db\u10d0\u10e2\u10dd\u10e1 https:// \u10e4\u10e0\u10d4\u10e4\u10d8\u10e5\u10e1\u10d8?","Link list":"\u10d1\u10db\u10e3\u10da\u10d8 \u10e1\u10d8\u10d0","Insert video":"\u10d5\u10d8\u10d3\u10d4\u10dd\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0","Insert/edit video":"\u10d5\u10d8\u10d3\u10d4\u10dd\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0/\u10e0\u10d4\u10d3\u10d0\u10e5\u10e2\u10d8\u10e0\u10d4\u10d1\u10d0","Insert/edit media":"\u10db\u10d4\u10d3\u10d8\u10d0\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0/\u10e0\u10d4\u10d3\u10d0\u10e5\u10e2\u10d8\u10e0\u10d4\u10d1\u10d0","Alternative source":"\u10d0\u10da\u10e2\u10d4\u10e0\u10dc\u10d0\u10e2\u10d8\u10e3\u10da\u10d8 \u10ec\u10e7\u10d0\u10e0\u10dd","Alternative source URL":"\u10d0\u10da\u10e2\u10d4\u10e0\u10dc\u10d0\u10e2\u10d8\u10e3\u10da\u10d8 \u10ec\u10e7\u10d0\u10e0\u10dd","Media poster (Image URL)":"\u10db\u10d4\u10d3\u10d8\u10d0 \u10de\u10dd\u10e1\u10e2\u10d4\u10e0\u10d8 (\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8\u10e1 URL)","Paste your embed code below:":"\u10d0\u10e5 \u10e9\u10d0\u10e1\u10d5\u10d8\u10d7 \u10d7\u10e5\u10d5\u10d4\u10dc\u10d8 \u10d9\u10dd\u10d3\u10d8:","Embed":"\u10e9\u10d0\u10e8\u10d4\u10dc\u10d4\u10d1\u10d0","Media...":"\u10db\u10d4\u10d3\u10d8\u10d0...","Nonbreaking space":"\u10e3\u10ec\u10e7\u10d5\u10d4\u10e2\u10d8 \u10e1\u10d8\u10d5\u10e0\u10ea\u10d4","Page break":"\u10d2\u10d5\u10d4\u10e0\u10d3\u10d8\u10e1 \u10d2\u10d0\u10ec\u10e7\u10d5\u10d4\u10e2\u10d0","Paste as text":"\u10e9\u10d0\u10e1\u10d5\u10d8\u10d7 \u10e0\u10dd\u10d2\u10dd\u10e0\u10ea \u10e2\u10d4\u10e5\u10e1\u10e2\u10d8","Preview":"\u10ec\u10d8\u10dc\u10d0\u10e1\u10ec\u10d0\u10e0 \u10dc\u10d0\u10ee\u10d5\u10d0","Print":"\u10d1\u10d4\u10ed\u10d3\u10d5\u10d0","Print...":"\u10d1\u10d4\u10ed\u10d3\u10d5\u10d0...","Save":"\u10e8\u10d4\u10dc\u10d0\u10ee\u10d5\u10d0","Find":"\u10eb\u10d4\u10d1\u10dc\u10d0","Replace with":"\u10e8\u10d4\u10e1\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d4\u10da\u10d8 \u10e1\u10d8\u10e2\u10e7\u10d5\u10d0","Replace":"\u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0","Replace all":"\u10e7\u10d5\u10d4\u10da\u10d0\u10e1 \u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0","Previous":"\u10ec\u10d8\u10dc\u10d0","Next":"\u10e8\u10d4\u10db\u10d3\u10d4\u10d2\u10d8","Find and Replace":"\u1c98\u10de\u10dd\u10d5\u10d4 \u10d3\u10d0 \u10e9\u10d0\u10d0\u10dc\u10d0\u10ea\u10d5\u10da\u10d4","Find and replace...":"\u1c98\u10de\u10dd\u10d5\u10d4 \u10d3\u10d0 \u10e9\u10d0\u10d0\u10dc\u10d0\u10ea\u10d5\u10da\u10d4...","Could not find the specified string.":"\u10db\u10dd\u10ea\u10d4\u10db\u10e3\u10da\u10d8 \u10e9\u10d0\u10dc\u10d0\u10ec\u10d4\u10e0\u10d8 \u10d5\u10d4\u10e0 \u10db\u10dd\u10d8\u10eb\u10d4\u10d1\u10dc\u10d0.","Match case":"\u10d3\u10d0\u10d0\u10db\u10d7\u10ee\u10d5\u10d8\u10d4 \u10d0\u10e1\u10dd\u10d4\u10d1\u10d8\u10e1 \u10d6\u10dd\u10db\u10d0","Find whole words only":"\u10d8\u10de\u10dd\u10d5\u10d4\u10d7 \u10db\u10ee\u10dd\u10da\u10dd\u10d3 \u10db\u10d7\u10d4\u10da\u10d8 \u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8","Find in selection":"\u10d8\u10de\u10dd\u10d5\u10dc\u10d4\u10d7 \u10e8\u10d4\u10e0\u10e9\u10d4\u10d5\u10d0\u10e8\u10d8","Insert table":"\u10ea\u10ee\u10e0\u10d8\u10da\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0","Table properties":"\u10ea\u10ee\u10e0\u10d8\u10da\u10d8\u10e1 \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8","Delete table":"\u10ea\u10ee\u10e0\u10d8\u10da\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0","Cell":"\u10e3\u10ef\u10e0\u10d0","Row":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8","Column":"\u10e1\u10d5\u10d4\u10e2\u10d8","Cell properties":"\u10e3\u10ef\u10e0\u10d8\u10e1 \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8","Merge cells":"\u10e3\u10ef\u10e0\u10d4\u10d1\u10d8\u10e1 \u10d2\u10d0\u10d4\u10e0\u10d7\u10d8\u10d0\u10dc\u10d4\u10d1\u10d0","Split cell":"\u10e3\u10ef\u10e0\u10d8\u10e1 \u10d2\u10d0\u10e7\u10dd\u10e4\u10d0","Insert row before":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d7\u10d0\u10d5\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0","Insert row after":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d1\u10dd\u10da\u10dd\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0","Delete row":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0","Row properties":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8","Cut row":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d0\u10db\u10dd\u10ed\u10e0\u10d0","Cut column":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d0\u10db\u10dd\u10ed\u10e0\u10d0","Copy row":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d9\u10dd\u10de\u10d8\u10e0\u10d4\u10d1\u10d0","Copy column":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d9\u10dd\u10de\u10d8\u10e0\u10d4\u10d1\u10d0","Paste row before":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d7\u10d0\u10d5\u10e8\u10d8 \u10e9\u10d0\u10e1\u10db\u10d0","Paste column before":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d7\u10d0\u10d5\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0","Paste row after":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10d1\u10dd\u10da\u10dd\u10e8\u10d8 \u10e9\u10d0\u10e1\u10db\u10d0","Paste column after":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d1\u10dd\u10da\u10dd\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0","Insert column before":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d7\u10d0\u10d5\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0","Insert column after":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10d1\u10dd\u10da\u10dd\u10e8\u10d8 \u10d3\u10d0\u10db\u10d0\u10e2\u10d4\u10d1\u10d0","Delete column":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0","Cols":"\u10e1\u10d5\u10d4\u10e2\u10d4\u10d1\u10d8","Rows":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d4\u10d1\u10d8","Width":"\u10e1\u10d8\u10d2\u10d0\u10dc\u10d4","Height":"\u10e1\u10d8\u10db\u10d0\u10e6\u10da\u10d4","Cell spacing":"\u10e3\u10ef\u10e0\u10d8\u10e1 \u10d3\u10d0\u10e8\u10dd\u10e0\u10d4\u10d1\u10d0","Cell padding":"\u10e3\u10ef\u10e0\u10d8\u10e1 \u10e4\u10d0\u10e0\u10d7\u10dd\u10d1\u10d8","Row clipboard actions":"\u10db\u10ec\u10d9\u10e0\u10d8\u10d5\u10d8\u10e1 \u10d1\u10e3\u10e4\u10d4\u10e0\u10e8\u10d8 \u10db\u10dd\u10e5\u10db\u10d4\u10d3\u10d4\u10d1\u10d4\u10d1\u10d8","Column clipboard actions":"\u10db\u10ec\u10d9\u10e0\u10d8\u10d5\u10d8\u10e1 \u10d1\u10e3\u10e4\u10d4\u10e0\u10e8\u10d8 \u10db\u10dd\u10e5\u10db\u10d4\u10d3\u10d4\u10d1\u10d4\u10d1\u10d8","Table styles":"Table styles","Cell styles":"\u10e3\u10ef\u10e0\u10d4\u10d3\u10d8\u10e1 \u10e1\u10e2\u10d8\u10da\u10d4\u10d1\u10d8","Column header":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8","Row header":"\u10db\u10ec\u10d9\u10e0\u10d8\u10d5\u10d8\u10e1 \u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8","Table caption":"\u10db\u10d0\u10d2\u10d8\u10d3\u10d8\u10e1 \u10ec\u10d0\u10e0\u10ec\u10d4\u10e0\u10d0","Caption":"\u10ec\u10d0\u10e0\u10ec\u10d4\u10e0\u10d0","Show caption":"\u10ec\u10d0\u10e0\u10ec\u10d4\u10e0\u10d8\u10e1 \u10e9\u10d5\u10d4\u10dc\u10d4\u10d1\u10d0","Left":"\u10db\u10d0\u10e0\u10ea\u10ee\u10dc\u10d8\u10d5","Center":"\u10ea\u10d4\u10dc\u10e2\u10e0\u10e8\u10d8","Right":"\u10db\u10d0\u10e0\u10ef\u10d5\u10dc\u10d8\u10d5","Cell type":"\u10e3\u10ef\u10e0\u10d8\u10e1 \u10e2\u10d8\u10de\u10d8","Scope":"\u10e9\u10d0\u10e0\u10e9\u10dd","Alignment":"\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0","Horizontal align":"\u10f0\u10dd\u10e0\u10d8\u10d6\u10dd\u10dc\u10e2\u10d0\u10da\u10e3\u10e0\u10d8 \u10d2\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0","Vertical align":"\u10d5\u10d4\u10e0\u10e2\u10d8\u10d9\u10d0\u10da\u10e3\u10e0\u10d8 \u10d2\u10d0\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0","Top":"\u10db\u10d0\u10e6\u10da\u10d0","Middle":"\u10e8\u10e3\u10d0","Bottom":"\u10e5\u10d5\u10d4\u10d3\u10d0","Header cell":"\u10d7\u10d0\u10d5\u10d8\u10e1 \u10e3\u10ef\u10e0\u10d0","Row group":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10ef\u10d2\u10e3\u10e4\u10d8","Column group":"\u10e1\u10d5\u10d4\u10e2\u10d8\u10e1 \u10ef\u10d2\u10e3\u10e4\u10d8","Row type":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10e2\u10d8\u10de\u10d8","Header":"\u10d7\u10d0\u10d5\u10d8","Body":"\u10e2\u10d0\u10dc\u10d8","Footer":"\u10eb\u10d8\u10e0\u10d8","Border color":"\u10e1\u10d0\u10d6\u10d0\u10e0\u10d8\u10e1 \u10e4\u10d4\u10e0\u10d8","Solid":"\u1c9b\u10e7\u10d0\u10e0\u10d8","Dotted":"\u10ec\u10d4\u10e0\u10e2\u10d8\u10da\u10dd\u10d5\u10d0\u10dc\u10d8","Dashed":"\u10ec\u10e7\u10d5\u10d4\u10e2\u10d8\u10da\u10d8","Double":"\u1c9d\u10e0\u10db\u10d0\u10d2\u10d8","Groove":"\u10ed\u10e0\u10d8\u10da\u10d8","Ridge":"\u10e5\u10d4\u10d3\u10d8","Inset":"\u10e9\u10d0\u10e1\u10db\u10d0","Outset":"\u10d3\u10d0\u10e1\u10d0\u10ec\u10e7\u10d8\u10e1\u10d8","Hidden":"\u10d3\u10d0\u10db\u10d0\u10da\u10e3\u10da\u10d8","Insert template...":"\u10e8\u10d0\u10d1\u10da\u10dd\u10dc\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0...","Templates":"\u10e8\u10d0\u10d1\u10da\u10dd\u10dc\u10d4\u10d1\u10d8","Template":"\u10e8\u10d0\u10d1\u10da\u10dd\u10dc\u10d8","Insert Template":"\u10e8\u10d0\u10d1\u10da\u10dd\u10dc\u10d8\u10e1 \u10e9\u10d0\u10e1\u10db\u10d0","Text color":"\u10e2\u10d4\u10e5\u10e1\u10e2\u10d8\u10e1 \u10e4\u10d4\u10e0\u10d8","Background color":"\u10e3\u10d9\u10d0\u10dc\u10d0 \u10e4\u10d4\u10e0\u10d8","Custom...":"\u10db\u10dd\u10e0\u10d2\u10d4\u10d1\u10e3\u10da\u10d8","Custom color":"\u10db\u10dd\u10e0\u10d2\u10d4\u10d1\u10e3\u10da\u10d8 \u10e4\u10d4\u10e0\u10d8","No color":"\u10e4\u10d4\u10e0\u10d8\u10e1 \u10d2\u10d0\u10e0\u10d4\u10e8\u10d4","Remove color":"\u10e4\u10d4\u10e0\u10d8\u10e1 \u10ec\u10d0\u10e8\u10da\u10d0","Show blocks":"\u10d1\u10da\u10dd\u10d9\u10d4\u10d1\u10d8\u10e1 \u10e9\u10d5\u10d4\u10dc\u10d4\u10d1\u10d0","Show invisible characters":"\u10e3\u10ee\u10d8\u10da\u10d0\u10d5\u10d8 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd\u10d4\u10d1\u10d8\u10e1 \u10e9\u10d5\u10d4\u10dc\u10d4\u10d1\u10d0","Word count":"\u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8\u10e1 \u10e0\u10d0\u10dd\u10d3\u10d4\u10dc\u10dd\u10d1\u10d0","Count":"\u10e0\u10d0\u10dd\u10d3\u10d4\u10dc\u10dd\u10d1\u10d0","Document":"\u10d3\u10dd\u10d9\u10e3\u10db\u10d4\u10dc\u10e2\u10d8","Selection":"\u10d0\u10e0\u10e9\u10d4\u10e3\u10da\u10d8","Words":"\u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8","Words: {0}":"\u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8: {0}","{0} words":"{0} \u10e1\u10d8\u10e2\u10e7\u10d5\u10d4\u10d1\u10d8","File":"\u10e4\u10d0\u10d8\u10da\u10d8","Edit":"\u10e8\u10d4\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0","Insert":"\u10e9\u10d0\u10e1\u10db\u10d0","View":"\u10dc\u10d0\u10ee\u10d5\u10d0","Format":"\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8","Table":"\u10ea\u10ee\u10e0\u10d8\u10da\u10d8","Tools":"\u10d8\u10d0\u10e0\u10d0\u10e6\u10d4\u10d1\u10d8","Powered by {0}":"\u10e3\u10d6\u10e0\u10e3\u10dc\u10d5\u10d4\u10da\u10e7\u10dd\u10e4\u10d8\u10da\u10d8\u10d0 {0}-\u10d8\u10e1 \u10db\u10d8\u10d4\u10e0","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u10e2\u10d4\u10e5\u10e1\u10e2\u10d8\u10e1 \u10e4\u10d0\u10e0\u10d7\u10d8. \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 ALT-F9\u10e1 \u10db\u10d4\u10dc\u10d8\u10e3\u10e1 \u10d2\u10d0\u10db\u10dd\u10e1\u10d0\u10eb\u10d0\u10ee\u10d4\u10d1\u10da\u10d0\u10d3. \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 ALT-F10\u10e1 \u10de\u10d0\u10dc\u10d4\u10da\u10d8\u10e1\u10d7\u10d5\u10d8\u10e1. \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 ALT-0\u10e1 \u10d3\u10d0\u10ee\u10db\u10d0\u10e0\u10d4\u10d1\u10d8\u10e1\u10d7\u10d5\u10d8\u10e1","Image title":"\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8\u10e1 \u10e1\u10d0\u10d7\u10d0\u10e3\u10e0\u10d8","Border width":"\u10e1\u10d0\u10d6\u10e6\u10d5\u10e0\u10d8\u10e1 \u10e1\u10d8\u10d2\u10d0\u10dc\u10d4","Border style":"\u10e1\u10d0\u10d6\u10e6\u10d5\u10e0\u10d8\u10e1 \u10e1\u10e2\u10d8\u10da\u10d8","Error":"\u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0","Warn":"\u10d2\u10d0\u10e4\u10e0\u10d7\u10ee\u10d8\u10da\u10d4\u10d1\u10d0","Valid":"\u10ed\u10d4\u10e8\u10db\u10d0\u10e0\u10d8\u10e2\u10d8","To open the popup, press Shift+Enter":"\u10d0\u10db\u10dd\u10db\u10ee\u10e2\u10d0\u10e0\u10d8 \u10e4\u10d0\u10dc\u10ef\u10e0\u10d8\u10e1 \u10d2\u10d0\u10e1\u10d0\u10ee\u10e1\u10dc\u10d4\u10da\u10d0\u10d3 \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 Shift+Enter","Rich Text Area":"\u10d2\u10d0\u10e4\u10d0\u10e0\u10d7\u10dd\u10d4\u10d1\u10e3\u10da\u10d8 \u10e2\u10d4\u10e5\u10e1\u10e2\u10e3\u10e0\u10d8 \u10d6\u10dd\u10dc\u10d0","Rich Text Area. Press ALT-0 for help.":"\u10d2\u10d0\u10e4\u10d0\u10e0\u10d7\u10dd\u10d4\u10d1\u10e3\u10da\u10d8 \u10e2\u10d4\u10e5\u10e1\u10e2\u10e3\u10e0\u10d8 \u10d6\u10dd\u10dc\u10d0. \u10d3\u10d0\u10d0\u10ed\u10d8\u10e0\u10d4\u10d7 ALT-0 \u10d3\u10d0\u10ee\u10db\u10d0\u10e0\u10d4\u10d1\u10d8\u10e1\u10d7\u10d5\u10d8\u10e1.","System Font":"\u10e1\u10d8\u10e1\u10e2\u10d4\u10db\u10d8\u10e1 \u10e8\u10e0\u10d8\u10e4\u10e2\u10d8","Failed to upload image: {0}":"\u10e1\u10e3\u10e0\u10d0\u10d7\u10d8\u10e1 \u10d0\u10e2\u10d5\u10d8\u10e0\u10d7\u10d5\u10d0 \u10d5\u10d4\u10e0 \u10db\u10dd\u10ee\u10d4\u10e0\u10ee\u10d3\u10d0: {0}","Failed to load plugin: {0} from url {1}":"\u10e4\u10da\u10d0\u10d2\u10d8\u10dc\u10d8\u10e1 \u10e9\u10d0\u10e2\u10d5\u10d8\u10e0\u10d7\u10d5\u10d0 \u10d5\u10d4\u10e0 \u10db\u10dd\u10ee\u10d4\u10e0\u10ee\u10d3\u10d0: {0} url-\u10d3\u10d0\u10dc {1}","Failed to load plugin url: {0}":"\u10e4\u10da\u10d0\u10d2\u10d8\u10dc\u10d8\u10e1 url \u10d5\u10d4\u10e0 \u10e9\u10d0\u10d8\u10e2\u10d5\u10d8\u10e0\u10d7\u10d0: {0}","Failed to initialize plugin: {0}":"\u10e4\u10da\u10d0\u10d2\u10d8\u10dc\u10d8\u10e1 \u10d8\u10dc\u10d8\u10ea\u10d8\u10d0\u10da\u10d8\u10d6\u10d0\u10ea\u10d8\u10d0 \u10d5\u10d4\u10e0 \u10db\u10dd\u10ee\u10d4\u10e0\u10ee\u10d3\u10d0: {0}","example":"\u10db\u10d0\u10d2\u10d0\u10da\u10d8\u10d7\u10d8","Search":"\u10eb\u10d8\u10d4\u10d1\u10d0","All":"\u10e7\u10d5\u10d4\u10da\u10d0","Currency":"\u10d5\u10d0\u10da\u10e3\u10e2\u10d0","Text":"\u10e2\u10d4\u10e5\u10e1\u10e2\u10d8","Quotations":"\u10ea\u10d8\u10e2\u10d0\u10e2\u10d4\u10d1\u10d8","Mathematical":"\u10db\u10d0\u10d7\u10d4\u10db\u10d0\u10e2\u10d8\u10d9\u10e3\u10e0\u10d8","Extended Latin":"\u10d2\u10d0\u10e4\u10d0\u10e0\u10d7\u10dd\u10d4\u10d1\u10e3\u10da\u10d8 \u10da\u10d0\u10d7\u10d8\u10dc\u10e3\u10e0\u10d8","Symbols":"\u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd\u10d4\u10d1\u10d8","Arrows":"\u10d8\u10e1\u10e0\u10d4\u10d1\u10d8","User Defined":"\u10db\u10dd\u10db\u10ee\u10db\u10d0\u10e0\u10d4\u10d1\u10da\u10d8\u10e1 \u10d2\u10d0\u10dc\u10e1\u10d0\u10d6\u10e6\u10d5\u10e0\u10e3\u10da\u10d8","dollar sign":"\u10d3\u10dd\u10da\u10d0\u10e0\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","currency sign":"\u10d5\u10d0\u10da\u10e3\u10e2\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","euro-currency sign":"\u10d4\u10d5\u10e0\u10dd \u10d5\u10d0\u10da\u10e3\u10e2\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","colon sign":"\u10dd\u10e0\u10ec\u10d4\u10e0\u10e2\u10d8\u10da\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","cruzeiro sign":"\u10d9\u10e0\u10e3\u10d6\u10d4\u10d8\u10e0\u10dd\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","french franc sign":"\u10e4\u10e0\u10d0\u10dc\u10d2\u10e3\u10da\u10d8 \u10e4\u10e0\u10d0\u10dc\u10d9\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","lira sign":"\u10da\u10d8\u10e0\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","mill sign":"\u10db\u10d8\u10da\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","naira sign":"\u10dc\u10d0\u10d8\u10e0\u10d0\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","peseta sign":"\u10de\u10d4\u10e1\u10d4\u10e2\u10d0\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","rupee sign":"\u10e0\u10e3\u10de\u10d8\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","won sign":"\u10db\u10dd\u10d2\u10d4\u10d1\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","new sheqel sign":"\u10d0\u10ee\u10d0\u10da\u10d8 \u10e8\u10d4\u10d9\u10d4\u10da\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","dong sign":"\u10d3\u10dd\u10dc\u10d2\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","kip sign":"\u10d9\u10d8\u10de\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","tugrik sign":"\u10e2\u10e3\u10d2\u10e0\u10d8\u10d9\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","drachma sign":"\u10d3\u10e0\u10d0\u10e5\u10db\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","german penny symbol":"\u10d2\u10d4\u10e0\u10db\u10d0\u10dc\u10e3\u10da\u10d8 \u10de\u10d4\u10dc\u10d8\u10e1 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd","peso sign":"\u10de\u10d4\u10e1\u10dd\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","guarani sign":"\u10d2\u10e3\u10d0\u10e0\u10d0\u10dc\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","austral sign":"\u10d0\u10d5\u10e1\u10e2\u10e0\u10d0\u10da\u10d8\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","hryvnia sign":"\u10d2\u10e0\u10d8\u10d5\u10dc\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","cedi sign":"\u10ea\u10d4\u10d3\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","livre tournois sign":"\u10da\u10d8\u10d5\u10e0\u10d4 \u10e2\u10e3\u10e0\u10dc\u10dd\u10d8\u10e1\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","spesmilo sign":"\u10e1\u10de\u10d4\u10e1\u10db\u10d8\u10da\u10dd\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","tenge sign":"\u10e2\u10d4\u10dc\u10d2\u10d4\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","indian rupee sign":"\u10d8\u10dc\u10d3\u10e3\u10e0\u10d8 \u10e0\u10e3\u10de\u10d8\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","turkish lira sign":"\u10d7\u10e3\u10e0\u10e5\u10e3\u10da\u10d8 \u10da\u10d8\u10e0\u10d0\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","nordic mark sign":"\u10dc\u10dd\u10e0\u10d3\u10d8\u10e3\u10da\u10d8 \u10db\u10d0\u10e0\u10d9\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","manat sign":"\u10db\u10d0\u10dc\u10d0\u10d7\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","ruble sign":"\u10e0\u10e3\u10de\u10d8\u10d8\u10e1 \u10dc\u10d8\u10e8\u10d0\u10dc\u10d8","yen character":"\u10d8\u10d4\u10dc\u10d8\u10e1 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd","yuan character":"\u10d8\u10e3\u10d0\u10dc\u10d8\u10e1 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd","yuan character, in hong kong and taiwan":"\u10d8\u10e3\u10d0\u10dc\u10d8\u10e1 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd, \u10f0\u10dd\u10dc\u10d2 \u10d9\u10dd\u10dc\u10d2\u10e1\u10d0 \u10d3\u10d0 \u10e2\u10d0\u10d8\u10d5\u10d0\u10dc\u10e8\u10d8","yen/yuan character variant one":"\u10d8\u10d4\u10dc/\u10d8\u10e3\u10d0\u10dc\u10d8 \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd\u10e1 \u10d5\u10d0\u10e0\u10d8\u10d0\u10dc\u10e2\u10d8 \u10d4\u10e0\u10d7\u10d8","Emojis":"\u10d4\u10db\u10dd\u10ef\u10d8\u10d4\u10d1\u10d8","Emojis...":"\u10d4\u10db\u10dd\u10ef\u10d8\u10d4\u10d1\u10d8...","Loading emojis...":"\u10d8\u10e2\u10d5\u10d8\u10e0\u10d7\u10d4\u10d1\u10d0 \u10d4\u10db\u10dd\u10ef\u10d8\u10d4\u10d1\u10d8...","Could not load emojis":"\u10d4\u10db\u10dd\u10ef\u10d8\u10d4\u10d1\u10d8 \u10d5\u10d4\u10e0 \u10e9\u10d0\u10d8\u10e2\u10d5\u10d8\u10e0\u10d7\u10d0","People":"\u10ee\u10d0\u10da\u10ee\u10d8","Animals and Nature":"\u10ea\u10ee\u10dd\u10d5\u10d4\u10da\u10d4\u10d1\u10d8 \u10d3\u10d0 \u10d1\u10e3\u10dc\u10d4\u10d1\u10d0","Food and Drink":"\u1ca1\u10d0\u10d9\u10d5\u10d4\u10d1\u10d8 \u10d3\u10d0 \u10e1\u10d0\u10e1\u10db\u10d4\u10da\u10d8","Activity":"\u10d0\u10e5\u10e2\u10d8\u10d5\u10dd\u10d1\u10d0","Travel and Places":"\u10db\u10dd\u10d2\u10d6\u10d0\u10e3\u10e0\u10dd\u10d1\u10d0 \u10d3\u10d0 \u10d0\u10d3\u10d2\u10d8\u10da\u10d4\u10d1\u10d8","Objects":"\u10dd\u10d1\u10d8\u10d4\u10e5\u10e2\u10d4\u10d1\u10d8","Flags":"\u10d3\u10e0\u10dd\u10e8\u10d4\u10d1\u10d8","Characters":"\u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd\u10d4\u10d1\u10d8","Characters (no spaces)":"\u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd\u10d4\u10d1\u10d8 (\u10d8\u10dc\u10e2\u10d4\u10e0\u10d5\u10d0\u10da\u10d4\u10d1\u10d8\u10e1 \u10d2\u10d0\u10e0\u10d4\u10e8\u10d4)","{0} characters":"{0} \u10e1\u10d8\u10db\u10d1\u10dd\u10da\u10dd\u10d4\u10d1\u10d8","Error: Form submit field collision.":"\u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0: \u10e4\u10dd\u10e0\u10db\u10d8\u10e1 \u10d2\u10d0\u10d2\u10d6\u10d0\u10d5\u10dc\u10d8\u10e1 \u10d5\u10d4\u10da\u10d8\u10e1 \u10e8\u10d4\u10ef\u10d0\u10ee\u10d4\u10d1\u10d0.","Error: No form element found.":"\u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0: \u10e4\u10dd\u10e0\u10db\u10d8\u10e1 \u10d4\u10da\u10d4\u10db\u10d4\u10dc\u10e2\u10d8 \u10d5\u10d4\u10e0 \u10db\u10dd\u10d8\u10eb\u10d4\u10d1\u10dc\u10d0.","Color swatch":"\u10e4\u10d4\u10e0\u10d8\u10e1 \u10dc\u10d8\u10db\u10e3\u10e8\u10d8","Color Picker":"\u10e4\u10d4\u10e0\u10d4\u10d1\u10d8\u10e1 \u10d0\u10db\u10dd\u10db\u10e0\u10e9\u10d4\u10d5\u10d4\u10da\u10d8","Invalid hex color code: {0}":"\u10d0\u10e0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d8 \u10d7\u10d4\u10e5\u10d5\u10e1\u10db\u10d4\u10e2\u10dd\u10d1\u10d8\u10d7\u10d8 \u10e4\u10d4\u10e0\u10d8\u10e1 \u10d9\u10dd\u10d3\u10d8: {0}","Invalid input":"\u10d0\u10e0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d8 \u10e8\u10d4\u10e7\u10d5\u10d0\u10dc\u10d0","R":"\u10ec","Red component":"\u10ec\u10d8\u10d7\u10d4\u10da\u10d8 \u10d9\u10dd\u10db\u10de\u10dd\u10dc\u10d4\u10dc\u10e2\u10d8","G":"\u10db","Green component":"\u10db\u10ec\u10d5\u10d0\u10dc\u10d4 \u10d9\u10dd\u10db\u10de\u10dd\u10dc\u10d4\u10dc\u10e2\u10d8","B":"\u10da","Blue component":"\u10da\u10e3\u10e0\u10ef\u10d8 \u10d9\u10dd\u10db\u10de\u10dd\u10dc\u10d4\u10dc\u10e2\u10d8","#":"#","Hex color code":"Hex \u10e4\u10d4\u10e0\u10d8\u10e1 \u10d9\u10dd\u10d3\u10d8","Range 0 to 255":"\u10d3\u10d8\u10d0\u10de\u10d0\u10d6\u10dd\u10dc\u10d8 0-\u10d3\u10d0\u10dc 255-\u10db\u10d3\u10d4","Turquoise":"\u10e4\u10d8\u10e0\u10e3\u10d6\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Green":"\u10db\u10ec\u10d5\u10d0\u10dc\u10d4","Blue":"\u10da\u10e3\u10e0\u10ef\u10d8","Purple":"\u10d8\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Navy Blue":"\u1c9b\u10e3\u10e5\u10d8 \u10da\u10e3\u10e0\u10ef\u10d8","Dark Turquoise":"\u10db\u10e3\u10e5\u10d8 \u10e4\u10d8\u10e0\u10e3\u10d6\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Dark Green":"\u1c9b\u10e3\u10e5\u10d8 \u10db\u10ec\u10d5\u10d0\u10dc\u10d4","Medium Blue":"\u10e1\u10d0\u10e8\u10e3\u10d0\u10da\u10dd \u10da\u10e3\u10e0\u10ef\u10d8","Medium Purple":"\u10e1\u10d0\u10e8\u10e3\u10d0\u10da\u10dd \u10d8\u10d0\u10e1\u10d0\u10db\u10dc\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Midnight Blue":"\u10eb\u10d0\u10da\u10d8\u10d0\u10dc \u10db\u10e3\u10e5\u10d8 \u10da\u10e3\u10e0\u10ef\u10d8","Yellow":"\u10e7\u10d5\u10d8\u10d7\u10d4\u10da\u10d8","Orange":"\u10dc\u10d0\u10e0\u10d8\u10dc\u10ef\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Red":"\u10ec\u10d8\u10d7\u10d4\u10da\u10d8","Light Gray":"\u10e6\u10d8\u10d0 \u10dc\u10d0\u10ea\u10e0\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Gray":"\u10e0\u10e3\u10ee\u10d8","Dark Yellow":"\u10db\u10e3\u10e5\u10d8 \u10e7\u10d5\u10d8\u10d7\u10d4\u10da\u10d8","Dark Orange":"\u10db\u10e3\u10e5\u10d8 \u10dc\u10d0\u10e0\u10d8\u10dc\u10ef\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Dark Red":"\u1c9b\u10e3\u10e5\u10d8 \u10ec\u10d8\u10d7\u10d4\u10da\u10d8","Medium Gray":"\u10e1\u10d0\u10e8\u10e3\u10d0\u10da\u10dd \u10dc\u10d0\u10ea\u10e0\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Dark Gray":"\u1c9b\u10e3\u10e5\u10d8 \u10dc\u10d0\u10ea\u10e0\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Light Green":"\u10e6\u10d8\u10d0 \u10db\u10ec\u10d5\u10d0\u10dc\u10d4","Light Yellow":"\u10e6\u10d8\u10d0 \u10e7\u10d5\u10d8\u10d7\u10d4\u10da\u10d8","Light Red":"\u10e6\u10d8\u10d0 \u10ec\u10d8\u10d7\u10d4\u10da\u10d8","Light Purple":"\u10e6\u10d8\u10d0 \u10d8\u10d0\u10e1\u10d0\u10db\u10dc\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Light Blue":"\u10e6\u10d8\u10d0 \u10da\u10e3\u10e0\u10ef\u10d8","Dark Purple":"\u1c9b\u10e3\u10e5\u10d8 \u10d8\u10d8\u10e1\u10e4\u10d4\u10e0\u10d8","Dark Blue":"\u1c9b\u10e3\u10e5\u10d8 \u10da\u10e3\u10e0\u10ef\u10d8","Black":"\u10e8\u10d0\u10d5\u10d8","White":"\u10d7\u10d4\u10d7\u10e0\u10d8","Switch to or from fullscreen mode":"\u10e1\u10e0\u10e3\u10da\u10d4\u10d9\u10e0\u10d0\u10dc\u10d8\u10d0\u10dc\u10d8 \u10e0\u10d4\u10df\u10d8\u10db\u10d8\u10e1 \u10ea\u10d5\u10da\u10d8\u10da\u10d4\u10d1\u10d0","Open help dialog":"\u10d3\u10d0\u10ee\u10db\u10d0\u10e0\u10d4\u10d1\u10d8\u10e1 \u10d3\u10d8\u10d0\u10da\u10dd\u10d2\u10d8\u10e1 \u10d2\u10d0\u10ee\u10e1\u10dc\u10d0","history":"\u10d8\u10e1\u10e2\u10dd\u10e0\u10d8\u10d0","styles":"\u10e1\u10e2\u10d8\u10da\u10d4\u10d1\u10d8","formatting":"\u10e4\u10dd\u10e0\u10db\u10d0\u10e2\u10d8\u10e0\u10d4\u10d1\u10d0","alignment":"\u10e1\u10ec\u10dd\u10e0\u10d4\u10d1\u10d0","indentation":"\u10e9\u10d0\u10e6\u10e0\u10db\u10d0\u10d5\u10d4\u10d1\u10d0","Font":"\u10e4\u10dd\u10dc\u10e2\u10d8","Size":"\u10d6\u10dd\u10db\u10d0","More...":"\u10db\u10d4\u10e2\u10d8...","Select...":"\u10db\u10dd\u10dc\u10d8\u10e8\u10dc\u10d4\u10d7...","Preferences":"\u10de\u10e0\u10d4\u10e4\u10d4\u10e0\u10d4\u10dc\u10ea\u10d8\u10d4\u10d1\u10d8","Yes":"\u10d3\u10d8\u10d0\u10ee","No":"\u10d0\u10e0\u10d0","Keyboard Navigation":"\u10d9\u10da\u10d0\u10d5\u10d8\u10d0\u10e2\u10e3\u10e0\u10d8\u10e1 \u10dc\u10d0\u10d5\u10d8\u10d2\u10d0\u10ea\u10d8\u10d0","Version":"\u10d5\u10d4\u10e0\u10e1\u10d8\u10d0","Code view":"\u10d9\u10dd\u10d3\u10d8\u10e1 \u10d3\u10d0\u10d7\u10d5\u10d0\u10da\u10d8\u10d4\u10e0\u10d4\u10d1\u10d0","Open popup menu for split buttons":"\u10d2\u10d0\u10ee\u10e1\u10d4\u10dc\u10d8\u10d7 \u10d0\u10db\u10dd\u10db\u10ee\u10e2\u10d0\u10e0\u10d8 \u10db\u10d4\u10dc\u10d8\u10e3 \u10d2\u10d0\u10e7\u10dd\u10e4\u10d8\u10e1 \u10e6\u10d8\u10da\u10d0\u10d9\u10d4\u10d1\u10d8\u10e1\u10d7\u10d5\u10d8\u10e1","List Properties":"\u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8\u10e1 \u10e1\u10d8\u10d0","List properties...":"\u10d7\u10d5\u10d8\u10e1\u10d4\u10d1\u10d4\u10d1\u10d8\u10e1 \u10e1\u10d8\u10d0...","Start list at number":"\u10e1\u10d8\u10d8\u10e1 \u10d3\u10d0\u10ec\u10e7\u10d4\u10d1\u10d0 \u10dc\u10dd\u10db\u10d4\u10e0\u10d6\u10d4","Line height":"\u10e1\u10e2\u10e0\u10d8\u10e5\u10dd\u10dc\u10d8\u10e1 \u10e1\u10d8\u10db\u10d0\u10e6\u10da\u10d4","Dropped file type is not supported":"\u10e9\u10d0\u10d2\u10d3\u10d4\u10d1\u10e3\u10da\u10d8 \u10e4\u10d0\u10d8\u10da\u10d8\u10e1 \u10e2\u10d8\u10de\u10d8 \u10d0\u10e0 \u10d0\u10e0\u10d8\u10e1 \u10db\u10ee\u10d0\u10e0\u10d3\u10d0\u10ed\u10d4\u10e0\u10d8\u10da\u10d8","Loading...":"\u10d8\u10e2\u10d5\u10d8\u10e0\u10d7\u10d4\u10d1\u10d0...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP \u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0: \u10db\u10dd\u10d7\u10ee\u10dd\u10d5\u10dc\u10d0 \u10e3\u10d0\u10e0\u10e7\u10dd\u10e4\u10d8\u10da\u10d8\u10d0","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP \u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0: \u10d5\u10d4\u10e0 \u10db\u10dd\u10d8\u10eb\u10d4\u10d1\u10dc\u10d0 Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP \u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0: \u10d0\u10e0\u10d0\u10e1\u10ec\u10dd\u10e0\u10d8 Image Proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP \u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0: \u10e3\u10ea\u10dc\u10dd\u10d1\u10d8 ImageProxy \u10e8\u10d4\u10ea\u10d3\u10dd\u10db\u10d0"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/kab.js b/deform/static/tinymce/langs/kab.js new file mode 100644 index 00000000..f55894ea --- /dev/null +++ b/deform/static/tinymce/langs/kab.js @@ -0,0 +1 @@ +tinymce.addI18n("kab",{"Redo":"Err-d","Undo":"Semmet","Cut":"Gzem","Copy":"N\u0263el","Paste":"Sente\u1e0d","Select all":"Fren kulec","New document":"Attaftar amaynut","Ok":"Ih","Cancel":"Semmet","Visual aids":"","Bold":"Tira tazurant","Italic":"Tira yeknan","Underline":"Aderrer","Strikethrough":"","Superscript":"","Subscript":"","Clear formatting":"","Remove":"","Align left":"Tarigla \u0263er zelma\u1e0d","Align center":"Di tlemast","Align right":"tarigla \u0263er zelma\u1e0d","No alignment":"","Justify":"","Bullet list":"Tabdart s tlillac","Numbered list":"Tabdart s wu\u1e6d\u1e6dunen","Decrease indent":"Simc\u1e6du\u1e25 asi\u1e93i","Increase indent":"Sim\u0263ur asi\u1e93i","Close":"Mdel","Formats":"Imasalen","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"","Headings":"Izewlen","Heading 1":"Inixf 1","Heading 2":"Inixf 2","Heading 3":"Inixf 3","Heading 4":"Inixf 4","Heading 5":"Inixf 5","Heading 6":"Inixf 6","Preformatted":"Yettwamsel si tazwara","Div":"","Pre":"","Code":"Tangalt","Paragraph":"taseddart","Blockquote":"Tanebdurt","Inline":"","Blocks":"I\u1e25edran","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"","Fonts":"Tisefsa","Font sizes":"","Class":"Asmil","Browse for an image":"Snirem iwakken ad tferne\u1e0d tugna","OR":"Ih","Drop an image here":"Ssers tugna dagi","Upload":"Sili","Uploading image":"","Block":"Sew\u1e25el","Align":"Settef","Default":"Lex\u1e63as","Circle":"Tawinest","Disc":"A\u1e0debsi","Square":"Amku\u1e93","Lower Alpha":"Alpha ame\u1e93yan","Lower Greek":"Grik ame\u1e93yan","Lower Roman":"Ruman amectu\u1e25","Upper Alpha":"Alfa ameqran","Upper Roman":"Ruman ameqran","Anchor...":"Tamdeyt...","Anchor":"","Name":"Isem","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"Ibeddilen ur twaskelsen ara teb\u0263i\u1e0d ad teff\u0263e\u1e0d ?","Restore last draft":"","Special character...":"Isekkilen uzzigen...","Special Character":"","Source code":"Tangalt ta\u0263balut","Insert/Edit code sample":"Ger/\u1e92reg tangalt n umedya","Language":"Tutlayt","Code sample...":"Amedya n tengalt...","Left to right":"Seg zelma\u1e0d \u0263er yefus","Right to left":"Seg yefus \u0263er zelma\u1e0d","Title":"Azwel","Fullscreen":"Agdil a\u010duran","Action":"Tigawt","Shortcut":"Anegzum","Help":"Tallalt","Address":"Tansa","Focus to menubar":"Asa\u1e0des \u0263ef tfeggagt n wumu\u0263","Focus to toolbar":"Asa\u1e0des \u0263ef tfeggagt n ifecka","Focus to element path":"Asa\u1e0des \u0263ef ubrid n uferdis","Focus to contextual toolbar":"Asa\u1e0des \u0263ef tfeggagt n ifecka tanattalt","Insert link (if link plugin activated)":"Ger ase\u0263wen (ma yermed uzegrir n use\u0263wen)","Save (if save plugin activated)":"Sekles (ma yermed uzegrir save)","Find (if searchreplace plugin activated)":"Nadi (ma yermed uzegrir searchreplace)","Plugins installed ({0}):":"Izegriren yettwasbedden ({0}):","Premium plugins:":"Izegriren premium :","Learn more...":"\u1e92er ugar...","You are using {0}":"Tsseqdace\u1e0d {0}","Plugins":"Isi\u0263zifen","Handy Shortcuts":"Inegzumen","Horizontal line":"Ajerri\u1e0d aglawan","Insert/edit image":"Ger/\u1e92reg tugna","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"A\u0263balu","Dimensions":"Tisekta","Constrain proportions":"","General":"Amatu","Advanced":"Ana\u1e93i","Style":"A\u0263anib","Vertical space":"Talunt taratakt","Horizontal space":"Talunt taglawant","Border":"Iri","Insert image":"Ger tugna","Image...":"Tugna...","Image list":"Tabdart n tugniwin","Resize":"Beddel tiddi","Insert date/time":"Ger azemz/asrag","Date/time":"Azemz/Asrag","Insert/edit link":"Ger/\u1e93reg azday","Text to display":"A\u1e0dris ara yettwabeqq\u1e0den","Url":"","Open link in...":"Ldi as\u0263en di...","Current window":"Asfaylu amiran","None":"Ulac","New window":"Asfaylu amaynut","Open link":"Ldi ase\u0263wen","Remove link":"Kkes azday","Anchors":"Timdyin","Link...":"As\u0263en...","Paste or type a link":"Sente\u1e0d ne\u0263 sekcem ase\u0263wen","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL i teskecme\u1e0d tettban-d d tansa email. teb\u0263i\u1e0d ad s-ternu\u1e0d azwir mailto : ?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL i teskecme\u1e0d tettban-d d azday uffi\u0263. Teb\u0263i\u1e0d ad s-ternu\u1e0d azwir http:// ?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Tabdart n is\u0263ewnen","Insert video":"Ger avidyu","Insert/edit video":"Ger/\u1e93reg avidyu","Insert/edit media":"Ger/\u1e92reg amiya","Alternative source":"A\u0263balu amlellay","Alternative source URL":"A\u0263balu n URL amlellay","Media poster (Image URL)":"Abeqqi\u1e0d n umidya (URL n tugna)","Paste your embed code below:":"","Embed":"","Media...":"Amidya...","Nonbreaking space":"Talunt ur nettwagzam ara","Page break":"Angaz n usebter","Paste as text":"Sente\u1e0d d a\u1e0dris","Preview":"Sken","Print":"","Print...":"Siggez...","Save":"Sekles","Find":"Nadi","Replace with":"Semselsi s","Replace":"Semselsi","Replace all":"Semselsi kulec","Previous":"Uzwir","Next":"Win \u0263ers","Find and Replace":"","Find and replace...":"Nadi semselsi...","Could not find the specified string.":"Ur d-nufi ara azrar i d-yettunefken.","Match case":"","Find whole words only":"Af-d awal ummid kan","Find in selection":"Af-d di tefrayt","Insert table":"Ger tafelwit","Table properties":"Iraten n tfelwit","Delete table":"Kkes tafelwit","Cell":"Taxxamt","Row":"Adur","Column":"Tagejdit","Cell properties":"Iraten n texxamt","Merge cells":"Seddukel tixxamin","Split cell":"B\u1e0du tixxamin","Insert row before":"Ger adur deffir","Insert row after":"Ger adur sdat","Delete row":"Kkes tagejdit","Row properties":"Iraten n udur","Cut row":"Gzem adur","Cut column":"","Copy row":"N\u0263el adur","Copy column":"","Paste row before":"Sente\u1e0d adur sdat","Paste column before":"","Paste row after":"Sente\u1e0d adur deffir","Paste column after":"","Insert column before":"Sente\u1e0d tagejdit sdat","Insert column after":"Sente\u1e0d tagejdit deffir","Delete column":"Kkes tagejdit","Cols":"Tigejda","Rows":"Aduren","Width":"Tehri","Height":"Te\u0263zi","Cell spacing":"Tlunt ger texxamin","Cell padding":"Tama n texxamt","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"","Show caption":"Sken taw\u1e6d\u1e6dfa","Left":"\u0194er zelma\u1e0d","Center":"Di tlemmast","Right":"\u0194er yefus","Cell type":"Anaw n texxamt","Scope":"","Alignment":"Tarigla","Horizontal align":"","Vertical align":"","Top":"Uksawen","Middle":"Di tlemmast","Bottom":"Uksar","Header cell":"Tasen\u1e6di\u1e0dt n texxamt","Row group":"Agraw n waduren","Column group":"Agraw n tgejda","Row type":"Anaw n wadur","Header":"Tasenti\u1e0dt","Body":"Tafka","Footer":"A\u1e0dar","Border color":"Ini n yiri","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Ger tane\u0263ruft...","Templates":"Timudimin","Template":"Tine\u0263rufin","Insert Template":"","Text color":"Ini n u\u1e0dris","Background color":"Ini n ugilal","Custom...":"","Custom color":"","No color":"Ulac ini","Remove color":"Kkes ini","Show blocks":"Beqqe\u1e0d i\u1e25edran","Show invisible characters":"Beqqe\u1e0d isekkilen uffiren","Word count":"Am\u1e0dan n wawalen","Count":"A\u0263rud","Document":"Isemli","Selection":"Tafrayt","Words":"Awalen","Words: {0}":"","{0} words":"{0} n wawalen","File":"Afaylu","Edit":"\u1e92reg","Insert":"Ger","View":"Tamu\u0263li","Format":"Amasal","Table":"Tafelwit","Tools":"Ifecka","Powered by {0}":"Iteddu s {0} ","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"","Image title":"Azwel n tugna","Border width":"Tehri n yiri","Border style":"A\u0263anib n yiri","Error":"Tucc\u1e0da","Warn":"\u0190eyyen","Valid":"Ame\u0263tu","To open the popup, press Shift+Enter":"Iwakken ad teldi\u1e0d asfaylu udhim, ssed Shift+Kcem","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Ta\u0263zut n u\u1e0dris anesba\u0263ur. Ssed ALT-0 i tallelt.","System Font":"Anagraw n tsefsa","Failed to upload image: {0}":"Tucc\u1e0da deg usili n tugna: {0}","Failed to load plugin: {0} from url {1}":"Tucc\u1e0da deg usili n usi\u0263zef: {0} seg url {1}","Failed to load plugin url: {0}":"Tucc\u1e0da deg usali n usi\u0263zef: {0}","Failed to initialize plugin: {0}":"Tucc\u1e0da deg wallus n uwennez n usi\u0263zef: {0}","example":"amedya","Search":"Nadi","All":"Akk","Currency":"Adrim","Text":"A\u1e0dris","Quotations":"Tinebdurin","Mathematical":"Inemhalen usnaken","Extended Latin":"Talatinit ye\u1e93len","Symbols":"Izamulen","Arrows":"Tineccabin","User Defined":"Yesbadu-t useqdac","dollar sign":"Azamul n dular","currency sign":"Azamul n wedrim","euro-currency sign":"azamul n euro","colon sign":"azamul n kulun","cruzeiro sign":"azamul n krutayru","french franc sign":"azamul n f\u1e5bank afransi","lira sign":"azamul n lira","mill sign":"azamul n mil","naira sign":"azamul n nayra","peseta sign":"azamul n pizi\u1e6da","rupee sign":"azamul n urupi","won sign":"azamul n wun","new sheqel sign":"azamul n ciqel amaynut","dong sign":"azamul n dung","kip sign":"azamul n kip","tugrik sign":"azamul n tugrik","drachma sign":"azamul n d\u1e5bacma","german penny symbol":"azamul n pini almani","peso sign":"azamul n pizu","guarani sign":"azamul n gwa\u1e5bani","austral sign":"azamul n ustral","hryvnia sign":"azamul n hrivniya","cedi sign":"azamul n siddi","livre tournois sign":"azamul lira aturnwa","spesmilo sign":"azamul n spismilu","tenge sign":"azamul n tingi","indian rupee sign":"azamul n urupi ahindi","turkish lira sign":"azamul n lira a\u1e6durki","nordic mark sign":"azamul n ma\u1e5bk n ugafa","manat sign":"azamul n mana\u1e6d","ruble sign":"azamul n rubl","yen character":"azamul n yan","yuan character":"azamul n yuwan","yuan character, in hong kong and taiwan":"asekkil n yuwan, di hunkung akked \u1e6daywan","yen/yuan character variant one":"yan/yuwan tasenfelt n usekkil yiwen","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"L\u0263aci","Animals and Nature":"i\u0263ersiwen akked ugama","Food and Drink":"Tu\u010d\u010dit akked tisit","Activity":"Armud","Travel and Places":"Asikel akked ime\u1e0dqan","Objects":"Ti\u0263awsiwin","Flags":"Annayen","Characters":"Isekkilen","Characters (no spaces)":"Isekkilen (tallunin ur ttekkint ara)","{0} characters":"{0} n yisekkilen","Error: Form submit field collision.":"Tucc\u1e0da: amgirred n wurtan di tuzzna n tferkit.","Error: No form element found.":"Ulac aferdis n tferkit i yettwafen.","Color swatch":"Talemmict n yini","Color Picker":"Amelqa\u1e0d n yini","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"Ajenjari","Green":"Azegzaw","Blue":"Anili","Purple":"Amidadi","Navy Blue":"Anili n yilel","Dark Turquoise":"Ajenjari a\u0263mayan","Dark Green":"Azegzaw a\u0263mayan","Medium Blue":"Anili alemmas","Medium Purple":"Amidadi alemmas","Midnight Blue":"Anili n yi\u1e0d","Yellow":"Awra\u0263","Orange":"A\u010d\u010dinawi","Red":"Azegga\u0263","Light Gray":"Amelli\u0263di afaw","Gray":"Amelli\u0263di","Dark Yellow":"Awra\u0263 a\u0263mayan","Dark Orange":"A\u010dinawi a\u0263mayan","Dark Red":"Azegga\u0263 a\u0263mayan","Medium Gray":"Amelli\u0263di alemmas","Dark Gray":"Amelli\u0263di a\u0263mayan","Light Green":"Azegzaw afaw","Light Yellow":"Awra\u0263 afaw","Light Red":"Azegga\u0263 afaw","Light Purple":"Amidadi afaw","Light Blue":"Anili afaw","Dark Purple":"Amidadi a\u0263mayan","Dark Blue":"Anili a\u0263mayan","Black":"Aberkan","White":"Amellal","Switch to or from fullscreen mode":"Kcem ne\u0263 ffe\u0263 agdil a\u010d\u010duran","Open help dialog":"Ldi tankult n udiwenni n tallelt","history":"Amazray","styles":"i\u0263unab","formatting":"amsal","alignment":"aderrec","indentation":"asi\u1e93i","Font":"Tasefsit","Size":"Tiddi","More...":"Ugar...","Select...":"Fren...","Preferences":"Imenyafen","Yes":"Ih","No":"Ala","Keyboard Navigation":"Tunigin s unasiw","Version":"Lqem","Code view":"Abeqqe\u1e0d n tengalt","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/kk.js b/deform/static/tinymce/langs/kk.js new file mode 100644 index 00000000..f4cfd780 --- /dev/null +++ b/deform/static/tinymce/langs/kk.js @@ -0,0 +1 @@ +tinymce.addI18n("kk",{"Redo":"\u049a\u0430\u0439\u0442\u0430\u0440\u0443","Undo":"\u0411\u043e\u043b\u0434\u044b\u0440\u043c\u0430\u0443","Cut":"\u049a\u0438\u044b\u043f \u0430\u043b\u0443","Copy":"\u041a\u04e9\u0448\u0456\u0440\u0443","Paste":"\u049a\u043e\u044e","Select all":"\u0411\u0430\u0440\u043b\u044b\u0493\u044b\u043d \u0442\u0430\u04a3\u0434\u0430\u0443","New document":"\u0416\u0430\u04a3\u0430 \u049b\u04b1\u0436\u0430\u0442","Ok":"\u041e\u041a","Cancel":"\u0411\u0430\u0441 \u0442\u0430\u0440\u0442\u0443","Visual aids":"\u041a\u04e9\u0440\u043d\u0435\u043a\u0456 \u049b\u04b1\u0440\u0430\u043b\u0434\u0430\u0440","Bold":"\u049a\u0430\u043b\u044b\u04a3","Italic":"\u041a\u04e9\u043b\u0431\u0435\u0443","Underline":"\u0410\u0441\u0442\u044b \u0441\u044b\u0437\u044b\u043b\u0493\u0430\u043d","Strikethrough":"\u0421\u044b\u0437\u044b\u043b\u0493\u0430\u043d","Superscript":"\u0416\u043e\u043b \u04af\u0441\u0442\u0456","Subscript":"\u0416\u043e\u043b \u0430\u0441\u0442\u044b","Clear formatting":"\u041f\u0456\u0448\u0456\u043c\u0434\u0435\u0443\u0434\u0456 \u0442\u0430\u0437\u0430\u043b\u0430\u0443","Remove":"\u04e8\u0448\u0456\u0440\u0443","Align left":"\u0421\u043e\u043b\u0493\u0430 \u0442\u0443\u0440\u0430\u043b\u0430\u0443","Align center":"\u041e\u0440\u0442\u0430\u0441\u044b\u043d\u0430 \u0442\u0443\u0440\u0430\u043b\u0430\u0443","Align right":"\u041e\u04a3\u0493\u0430 \u0442\u0443\u0440\u0430\u043b\u0430\u0443","No alignment":"\u0422\u0435\u0433\u0456\u0441\u0442\u0435\u0443\u0441\u0456\u0437","Justify":"\u0415\u043d\u0456 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0442\u0443\u0440\u0430\u043b\u0430\u0443","Bullet list":"\u0422\u0430\u04a3\u0431\u0430\u043b\u0430\u043d\u0493\u0430\u043d \u0442\u0456\u0437\u0456\u043c","Numbered list":"\u041d\u04e9\u043c\u0456\u0440\u043b\u0435\u043d\u0433\u0435\u043d \u0442\u0456\u0437\u0456\u043c","Decrease indent":"\u0428\u0435\u0433\u0456\u043d\u0456\u0441\u0442\u0456 \u043a\u0435\u043c\u0456\u0442\u0443","Increase indent":"\u0428\u0435\u0433\u0456\u043d\u0456\u0441\u0442\u0456 \u0430\u0440\u0442\u0442\u044b\u0440\u0443","Close":"\u0416\u0430\u0431\u0443","Formats":"\u041f\u0456\u0448\u0456\u043c\u0434\u0435\u0440","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0411\u0440\u0430\u0443\u0437\u0435\u0440\u0456\u04a3\u0456\u0437 \u0430\u0440\u0430\u043b\u044b\u049b \u0441\u0430\u049b\u0442\u0430\u0493\u044b\u0448\u049b\u0430 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u049b\u0430\u0442\u044b\u043d\u0430\u0439 \u0430\u043b\u043c\u0430\u0439\u0434\u044b. Ctrl+X/C/V \u043f\u0435\u0440\u043d\u0435\u043b\u0435\u0440 \u0442\u0456\u0440\u043a\u0435\u0441\u0456\u043c\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.","Headings":"\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u0430\u0440","Heading 1":"1-\u0442\u0430\u049b\u044b\u0440\u044b\u043f","Heading 2":"2-\u0442\u0430\u049b\u044b\u0440\u044b\u043f","Heading 3":"3-\u0442\u0430\u049b\u044b\u0440\u044b\u043f","Heading 4":"4-\u0442\u0430\u049b\u044b\u0440\u044b\u043f","Heading 5":"5-\u0442\u0430\u049b\u044b\u0440\u044b\u043f","Heading 6":"6-\u0442\u0430\u049b\u044b\u0440\u044b\u043f","Preformatted":"\u0410\u043b\u0434\u044b\u043d \u0430\u043b\u0430 \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u043b\u0433\u0435\u043d","Div":"","Pre":"","Code":"\u041a\u043e\u0434","Paragraph":"\u041f\u0430\u0440\u0430\u0433\u0440\u0430\u0444","Blockquote":"\u0414\u04d9\u0439\u0435\u043a\u0441\u04e9\u0437","Inline":"\u041a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u043b\u0433\u0435\u043d","Blocks":"\u0411\u043b\u043e\u043a\u0442\u0430\u0440","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u049a\u043e\u044e \u0435\u043d\u0434\u0456 \u043a\u04d9\u0434\u0456\u043c\u0433\u0456 \u043c\u04d9\u0442\u0456\u043d \u0440\u0435\u0436\u0438\u043c\u0456\u043d\u0434\u0435 \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u0439\u0434\u0456. \u041e\u0441\u044b \u043e\u043f\u0446\u0438\u044f \u04e9\u0448\u0456\u0440\u0456\u043b\u0433\u0435\u043d\u0448\u0435, \u0430\u0440\u0430\u043b\u044b\u049b \u0441\u0430\u049b\u0442\u0430\u0493\u044b\u0448\u0442\u0430\u0493\u044b \u043c\u04d9\u0442\u0456\u043d \u043a\u04d9\u0434\u0456\u043c\u0433\u0456 \u043c\u04d9\u0442\u0456\u043d \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u049b\u043e\u0439\u044b\u043b\u0430\u0434\u044b.","Fonts":"\u049a\u0430\u0440\u0456\u043f\u0442\u0435\u0440","Font sizes":"\u049a\u0430\u0440\u0456\u043f \u04e9\u043b\u0448\u0435\u043c\u0456","Class":"\u0421\u044b\u043d\u044b\u043f","Browse for an image":"\u041a\u0435\u0441\u043a\u0456\u043d\u0434\u0456 \u0448\u043e\u043b\u0443","OR":"\u041d\u0415\u041c\u0415\u0421\u0415","Drop an image here":"\u041a\u0435\u0441\u043a\u0456\u043d\u0434\u0456 \u043e\u0441\u044b \u0436\u0435\u0440\u0434\u0435 \u0442\u0430\u0441\u0442\u0430\u04a3\u044b\u0437","Upload":"\u0416\u04af\u043a\u0442\u0435\u043f \u0441\u0430\u043b\u0443","Uploading image":"\u0421\u0443\u0440\u0435\u0442 \u0436\u04af\u043a\u0442\u0435\u043b\u0443\u0434\u0435","Block":"\u0411\u043b\u043e\u043a","Align":"\u0422\u0443\u0440\u0430\u043b\u0430\u0443","Default":"\u04d8\u0434\u0435\u043f\u043a\u0456","Circle":"\u0428\u0435\u04a3\u0431\u0435\u0440","Disc":"\u0414\u04e9\u04a3\u0433\u0435\u043b\u0435\u043a","Square":"\u0428\u0430\u0440\u0448\u044b","Lower Alpha":"\u041a\u0456\u0448\u0456 \u043b\u0430\u0442\u044b\u043d \u04d9\u0440\u0456\u043f\u0442\u0435\u0440\u0456","Lower Greek":"\u041a\u0456\u0448\u0456 \u0433\u0440\u0435\u043a \u04d9\u0440\u0456\u043f\u0442\u0435\u0440\u0456","Lower Roman":"\u041a\u0456\u0448\u0456 \u0420\u0438\u043c \u0441\u0430\u043d\u0434\u0430\u0440\u044b","Upper Alpha":"\u0411\u0430\u0441 \u043b\u0430\u0442\u044b\u043d \u04d9\u0440\u0456\u043f\u0442\u0435\u0440\u0456","Upper Roman":"\u0411\u0430\u0441 \u0420\u0438\u043c \u0441\u0430\u043d\u0434\u0430\u0440\u044b","Anchor...":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435...","Anchor":"","Name":"\u0410\u0442\u0430\u0443","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\u0421\u0430\u049b\u0442\u0430\u043b\u043c\u0430\u0493\u0430\u043d \u04e9\u0437\u0433\u0435\u0440\u0456\u0441\u0442\u0435\u0440 \u0431\u0430\u0440. \u0421\u0456\u0437 \u0448\u044b\u043d\u044b\u043c\u0435\u043d \u0431\u0430\u0441\u049b\u0430 \u0436\u0435\u0440\u0433\u0435 \u043a\u0435\u0442\u0443\u0434\u0456 \u049b\u0430\u043b\u0430\u0439\u0441\u044b\u0437 \u0431\u0430?","Restore last draft":"\u0421\u043e\u04a3\u0493\u044b \u0441\u0430\u049b\u0442\u0430\u043b\u0493\u0430\u043d \u0436\u043e\u0431\u0430 \u0436\u0430\u0437\u0431\u0430\u043d\u044b \u049b\u0430\u043b\u043f\u044b\u043d\u0430 \u043a\u0435\u043b\u0442\u0456\u0440\u0443","Special character...":"\u0410\u0440\u043d\u0430\u0439\u044b \u0442\u0430\u04a3\u0431\u0430...","Special Character":"","Source code":"\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u043a\u043e\u0434","Insert/Edit code sample":"\u041a\u043e\u0434 \u04af\u043b\u0433\u0456\u0441\u0456\u043d \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443/\u04e9\u04a3\u0434\u0435\u0443","Language":"\u0422\u0456\u043b","Code sample...":"\u041a\u043e\u0434 \u04af\u043b\u0433\u0456\u0441\u0456...","Left to right":"\u0421\u043e\u043b\u0434\u0430\u043d \u043e\u04a3\u0493\u0430","Right to left":"\u041e\u04a3\u043d\u0430\u043d \u0441\u043e\u043b\u0493\u0430","Title":"\u0422\u0430\u049b\u044b\u0440\u044b\u043f","Fullscreen":"\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d","Action":"\u04d8\u0440\u0435\u043a\u0435\u0442","Shortcut":"\u041f\u0435\u0440\u043d\u0435\u043b\u0435\u0440 \u0442\u0456\u0440\u043a\u0435\u0441\u0456\u043c\u0456","Help":"\u0410\u043d\u044b\u049b\u0442\u0430\u043c\u0430","Address":"\u041c\u0435\u043a\u0435\u043d\u0436\u0430\u0439","Focus to menubar":"\u041c\u04d9\u0437\u0456\u0440 \u0436\u043e\u043b\u0430\u0493\u044b\u043d \u0444\u043e\u043a\u0443\u0441\u0442\u0430\u0443","Focus to toolbar":"\u049a\u04b1\u0440\u0430\u043b\u0434\u0430\u0440 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d \u0444\u043e\u043a\u0443\u0441\u0442\u0430\u0443","Focus to element path":"\u042d\u043b\u0435\u043c\u0435\u043d\u0442 \u0436\u043e\u043b\u044b\u043d \u0444\u043e\u043a\u0443\u0441\u0442\u0430\u0443","Focus to contextual toolbar":"\u041c\u04d9\u0442\u0456\u043d\u043c\u04d9\u043d\u0434\u0456\u043a \u049b\u04b1\u0440\u0430\u043b\u0434\u0430\u0440 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d \u0444\u043e\u043a\u0443\u0441\u0442\u0430\u0443","Insert link (if link plugin activated)":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043d\u0456 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443 (\u0441\u0456\u043b\u0442\u0435\u043c\u0435 \u049b\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u0456 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0431\u043e\u043b\u0441\u0430)","Save (if save plugin activated)":"\u0421\u0430\u049b\u0442\u0430\u0443 (\u0441\u0430\u049b\u0442\u0430\u0443 \u049b\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u049b\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u0456 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0431\u043e\u043b\u0441\u0430)","Find (if searchreplace plugin activated)":"\u0422\u0430\u0431\u0443 (\u0456\u0437\u0434\u0435\u0443/\u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443 \u049b\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u0456 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u0440\u0456\u043b\u0433\u0435\u043d \u0431\u043e\u043b\u0441\u0430)","Plugins installed ({0}):":"\u041e\u0440\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u049b\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u044c\u0434\u0435\u0440 ({0}):","Premium plugins:":"\u041f\u0440\u0435\u043c\u0438\u0443\u043c \u049b\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u044c\u0434\u0435\u0440:","Learn more...":"\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440...","You are using {0}":"\u0421\u0456\u0437 {0} \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430\u0441\u044b\u0437","Plugins":"\u049a\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u044c\u0434\u0435\u0440","Handy Shortcuts":"\u042b\u04a3\u0493\u0430\u0439\u043b\u044b \u043f\u0435\u0440\u043d\u0435\u043b\u0435\u0440 \u0442\u0456\u0440\u043a\u0435\u0441\u0456\u043c\u0434\u0435\u0440\u0456","Horizontal line":"\u041a\u04e9\u043b\u0434\u0435\u043d\u0435\u04a3 \u0441\u044b\u0437\u044b\u049b","Insert/edit image":"\u041a\u0435\u0441\u043a\u0456\u043d\u0434\u0456 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443/\u04e9\u04a3\u0434\u0435\u0443","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"\u041a\u04e9\u0437","Dimensions":"\u04e8\u043b\u0448\u0435\u043c\u0434\u0435\u0440\u0456","Constrain proportions":"\u041f\u0440\u043e\u043f\u043e\u0440\u0446\u0438\u044f\u043b\u0430\u0440\u0434\u044b \u0441\u0430\u049b\u0442\u0430\u0443","General":"\u0416\u0430\u043b\u043f\u044b","Advanced":"\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d","Style":"\u041c\u04d9\u043d\u0435\u0440","Vertical space":"\u0422\u0456\u043a \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u043a","Horizontal space":"\u041a\u04e9\u043b\u0434\u0435\u043d\u0435\u04a3 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u043a","Border":"\u0416\u0438\u0435\u043a","Insert image":"\u041a\u0435\u0441\u043a\u0456\u043d\u0434\u0456 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Image...":"\u041a\u0435\u0441\u043a\u0456\u043d...","Image list":"\u041a\u0435\u0441\u043a\u0456\u043d\u0434\u0435\u0440 \u0442\u0456\u0437\u0456\u043c\u0456","Resize":"\u04e8\u043b\u0448\u0435\u043c\u0456\u043d \u04e9\u0437\u0433\u0435\u0440\u0442\u0443","Insert date/time":"\u041a\u04af\u043d/\u0443\u0430\u049b\u044b\u0442 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Date/time":"\u041a\u04af\u043d/\u0443\u0430\u049b\u044b\u0442","Insert/edit link":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443/\u04e9\u04a3\u0434\u0435\u0443","Text to display":"\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0442\u0456\u043d \u043c\u04d9\u0442\u0456\u043d","Url":"URL","Open link in...":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043d\u0456 \u0430\u0448\u0443...","Current window":"\u0410\u0493\u044b\u043c\u0434\u0430\u0493\u044b \u0442\u0435\u0440\u0435\u0437\u0435","None":"\u0416\u043e\u049b","New window":"\u0416\u0430\u04a3\u0430 \u0442\u0435\u0440\u0435\u0437\u0435","Open link":"","Remove link":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043d\u0456 \u0436\u043e\u044e","Anchors":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043b\u0435\u0440","Link...":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435...","Paste or type a link":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043d\u0456 \u049b\u043e\u0439\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0442\u0435\u0440\u0456\u04a3\u0456\u0437","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0421\u0456\u0437 \u0435\u04a3\u0433\u0456\u0437\u0433\u0435\u043d URL \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u0434\u044b\u049b \u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b \u0441\u0438\u044f\u049b\u0442\u044b. \u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 mailto: \u043f\u0440\u0435\u0444\u0438\u043a\u0441\u0456\u043d \u049b\u043e\u0441\u0443\u0434\u044b \u049b\u0430\u043b\u0430\u0439\u0441\u044b\u0437 \u0431\u0430?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0421\u0456\u0437 \u0435\u04a3\u0433\u0456\u0437\u0433\u0435\u043d URL \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b \u0441\u044b\u0440\u0442\u049b\u044b \u0441\u0456\u043b\u0442\u0435\u043c\u0435 \u0441\u0438\u044f\u049b\u0442\u044b. \u041c\u0456\u043d\u0434\u0435\u0442\u0442\u0456 http:// \u043f\u0440\u0435\u0444\u0438\u043a\u0441\u0456\u043d \u049b\u043e\u0441\u0443\u0434\u044b \u049b\u0430\u043b\u0430\u0439\u0441\u044b\u0437 \u0431\u0430?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043b\u0435\u0440 \u0442\u0456\u0437\u0456\u043c\u0456","Insert video":"\u0411\u0435\u0439\u043d\u0435 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Insert/edit video":"\u0411\u0435\u0439\u043d\u0435 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443/\u04e9\u04a3\u0434\u0435\u0443","Insert/edit media":"\u041c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443/\u04e9\u04a3\u0434\u0435\u0443","Alternative source":"\u0411\u0430\u043b\u0430\u043c\u0430\u043b\u044b \u043a\u04e9\u0437","Alternative source URL":"\u0411\u0430\u043b\u0430\u043c\u0430\u043b\u044b \u043a\u04e9\u0437\u0434\u0456\u04a3 URL \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b","Media poster (Image URL)":"\u041c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b\u0434\u044b \u0436\u0430\u0440\u0438\u044f\u043b\u0430\u0443\u0448\u044b (\u043a\u0435\u0441\u043a\u0456\u043d\u043d\u0456\u04a3 URL \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b)","Paste your embed code below:":"\u0422\u04e9\u043c\u0435\u043d\u0434\u0435 \u0435\u043d\u0434\u0456\u0440\u0443 \u043a\u043e\u0434\u044b\u043d \u049b\u043e\u0439\u044b\u04a3\u044b\u0437:","Embed":"\u0415\u043d\u0434\u0456\u0440\u0443","Media...":"\u041c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b...","Nonbreaking space":"\u04ae\u0437\u0434\u0456\u043a\u0441\u0456\u0437 \u0431\u043e\u0441 \u043e\u0440\u044b\u043d","Page break":"\u0411\u0435\u0442 \u04af\u0437\u0456\u043b\u0456\u043c\u0456","Paste as text":"\u041c\u04d9\u0442\u0456\u043d \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u049b\u043e\u044e","Preview":"\u0410\u043b\u0434\u044b\u043d \u0430\u043b\u0430 \u049b\u0430\u0440\u0430\u0443","Print":"","Print...":"\u0411\u0430\u0441\u044b\u043f \u0448\u044b\u0493\u0430\u0440\u0443...","Save":"\u0421\u0430\u049b\u0442\u0430\u0443","Find":"\u0422\u0430\u0431\u0443","Replace with":"\u0410\u0443\u044b\u0441\u0442\u044b\u0440\u0430\u0442\u044b\u043d \u043c\u04d9\u0442\u0456\u043d","Replace":"\u0410\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443","Replace all":"\u0411\u0430\u0440\u043b\u044b\u0493\u044b\u043d \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443","Previous":"\u0410\u043b\u0434\u044b\u04a3\u0493\u044b","Next":"\u041a\u0435\u043b\u0435\u0441\u0456","Find and Replace":"","Find and replace...":"\u0422\u0430\u0431\u0443 \u0436\u04d9\u043d\u0435 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443...","Could not find the specified string.":"\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0433\u0435\u043d \u0436\u043e\u043b\u0434\u044b \u0442\u0430\u0431\u0443 \u043c\u04af\u043c\u043a\u0456\u043d \u0431\u043e\u043b\u043c\u0430\u0434\u044b.","Match case":"\u0420\u0435\u0433\u0438\u0441\u0442\u0440\u0433\u0435 \u0441\u04d9\u0439\u043a\u0435\u0441","Find whole words only":"\u0422\u0435\u043a \u0431\u04af\u0442\u0456\u043d \u0441\u04e9\u0437\u0434\u0435\u0440\u0434\u0456 \u0442\u0430\u0431\u0443","Find in selection":"","Insert table":"\u041a\u0435\u0441\u0442\u0435 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Table properties":"\u041a\u0435\u0441\u0442\u0435 \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440\u044b","Delete table":"\u041a\u0435\u0441\u0442\u0435\u043d\u0456 \u0436\u043e\u044e","Cell":"\u04b0\u044f\u0448\u044b\u049b","Row":"\u049a\u0430\u0442\u0430\u0440","Column":"\u0411\u0430\u0493\u0430\u043d","Cell properties":"\u04b0\u044f\u0448\u044b\u049b \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440\u044b","Merge cells":"\u04b0\u044f\u0448\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0431\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u0443","Split cell":"\u04b0\u044f\u0448\u044b\u049b\u0442\u044b \u0431\u04e9\u043b\u0443","Insert row before":"\u04ae\u0441\u0442\u0456\u043d\u0435 \u0436\u043e\u043b \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Insert row after":"\u0410\u0441\u0442\u044b\u043d\u0430 \u0436\u043e\u043b \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Delete row":"\u0416\u043e\u043b\u0434\u044b \u0436\u043e\u044e","Row properties":"\u0416\u043e\u043b \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440\u044b","Cut row":"\u0416\u043e\u043b\u0434\u044b \u049b\u0438\u044b\u043f \u0430\u043b\u0443","Cut column":"","Copy row":"\u0416\u043e\u043b\u0434\u044b \u043a\u04e9\u0448\u0456\u0440\u0443","Copy column":"","Paste row before":"\u04ae\u0441\u0442\u0456\u043d\u0435 \u0436\u043e\u043b \u049b\u043e\u044e","Paste column before":"","Paste row after":"\u0410\u0441\u0442\u044b\u043d\u0430 \u0436\u043e\u044e \u049b\u043e\u044e","Paste column after":"","Insert column before":"\u0410\u043b\u0434\u044b\u043d\u0430 \u0431\u0430\u0493\u0430\u043d \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Insert column after":"\u0410\u0440\u0442\u044b\u043d\u0430 \u0431\u0430\u0493\u0430\u043d \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443","Delete column":"\u0411\u0430\u0493\u0430\u043d\u0434\u044b \u0436\u043e\u044e","Cols":"\u0411\u0430\u0493\u0430\u043d\u0434\u0430\u0440","Rows":"\u0416\u043e\u043b\u0434\u0430\u0440","Width":"\u0415\u043d\u0456","Height":"\u0411\u0438\u0456\u043a\u0442\u0456\u0433\u0456","Cell spacing":"\u04b0\u044f\u0448\u044b\u049b \u0430\u0440\u0430\u043b\u044b\u0493\u044b","Cell padding":"\u04b0\u044f\u0448\u044b\u049b \u043a\u0435\u04a3\u0434\u0456\u0433\u0456","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"\u0410\u0442\u0430\u0443\u044b","Show caption":"\u0416\u0430\u0437\u0431\u0430\u043d\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0443","Left":"\u0421\u043e\u043b \u0436\u0430\u049b","Center":"\u041e\u0440\u0442\u0430\u0441\u044b","Right":"\u041e\u04a3 \u0436\u0430\u049b","Cell type":"\u04b0\u044f\u0448\u044b\u049b \u0442\u04af\u0440\u0456","Scope":"\u0410\u0443\u049b\u044b\u043c","Alignment":"\u0422\u0443\u0440\u0430\u043b\u0430\u0443","Horizontal align":"","Vertical align":"","Top":"\u04ae\u0441\u0442\u0456","Middle":"\u041e\u0440\u0442\u0430\u0441\u044b","Bottom":"\u0410\u0441\u0442\u044b","Header cell":"\u0422\u0430\u049b\u044b\u0440\u044b\u043f \u04b1\u044f\u0448\u044b\u0493\u044b","Row group":"\u0416\u043e\u043b\u0434\u0430\u0440 \u0442\u043e\u0431\u044b","Column group":"\u0411\u0430\u0493\u0430\u043d\u0434\u0430\u0440 \u0442\u043e\u0431\u044b","Row type":"\u0416\u043e\u043b \u0442\u04af\u0440\u0456","Header":"\u0416\u043e\u0493\u0430\u0440\u0493\u044b \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435","Body":"\u041d\u0435\u0433\u0456\u0437\u0433\u0456 \u0431\u04e9\u043b\u0456\u0433\u0456","Footer":"\u0422\u04e9\u043c\u0435\u043d\u0433\u0456 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435","Border color":"\u0416\u0438\u0435\u043a \u0442\u04af\u0441\u0456","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"\u04ae\u043b\u0433\u0456 \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0443...","Templates":"\u04ae\u043b\u0433\u0456\u043b\u0435\u0440","Template":"\u04ae\u043b\u0433\u0456","Insert Template":"","Text color":"\u041c\u04d9\u0442\u0456\u043d \u0442\u04af\u0441\u0456","Background color":"\u04e8\u04a3\u0456\u043d\u0456\u04a3 \u0442\u04af\u0441\u0456","Custom...":"\u0420\u0435\u0442\u0442\u0435\u043b\u043c\u0435\u043b\u0456...","Custom color":"\u0420\u0435\u0442\u0442\u0435\u043b\u043c\u0435\u043b\u0456 \u0442\u04af\u0441","No color":"\u0422\u04af\u0441\u0441\u0456\u0437","Remove color":"\u0422\u04af\u0441\u0442\u0456 \u0436\u043e\u044e","Show blocks":"\u0411\u043b\u043e\u043a\u0442\u0430\u0440\u0434\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0443","Show invisible characters":"\u041a\u04e9\u0440\u0456\u043d\u0431\u0435\u0439\u0442\u0456\u043d \u0442\u0430\u04a3\u0431\u0430\u043b\u0430\u0440\u0434\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0443","Word count":"\u0421\u04e9\u0437 \u0441\u0430\u043d\u044b","Count":"\u0421\u0430\u043d\u044b","Document":"\u049a\u04b1\u0436\u0430\u0442","Selection":"\u0422\u0430\u04a3\u0434\u0430\u0443","Words":"\u0421\u04e9\u0437\u0434\u0435\u0440","Words: {0}":"\u0421\u04e9\u0437\u0434\u0435\u0440 \u0441\u0430\u043d\u044b: {0}","{0} words":"{0} \u0441\u04e9\u0437","File":"\u0424\u0430\u0439\u043b","Edit":"\u04e8\u04a3\u0434\u0435\u0443","Insert":"\u0415\u043d\u0433\u0456\u0437\u0443","View":"\u041a\u04e9\u0440\u0456\u043d\u0456\u0441","Format":"\u041f\u0456\u0448\u0456\u043c","Table":"\u041a\u0435\u0441\u0442\u0435","Tools":"\u049a\u04b1\u0440\u0430\u043b\u0434\u0430\u0440","Powered by {0}":"{0} \u0442\u0435\u0445\u043d\u043e\u043b\u043e\u0433\u0438\u044f\u0441\u044b\u043d\u0430 \u043d\u0435\u0433\u0456\u0437\u0434\u0435\u043b\u0433\u0435\u043d","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u041f\u0456\u0448\u0456\u043c\u0434\u0435\u043b\u0433\u0435\u043d \u043c\u04d9\u0442\u0456\u043d \u0430\u0443\u043c\u0430\u0493\u044b. \u041c\u04d9\u0437\u0456\u0440\u0434\u0456 \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d ALT-F9 \u0431\u0430\u0441\u044b\u04a3\u044b\u0437. \u049a\u04b1\u0440\u0430\u043b\u0434\u0430\u0440 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d ALT-F10 \u0431\u0430\u0441\u044b\u04a3\u044b\u0437. \u041a\u04e9\u043c\u0435\u043a \u0430\u043b\u0443 \u04af\u0448\u0456\u043d ALT-0 \u0431\u0430\u0441\u044b\u04a3\u044b\u0437.","Image title":"\u041a\u0435\u0441\u043a\u0456\u043d \u0430\u0442\u0430\u0443\u044b","Border width":"\u0416\u0438\u0435\u043a \u0435\u043d\u0456","Border style":"\u0416\u0438\u0435\u043a \u043c\u04d9\u043d\u0435\u0440\u0456","Error":"\u049a\u0430\u0442\u0435","Warn":"\u0415\u0441\u043a\u0435\u0440\u0442\u0443","Valid":"\u0416\u0430\u0440\u0430\u043c\u0434\u044b","To open the popup, press Shift+Enter":"\u049a\u0430\u043b\u049b\u044b\u043c\u0430\u043b\u044b \u0442\u0435\u0440\u0435\u0437\u0435\u043d\u0456 \u0430\u0448\u0443 \u04af\u0448\u0456\u043d Shift+Enter \u0431\u0430\u0441\u044b\u04a3\u044b\u0437","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"\u041f\u0456\u0448\u0456\u043c\u0434\u0435\u043b\u0433\u0435\u043d \u043c\u04d9\u0442\u0456\u043d \u0430\u0443\u043c\u0430\u0493\u044b. \u0410\u043d\u044b\u049b\u0442\u0430\u043c\u0430 \u0430\u043b\u0443 \u04af\u0448\u0456\u043d ALT-0 \u0431\u0430\u0441\u044b\u04a3\u044b\u0437.","System Font":"\u0416\u04af\u0439\u0435 \u049b\u0430\u0440\u043f\u0456","Failed to upload image: {0}":"\u041a\u0435\u0441\u043a\u0456\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0441\u0430\u043b\u044b\u043d\u0431\u0430\u0434\u044b: {0}","Failed to load plugin: {0} from url {1}":"\u049a\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u044c \u0436\u04af\u043a\u0442\u0435\u043b\u043c\u0435\u0434\u0456: {0} {1} URL \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b\u043d\u0430\u043d","Failed to load plugin url: {0}":"\u049a\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u044c \u0436\u04af\u043a\u0442\u0435\u043b\u043c\u0435\u0434\u0456 URL \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b: {0}","Failed to initialize plugin: {0}":"\u049a\u043e\u0441\u044b\u043b\u0430\u0442\u044b\u043d \u043c\u043e\u0434\u0443\u043b\u044c \u0431\u0430\u043f\u0442\u0430\u043d\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b: {0}","example":"\u043c\u044b\u0441\u0430\u043b","Search":"\u0406\u0437\u0434\u0435\u0443","All":"\u0411\u0430\u0440\u043b\u044b\u0493\u044b","Currency":"\u0412\u0430\u043b\u044e\u0442\u0430","Text":"\u041c\u04d9\u0442\u0456\u043d","Quotations":"\u0422\u044b\u0440\u043d\u0430\u049b\u0448\u0430\u043b\u0430\u0440","Mathematical":"\u041c\u0430\u0442\u0435\u043c\u0430\u0442\u0438\u043a\u0430\u043b\u044b\u049b","Extended Latin":"\u041a\u0435\u04a3\u0435\u0439\u0442\u0456\u043b\u0433\u0435\u043d \u043b\u0430\u0442\u044b\u043d","Symbols":"\u0422\u0430\u04a3\u0431\u0430\u043b\u0430\u0440","Arrows":"\u041a\u04e9\u0440\u0441\u0435\u0442\u043a\u0456\u043b\u0435\u0440","User Defined":"\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0493\u0430\u043d","dollar sign":"\u0434\u043e\u043b\u043b\u0430\u0440 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","currency sign":"\u0432\u0430\u043b\u044e\u0442\u0430 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","euro-currency sign":"\u0435\u0443\u0440\u043e \u0432\u0430\u043b\u044e\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","colon sign":"\u049b\u043e\u0441 \u043d\u04af\u043a\u0442\u0435 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","cruzeiro sign":"\u043a\u0440\u0443\u0437\u0435\u0439\u0440\u043e \u0431\u0435\u043b\u0433\u0456\u0441\u0456","french franc sign":"\u0444\u0440\u0430\u043d\u0446\u0443\u0437\u0434\u044b\u049b \u0444\u0440\u0430\u043d\u043a \u0431\u0435\u043b\u0433\u0456\u0441\u0456","lira sign":"\u043b\u0438\u0440\u0430 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","mill sign":"\u043c\u0438\u043b\u043b \u0431\u0435\u043b\u0433\u0456\u0441\u0456","naira sign":"\u043d\u0430\u0439\u0440\u0430 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","peseta sign":"\u043f\u0435\u0441\u0435\u0442\u0430 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","rupee sign":"\u0440\u0443\u043f\u0438\u044f \u0431\u0435\u043b\u0433\u0456\u0441\u0456","won sign":"\u0432\u043e\u043d \u0431\u0435\u043b\u0433\u0456\u0441\u0456","new sheqel sign":"\u0436\u0430\u04a3\u0430 \u0448\u0435\u043a\u0435\u043b\u044c \u0431\u0435\u043b\u0433\u0456\u0441\u0456","dong sign":"\u0434\u043e\u043d\u0433 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","kip sign":"\u043a\u0438\u043f \u0431\u0435\u043b\u0433\u0456\u0441\u0456","tugrik sign":"\u0442\u0443\u0433\u0440\u0438\u043a \u0431\u0435\u043b\u0433\u0456\u0441\u0456","drachma sign":"\u0434\u0440\u0430\u0445\u043c\u0430 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","german penny symbol":"\u0433\u0435\u0440\u043c\u0430\u043d\u0434\u044b\u049b \u043f\u0435\u043d\u043d\u0438 \u0442\u0430\u04a3\u0431\u0430\u0441\u044b","peso sign":"\u043f\u0435\u0441\u043e \u0431\u0435\u043b\u0433\u0456\u0441\u0456","guarani sign":"\u0433\u0443\u0430\u0440\u0430\u043d\u0438 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","austral sign":"\u0430\u0443\u0441\u0442\u0440\u0430\u043b \u0431\u0435\u0433\u043b\u0456\u0441\u0456","hryvnia sign":"\u0433\u0440\u0438\u0432\u043d\u0430 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","cedi sign":"\u0441\u0435\u0434\u0438 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","livre tournois sign":"\u0442\u0443\u0440 \u043b\u0438\u0432\u0440\u044b \u0431\u0435\u043b\u0433\u0456\u0441\u0456","spesmilo sign":"\u0441\u043f\u0435\u0441\u043c\u0438\u043b\u043e \u0431\u0435\u043b\u0433\u0456\u0441\u0456","tenge sign":"\u0442\u0435\u04a3\u0433\u0435 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","indian rupee sign":"\u04af\u043d\u0434\u0456 \u0440\u0443\u043f\u0438\u044f\u0441\u044b \u0431\u0435\u043b\u0433\u0456\u0441\u0456","turkish lira sign":"\u0442\u04af\u0440\u0456\u043a \u043b\u0438\u0440\u0430\u0441\u044b \u0431\u0435\u043b\u0433\u0456\u0441\u0456","nordic mark sign":"\u0441\u043a\u0430\u043d\u0434\u0438\u043d\u0430\u0432\u0438\u044f\u043b\u044b\u049b \u043c\u0430\u0440\u043a\u0430 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","manat sign":"\u043c\u0430\u043d\u0430\u0442 \u0431\u0435\u043b\u0433\u0456\u0441\u0456","ruble sign":"\u0440\u0443\u0431\u043b\u044c \u0431\u0435\u043b\u0433\u0456\u0441\u0456","yen character":"\u0439\u0435\u043d\u0430 \u0442\u0430\u04a3\u0431\u0430\u0441\u044b","yuan character":"\u044e\u0430\u043d\u044c \u0442\u0430\u04a3\u0431\u0430\u0441\u044b","yuan character, in hong kong and taiwan":"\u044e\u0430\u043d\u044c \u0442\u0430\u04a3\u0431\u0430\u0441\u044b, \u0413\u043e\u043d\u043a\u043e\u043d\u0433 \u043f\u0435\u043d \u0422\u0430\u0439\u0432\u0430\u043d\u044c\u0434\u0430","yen/yuan character variant one":"\u0439\u0435\u043d\u0430/\u044e\u0430\u043d\u044c \u0442\u0430\u04a3\u0431\u0430\u0441\u044b\u043d\u044b\u04a3 \u0431\u0456\u0440\u0456\u043d\u0448\u0456 \u043d\u04b1\u0441\u049b\u0430\u0441\u044b","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"\u0410\u0434\u0430\u043c\u0434\u0430\u0440","Animals and Nature":"\u0416\u0430\u043d\u0443\u0430\u0440\u043b\u0430\u0440 \u0436\u04d9\u043d\u0435 \u0442\u0430\u0431\u0438\u0493\u0430\u0442","Food and Drink":"\u0422\u0430\u0493\u0430\u043c\u0434\u0430\u0440 \u0436\u04d9\u043d\u0435 \u0441\u0443\u0441\u044b\u043d\u0434\u0430\u0440","Activity":"\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u043a","Travel and Places":"\u0421\u0430\u044f\u0445\u0430\u0442 \u0436\u04d9\u043d\u0435 \u043e\u0440\u044b\u043d\u0434\u0430\u0440","Objects":"\u041d\u044b\u0441\u0430\u043d\u0434\u0430\u0440","Flags":"\u0422\u0443\u043b\u0430\u0440","Characters":"\u0422\u0430\u04a3\u0431\u0430\u043b\u0430\u0440","Characters (no spaces)":"\u0422\u0430\u04a3\u0431\u0430\u043b\u0430\u0440 (\u043e\u0440\u044b\u043d\u0434\u0430\u0440\u0441\u044b\u0437)","{0} characters":"{0} \u0442\u0430\u04a3\u0431\u0430","Error: Form submit field collision.":"\u049a\u0430\u0442\u0435: \u043f\u0456\u0448\u0456\u043d\u0434\u0456 \u0436\u0456\u0431\u0435\u0440\u0443 \u04e9\u0440\u0456\u0441\u0456\u043d\u0456\u04a3 \u049b\u0430\u0439\u0448\u044b\u043b\u044b\u0493\u044b.","Error: No form element found.":"\u049a\u0430\u0442\u0435: \u043f\u0456\u0448\u0456\u043d \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.","Color swatch":"\u0422\u04af\u0441 \u04af\u043b\u0433\u0456\u0441\u0456","Color Picker":"\u0422\u04af\u0441 \u0442\u0430\u04a3\u0434\u0430\u0443 \u049b\u04b1\u0440\u0430\u043b\u044b","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"\u041a\u04e9\u0433\u0456\u043b\u0434\u0456\u0440","Green":"\u0416\u0430\u0441\u044b\u043b","Blue":"\u041a\u04e9\u043a","Purple":"\u041a\u04af\u043b\u0433\u0456\u043d","Navy Blue":"\u041a\u04af\u04a3\u0433\u0456\u0440\u0442 \u043a\u04e9\u043a","Dark Turquoise":"\u041a\u04af\u04a3\u0433\u0456\u0440\u0442 \u043a\u04e9\u0433\u0456\u043b\u0434\u0456\u0440","Dark Green":"\u041a\u04af\u04a3\u0433\u0456\u0440\u0442 \u0436\u0430\u0441\u044b\u043b","Medium Blue":"\u041e\u0440\u0442\u0430\u0448\u0430 \u043a\u04e9\u043a","Medium Purple":"\u041e\u0440\u0442\u0430\u0448\u0430 \u043a\u04af\u043b\u0433\u0456\u043d","Midnight Blue":"\u0422\u04af\u043d\u0433\u0456 \u043a\u04e9\u043a","Yellow":"\u0421\u0430\u0440\u044b","Orange":"\u0421\u0430\u0440\u0493\u044b\u0448","Red":"\u049a\u044b\u0437\u044b\u043b","Light Gray":"\u0410\u0448\u044b\u049b \u0441\u04b1\u0440","Gray":"\u0421\u04b1\u0440","Dark Yellow":"\u041a\u04af\u04a3\u0433\u0456\u0440\u0442 \u0441\u0430\u0440\u044b","Dark Orange":"\u041a\u04af\u04a3\u0433\u0456\u0440\u0442 \u0441\u0430\u0440\u0493\u044b\u0448","Dark Red":"\u041a\u04af\u04a3\u0433\u0456\u0440\u0442 \u049b\u044b\u0437\u044b\u043b","Medium Gray":"\u041e\u0440\u0442\u0430\u0448\u0430 \u0441\u04b1\u0440","Dark Gray":"\u041a\u04af\u04a3\u0433\u0456\u0440\u0442 \u0441\u04b1\u0440","Light Green":"\u0410\u0448\u044b\u049b \u0436\u0430\u0441\u044b\u043b","Light Yellow":"\u0410\u0448\u044b\u049b \u0441\u0430\u0440\u044b","Light Red":"\u0410\u0448\u044b\u049b \u049b\u044b\u0437\u044b\u043b","Light Purple":"\u0410\u0448\u044b\u049b \u043a\u04af\u043b\u0433\u0456\u043d","Light Blue":"\u0410\u0448\u044b\u049b \u043a\u04e9\u043a","Dark Purple":"\u049a\u0430\u0440\u0430 \u043a\u04af\u043b\u0433\u0456\u043d","Dark Blue":"\u049a\u0430\u0440\u0430 \u043a\u04e9\u043a","Black":"\u049a\u0430\u0440\u0430","White":"\u0410\u049b","Switch to or from fullscreen mode":"\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d \u0440\u0435\u0436\u0438\u043c\u0456\u043d\u0435 \u043d\u0435\u043c\u0435\u0441\u0435 \u043e\u0434\u0430\u043d \u0430\u0443\u044b\u0441\u0443","Open help dialog":"\u0410\u043d\u044b\u049b\u0442\u0430\u043c\u0430 \u0434\u0438\u0430\u043b\u043e\u0433\u0442\u044b\u049b \u0442\u0435\u0440\u0435\u0437\u0435\u0441\u0456\u043d \u0430\u0448\u0443","history":"\u0442\u0430\u0440\u0438\u0445","styles":"\u0441\u0442\u0438\u043b\u044c\u0434\u0435\u0440","formatting":"\u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0443","alignment":"\u0442\u0443\u0440\u0430\u043b\u0430\u0443","indentation":"\u0448\u0435\u0433\u0456\u043d\u0456\u0441","Font":"\u049a\u0430\u0440\u0456\u043f","Size":"\u04e8\u043b\u0448\u0435\u043c","More...":"\u049a\u043e\u0441\u044b\u043c\u0448\u0430...","Select...":"\u0422\u0430\u04a3\u0434\u0430\u0443...","Preferences":"\u0411\u0430\u043f\u0442\u0430\u043b\u044b\u043c\u0434\u0430\u0440","Yes":"\u0418\u04d9","No":"\u0416\u043e\u049b","Keyboard Navigation":"\u041f\u0435\u0440\u043d\u0435\u0442\u0430\u049b\u0442\u0430 \u043d\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u044f\u0441\u044b","Version":"\u041d\u04b1\u0441\u049b\u0430","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ko_KR.js b/deform/static/tinymce/langs/ko_KR.js index 629c342d..2133b69a 100644 --- a/deform/static/tinymce/langs/ko_KR.js +++ b/deform/static/tinymce/langs/ko_KR.js @@ -1,171 +1 @@ -tinymce.addI18n('ko_KR',{ -"Cut": "\uc798\ub77c\ub0b4\uae30", -"Header 2": "\uc81c\ubaa9 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\ube0c\ub77c\uc6b0\uc838\uac00 \ud074\ub9bd\ubcf4\ub4dc \uc811\uadfc\uc744 \ud5c8\uc6a9\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4. Ctrl+X\/C\/V \ud0a4\ub97c \uc774\uc6a9\ud574 \uc8fc\uc138\uc694.", -"Div": "\uad6c\ubd84", -"Paste": "\ubd99\uc5ec\ub123\uae30", -"Close": "\ub2eb\uae30", -"Pre": "Pre", -"Align right": "\uc624\ub978\ucabd\uc815\ub82c", -"New document": "\uc0c8 \ubb38\uc11c", -"Blockquote": "\uad6c\ud68d", -"Numbered list": "\uc22b\uc790\ub9ac\uc2a4\ud2b8", -"Increase indent": "\ub4e4\uc5ec\uc4f0\uae30", -"Formats": "\ud3ec\ub9f7", -"Headers": "\uc2a4\ud0c0\uc77c", -"Select all": "\uc804\uccb4\uc120\ud0dd", -"Header 3": "\uc81c\ubaa9 3", -"Blocks": "\ube14\ub85d \uc124\uc815", -"Undo": "\uc2e4\ud589\ucde8\uc18c", -"Strikethrough": "\ucde8\uc18c\uc120", -"Bullet list": "\uc810\ub9ac\uc2a4\ud2b8", -"Header 1": "\uc81c\ubaa9 1", -"Superscript": "\uc717\ucca8\uc790", -"Clear formatting": "\ud3ec\ub9f7\ucd08\uae30\ud654", -"Subscript": "\uc544\ub798\ucca8\uc790", -"Header 6": "\uc81c\ubaa9 6", -"Redo": "\ub2e4\uc2dc\uc2e4\ud589", -"Paragraph": "\ub2e8\ub77d", -"Ok": "\ud655\uc778", -"Bold": "\uad75\uac8c", -"Code": "\ucf54\ub4dc", -"Italic": "\uae30\uc6b8\uc784\uaf34", -"Align center": "\uac00\uc6b4\ub370\uc815\ub82c", -"Header 5": "\uc81c\ubaa9 5", -"Decrease indent": "\ub0b4\uc5b4\uc4f0\uae30", -"Header 4": "\uc81c\ubaa9 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\uc2a4\ud0c0\uc77c\ubcf5\uc0ac \ub044\uae30. \uc774 \uc635\uc158\uc744 \ub044\uae30 \uc804\uc5d0\ub294 \ubcf5\uc0ac \uc2dc, \uc2a4\ud0c0\uc77c\uc774 \ubcf5\uc0ac\ub418\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4.", -"Underline": "\ubc11\uc904", -"Cancel": "\ucde8\uc18c", -"Justify": "\uc591\ucabd\uc815\ub82c", -"Inline": "\ub77c\uc778 \uc124\uc815", -"Copy": "\ubcf5\uc0ac\ud558\uae30", -"Align left": "\uc67c\ucabd\uc815\ub82c", -"Visual aids": "\uc2dc\uac01\uad50\uc7ac", -"Lower Greek": "\uadf8\ub9ac\uc2a4\uc5b4 \uc18c\ubb38\uc790", -"Square": "\uc0ac\uac01", -"Default": "\uae30\ubcf8", -"Lower Alpha": "\uc54c\ud30c\ubcb3 \uc18c\ubb38\uc790", -"Circle": "\uc6d0", -"Disc": "\uc6d0\ubc18", -"Upper Alpha": "\uc54c\ud30c\ubcb3 \uc18c\ubb38\uc790", -"Upper Roman": "\ub85c\ub9c8\uc790 \ub300\ubb38\uc790", -"Lower Roman": "\ub85c\ub9c8\uc790 \uc18c\ubb38\uc790", -"Name": "\uc774\ub984", -"Anchor": "\uc575\ucee4", -"You have unsaved changes are you sure you want to navigate away?": "\uc800\uc7a5\ud558\uc9c0 \uc54a\uc740 \uc815\ubcf4\uac00 \uc788\uc2b5\ub2c8\ub2e4. \uc774 \ud398\uc774\uc9c0\ub97c \ubc97\uc5b4\ub098\uc2dc\uaca0\uc2b5\ub2c8\uae4c?", -"Restore last draft": "\ub9c8\uc9c0\ub9c9 \ucd08\uc548 \ubcf5\uc6d0", -"Special character": "\ud2b9\uc218\ubb38\uc790", -"Source code": "\uc18c\uc2a4\ucf54\ub4dc", -"Right to left": "\uc624\ub978\ucabd\uc5d0\uc11c \uc67c", -"Left to right": "\uc67c\ucabd\uc5d0\uc11c \uc624\ub978", -"Emoticons": "\uc774\ubaa8\ud2f0\ucf58", -"Robots": "\ub85c\ubd07", -"Document properties": "\ubb38\uc11c \uc18d\uc131", -"Title": "\uc81c\ubaa9", -"Keywords": "\ud0a4\uc6cc\ub4dc", -"Encoding": "\uc778\ucf54", -"Description": "\uc124\uba85", -"Author": "\uc800", -"Fullscreen": "\uc804\uccb4\ud654", -"Horizontal line": "\uac00\ub85c", -"Horizontal space": "\uc218\ud3c9 \uacf5", -"Insert\/edit image": "\uc774\ubbf8\uc9c0 \uc0bd\uc785\/\uc218\uc815", -"General": "\uc77c\ubc18", -"Advanced": "\uace0", -"Source": "\uc18c\uc2a4", -"Border": "\ud14c\ub450\ub9ac", -"Constrain proportions": "\uc791\uc5c5 \uc81c\ud55c", -"Vertical space": "\uc218\uc9c1 \uacf5", -"Image description": "\uc774\ubbf8\uc9c0 \uc124\uba85", -"Style": "\uc2a4\ud0c0", -"Dimensions": "\ud06c\uae30", -"Insert date\/time": "\ub0a0\uc9dc\/\uc2dc\uac04 \uc0bd", -"Url": "\uc8fc", -"Text to display": "\ubcf8", -"Insert link": "\ub9c1\ud06c \uc0bd", -"New window": "\uc0c8", -"None": "\uc5c6\uc74c", -"Target": "\ub300", -"Insert\/edit link": "\ub9c1\ud06c \uc0bd\uc785\/\uc218", -"Insert\/edit video": "\ube44\ub514\uc624 \uc0bd\uc785\/\uc218\uc815", -"Poster": "\ud3ec\uc2a4\ud130", -"Alternative source": "\ub300\uccb4 \uc18c\uc2a4", -"Paste your embed code below:": "\uc544\ub798\uc5d0 \ucf54\ub4dc\ub97c \ubd99\uc5ec\ub123\uc73c\uc138\uc694:", -"Insert video": "\ube44\ub514\uc624 \uc0bd\uc785", -"Embed": "\uc0bd\uc785", -"Nonbreaking space": "\ub744\uc5b4\uc4f0\uae30", -"Page break": "\ud398\uc774\uc9c0 \uad6c\ubd84\uc790", -"Preview": "\ubbf8\ub9ac\ubcf4\uae30", -"Print": "\ucd9c\ub825", -"Save": "\uc800\uc7a5", -"Could not find the specified string.": "\ubb38\uc790\ub97c \ucc3e\uc744 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4.", -"Replace": "\uad50\uccb4", -"Next": "\ub2e4\uc74c", -"Whole words": "\uc804\uccb4 \ub2e8\uc5b4", -"Find and replace": "\ucc3e\uc544\uc11c \uad50\uccb4", -"Replace with": "\uad50\uccb4", -"Find": "\ucc3e\uae30", -"Replace all": "\uc804\uccb4 \uad50\uccb4", -"Match case": "\ub300\uc18c\ubb38\uc790 \uc77c\uce58", -"Prev": "\uc774\uc804", -"Spellcheck": "\ubb38\ubc95\uccb4", -"Finish": "\ub05d", -"Ignore all": "\uc804\uccb4\ubb34", -"Ignore": "\ubb34", -"Insert row before": "\uc774\uc804\uc5d0 \ud589 \uc0bd\uc785", -"Rows": "\ud589", -"Height": "\ub192\uc774", -"Paste row after": "\ub2e4\uc74c\uc5d0 \ud589 \ubd99\uc5ec\ub123\uae30", -"Alignment": "\uc815\ub82c", -"Column group": "\uc5f4 \uadf8\ub8f9", -"Row": "\uc5f4", -"Insert column before": "\uc774\uc804\uc5d0 \ud589 \uc0bd\uc785", -"Split cell": "\uc140 \ub098\ub204\uae30", -"Cell padding": "\uc140 \uc548\ucabd \uc5ec\ubc31", -"Cell spacing": "\uc140 \uac04\uaca9", -"Row type": "\ud589 \ud0c0\uc785", -"Insert table": "\ud14c\uc774\ube14 \uc0bd\uc785", -"Body": "\ubc14\ub514", -"Caption": "\ucea1\uc158", -"Footer": "\ud478\ud130", -"Delete row": "\ud589 \uc9c0\uc6b0\uae30", -"Paste row before": "\uc774\uc804\uc5d0 \ud589 \ubd99\uc5ec\ub123\uae30", -"Scope": "\ubc94\uc704", -"Delete table": "\ud14c\uc774\ube14 \uc0ad\uc81c", -"Header cell": "\ud5e4\ub354 \uc140", -"Column": "\ud589", -"Cell": "\uc140", -"Header": "\ud5e4\ub354", -"Cell type": "\uc140 \ud0c0\uc785", -"Copy row": "\ud589 \ubcf5\uc0ac", -"Row properties": "\ud589 \uc18d\uc131", -"Table properties": "\ud14c\uc774\ube14 \uc18d\uc131", -"Row group": "\ud589 \uadf8\ub8f9", -"Right": "\uc624\ub978\ucabd", -"Insert column after": "\ub2e4\uc74c\uc5d0 \uc5f4 \uc0bd\uc785", -"Cols": "\uc5f4", -"Insert row after": "\ub2e4\uc74c\uc5d0 \ud589 \uc0bd\uc785", -"Width": "\ub113\uc774", -"Cell properties": "\uc140 \uc18d", -"Left": "\uc67c\ucabd", -"Cut row": "\ud589 \uc798\ub77c\ub0b4\uae30", -"Delete column": "\uc5f4 \uc9c0\uc6b0\uae30", -"Center": "\uac00\uc6b4\ub370", -"Merge cells": "\uc140 \ud569\uce58\uae30", -"Insert template": "\ud15c\ud50c\ub9bf \uc0bd\uc785", -"Templates": "\ud15c\ud50c\ub9bf", -"Background color": "\ubc30\uacbd\uc0c9", -"Text color": "\ubb38\uc790 \uc0c9\uae54", -"Show blocks": "\ube14\ub7ed \ubcf4\uc5ec\uc8fc\uae30", -"Show invisible characters": "\uc548\ubcf4\uc774\ub294 \ubb38\uc790 \ubcf4\uc774\uae30", -"Words: {0}": "\ub2e8\uc5b4: {0}", -"Insert": "\uc0bd\uc785", -"File": "\ud30c\uc77c", -"Edit": "\uc218\uc815", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\uc11c\uc2dd \uc788\ub294 \ud14d\uc2a4\ud2b8 \ud3b8\uc9d1\uae30 \uc785\ub2c8\ub2e4. ALT-F9\ub97c \ub204\ub974\uba74 \uba54\ub274, ALT-F10\ub97c \ub204\ub974\uba74 \ud234\ubc14, ALT-0\uc744 \ub204\ub974\uba74 \ub3c4\uc6c0\ub9d0\uc744 \ubcfc \uc218 \uc788\uc2b5\ub2c8\ub2e4.", -"Tools": "\ub3c4\uad6c", -"View": "\ubcf4\uae30", -"Table": "\ud14c\uc774\ube14", -"Format": "\ud3ec\ub9f7" -}); \ No newline at end of file +tinymce.addI18n("ko_KR",{"Redo":"\ub2e4\uc2dc \uc2e4\ud589","Undo":"\uc2e4\ud589 \ucde8\uc18c","Cut":"\uc798\ub77c\ub0b4\uae30","Copy":"\ubcf5\uc0ac","Paste":"\ubd99\uc5ec\ub123\uae30","Select all":"\uc804\uccb4\uc120\ud0dd","New document":"\uc0c8 \ubb38\uc11c","Ok":"\ud655\uc778","Cancel":"\ucde8\uc18c","Visual aids":"\ud45c\uc758 \ud14c\ub450\ub9ac\ub97c \uc810\uc120\uc73c\ub85c \ud45c\uc2dc","Bold":"\uad75\uac8c","Italic":"\uae30\uc6b8\uc784\uaf34","Underline":"\ubc11\uc904","Strikethrough":"\ucde8\uc18c\uc120","Superscript":"\uc704 \ucca8\uc790","Subscript":"\uc544\ub798 \ucca8\uc790","Clear formatting":"\uc11c\uc2dd \uc9c0\uc6b0\uae30","Remove":"\uc81c\uac70","Align left":"\uc67c\ucabd \uc815\ub82c","Align center":"\uc911\uc559 \uc815\ub82c","Align right":"\uc624\ub978\ucabd \uc815\ub82c","No alignment":"\uc815\ub82c \uc5c6\uc74c","Justify":"\uc591\ucabd \uc815\ub82c","Bullet list":"\uae00\uba38\ub9ac \uae30\ud638 \ubaa9\ub85d","Numbered list":"\ubc88\ud638 \ub9e4\uae30\uae30 \ubaa9\ub85d","Decrease indent":"\ub0b4\uc5b4\uc4f0\uae30","Increase indent":"\ub4e4\uc5ec\uc4f0\uae30","Close":"\ub2eb\uae30","Formats":"\uc11c\uc2dd","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\ube0c\ub77c\uc6b0\uc800\uac00 \ud074\ub9bd\ubcf4\ub4dc \uc811\uadfc\uc744 \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4. Ctrl+X/C/V \ub2e8\ucd95\ud0a4\ub97c \uc774\uc6a9\ud574\uc8fc\uc138\uc694.","Headings":"\uc81c\ubaa9","Heading 1":"\uc81c\ubaa9 1","Heading 2":"\uc81c\ubaa9 2","Heading 3":"\uc81c\ubaa9 3","Heading 4":"\uc81c\ubaa9 4","Heading 5":"\uc81c\ubaa9 5","Heading 6":"\uc81c\ubaa9 6","Preformatted":"\uc11c\uc2dd \ubbf8\uc124\uc815","Div":"Div","Pre":"Pre","Code":"\ucf54\ub4dc","Paragraph":"\ub2e8\ub77d","Blockquote":"\uc778\uc6a9\ubb38","Inline":"\uc778\ub77c\uc778","Blocks":"\ube14\ub85d","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\ubd99\uc5ec\ub123\uae30\uac00 \ud604\uc7ac \uc77c\ubc18 \ud14d\uc2a4\ud2b8 \ubaa8\ub4dc\uc785\ub2c8\ub2e4. \uc774 \uc635\uc158\uc744 \ud574\uc81c\ud560 \ub54c\uae4c\uc9c0 \uc77c\ubc18 \ud14d\uc2a4\ud2b8\ub85c \ubd99\uc5ec\ub123\uc2b5\ub2c8\ub2e4.","Fonts":"\uae00\uaf34","Font sizes":"\uae00\uaf34 \ud06c\uae30","Class":"\ud074\ub798\uc2a4","Browse for an image":"\uc774\ubbf8\uc9c0 \ucc3e\uae30","OR":"\ub610\ub294","Drop an image here":"\uc5ec\uae30\ub85c \uc774\ubbf8\uc9c0\ub97c \ub04c\uc5b4\uc624\uc138\uc694","Upload":"\uc5c5\ub85c\ub4dc","Uploading image":"\uc774\ubbf8\uc9c0 \uc5c5\ub85c\ub4dc \uc911","Block":"\ube14\ub85d","Align":"\uc815\ub82c","Default":"\uae30\ubcf8\uac12","Circle":"\ub3d9\uadf8\ub77c\ubbf8","Disc":"\ub514\uc2a4\ud06c","Square":"\ub124\ubaa8","Lower Alpha":"\uc54c\ud30c\ubcb3 \uc18c\ubb38\uc790","Lower Greek":"\uadf8\ub9ac\uc2a4\uc5b4 \uc18c\ubb38\uc790","Lower Roman":"\ub85c\ub9c8\uc790 \uc18c\ubb38\uc790","Upper Alpha":"\uc54c\ud30c\ubcb3 \ub300\ubb38\uc790","Upper Roman":"\ub85c\ub9c8\uc790 \ub300\ubb38\uc790","Anchor...":"\uc575\ucee4...","Anchor":"\ub9c1\ud06c \uc9c0\uc810","Name":"\uc774\ub984","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID\ub294 \ubb38\uc790\ub85c \uc2dc\uc791\ud574\uc57c \ud558\uba70, \uadf8 \ub2e4\uc74c\uc5d0\ub294 \ubb38\uc790, \uc22b\uc790, \ub300\uc2dc, \uad6c\ub450\uc810, \ucf5c\ub860, \ubc11\uc904 \ubb38\uc790\uac00 \uc62c \uc218 \uc788\uc2b5\ub2c8\ub2e4.","You have unsaved changes are you sure you want to navigate away?":"\uc800\uc7a5\ud558\uc9c0 \uc54a\uc740 \uc815\ubcf4\uac00 \uc788\uc2b5\ub2c8\ub2e4. \uc774 \ud398\uc774\uc9c0\ub97c \ub098\uac00\uc2dc\uaca0\uc2b5\ub2c8\uae4c?","Restore last draft":"\ub9c8\uc9c0\ub9c9 \ucd08\uc548 \ubcf5\uc6d0","Special character...":"\ud2b9\uc218 \ubb38\uc790...","Special Character":"\ud2b9\uc218 \ubb38\uc790","Source code":"\uc18c\uc2a4\ucf54\ub4dc","Insert/Edit code sample":"\ucf54\ub4dc \uc0d8\ud50c \uc0bd\uc785/\ud3b8\uc9d1","Language":"\uc5b8\uc5b4","Code sample...":"\ucf54\ub4dc \uc0d8\ud50c...","Left to right":"\uc67c\ucabd\uc5d0\uc11c \uc624\ub978\ucabd","Right to left":"\uc624\ub978\ucabd\uc5d0\uc11c \uc67c\ucabd","Title":"\uc81c\ubaa9","Fullscreen":"\uc804\uccb4 \ud654\uba74","Action":"\uc791\uc5c5","Shortcut":"\ubc14\ub85c\uac00\uae30","Help":"\ub3c4\uc6c0\ub9d0","Address":"\uc8fc\uc18c","Focus to menubar":"\uba54\ub274\ubc14\uc5d0 \uac15\uc870\ud45c\uc2dc","Focus to toolbar":"\ud234\ubc14\uc5d0 \uac15\uc870\ud45c\uc2dc","Focus to element path":"\uc694\uc18c \uacbd\ub85c\uc5d0 \uac15\uc870\ud45c\uc2dc","Focus to contextual toolbar":"\ucee8\ud14d\uc2a4\ud2b8 \ud234\ubc14\uc5d0 \uac15\uc870\ud45c\uc2dc","Insert link (if link plugin activated)":"\ub9c1\ud06c \uc0bd\uc785 (link \ud50c\ub7ec\uadf8\uc778\uc774 \ud65c\uc131\ud654\ub41c \uacbd\uc6b0)","Save (if save plugin activated)":"\uc800\uc7a5 (save \ud50c\ub7ec\uadf8\uc778\uc774 \ud65c\uc131\ud654\ub41c \uacbd\uc6b0)","Find (if searchreplace plugin activated)":"\ucc3e\uae30 (searchreplace \ud50c\ub7ec\uadf8\uc778\uc774 \ud65c\uc131\ud654\ub41c \uacbd\uc6b0)","Plugins installed ({0}):":"\uc124\uce58\ub41c \ud50c\ub7ec\uadf8\uc778({0}):","Premium plugins:":"\ud504\ub9ac\ubbf8\uc5c4 \ud50c\ub7ec\uadf8\uc778:","Learn more...":"\uc880 \ub354 \uc0b4\ud3b4\ubcf4\uae30...","You are using {0}":"{0} \uc0ac\uc6a9 \uc911","Plugins":"\ud50c\ub7ec\uadf8\uc778","Handy Shortcuts":"\uc720\uc6a9\ud55c \ub2e8\ucd95\ud0a4","Horizontal line":"\uc218\ud3c9\uc120","Insert/edit image":"\uc774\ubbf8\uc9c0 \uc0bd\uc785/\ud3b8\uc9d1","Alternative description":"\ub300\uccb4 \uc124\uba85\ubb38","Accessibility":"\uc811\uadfc\uc131","Image is decorative":"\uc774\ubbf8\uc9c0 \uc7a5\uc2dd \uac00\ub2a5","Source":"\uc18c\uc2a4","Dimensions":"\ud06c\uae30","Constrain proportions":"\ube44\uc728 \uace0\uc815","General":"\uc77c\ubc18","Advanced":"\uc0c1\uc138","Style":"\uc2a4\ud0c0\uc77c","Vertical space":"\uc0c1\ud558 \uc5ec\ubc31","Horizontal space":"\uc88c\uc6b0 \uc5ec\ubc31","Border":"\ud14c\ub450\ub9ac","Insert image":"\uc774\ubbf8\uc9c0 \uc0bd\uc785","Image...":"\uc774\ubbf8\uc9c0...","Image list":"\uc774\ubbf8\uc9c0 \ubaa9\ub85d","Resize":"\ud06c\uae30 \uc870\uc808","Insert date/time":"\ub0a0\uc9dc/\uc2dc\uac04 \uc0bd\uc785","Date/time":"\ub0a0\uc9dc/\uc2dc\uac04","Insert/edit link":"\ub9c1\ud06c \uc0bd\uc785/\ud3b8\uc9d1","Text to display":"\ud45c\uc2dc\ud560 \ud14d\uc2a4\ud2b8","Url":"URL","Open link in...":"...\uc5d0\uc11c \ub9c1\ud06c \uc5f4\uae30","Current window":"\ud604\uc7ac \ucc3d","None":"\uc5c6\uc74c","New window":"\uc0c8 \ucc3d","Open link":"\ub9c1\ud06c \uc5f4\uae30","Remove link":"\ub9c1\ud06c \uc81c\uac70","Anchors":"\uc575\ucee4","Link...":"\ub9c1\ud06c...","Paste or type a link":"\ub9c1\ud06c\ub97c \ubd99\uc5ec\ub123\uac70\ub098 \uc785\ub825\ud558\uc2ed\uc2dc\uc624.","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":'\uc785\ub825\ud558\uc2e0 URL\uc774 \uc774\uba54\uc77c \uc8fc\uc18c\uc778 \uac83 \uac19\uc2b5\ub2c8\ub2e4. "mailto:" \uc811\ub450\uc0ac\ub97c \ucd94\uac00\ud558\uc2dc\uaca0\uc2b5\ub2c8\uae4c?',"The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":'\uc785\ub825\ud558\uc2e0 URL\uc774 \uc678\ubd80 \ub9c1\ud06c\uc778 \uac83 \uac19\uc2b5\ub2c8\ub2e4. "http://" \uc811\ub450\uc0ac\ub97c \ucd94\uac00\ud558\uc2dc\uaca0\uc2b5\ub2c8\uae4c?',"The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":'\uc785\ub825\ud558\uc2e0 URL\uc774 \uc678\ubd80 \ub9c1\ud06c\uc778 \uac83 \uac19\uc2b5\ub2c8\ub2e4. "https://" \uc811\ub450\uc0ac\ub97c \ucd94\uac00\ud558\uc2dc\uaca0\uc2b5\ub2c8\uae4c?',"Link list":"\ub9c1\ud06c \ubaa9\ub85d","Insert video":"\ube44\ub514\uc624 \uc0bd\uc785","Insert/edit video":"\ube44\ub514\uc624 \uc0bd\uc785/\ud3b8\uc9d1","Insert/edit media":"\ubbf8\ub514\uc5b4 \uc0bd\uc785/\ud3b8\uc9d1","Alternative source":"\ub300\uccb4 \uc18c\uc2a4","Alternative source URL":"\ub300\uccb4 \uc18c\uc2a4 URL","Media poster (Image URL)":"\ubbf8\ub514\uc5b4 \ud3ec\uc2a4\ud130 (\uc774\ubbf8\uc9c0 URL)","Paste your embed code below:":"\uc0bd\uc785\ud560 \ucf54\ub4dc\ub97c \uc544\ub798\uc5d0 \ubd99\uc5ec \ub123\uc5b4\uc8fc\uc138\uc694.","Embed":"\uc0bd\uc785","Media...":"\ubbf8\ub514\uc5b4...","Nonbreaking space":"\ub744\uc5b4\uc4f0\uae30","Page break":"\ud398\uc774\uc9c0 \uad6c\ubd84\uc790","Paste as text":"\ud14d\uc2a4\ud2b8\ub85c \ubd99\uc5ec\ub123\uae30","Preview":"\ubbf8\ub9ac \ubcf4\uae30","Print":"\uc778\uc1c4","Print...":"\uc778\uc1c4...","Save":"\uc800\uc7a5","Find":"\ucc3e\uae30","Replace with":"\ub2e4\uc74c\uc73c\ub85c \ubc14\uafb8\uae30:","Replace":"\ubc14\uafb8\uae30","Replace all":"\ubaa8\ub450 \ubc14\uafb8\uae30","Previous":"\uc774\uc804","Next":"\ub2e4\uc74c","Find and Replace":"\ucc3e\uae30 \ubc0f \ubc14\uafb8\uae30","Find and replace...":"\ucc3e\uae30 \ubc0f \ubc14\uafb8\uae30...","Could not find the specified string.":"\uc9c0\uc815\ud55c \ubb38\uc790\ub97c \ucc3e\uc744 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4.","Match case":"\ub300/\uc18c\ubb38\uc790 \uad6c\ubd84","Find whole words only":"\ubaa8\ub450 \uc77c\uce58\ud558\ub294 \ub2e8\uc5b4 \ucc3e\uae30","Find in selection":"\uc120\ud0dd\ub41c \ubd80\ubd84\uc5d0\uc11c \uac80\uc0c9","Insert table":"\ud45c \uc0bd\uc785","Table properties":"\ud45c \uc18d\uc131","Delete table":"\ud45c \uc0ad\uc81c","Cell":"\uc140","Row":"\ud589","Column":"\uc5f4","Cell properties":"\uc140 \uc18d\uc131","Merge cells":"\uc140 \ubcd1\ud569","Split cell":"\uc140 \ubd84\ud560","Insert row before":"\uc774\uc804\uc5d0 \ud589 \uc0bd\uc785","Insert row after":"\ub2e4\uc74c\uc5d0 \ud589 \uc0bd\uc785","Delete row":"\ud589 \uc0ad\uc81c","Row properties":"\ud589 \uc18d\uc131","Cut row":"\ud589 \uc798\ub77c\ub0b4\uae30","Cut column":"\uc5f4 \uc798\ub77c\ub0b4\uae30","Copy row":"\ud589 \ubcf5\uc0ac","Copy column":"\uc5f4 \ubcf5\uc0ac","Paste row before":"\uc774\uc804\uc5d0 \ud589 \ubd99\uc5ec\ub123\uae30","Paste column before":"\uc774\uc804\uc5d0 \uc5f4 \ubd99\uc5ec\ub123\uae30","Paste row after":"\ub2e4\uc74c\uc5d0 \ud589 \ubd99\uc5ec\ub123\uae30","Paste column after":"\ub2e4\uc74c\uc5d0 \uc5f4 \ubd99\uc5ec\ub123\uae30","Insert column before":"\uc774\uc804\uc5d0 \uc5f4 \uc0bd\uc785","Insert column after":"\ub2e4\uc74c\uc5d0 \uc5f4 \uc0bd\uc785","Delete column":"\uc5f4 \uc0ad\uc81c","Cols":"\uc5f4 \uc218","Rows":"\ud589 \uc218","Width":"\ub108\ube44","Height":"\ub192\uc774","Cell spacing":"\uc140 \uac04\uaca9","Cell padding":"\uc140 \uc548\ucabd \uc5ec\ubc31","Row clipboard actions":"\ud589 \ud074\ub9bd\ubcf4\ub4dc \ub3d9\uc791","Column clipboard actions":"\uc5f4 \ud074\ub9bd\ubcf4\ub4dc \ub3d9\uc791","Table styles":"\ud45c \ubaa8\uc591","Cell styles":"\uc140 \ubaa8\uc591","Column header":"\uc5f4 \uc81c\ubaa9","Row header":"\ud589 \uc81c\ubaa9","Table caption":"\ud45c \ucea1\uc158","Caption":"\ucea1\uc158","Show caption":"\ucea1\uc158 \ud45c\uc2dc","Left":"\uc67c\ucabd \ub9de\ucda4","Center":"\uac00\uc6b4\ub370 \ub9de\ucda4","Right":"\uc624\ub978\ucabd \ub9de\ucda4","Cell type":"\uc140 \uc720\ud615","Scope":"\ubc94\uc704","Alignment":"\uc815\ub82c","Horizontal align":"\uc218\ud3c9 \uc815\ub82c","Vertical align":"\uc218\uc9c1 \uc815\ub82c","Top":"\uc704\ucabd \ub9de\ucda4","Middle":"\uac00\uc6b4\ub370 \ub9de\ucda4","Bottom":"\uc544\ub798 \ub9de\ucda4","Header cell":"\ud5e4\ub354 \uc140","Row group":"\ud589 \uadf8\ub8f9","Column group":"\uc5f4 \uadf8\ub8f9","Row type":"\ud589 \uc720\ud615","Header":"\uc81c\ubaa9","Body":"\ubcf8\ubb38","Footer":"\ud478\ud130","Border color":"\ud14c\ub450\ub9ac \uc0c9","Solid":"\uc2e4\uc120","Dotted":"\uc810\uc120","Dashed":"\ud30c\uc120","Double":"\uc774\uc911 \uc2e4\uc120","Groove":"\uc785\uccb4 \ud14c\ub450\ub9ac","Ridge":"\ub3cc\ucd9c \ud14c\ub450\ub9ac","Inset":"\uc140 \ud568\ubab0","Outset":"\uc140 \ub3cc\ucd9c","Hidden":"\uc228\uae40","Insert template...":"\ud15c\ud50c\ub9bf \uc0bd\uc785...","Templates":"\ud15c\ud50c\ub9bf","Template":"\ud15c\ud50c\ub9bf","Insert Template":"\ud15c\ud50c\ub9bf \uc0bd\uc785","Text color":"\uae00\uc790 \uc0c9","Background color":"\ubc30\uacbd \uc0c9","Custom...":"\uc0ac\uc6a9\uc790 \uc9c0\uc815...","Custom color":"\uc0ac\uc6a9\uc790 \uc9c0\uc815 \uc0c9","No color":"\uc0c9 \uc5c6\uc74c","Remove color":"\uc0c9 \uc81c\uac70","Show blocks":"\ube14\ub85d \ud45c\uc2dc","Show invisible characters":"\ube44\ud45c\uc2dc \ubb38\uc790 \ud45c\uc2dc","Word count":"\ubb38\uc790 \uc218","Count":"\uac1c\uc218","Document":"\ubb38\uc11c","Selection":"\uc120\ud0dd","Words":"\ub2e8\uc5b4 \uc218","Words: {0}":"\ub2e8\uc5b4 \uc218: {0}","{0} words":"{0}\uac1c\uc758 \ub2e8\uc5b4","File":"\ud30c\uc77c","Edit":"\ud3b8\uc9d1","Insert":"\uc0bd\uc785","View":"\ubcf4\uae30","Format":"\uc11c\uc2dd","Table":"\ud45c","Tools":"\ub3c4\uad6c","Powered by {0}":"{0}\uc5d0\uc11c \uc9c0\uc6d0","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\uc11c\uc2dd \uc788\ub294 \ud14d\uc2a4\ud2b8 \uc601\uc5ed. ALT-F9\ub97c \ub204\ub974\uba74 \uba54\ub274, ALT-F10\uc744 \ub204\ub974\uba74 \ud234\ubc14, ALT-0\uc744 \ub204\ub974\uba74 \ub3c4\uc6c0\ub9d0\uc744 \ubcfc \uc218 \uc788\uc2b5\ub2c8\ub2e4.","Image title":"\uc774\ubbf8\uc9c0 \uc81c\ubaa9","Border width":"\ud14c\ub450\ub9ac \ub450\uaed8","Border style":"\ud14c\ub450\ub9ac \uc2a4\ud0c0\uc77c","Error":"\uc624\ub958","Warn":"\uacbd\uace0","Valid":"\uc720\ud6a8\ud568","To open the popup, press Shift+Enter":"\ud31d\uc5c5\uc744 \uc5f4\ub824\uba74 Shift+Enter\ub97c \ub204\ub974\uc2ed\uc2dc\uc624.","Rich Text Area":"\uc11c\uc2dd \ud14d\uc2a4\ud2b8 \uc601\uc5ed","Rich Text Area. Press ALT-0 for help.":"\uc11c\uc2dd \uc788\ub294 \ud14d\uc2a4\ud2b8 \uc601\uc5ed. ALT-0\uc744 \ub204\ub974\uba74 \ub3c4\uc6c0\ub9d0\uc744 \ubcfc \uc218 \uc788\uc2b5\ub2c8\ub2e4.","System Font":"\uc2dc\uc2a4\ud15c \uae00\uaf34","Failed to upload image: {0}":"\uc774\ubbf8\uc9c0 \uc5c5\ub85c\ub4dc \uc2e4\ud328: {0}","Failed to load plugin: {0} from url {1}":"URL {1}\ub85c\ubd80\ud130 \ud50c\ub7ec\uadf8\uc778 {0}\uc744 \ubd88\ub7ec\uc624\uc9c0 \ubabb\ud588\uc2b5\ub2c8\ub2e4.","Failed to load plugin url: {0}":"\ud50c\ub7ec\uadf8\uc778 URL {0}\uc744 \ubd88\ub7ec\uc624\uc9c0 \ubabb\ud588\uc2b5\ub2c8\ub2e4.","Failed to initialize plugin: {0}":"\ud50c\ub7ec\uadf8\uc778 {0}\uc758 \ucd08\uae30\ud654\uac00 \uc2e4\ud328\ud588\uc2b5\ub2c8\ub2e4","example":"\uc608\uc81c","Search":"\uac80\uc0c9","All":"\ubaa8\ub450","Currency":"\ud1b5\ud654","Text":"\ud14d\uc2a4\ud2b8","Quotations":"\uc778\uc6a9\ubb38","Mathematical":"\uc218\ud559\uae30\ud638","Extended Latin":"\ud655\uc7a5 \ub77c\ud2f4\uc5b4","Symbols":"\uae30\ud638","Arrows":"\ud654\uc0b4\ud45c","User Defined":"\uc0ac\uc6a9\uc790 \uc815\uc758","dollar sign":"\ub2ec\ub7ec \uae30\ud638","currency sign":"\ud1b5\ud654 \uae30\ud638","euro-currency sign":"\uc720\ub85c\ud654 \uae30\ud638","colon sign":"\ucf5c\ub860 \uae30\ud638","cruzeiro sign":"\ud06c\ub8e8\uc81c\uc774\ub85c \uae30\ud638","french franc sign":"\ud504\ub791\uc2a4 \ud504\ub791 \uae30\ud638","lira sign":"\ub9ac\ub77c \uae30\ud638","mill sign":"\ubc00 \uae30\ud638","naira sign":"\ub098\uc774\ub77c \uae30\ud638","peseta sign":"\ud398\uc138\ud0c0 \uae30\ud638","rupee sign":"\ub8e8\ud53c \uae30\ud638","won sign":"\uc6d0 \uae30\ud638","new sheqel sign":"\ub274 \uc138\ucf08 \uae30\ud638","dong sign":"\ub3d9 \uae30\ud638","kip sign":"\ud0b5 \uae30\ud638","tugrik sign":"\ud22c\uadf8\ub9ac\ud06c \uae30\ud638","drachma sign":"\ub4dc\ub77c\ud06c\ub9c8 \uae30\ud638","german penny symbol":"\ub3c5\uc77c \ud398\ub2c8 \uae30\ud638","peso sign":"\ud398\uc18c \uae30\ud638","guarani sign":"\uacfc\ub77c\ub2c8 \uae30\ud638","austral sign":"\uc544\uc6b0\uc2a4\ud2b8\ub784 \uae30\ud638","hryvnia sign":"\uadf8\ub9ac\ube0c\ub098 \uae30\ud638","cedi sign":"\uc138\ub514 \uae30\ud638","livre tournois sign":"\ub9ac\ube0c\ub974 \ud2b8\ub974\ub204\uc544 \uae30\ud638","spesmilo sign":"\uc2a4\ud398\uc2a4\ubc00\ub85c \uae30\ud638","tenge sign":"\ud161\uac8c \uae30\ud638","indian rupee sign":"\uc778\ub3c4 \ub8e8\ud53c \uae30\ud638","turkish lira sign":"\ud130\ud0a4 \ub9ac\ub77c \uae30\ud638","nordic mark sign":"\ub178\ub974\ub515 \ub9c8\ub974\ud06c \uae30\ud638","manat sign":"\ub9c8\ub098\ud2b8 \uae30\ud638","ruble sign":"\ub8e8\ube14 \uae30\ud638","yen character":"\uc5d4 \uae30\ud638","yuan character":"\uc704\uc548 \uae30\ud638","yuan character, in hong kong and taiwan":"\ub300\ub9cc \uc704\uc548 \uae30\ud638","yen/yuan character variant one":"\uc5d4/\uc704\uc548 \ubb38\uc790 \ubcc0\ud615","Emojis":"\uc5d0\ubaa8\uc9c0","Emojis...":"\uc5d0\ubaa8\uc9c0...","Loading emojis...":"\uc5d0\ubaa8\uc9c0 \ubd88\ub7ec\uc624\ub294 \uc911...","Could not load emojis":"\uc5d0\ubaa8\uc9c0\ub97c \ubd88\ub7ec\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4","People":"\uc0ac\ub78c","Animals and Nature":"\ub3d9\ubb3c\uacfc \uc790\uc5f0","Food and Drink":"\uc74c\uc2dd\uacfc \uc74c\ub8cc","Activity":"\ud65c\ub3d9","Travel and Places":"\uc5ec\ud589\uacfc \uc7a5\uc18c","Objects":"\ubb3c\uac74","Flags":"\uae43\ubc1c","Characters":"\ubb38\uc790 \uc218","Characters (no spaces)":"\ubb38\uc790 \uc218 (\uacf5\ubc31 \uc5c6\uc74c)","{0} characters":"{0} \ubb38\uc790","Error: Form submit field collision.":"\uc624\ub958: \uc591\uc2dd \uc81c\ucd9c \ud544\ub4dc \ubd88\uc77c\uce58","Error: No form element found.":"\uc624\ub958: \uc591\uc2dd \ud56d\ubaa9 \uc5c6\uc74c","Color swatch":"\uc0c9\uc0c1 \uacac\ubcf8","Color Picker":"\uc0c9 \uc120\ud0dd\uae30","Invalid hex color code: {0}":"\ubd80\uc801\uc808\ud55c 16\uc9c4\uc218 \uc0c9\uc0c1 \ucf54\ub4dc: {0}","Invalid input":"\ubd80\uc801\uc808\ud55c \uc785\ub825","R":"\ube68\uac15","Red component":"\uc801\uc0c9 \uc694\uc18c","G":"\ub179\uc0c9","Green component":"\ub179\uc0c9 \uc694\uc18c","B":"\ud30c\ub791","Blue component":"\uccad\uc0c9 \uc694\uc18c","#":"#","Hex color code":"16\uc9c4\uc218 \uc0c9\uc0c1 \ucf54\ub4dc","Range 0 to 255":"0\ubd80\ud130 255\uae4c\uc9c0\uc758 \ubc94\uc704","Turquoise":"\uccad\ub85d\uc0c9","Green":"\ucd08\ub85d\uc0c9","Blue":"\ud30c\ub780\uc0c9","Purple":"\ubcf4\ub77c\uc0c9","Navy Blue":"\ub0a8\uc0c9","Dark Turquoise":"\uc9c4\ud55c \uccad\ub85d\uc0c9","Dark Green":"\uc9c4\ud55c \ucd08\ub85d\uc0c9","Medium Blue":"\uc911\uac04 \ud30c\ub780\uc0c9","Medium Purple":"\uc911\uac04 \ubcf4\ub77c\uc0c9","Midnight Blue":"\uc9c4\ud55c \ud30c\ub780\uc0c9","Yellow":"\ub178\ub780\uc0c9","Orange":"\uc8fc\ud669\uc0c9","Red":"\ube68\uac04\uc0c9","Light Gray":"\ubc1d\uc740 \ud68c\uc0c9","Gray":"\ud68c\uc0c9","Dark Yellow":"\uc9c4\ud55c \ub178\ub780\uc0c9","Dark Orange":"\uc9c4\ud55c \uc8fc\ud669\uc0c9","Dark Red":"\uc9c4\ud55c \ube68\uac04\uc0c9","Medium Gray":"\uc911\uac04 \ud68c\uc0c9","Dark Gray":"\uc9c4\ud55c \ud68c\uc0c9","Light Green":"\ubc1d\uc740 \ub179\uc0c9","Light Yellow":"\ubc1d\uc740 \ub178\ub780\uc0c9","Light Red":"\ubc1d\uc740 \ube68\uac04\uc0c9","Light Purple":"\ubc1d\uc740 \ubcf4\ub77c\uc0c9","Light Blue":"\ubc1d\uc740 \ud30c\ub780\uc0c9","Dark Purple":"\uc9c4\ud55c \ubcf4\ub77c\uc0c9","Dark Blue":"\uc9c4\ud55c \ud30c\ub780\uc0c9","Black":"\uac80\uc740\uc0c9","White":"\ud770\uc0c9","Switch to or from fullscreen mode":"\uc804\uccb4 \ud654\uba74 \ubaa8\ub4dc \uc804\ud658","Open help dialog":"\ub3c4\uc6c0\ub9d0 \ub2e4\uc774\uc5bc\ub85c\uadf8 \uc5f4\uae30","history":"\uc774\ub825","styles":"\uc2a4\ud0c0\uc77c","formatting":"\uc11c\uc2dd","alignment":"\uc815\ub82c","indentation":"\ub4e4\uc5ec\uc4f0\uae30","Font":"\uae00\uaf34","Size":"\ud06c\uae30","More...":"\ub354 \ubcf4\uae30...","Select...":"\uc120\ud0dd...","Preferences":"\ud658\uacbd\uc124\uc815","Yes":"\ub124","No":"\uc544\ub2c8\uc624","Keyboard Navigation":"\ub2e8\ucd95\ud0a4","Version":"\ubc84\uc804","Code view":"\ucf54\ub4dc \ud45c\uc2dc","Open popup menu for split buttons":"\ubd84\ud560 \ubc84\ud2bc\uc73c\ub85c \ud31d\uc5c5 \uba54\ub274 \uc5f4\uae30","List Properties":"\ud56d\ubaa9 \uc18d\uc131","List properties...":"\ud56d\ubaa9 \uc18d\uc131...","Start list at number":"\ubc88\ud638 \ub9ac\uc2a4\ud2b8 \uc2dc\uc791","Line height":"\ud589 \ub192\uc774","Dropped file type is not supported":"\ub04c\uc5b4\ub2e4 \ub193\uc740 \ud30c\uc77c \ud615\uc2dd\uc744 \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4","Loading...":"\ubd88\ub7ec\uc624\ub294 \uc911...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP \uc624\ub958: \uc694\uccad \uac70\ubd80","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP \uc624\ub958: \uc774\ubbf8\uc9c0 \ud504\ub85d\uc2dc\ub97c \ucc3e\uc744 \uc218 \uc5c6\uc2b5\ub2c8\ub2e4","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP \uc624\ub958: \uc62c\ubc14\ub974\uc9c0 \uc54a\uc740 \uc774\ubbf8\uc9c0 \ud504\ub85d\uc2dc URL \uc8fc\uc18c","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP \uc624\ub958: \uc54c \uc218 \uc5c6\ub294 \uc774\ubbf8\uc9c0 \ud504\ub85d\uc2dc \uc624\ub958"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ku.js b/deform/static/tinymce/langs/ku.js new file mode 100644 index 00000000..7c7fab6f --- /dev/null +++ b/deform/static/tinymce/langs/ku.js @@ -0,0 +1 @@ +tinymce.addI18n("ku",{"Redo":"\u06a9\u0631\u062f\u0646\u06d5\u0648\u06d5","Undo":"\u06af\u06d5\u0695\u0627\u0646\u06d5\u0648\u06d5","Cut":"\u0628\u0695\u06cc\u0646","Copy":"\u0644\u06d5\u0628\u06d5\u0631\u06af\u0631\u062a\u0646\u06d5\u0648\u06d5","Paste":"\u0644\u06a9\u0627\u0646\u062f\u0646","Select all":"\u0647\u06d5\u06b5\u0628\u0698\u0627\u0631\u062f\u0646\u06cc \u0647\u06d5\u0645\u0648\u0648","New document":"\u0628\u06d5\u06b5\u06af\u06d5\u0646\u0627\u0645\u06d5\u06cc \u0646\u0648\u06ce","Ok":"\u0628\u0627\u0634\u06d5","Cancel":"\u067e\u0627\u0634\u06af\u06d5\u0632\u0628\u0648\u0648\u0646\u06d5\u0648\u06d5","Visual aids":"\u0647\u0627\u0648\u06a9\u0627\u0631\u06cc \u0628\u06cc\u0646\u06d5\u06cc\u06cc","Bold":"\u062a\u06c6\u062e\u06a9\u0631\u062f\u0646","Italic":"\u0644\u0627\u0631\u06a9\u0631\u062f\u0646","Underline":"\u0647\u06ce\u06b5 \u0628\u06d5\u0698\u06ce\u0631\u062f\u0627\u0646","Strikethrough":"\u0647\u06ce\u06b5 \u0628\u06d5\u0646\u0627\u0648\u062f\u0627\u0646","Superscript":"\u0633\u06d5\u0631\u0646\u0648\u0648\u0633","Subscript":"\u0698\u06ce\u0631\u0646\u0648\u0648\u0633","Clear formatting":"\u067e\u0627\u06a9\u06a9\u0631\u062f\u0646\u06d5\u0648\u06d5\u06cc \u0634\u06ce\u0648\u0627\u0632\u06a9\u0631\u062f\u0646","Remove":"\u0644\u0627\u0628\u0631\u062f\u0646","Align left":"\u0644\u0627\u06af\u0631\u062a\u0646\u06cc \u0686\u06d5\u067e","Align center":"\u0644\u0627\u06af\u0631\u062a\u0646\u06cc \u0646\u0627\u0648\u06d5\u0695\u0627\u0633\u062a","Align right":"\u0644\u0627\u06af\u0631\u062a\u0646\u06cc \u0695\u0627\u0633\u062a","No alignment":"\u0628\u06ce \u062a\u06d5\u0631\u0627\u0632\u0628\u06d5\u0646\u062f\u06cc","Justify":"\u0647\u0627\u0648\u0695\u06ce\u06a9\u06cc ","Bullet list":"\u0644\u06cc\u0633\u062a\u06cc \u062e\u0627\u06b5","Numbered list":"\u0644\u06cc\u0633\u062a\u06cc \u0698\u0645\u0627\u0631\u06d5","Decrease indent":"\u06a9\u06d5\u0645\u06a9\u0631\u062f\u0646\u06cc \u0628\u06c6\u0634\u0627\u06cc\u06cc","Increase indent":"\u0632\u06cc\u0627\u062f\u06a9\u0631\u062f\u0646\u06cc \u0628\u06c6\u0634\u0627\u06cc\u06cc","Close":"\u062f\u0627\u062e\u0633\u062a\u0646","Formats":"\u0634\u06ce\u0648\u0627\u0632\u06a9\u0631\u062f\u0646\u06d5\u06a9\u0627\u0646","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0648\u06ce\u0628\u06af\u06d5\u0695\u06d5\u06a9\u06d5\u062a \u067e\u0627\u06b5\u067e\u0634\u062a\u06cc \u062f\u06d5\u0633\u062a\u06a9\u06d5\u0648\u062a\u0646\u06cc \u0695\u0627\u0633\u062a\u06d5\u0648\u062e\u06c6\u06cc \u06a9\u0644\u06cc\u067e\u0628\u06c6\u0631\u062f \u0646\u0627\u06a9\u0627\u062a. \u062a\u06a9\u0627\u06cc\u06d5 \u0644\u06d5\u062c\u06cc\u0627\u062a\u06cc \u06a9\u0648\u0631\u062a\u0628\u0695\u06d5\u06a9\u0627\u0646\u06cc Ctrl+X/C/V \u062a\u06d5\u062e\u062a\u06d5\u06a9\u0644\u06cc\u0644 \u0628\u06d5\u06a9\u0627\u0631\u0628\u06ce\u0646\u06d5.","Headings":"\u0633\u06d5\u0631\u0628\u0627\u0628\u06d5\u062a\u06d5\u06a9\u0627\u0646","Heading 1":"\u0633\u06d5\u0631\u0628\u0627\u0628\u06d5\u062a 1","Heading 2":"\u0633\u06d5\u0631\u0628\u0627\u0628\u06d5\u062a 2","Heading 3":"\u0633\u06d5\u0631\u0628\u0627\u0628\u06d5\u062a 3","Heading 4":"\u0633\u06d5\u0631\u0628\u0627\u0628\u06d5\u062a 4","Heading 5":"\u0633\u06d5\u0631\u0628\u0627\u0628\u06d5\u062a 5","Heading 6":"\u0633\u06d5\u0631\u0628\u0627\u0628\u06d5\u062a 6","Preformatted":"\u067e\u06ce\u0634\u0634\u06ce\u0648\u0627\u0632\u06a9\u0631\u0627\u0648","Div":"\u062f\u06cc\u06a4","Pre":"\u062f\u06d5\u0642\u06cc \u0641\u06c6\u0631\u0645\u0627\u062a\u06a9\u0631\u0627\u0648","Code":"\u06a9\u06c6\u062f","Paragraph":"\u0628\u0695\u06af\u06d5","Blockquote":"\u0648\u062a\u06d5","Inline":"\u0644\u06d5\u0633\u06d5\u0631\u062f\u06ce\u0631","Blocks":"\u0628\u0644\u06c6\u06a9\u06d5\u06a9\u0627\u0646","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0644\u06a9\u0627\u0646\u062f\u0646 \u0626\u06ce\u0633\u062a\u0627 \u0644\u06d5 \u0628\u0627\u0631\u06cc \u062f\u06d5\u0642\u06cc \u0633\u0627\u062f\u06d5\u06cc\u06d5. \u0646\u0627\u0648\u06d5\u0695\u06c6\u06a9\u06d5\u06a9\u0627\u0646 \u062f\u06d5\u0644\u06a9\u06ce\u0646 \u0648\u06d5\u06a9 \u062f\u06d5\u0642\u06cc \u0633\u0627\u062f\u06d5 \u0647\u06d5\u062a\u0627 \u0626\u06d5\u0645 \u0647\u06d5\u06b5\u0628\u0698\u0627\u0631\u062f\u06d5 \u0646\u0627\u06a9\u0627\u0631\u0627 \u062f\u06d5\u06a9\u06d5\u06cc\u062a.","Fonts":"\u0641\u06c6\u0646\u062a\u06d5\u06a9\u0627\u0646","Font sizes":"\u0642\u06d5\u0628\u0627\u0631\u06d5\u06cc \u0641\u06c6\u0646\u062a","Class":"\u067e\u06c6\u0644","Browse for an image":"\u0628\u06af\u06d5\u0695\u06ce \u0628\u06c6 \u0648\u06ce\u0646\u06d5\u06cc\u06d5\u06a9","OR":"\u06cc\u0627\u0646","Drop an image here":"\u0648\u06ce\u0646\u06d5\u06cc\u06d5\u06a9 \u0695\u0627\u06a9\u06ce\u0634\u06d5 \u0628\u06c6 \u0626\u06ce\u0631\u06d5","Upload":"\u0628\u0627\u0631\u06a9\u0631\u062f\u0646","Uploading image":"\u0628\u0627\u0631\u06a9\u0631\u062f\u0646\u06cc \u0648\u06ce\u0646\u06d5","Block":"\u0628\u0644\u06c6\u06a9","Align":"\u0644\u0627\u06af\u0631\u062a\u0646","Default":"\u0628\u0646\u06d5\u0695\u06d5\u062a\u06cc","Circle":"\u0628\u0627\u0632\u0646\u06d5","Disc":"\u067e\u06d5\u067e\u06a9\u06d5","Square":"\u0686\u0648\u0627\u0631\u06af\u06c6\u0634\u06d5","Lower Alpha":"\u0626\u06d5\u0644\u0641\u0627\u06cc \u0628\u0686\u0648\u0648\u06a9","Lower Greek":"\u06cc\u06c6\u0646\u0627\u0646\u06cc \u0628\u0686\u0648\u0648\u06a9","Lower Roman":"\u0695\u06c6\u0645\u0627\u0646\u06cc \u0628\u0686\u0648\u0648\u06a9","Upper Alpha":"\u0626\u06d5\u0644\u0641\u0627\u06cc \u06af\u06d5\u0648\u0631\u06d5","Upper Roman":"\u0695\u06c6\u0645\u0627\u0646\u06cc \u06af\u06d5\u0648\u0631\u06d5","Anchor...":"\u0644\u06d5\u0646\u06af\u06d5\u0631...","Anchor":"\u0644\u06d5\u0646\u06af\u06d5\u0631","Name":"\u0646\u0627\u0648","ID":"\u0626\u0627\u06cc \u062f\u06cc","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u0626\u0627\u06cc \u062f\u06cc \u062f\u06d5\u0628\u06ce \u0628\u06d5 \u0646\u0627\u0645\u06d5\u06cc\u06d5\u06a9 \u062f\u06d5\u0633\u062a \u067e\u06ce \u0628\u06a9\u0627\u062a\u060c \u062f\u0648\u0627\u06cc \u0626\u06d5\u0648\u06d5 \u062a\u06d5\u0646\u0647\u0627 \u067e\u06cc\u062a\u06d5\u06a9\u0627\u0646\u060c \u0698\u0645\u0627\u0631\u06d5\u06a9\u0627\u0646\u060c \u062f\u0627\u0634\u06d5\u06a9\u0627\u0646\u060c \u062e\u0627\u06b5\u06d5\u06a9\u0627\u0646\u060c \u06a9\u06c6\u0644\u06c6\u0646\u06d5\u06a9\u0627\u0646 \u06cc\u0627\u0646 \u0628\u0646\u06d5\u0631\u06d5\u06a9\u0627\u0646.","You have unsaved changes are you sure you want to navigate away?":"\u062a\u06c6 \u06af\u06c6\u0695\u0627\u0646\u06a9\u0627\u0631\u06cc\u06cc\u06d5\u06a9\u0627\u0646\u062a \u067e\u0627\u0634\u06d5\u06a9\u06d5\u0648\u062a \u0646\u06d5\u06a9\u0631\u062f\u0648\u0648\u06d5\u060c \u0626\u0627\u06cc\u0627 \u062f\u06b5\u0646\u06cc\u0627\u06cc\u062a \u0644\u06d5 \u062f\u06d5\u0631\u0686\u0648\u0648\u0646\u062a\u061f","Restore last draft":"\u06af\u06d5\u0695\u0627\u0646\u062f\u0646\u06d5\u0648\u06d5\u06cc \u062f\u0648\u0627\u06cc\u06cc\u0646 \u0695\u06d5\u0634\u0646\u0648\u0648\u0633","Special character...":"\u0646\u0648\u0648\u0633\u06d5 \u062a\u0627\u06cc\u0628\u06d5\u062a\u06d5\u06a9\u0627\u0646...","Special Character":"\u06a9\u0627\u0631\u0627\u06a9\u062a\u06d5\u0631\u06cc \u062a\u0627\u06cc\u0628\u06d5\u062a","Source code":"\u06a9\u06c6\u062f\u06cc \u0633\u06d5\u0631\u0686\u0627\u0648\u06d5","Insert/Edit code sample":"\u062a\u06ce\u062e\u0633\u062a\u0646/\u0628\u0698\u0627\u0631\u06a9\u0631\u062f\u0646\u06cc \u0646\u0645\u0648\u0648\u0646\u06d5 \u06a9\u06c6\u062f","Language":"\u0632\u0645\u0627\u0646","Code sample...":"\u0646\u0645\u0648\u0648\u0646\u06d5 \u06a9\u06c6\u062f...","Left to right":"\u0686\u06d5\u067e \u0628\u06c6 \u0695\u0627\u0633\u062a","Right to left":"\u0695\u0627\u0633\u062a \u0628\u06c6 \u0686\u06d5\u067e","Title":"\u0646\u0627\u0648\u0646\u06cc\u0634\u0627\u0646","Fullscreen":"\u0695\u0648\u0648\u067e\u0695\u06cc","Action":"\u06a9\u0631\u062f\u0627\u0631","Shortcut":"\u0646\u0627\u0648\u0628\u0695","Help":"\u06cc\u0627\u0631\u0645\u06d5\u062a\u06cc","Address":"\u0646\u0627\u0648\u0646\u06cc\u0634\u0627\u0646","Focus to menubar":"\u0633\u06d5\u0631\u0646\u062c\u062f\u0627\u0646 \u0644\u06d5 \u0634\u0631\u06cc\u062a\u06cc \u0645\u06ce\u0646\u0648\u0648","Focus to toolbar":"\u0633\u06d5\u0631\u0646\u062c\u062f\u0627\u0646 \u0644\u06d5 \u0634\u0631\u06cc\u062a\u06cc \u0626\u0627\u0645\u06ce\u0631\u06d5\u06a9\u0627\u0646","Focus to element path":"\u0633\u06d5\u0631\u0646\u062c\u062f\u0627\u0646 \u0644\u06d5 \u0695\u06ce\u0686\u06a9\u06d5\u06cc \u0639\u0648\u0646\u0633\u0648\u0631","Focus to contextual toolbar":"\u0633\u06d5\u0631\u0646\u062c\u062f\u0627\u0646 \u0644\u06d5 \u0634\u0631\u06cc\u062a\u06cc \u0626\u0627\u0645\u06ce\u0631\u06cc \u062f\u06d5\u0642\u06cc","Insert link (if link plugin activated)":"\u062a\u06ce\u062e\u0633\u062a\u0646\u06cc \u0644\u06cc\u0646\u06a9 (\u0626\u06d5\u06af\u06d5\u0631 \u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648 \u0686\u0627\u0644\u0627\u06a9 \u06a9\u0631\u0627\u0648\u06d5)","Save (if save plugin activated)":"\u067e\u0627\u0634\u06d5\u06a9\u06d5\u0648\u062a\u06a9\u0631\u062f\u0646 (\u0626\u06d5\u06af\u06d5\u0631 \u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648\u06cc \u067e\u0627\u0634\u06d5\u06a9\u06d5\u0648\u062a\u06a9\u0631\u062f\u0646 \u0686\u0627\u0644\u0627\u06a9 \u06a9\u0631\u0627\u0648\u06d5)","Find (if searchreplace plugin activated)":"\u062f\u06c6\u0632\u06cc\u0646\u06d5\u0648\u06d5 (\u0626\u06d5\u06af\u06d5\u0631 \u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648\u06cc \u062c\u06ce\u06af\u06c6\u0695\u06cc\u0646\u06cc \u06af\u06d5\u0695\u0627\u0646 \u0686\u0627\u0644\u0627\u06a9 \u06a9\u0631\u0627\u0648\u06d5)","Plugins installed ({0}):":"\u0626\u06d5\u0648 \u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648\u0627\u0646\u06d5\u06cc \u062f\u0627\u0645\u06d5\u0632\u0631\u0627\u0648\u0646 ({0}):","Premium plugins:":"\u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648\u06d5 \u067e\u0627\u0631\u06d5\u06cc\u06cc\u06cc\u06d5\u06a9\u0627\u0646:","Learn more...":"\u0632\u06cc\u0627\u062a\u0631 \u0628\u0632\u0627\u0646\u06d5...","You are using {0}":"\u062a\u06c6 {0} \u0628\u06d5\u06a9\u0627\u0631 \u062f\u06ce\u0646\u06cc","Plugins":"\u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648\u06d5\u06a9\u0627\u0646","Handy Shortcuts":"\u0646\u0627\u0648\u0628\u0695\u06d5 \u062f\u06d5\u0633\u062a\u06cc\u06cc\u06d5\u06a9\u0627\u0646","Horizontal line":"\u0647\u06ce\u06b5\u06cc \u0626\u0627\u0633\u06c6\u06cc\u06cc","Insert/edit image":"\u062e\u0633\u062a\u0646\u06d5\u0646\u0627\u0648/\u062f\u06d5\u0633\u062a\u06a9\u0627\u0631\u06cc \u0648\u06ce\u0646\u06d5","Alternative description":"\u0648\u06d5\u0633\u0641\u06cc \u062c\u06ce\u06af\u0631\u06d5\u0648\u06d5","Accessibility":"\u062f\u06d5\u0633\u062a\u06af\u06d5\u06cc\u0634\u062a\u0646","Image is decorative":"\u0648\u06ce\u0646\u06d5\u06a9\u06d5 \u0695\u0627\u0632\u0627\u0648\u06d5\u06cc\u06d5","Source":"\u0633\u06d5\u0631\u0686\u0627\u0648\u06d5","Dimensions":"\u062f\u0648\u0648\u0631\u06cc\u06cc\u06d5\u06a9\u0627\u0646","Constrain proportions":"\u0695\u06d5\u0647\u06d5\u0646\u062f\u06cc \u0645\u06d5\u0631\u062c\u06d5\u06a9\u0627\u0646","General":"\u06af\u0634\u062a\u06cc","Advanced":"\u067e\u06ce\u0634\u06a9\u06d5\u0648\u062a\u0648\u0648","Style":"\u0634\u06ce\u0648\u0627\u0632","Vertical space":"\u0628\u06c6\u0634\u0627\u06cc\u06cc \u0633\u062a\u0648\u0648\u0646\u06cc","Horizontal space":"\u0628\u06c6\u0634\u0627\u06cc\u06cc \u0626\u0627\u0633\u06c6\u06cc\u06cc","Border":"\u0633\u0646\u0648\u0648\u0631","Insert image":"\u062e\u0633\u062a\u0646\u06d5\u0646\u0627\u0648\u06cc \u0648\u06ce\u0646\u06d5","Image...":"\u0648\u06ce\u0646\u06d5...","Image list":"\u067e\u06ce\u0631\u0633\u062a\u06cc \u0648\u06ce\u0646\u06d5","Resize":"\u06af\u06c6\u0695\u06cc\u0646\u06cc \u0626\u06d5\u0646\u062f\u0627\u0632\u06d5","Insert date/time":"\u062a\u06ce\u062e\u0633\u062a\u0646\u06cc \u0695\u06ce\u06a9\u06d5\u0648\u062a/\u06a9\u0627\u062a","Date/time":"\u0695\u06ce\u06a9\u06d5\u0648\u062a/\u06a9\u0627\u062a","Insert/edit link":"\u062a\u06ce\u062e\u0633\u062a\u0646/\u0628\u0698\u0627\u0631\u06a9\u0631\u062f\u0646\u06cc \u0628\u06d5\u0633\u062a\u06d5\u0631","Text to display":"\u062f\u06d5\u0642 \u0628\u06c6 \u067e\u06cc\u0634\u0627\u0646\u062f\u0627\u0646","Url":"\u0628\u06d5\u0633\u062a\u06d5\u0631","Open link in...":"\u06a9\u0631\u062f\u0646\u06d5\u0648\u06d5\u06cc \u0628\u06d5\u0633\u062a\u06d5\u0631 \u0644\u06d5...","Current window":"\u0647\u06d5\u0631\u0626\u06d5\u0645 \u067e\u06d5\u0646\u062c\u06d5\u0631\u06d5\u06cc\u06d5","None":"\u0647\u06cc\u0686","New window":"\u067e\u06d5\u0646\u062c\u06d5\u0631\u06d5\u06cc \u0646\u0648\u06ce","Open link":"\u06a9\u0631\u062f\u0646\u06d5\u0648\u06d5\u06cc \u0644\u06cc\u0646\u06a9","Remove link":"\u0644\u0627\u0628\u0631\u062f\u0646\u06cc \u0628\u06d5\u0633\u062a\u06d5\u0631","Anchors":"\u0644\u06d5\u0646\u06af\u06d5\u0631\u06d5\u06a9\u0627\u0646","Link...":"\u0628\u06d5\u0633\u062a\u06d5\u0631...","Paste or type a link":"\u0644\u06a9\u0627\u0646\u062f\u0646 \u06cc\u0627\u0646 \u0646\u0648\u0648\u0633\u06cc\u0646\u06cc \u0628\u06d5\u0633\u062a\u06d5\u0631","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0626\u06d5\u0648 \u0628\u06d5\u0633\u062a\u06d5\u0631\u06d5\u06cc \u0646\u0648\u0648\u0633\u06cc\u0648\u062a\u06d5 \u0644\u06d5 \u0626\u06cc\u0645\u06d5\u06cc\u0644 \u062f\u06d5\u0686\u06ce\u062a. \u0626\u0627\u06cc\u0627 \u062f\u06d5\u062a\u06d5\u0648\u06ce\u062a \u067e\u06ce\u0634\u06af\u0631\u06cc mailto:\u06cc \u0628\u06c6 \u0632\u06cc\u0627\u062f \u0628\u06a9\u06d5\u06cc\u062a\u061f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0626\u06d5\u0648 \u0628\u06d5\u0633\u062a\u06d5\u0631\u06d5\u06cc \u0646\u0648\u0648\u0633\u06cc\u0648\u062a\u06d5 \u0644\u06d5 \u0628\u06d5\u0633\u062a\u06d5\u0631\u06cc \u062f\u06d5\u0631\u06d5\u06a9\u06cc \u062f\u06d5\u0686\u06ce\u062a. \u0626\u0627\u06cc\u0627 \u062f\u06d5\u062a\u06d5\u0648\u06ce\u062a \u067e\u06ce\u0634\u06af\u0631\u06cc http://\u06cc \u0628\u06c6 \u0632\u06cc\u0627\u062f \u0628\u06a9\u06d5\u06cc\u062a\u061f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0626\u06d5\u0648 URL\u06d5\u06cc \u0646\u0648\u0648\u0633\u06cc\u0648\u062a\u06d5 \u067e\u06ce \u062f\u06d5\u0686\u06ce\u062a \u0644\u06cc\u0646\u06a9\u06ce\u06a9\u06cc \u062f\u06d5\u0631\u06d5\u06a9\u06cc \u0628\u06ce\u062a. \u062f\u06d5\u062a\u06d5\u0648\u06ce\u062a \u067e\u06ce\u0634\u06af\u0631\u06cc \u067e\u06ce\u0648\u06cc\u0633\u062a https:// \u0632\u06cc\u0627\u062f \u0628\u06a9\u06d5\u06cc\u062a?","Link list":"\u067e\u06ce\u0633\u0631\u062a\u06cc \u0628\u06d5\u0633\u062a\u06d5\u0631","Insert video":"\u062e\u0633\u062a\u0646\u06d5\u0646\u0627\u0648\u06cc \u06a4\u06cc\u062f\u06cc\u06c6","Insert/edit video":"\u062e\u0633\u062a\u0646\u06d5\u0646\u0627\u0648/\u062f\u06d5\u0633\u062a\u06a9\u0627\u0631\u06cc \u06a4\u06cc\u062f\u06cc\u06c6","Insert/edit media":"\u062a\u06ce\u062e\u0633\u062a\u0646/\u0628\u0698\u0627\u0631\u06a9\u0631\u062f\u0646\u06cc \u06af\u06d5\u06cc\u0627\u0646\u06d5","Alternative source":"\u0633\u06d5\u0631\u0686\u0627\u0648\u06d5\u06cc \u062c\u06ce\u06af\u0631","Alternative source URL":"\u0628\u06d5\u0633\u062a\u06d5\u0631\u06cc \u0633\u06d5\u0631\u0686\u0627\u0648\u06d5\u06cc \u062c\u06ce\u06af\u0631\u06d5\u0648\u06d5","Media poster (Image URL)":"\u067e\u06c6\u0633\u062a\u06d5\u0631\u06cc \u06af\u06d5\u06cc\u0627\u0646\u06d5 (\u0628\u06d5\u0633\u062a\u06d5\u0631\u06cc \u0648\u06ce\u0646\u06d5)","Paste your embed code below:":"\u06a9\u06c6\u062f\u06cc \u062a\u06ce\u062e\u0633\u062a\u0646\u06d5\u06a9\u06d5\u062a \u0644\u06d5\u062e\u0648\u0627\u0631\u06d5\u0648\u06d5 \u0628\u0644\u06a9\u06ce\u0646\u06d5:","Embed":"\u062a\u06ce\u062e\u0633\u062a\u0646","Media...":"\u06af\u06d5\u06cc\u0627\u0646\u06d5...","Nonbreaking space":"\u0628\u06c6\u0634\u0627\u06cc\u06cc \u0646\u06d5\u0628\u0695\u0627\u0648","Page break":"\u0628\u0695\u06cc\u0646\u06cc \u067e\u06d5\u0695\u06d5","Paste as text":"\u0644\u06a9\u0627\u0646\u062f\u0646 \u0648\u06d5\u06a9 \u062f\u06d5\u0642","Preview":"\u067e\u06ce\u0634\u062f\u06cc\u062a\u0646","Print":"\u0686\u0627\u067e\u06a9\u0631\u062f\u0646","Print...":"\u0686\u0627\u067e\u06a9\u0631\u062f\u0646...","Save":"\u067e\u0627\u0634\u06d5\u06a9\u06d5\u0648\u062a\u06a9\u0631\u062f\u0646","Find":"\u062f\u06c6\u0632\u06cc\u0646\u06d5\u0648\u06d5","Replace with":"\u062c\u06ce\u06af\u06c6\u0695\u06cc\u0646 \u0644\u06d5\u06af\u06d5\u06b5","Replace":"\u062c\u06ce\u06af\u06c6\u0695\u06cc\u0646","Replace all":"\u062c\u06ce\u06af\u06c6\u0695\u06cc\u0646\u06cc \u0647\u06d5\u0645\u0648\u0648","Previous":"\u067e\u06ce\u0634\u0648\u0648","Next":"\u062f\u0648\u0627\u062a\u0631","Find and Replace":"\u062f\u06c6\u0632\u06cc\u0646\u06d5\u0648\u06d5 \u0648 \u062c\u06ce\u06af\u0631\u062a\u0646\u06d5\u0648\u06d5","Find and replace...":"\u062f\u06c6\u0632\u06cc\u0646 \u0648 \u062c\u06ce\u06af\u06c6\u0695\u06cc\u0646...","Could not find the specified string.":"\u0695\u06cc\u0632\u0628\u06d5\u0646\u062f\u06cc \u062f\u06cc\u0627\u0631\u06cc\u06a9\u0631\u0627\u0648 \u0646\u0627\u062f\u06c6\u0632\u0631\u06ce\u062a\u06d5\u0648\u06d5.","Match case":"\u0628\u0698\u0627\u0631\u062f\u06d5\u06cc \u0647\u0627\u0648\u062a\u0627","Find whole words only":"\u062f\u06c6\u0632\u06cc\u0646\u06d5\u0648\u06d5\u06cc \u062a\u06d5\u0646\u06cc\u0627 \u062a\u06d5\u0648\u0627\u0648\u06cc \u0648\u0634\u06d5\u06a9\u0627\u0646","Find in selection":"\u0644\u06d5 \u0628\u06d5\u0634\u06cc \u0647\u06d5\u06b5\u0628\u0698\u06ce\u0631\u062f\u0631\u0627\u0648\u062f\u0627 \u0628\u062f\u06c6\u0632\u06d5\u0648\u06d5","Insert table":"\u062a\u06ce\u062e\u0633\u062a\u0646\u06cc \u062c\u06d5\u062f\u0648\u06d5\u0644","Table properties":"\u062a\u0627\u06cc\u0628\u0647\u200c\u062a\u0645\u0647\u200c\u0646\u062f\u06cc\u06cc\u06d5\u06a9\u0627\u0646\u06cc \u062c\u06d5\u062f\u0648\u06d5\u0644","Delete table":"\u0633\u0695\u06cc\u0646\u06d5\u0648\u06d5\u06cc \u062c\u06d5\u062f\u0648\u06d5\u0644","Cell":"\u062e\u0627\u0646\u06d5","Row":"\u0695\u06cc\u0632","Column":"\u0633\u062a\u0648\u0648\u0646","Cell properties":"\u062a\u0627\u06cc\u0628\u0647\u200c\u062a\u0645\u0647\u200c\u0646\u062f\u06cc\u06cc\u06d5\u06a9\u0627\u0646\u06cc \u062e\u0627\u0646\u06d5","Merge cells":"\u062a\u06ce\u06a9\u06d5\u06b5\u06a9\u0631\u062f\u0646\u06cc \u062e\u0627\u0646\u06d5\u06a9\u0627\u0646","Split cell":"\u062c\u06cc\u0627\u06a9\u0631\u062f\u0646\u06d5\u0648\u06d5\u06cc \u062e\u0627\u0646\u06d5","Insert row before":"\u062a\u06ce\u062e\u0633\u062a\u0646\u06cc \u0695\u06cc\u0632 \u0644\u06d5\u067e\u06ce\u0634\u062a\u06d5\u0648\u06d5","Insert row after":"\u062a\u06ce\u062e\u0633\u062a\u0646\u06cc \u0695\u06cc\u0632 \u0644\u06d5\u062f\u0648\u0627\u0648\u06d5","Delete row":"\u0633\u0695\u06cc\u0646\u06d5\u0648\u06d5\u06cc \u0695\u06cc\u0632","Row properties":"\u062a\u0627\u06cc\u0628\u0647\u200c\u062a\u0645\u0647\u200c\u0646\u062f\u06cc\u06cc\u06d5\u06a9\u0627\u0646\u06cc \u0695\u06cc\u0632","Cut row":"\u0628\u0695\u06cc\u0646\u06cc \u0695\u06cc\u0632","Cut column":"\u0628\u0695\u06cc\u0646 \u0626\u06d5\u0633\u062a\u0648\u0648\u0646","Copy row":"\u0644\u06d5\u0628\u06d5\u0631\u06af\u0631\u062a\u0646\u06d5\u0648\u06d5\u06cc \u0695\u06cc\u0632","Copy column":"\u06a9\u06c6\u067e\u06cc\u06a9\u0631\u062f\u0646\u06cc \u0633\u062a\u0648\u0648\u0646","Paste row before":"\u0644\u06a9\u0627\u0646\u062f\u0646\u06cc \u0695\u06cc\u0632 \u0644\u06d5 \u067e\u06ce\u0634\u062a\u0631","Paste column before":"\u0633\u062a\u0648\u0648\u0646\u06d5\u06a9\u06d5 \u0628\u0686\u06d5\u0633\u067e\u06ce\u0646\u06d5 \u0628\u06a9\u06d5 \u067e\u06ce\u0634","Paste row after":"\u0644\u06a9\u0627\u0646\u062f\u0646\u06cc \u0695\u06cc\u0632 \u0644\u06d5 \u062f\u0648\u0627\u062a\u0631","Paste column after":"\u0633\u062a\u0648\u0648\u0646\u06d5\u06a9\u06d5 \u0628\u0686\u06d5\u0633\u067e\u06ce\u0646\u06d5 \u062f\u0648\u0627\u06cc","Insert column before":"\u062e\u0633\u062a\u0646\u06d5\u0646\u0627\u0648\u06cc \u0633\u062a\u0648\u0648\u0646 \u0628\u06c6 \u067e\u06ce\u0634\u062a\u0631","Insert column after":"\u062e\u0633\u062a\u0646\u06d5\u0646\u0627\u0648\u06cc \u0633\u062a\u0648\u0648\u0646 \u0628\u06c6 \u062f\u0648\u0627\u062a\u0631","Delete column":"\u0633\u0695\u06cc\u0646\u06d5\u0648\u06d5\u06cc \u0633\u062a\u0648\u0648\u0646","Cols":"\u0633\u062a\u0648\u0648\u0646\u06d5\u06a9\u0627\u0646","Rows":"\u0695\u06cc\u0632\u06d5\u06a9\u0627\u0646","Width":"\u062f\u0631\u06ce\u0698\u06cc","Height":"\u0628\u06d5\u0631\u0632\u06cc","Cell spacing":"\u0628\u06c6\u0634\u0627\u06cc\u06cc\u06cc \u0628\u06d5\u06cc\u0646\u06cc \u062e\u0627\u0646\u06d5\u06a9\u0627\u0646","Cell padding":"\u0646\u0627\u0648\u067e\u06c6\u0634\u06cc \u062e\u0627\u0646\u06d5","Row clipboard actions":"\u06a9\u0631\u062f\u0627\u0631\u06d5\u06a9\u0627\u0646\u06cc \u06a9\u0644\u06cc\u067e \u0628\u06c6\u0631\u062f\u06cc \u0695\u06cc\u0632\u06cc","Column clipboard actions":"\u06a9\u0631\u062f\u0627\u0631\u06d5\u06a9\u0627\u0646\u06cc \u06a9\u0644\u06cc\u067e \u0628\u06c6\u0631\u062f\u06cc \u0633\u062a\u0648\u0648\u0646\u06cc","Table styles":"\u0633\u062a\u0627\u06cc\u06b5\u06d5\u06a9\u0627\u0646\u06cc \u062e\u0634\u062a\u06d5","Cell styles":"\u0633\u062a\u0627\u06cc\u06b5\u06d5\u06a9\u0627\u0646\u06cc \u062e\u0627\u0646\u06d5","Column header":"\u0633\u06d5\u0631\u067e\u06d5\u0695\u06d5\u06cc \u0633\u062a\u0648\u0648\u0646\u06cc","Row header":"\u0633\u06d5\u0631\u067e\u06d5\u0695\u06d5\u06cc \u0695\u06cc\u0632","Table caption":"\u0646\u0627\u0648\u0646\u06cc\u0634\u0627\u0646\u06cc \u062e\u0634\u062a\u06d5","Caption":"\u0633\u06d5\u0631\u062f\u06ce\u0695","Show caption":"\u0646\u06cc\u0634\u0627\u0646\u062f\u0627\u0646\u06cc \u0633\u06d5\u0631\u062f\u06ce\u0695","Left":"\u0686\u06d5\u067e","Center":"\u0646\u0627\u0648\u06d5\u0695\u0627\u0633\u062a","Right":"\u0695\u0627\u0633\u062a","Cell type":"\u062c\u06c6\u0631\u06cc \u062e\u0627\u0646\u06d5","Scope":"\u0628\u0648\u0627\u0631","Alignment":"\u0644\u0627\u06af\u0631\u062a\u0646","Horizontal align":"\u0695\u06ce\u06a9\u062e\u0633\u062a\u0646\u06cc \u0626\u0627\u0633\u06c6\u06cc\u06cc","Vertical align":"\u0695\u06ce\u06a9\u062e\u0633\u062a\u0646\u06cc \u0633\u062a\u0648\u0648\u0646\u06cc","Top":"\u0633\u06d5\u0631\u06d5\u0648\u06d5","Middle":"\u0646\u0627\u0648\u06d5\u0646\u062f","Bottom":"\u0698\u06ce\u0631\u06d5\u0648\u06d5","Header cell":"\u062e\u0627\u0646\u06d5\u06cc \u0633\u06d5\u0631\u067e\u06d5\u0695\u06d5","Row group":"\u06a9\u06c6\u0645\u06d5\u06b5\u06d5 \u0695\u06cc\u0632","Column group":"\u06a9\u06c6\u0645\u06d5\u06b5\u06d5 \u0633\u062a\u0648\u0648\u0646","Row type":"\u062c\u06c6\u0631\u06cc \u0695\u06cc\u0632","Header":"\u0633\u06d5\u0631\u067e\u06d5\u0695\u06d5","Body":"\u0646\u0627\u0648\u06d5\u0695\u06c6\u06a9","Footer":"\u067e\u06ce\u067e\u06d5\u0695\u06d5","Border color":"\u0695\u06d5\u0646\u06af\u06cc \u0633\u0646\u0648\u0648\u0631","Solid":"\u0695\u06d5\u0642","Dotted":"\u062e\u0627\u06b5\u06a9\u0631\u0627\u0648","Dashed":"\u0647\u06ce\u06b5\u06a9\u0631\u0627\u0648\u06cc \u0628\u0686\u0648\u0648\u06a9","Double":"\u062f\u0648\u0648 \u0647\u06ce\u0646\u062f\u06d5","Groove":"\u0628\u06c6\u0634\u0627\u06cc\u06cc","Ridge":"","Inset":"","Outset":"","Hidden":"\u0634\u0627\u0631\u0627\u0648\u06d5","Insert template...":"\u062a\u06ce\u062e\u0633\u062a\u0646\u06cc \u0642\u0627\u06b5\u0628...","Templates":"\u062f\u0627\u0695\u06ce\u0698\u06d5\u06a9\u0627\u0646","Template":"\u0642\u0627\u06b5\u0628","Insert Template":"\u0628\u06d5\u06a9\u0627\u0631\u0647\u06ce\u0646\u0627\u0646\u06cc \u0695\u0648\u0648\u06a9\u0627\u0631","Text color":"\u0695\u06d5\u0646\u06af\u06cc \u062f\u06d5\u0642","Background color":"\u0695\u06d5\u0646\u06af\u06cc \u067e\u0627\u0634\u0628\u0646\u06d5\u0645\u0627","Custom...":"\u062f\u0627\u0646\u0631\u0627\u0648...","Custom color":"\u0695\u06d5\u0646\u06af\u06cc \u062f\u0627\u0646\u0631\u0627\u0648","No color":"\u0628\u06d5\u0628\u06ce \u0695\u06d5\u0646\u06af","Remove color":"\u0644\u0627\u0628\u0631\u062f\u0646\u06cc \u0695\u06d5\u0646\u06af","Show blocks":"\u067e\u06cc\u0634\u0627\u0646\u062f\u0627\u0646\u06cc \u0628\u0644\u06c6\u06a9\u06d5\u06a9\u0627\u0646","Show invisible characters":"\u067e\u06cc\u0634\u0627\u0646\u062f\u0627\u0646\u06cc \u0646\u0648\u0648\u0633\u06d5 \u0634\u0627\u0631\u0627\u0648\u06d5\u06a9\u0627\u0646","Word count":"\u0698\u0645\u0627\u0631\u06d5\u06cc \u0648\u0634\u06d5\u06a9\u0627\u0646","Count":"\u0698\u0645\u0627\u0631\u06d5","Document":"\u0628\u06d5\u06b5\u06af\u06d5","Selection":"\u0647\u06d5\u06b5\u0628\u0698\u0627\u0631\u062f\u0646","Words":"\u0648\u0634\u06d5\u06a9\u0627\u0646","Words: {0}":"\u0648\u0634\u06d5\u06a9\u0627\u0646: {0}","{0} words":"{0} \u0648\u0634\u06d5","File":"\u067e\u06d5\u0695\u06af\u06d5","Edit":"\u062f\u06d5\u0633\u062a\u06a9\u0627\u0631\u06cc","Insert":"\u062e\u0633\u062a\u0646\u06d5\u0646\u0627\u0648","View":"\u0628\u06cc\u0646\u06cc\u0646","Format":"\u0634\u06ce\u0648\u0627\u0632","Table":"\u062e\u0634\u062a\u06d5","Tools":"\u0626\u0627\u0645\u0631\u0627\u0632\u06d5\u06a9\u0627\u0646","Powered by {0}":"\u0647\u06ce\u0632\u06af\u0631\u062a\u0648\u0648 \u0644\u06d5 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0646\u0627\u0648\u0686\u06d5\u06cc \u062f\u06d5\u0642\u06cc \u062a\u06d5\u0648\u0627\u0648. ALT-F9 \u062f\u0627\u06af\u0631\u06d5 \u0628\u06c6 \u0644\u06cc\u0633\u062a\u06d5. ALT-F10 \u062f\u0627\u06af\u0631\u06d5 \u0628\u06c6 \u062a\u0648\u0648\u06b5\u0627\u0645\u0631\u0627\u0632. ALT-0 \u062f\u0627\u06af\u0631\u06d5 \u0628\u06c6 \u06cc\u0627\u0631\u0645\u06d5\u062a\u06cc","Image title":"\u0633\u06d5\u0631\u062f\u06ce\u0631\u06cc \u0648\u06ce\u0646\u06d5","Border width":"\u067e\u0627\u0646\u06cc\u06cc \u0644\u06ce\u0648\u0627\u0631","Border style":"\u0634\u06ce\u0648\u0627\u0632\u06cc \u0644\u06ce\u0648\u0627\u0631","Error":"\u0647\u06d5\u06b5\u06d5","Warn":"\u0647\u06c6\u0634\u06cc\u0627\u0631\u06cc","Valid":"\u062f\u0631\u0648\u0633\u062a","To open the popup, press Shift+Enter":"\u0628\u06c6 \u06a9\u0631\u062f\u0646\u06d5\u0648\u06d5\u06cc \u067e\u06d5\u0646\u062c\u06d5\u0631\u06d5\u06cc \u0633\u06d5\u0631\u067e\u06d5\u0695\u060c Shift+Enter \u0644\u06ce\u062f\u06d5","Rich Text Area":"\u0634\u0648\u06ce\u0646\u06cc \u0646\u0648\u0648\u0633\u0646\u06cc \u0626\u0627\u06b5\u06c6\u0632","Rich Text Area. Press ALT-0 for help.":"\u062f\u06d5\u06a4\u06d5\u0631\u06cc \u062f\u06d5\u0642\u06cc \u062f\u06d5\u0648\u06b5\u06d5\u0645\u06d5\u0646\u062f. \u0628\u06c6 \u0695\u06ce\u0646\u0645\u0627\u06cc\u06cc ALT-0 \u0644\u06ce\u062f\u06d5.","System Font":"\u0641\u06c6\u0646\u062a\u06cc \u0633\u06cc\u0633\u062a\u0645","Failed to upload image: {0}":"\u0628\u0627\u0631\u06a9\u0631\u062f\u0646\u06cc \u0648\u06ce\u0646\u06d5 \u0634\u06a9\u0633\u062a\u06cc \u0647\u06ce\u0646\u0627: {0}","Failed to load plugin: {0} from url {1}":"\u0628\u0627\u0631\u06af\u0631\u062a\u0646\u06cc \u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648 \u0634\u06a9\u0633\u062a\u06cc \u0647\u06ce\u0646\u0627: {0}","Failed to load plugin url: {0}":"\u0628\u0627\u0631\u06af\u0631\u062a\u0646\u06cc \u0628\u06d5\u0633\u062a\u06d5\u0631\u06cc \u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648 \u0634\u06a9\u0633\u062a\u06cc \u0647\u06ce\u0646\u0627: {0}","Failed to initialize plugin: {0}":"\u0695\u06ce\u062e\u0633\u062a\u0646\u06cc \u0633\u06d5\u0631\u06d5\u062a\u0627\u06cc\u06cc \u067e\u06ce\u0648\u06d5\u06a9\u0631\u0627\u0648 \u0634\u06a9\u0633\u062a\u06cc \u0647\u06ce\u0646\u0627: {0}","example":"\u0646\u0645\u0648\u0648\u0646\u06d5","Search":"\u06af\u06d5\u0695\u0627\u0646","All":"\u0647\u06d5\u0645\u0648\u0648","Currency":"\u062f\u0631\u0627\u0648","Text":"\u062f\u06d5\u0642","Quotations":"\u0648\u062a\u06d5\u06cc \u06af\u06ce\u0695\u0627\u0648\u06d5","Mathematical":"\u0628\u06cc\u0631\u06a9\u0627\u0631\u06cc\u0627\u0646\u06d5","Extended Latin":"\u0644\u0627\u062a\u06cc\u0646\u06cc \u067e\u06d5\u0631\u06d5\u067e\u06ce\u062f\u0631\u0627\u0648","Symbols":"\u0646\u06cc\u0634\u0627\u0646\u06d5\u06a9\u0627\u0646","Arrows":"\u062a\u06cc\u0631\u0646\u06cc\u0634\u0627\u0646\u06d5\u06a9\u0627\u0646","User Defined":"\u062f\u06cc\u0627\u0631\u06cc\u06a9\u0631\u0627\u0648\u06cc \u0628\u06d5\u06a9\u0627\u0631\u0647\u06ce\u0646\u06d5\u0631","dollar sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062f\u06c6\u0644\u0627\u0631","currency sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062f\u0631\u0627\u0648","euro-currency sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062f\u0631\u0627\u0648\u06cc \u06cc\u06c6\u0631\u06c6","colon sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062c\u0648\u0648\u062a\u062e\u0627\u06b5","cruzeiro sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u06a9\u0631\u0648\u0648\u0632\u06cc\u0631\u06c6","french franc sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0641\u0631\u0627\u0646\u06a9\u06cc \u0641\u06d5\u0695\u06d5\u0646\u0633\u0627","lira sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0644\u06cc\u0631\u06d5","mill sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0645\u06cc\u0644","naira sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0646\u0627\u06cc\u0631\u0627","peseta sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u067e\u06ce\u0633\u06ce\u062a\u0627","rupee sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0695\u0648\u0648\u067e\u06cc\u06d5","won sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0648\u06c6\u0646","new sheqel sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0646\u0648\u06ce\u06cc \u0634\u06ce\u06a9\u06ce\u0644","dong sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062f\u06c6\u0646\u06af","kip sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u06a9\u06cc\u067e","tugrik sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062a\u0648\u06af\u0631\u0648\u06af","drachma sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062f\u0631\u0627\u062e\u0645\u0627","german penny symbol":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u067e\u06ce\u0646\u06cc\u06cc \u0626\u06d5\u06b5\u0645\u0627\u0646\u06cc","peso sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u067e\u06ce\u0633\u06c6","guarani sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u06af\u0648\u0627\u0631\u0627\u0646\u06cc","austral sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0626\u0627\u0648\u0633\u062a\u0631\u0627\u0644","hryvnia sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u06af\u0631\u06cc\u06a4\u0646\u06cc\u0627","cedi sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0633\u06ce\u062f\u06cc","livre tournois sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0644\u06cc\u06a4\u0631\u06ce \u062a\u0648\u0631\u0646\u06c6\u06cc\u0633","spesmilo sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0633\u067e\u06ce\u0633\u0645\u0627\u06cc\u06b5\u06c6","tenge sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u062a\u06ce\u0646\u062c","indian rupee sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0695\u0648\u0648\u067e\u06cc\u06d5\u06cc \u0647\u0646\u062f\u06cc","turkish lira sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0644\u06cc\u0631\u06d5\u06cc \u062a\u0648\u0631\u06a9","nordic mark sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0645\u0627\u0631\u06a9\u06cc \u0646\u06c6\u0631\u0648\u06cc\u0698","manat sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0645\u06d5\u0646\u0627\u062a","ruble sign":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u0695\u0648\u0648\u0628\u06b5","yen character":"\u0646\u0648\u0648\u0633\u06d5\u06cc \u06cc\u06ce\u0646","yuan character":"\u0646\u0648\u0648\u0633\u06d5\u06cc \u06cc\u0648\u0627\u0646","yuan character, in hong kong and taiwan":"\u0646\u06cc\u0634\u0627\u0646\u06cc \u06cc\u0648\u0627\u0646\u060c \u0644\u06d5 \u0647\u06c6\u0646\u06af \u06a9\u06c6\u0646\u06af \u0648 \u062a\u0627\u06cc\u0648\u0627\u0646","yen/yuan character variant one":"\u0646\u0648\u0648\u0633\u06d5\u06cc \u062c\u06ce\u06af\u0631\u06cc \u06cc\u06ce\u0646/\u06cc\u0648\u0627\u0646","Emojis":"\u0626\u06cc\u0645\u06c6\u062c\u06cc\u06d5\u06a9\u0627\u0646","Emojis...":"\u0626\u06cc\u0645\u06c6\u062c\u06cc\u06d5\u06a9\u0627\u0646...","Loading emojis...":"\u0628\u0627\u0646\u06af\u06a9\u0631\u062f\u0646\u06cc \u0626\u06cc\u0645\u06c6\u062c\u06cc\u06d5\u06a9\u0627\u0646...","Could not load emojis":"\u0646\u06d5\u062a\u0648\u0627\u0646\u0631\u0627 \u0626\u06cc\u0645\u06c6\u062c\u06cc\u06d5\u06a9\u0627\u0646 \u0628\u0627\u0646\u06af\u0628\u06a9\u0631\u06ce\u0646","People":"\u062e\u06d5\u06b5\u06a9","Animals and Nature":"\u0626\u0627\u0698\u06d5\u06b5 \u0648 \u0633\u0631\u0648\u0634\u062a","Food and Drink":"\u0686\u06ce\u0634\u062a \u0648 \u062e\u0648\u0627\u0631\u062f\u0646","Activity":"\u0686\u0627\u0644\u0627\u06a9\u06cc","Travel and Places":"\u0633\u06d5\u0641\u06d5\u0631 \u0648 \u0634\u0648\u06ce\u0646\u06d5\u06a9\u0627\u0646","Objects":"\u0634\u062a\u06d5\u06a9\u0627\u0646","Flags":"\u0626\u0627\u06b5\u0627\u06a9\u0627\u0646","Characters":"\u0646\u0648\u0648\u0633\u06d5\u06a9\u0627\u0646","Characters (no spaces)":"\u0646\u0648\u0648\u0633\u06d5\u06a9\u0627\u0646 (\u0628\u06d5\u0628\u06ce \u0628\u06c6\u0634\u0627\u06cc\u06cc)","{0} characters":"{0} \u0646\u0648\u0648\u0633\u06d5","Error: Form submit field collision.":"\u0647\u06d5\u06b5\u06d5: \u062a\u06ce\u06a9\u0686\u0648\u0648\u0646\u06cc \u0646\u0627\u0631\u062f\u0646\u06cc \u0641\u06c6\u0631\u0645.","Error: No form element found.":"\u0647\u06d5\u06b5\u06d5: \u0647\u06cc\u0686 \u0639\u0648\u0646\u0633\u0648\u0631\u06ce\u06a9\u06cc \u0641\u06c6\u0631\u0645 \u0646\u06d5\u062f\u06c6\u0632\u0631\u0627\u06cc\u06d5\u0648\u06d5.","Color swatch":"\u0646\u0645\u0648\u0648\u0646\u06d5 \u0695\u06d5\u0646\u06af","Color Picker":"\u0647\u06d5\u06b5\u0686\u0646\u06cc \u0695\u06d5\u0646\u06af","Invalid hex color code: {0}":"\u06a9\u06c6\u062f\u06ce\u06a9\u06cc \u0647\u06d5\u06b5\u06d5\u06cc \u0695\u06d5\u0646\u06af \u0644\u06d5 \u062c\u06c6\u0631\u06cc Hex: {0}","Invalid input":"\u062f\u0627\u062e\u06b5\u06a9\u0631\u062f\u0646\u06ce\u06a9\u06cc \u0647\u06d5\u06b5\u06d5","R":"\u0633\u0648\u0648\u0631","Red component":"\u06a9\u06c6\u0645\u067e\u06c6\u0646\u06ce\u0646\u062a\u06ce\u06a9\u06cc \u0633\u0648\u0648\u0631","G":"\u0633\u06d5\u0648\u0632","Green component":"\u06a9\u06c6\u0645\u067e\u06c6\u0646\u06ce\u0646\u062a\u06ce\u06a9\u06cc \u0633\u06d5\u0648\u0632","B":"\u06a9\u06d5\u0648\u06d5","Blue component":"\u06a9\u06c6\u0645\u067e\u06c6\u0646\u06ce\u0646\u062a\u06ce\u06a9\u06cc \u0634\u06cc\u0646","#":"#","Hex color code":"\u06a9\u06c6\u062f\u06cc \u0695\u06d5\u0646\u06af \u0644\u06d5 \u062c\u06c6\u0631\u06cc Hex","Range 0 to 255":"\u0644\u06d5 \u0646\u06ce\u0648\u0627\u0646 \u0660 \u0628\u06c6 \u0662\u0665\u0665","Turquoise":"\u067e\u06cc\u0631\u06c6\u0632\u06d5\u06cc\u06cc","Green":"\u0633\u06d5\u0648\u0632","Blue":"\u06a9\u06d5\u0648\u06d5","Purple":"\u0645\u06c6\u0631","Navy Blue":"\u0633\u0648\u0631\u0645\u06d5\u06cc\u06cc","Dark Turquoise":"\u067e\u06cc\u0631\u06c6\u0632\u06d5\u06cc\u06cc \u062a\u0627\u0631\u06cc\u06a9","Dark Green":"\u0633\u06d5\u0648\u0632\u06cc \u062a\u0627\u0631\u06cc\u06a9","Medium Blue":"\u06a9\u06d5\u0648\u06d5\u06cc \u0645\u0627\u0645\u0646\u0627\u0648\u06d5\u0646\u062f","Medium Purple":"\u0645\u06c6\u0631\u06cc \u0645\u0627\u0645\u0646\u0627\u0648\u06d5\u0646\u062f","Midnight Blue":"\u06a9\u06d5\u0648\u06d5\u06cc \u0646\u06cc\u0648\u06d5\u0634\u06d5\u0648","Yellow":"\u0632\u06d5\u0631\u062f","Orange":"\u067e\u0631\u062a\u06d5\u0642\u0627\u06b5\u06cc","Red":"\u0633\u0648\u0648\u0631","Light Gray":"\u0628\u06c6\u0631\u06cc \u06a9\u0627\u06b5","Gray":"\u0628\u06c6\u0631","Dark Yellow":"\u0632\u06d5\u0631\u062f\u06cc \u062a\u0627\u0631\u06cc\u06a9","Dark Orange":"\u067e\u0631\u062a\u06d5\u0642\u0627\u06b5\u06cc\u06cc \u062a\u0627\u0631\u06cc\u06a9","Dark Red":"\u0633\u0648\u0648\u0631\u06cc \u062a\u0627\u0631\u06cc\u06a9","Medium Gray":"\u0628\u06c6\u0631\u06cc \u0645\u0627\u0645\u0646\u0627\u0648\u06d5\u0646\u062f","Dark Gray":"\u0628\u06c6\u0631\u06cc \u062a\u0627\u0631\u06cc\u06a9","Light Green":"\u0633\u06d5\u0648\u0632\u06cc \u06a9\u0627\u06b5","Light Yellow":"\u0632\u06d5\u0631\u062f\u06cc \u06a9\u0627\u06b5","Light Red":"\u0633\u0648\u0648\u0631\u06cc \u06a9\u0627\u06b5","Light Purple":"\u0645\u06c6\u0631\u06cc \u06a9\u0627\u06b5","Light Blue":"\u06a9\u06d5\u0648\u06d5\u06cc \u06a9\u0627\u06b5","Dark Purple":"\u0645\u06c6\u0631\u06cc \u062a\u0627\u0631\u06cc\u06a9","Dark Blue":"\u06a9\u06d5\u0648\u06d5\u06cc \u062a\u0627\u0631\u06cc\u06a9","Black":"\u0695\u06d5\u0634","White":"\u0633\u067e\u06cc","Switch to or from fullscreen mode":"\u06af\u06c6\u0695\u06cc\u0646 \u0644\u06d5 \u06cc\u0627\u0646 \u0628\u06c6 \u062d\u0627\u06b5\u06d5\u062a\u06cc \u067e\u0695\u062f\u06cc\u0645\u06d5\u0646","Open help dialog":"\u06a9\u0631\u062f\u0646\u06d5\u0648\u06d5\u06cc \u0648\u062a\u0648\u0648\u06ce\u0698\u06cc \u06cc\u0627\u0631\u0645\u06d5\u062a\u06cc","history":"\u0645\u06ce\u0698\u0648\u0648","styles":"\u0634\u06ce\u0648\u06d5\u06a9\u0627\u0646","formatting":"\u0634\u06ce\u0648\u06d5\u067e\u06ce\u062f\u0627\u0646","alignment":"\u0644\u0627\u06af\u0631\u062a\u0646","indentation":"\u0646\u0627\u0648\u0648\u06d5\u0686\u0648\u0648\u0646","Font":"\u0641\u06c6\u0646\u062a","Size":"\u0626\u06d5\u0646\u062f\u0627\u0632\u06d5","More...":"\u0632\u06cc\u0627\u062a\u0631...","Select...":"\u0647\u06d5\u06b5\u0628\u0698\u0627\u0631\u062f\u0646...","Preferences":"\u0647\u06d5\u06b5\u0628\u0698\u0627\u0631\u062f\u06d5\u06a9\u0627\u0646","Yes":"\u0626\u06d5\u0631\u06ce","No":"\u0646\u06d5\u062e\u06ce\u0631","Keyboard Navigation":"\u0695\u06ce\u067e\u06ce\u0648\u0627\u0646 \u0628\u06d5 \u062a\u06d5\u062e\u062a\u06d5\u06a9\u0644\u06cc\u0644","Version":"\u0648\u06d5\u0634\u0627\u0646","Code view":"\u0628\u06cc\u0646\u06cc\u0646\u06cc \u06a9\u06c6\u062f","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":"","_dir":"rtl"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/lb.js b/deform/static/tinymce/langs/lb.js deleted file mode 100644 index 76cba87f..00000000 --- a/deform/static/tinymce/langs/lb.js +++ /dev/null @@ -1,175 +0,0 @@ -tinymce.addI18n('lb',{ -"Cut": "Ausschneiden", -"Header 2": "Titel 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "D\u00e4i Web-Browser \u00ebnnerst\u00ebtzt keen direkten Acc\u00e8s op d'Zw\u00ebschenaplag. Benotz w.e.gl. CTRL+C fir den ausgewielten Text ze kop\u00e9ieren an CTRL+V fir en anzepechen.", -"Div": "DIV", -"Paste": "Apechen", -"Close": "Zoumaachen", -"Pre": "PRE", -"Align right": "Riets align\u00e9iert", -"New document": "Neit Dokument", -"Blockquote": "Zitat", -"Numbered list": "Nummer\u00e9iert L\u00ebscht", -"Increase indent": "Ident\u00e9ierung vergr\u00e9isseren", -"Formats": "Formater", -"Headers": "Titelen", -"Select all": "Alles auswielen", -"Header 3": "Titel 3", -"Blocks": "Bl\u00e9ck", -"Undo": "R\u00e9ckg\u00e4ngeg maachen", -"Strikethrough": "Duerchgestrach", -"Bullet list": "Opzielung", -"Header 1": "Titel 1", -"Superscript": "H\u00e9ichgestallt", -"Clear formatting": "Format\u00e9ierung l\u00e4schen", -"Subscript": "Erofgestallt", -"Header 6": "Titel 6", -"Redo": "Widderhuelen", -"Paragraph": "Paragraph", -"Ok": "Okee", -"Bold": "Fett", -"Code": "CODE", -"Italic": "Kursiv", -"Align center": "Zentr\u00e9iert", -"Header 5": "Titel 5", -"Decrease indent": "Ident\u00e9ierung verklengeren", -"Header 4": "Titel 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\"Apechen\" ass elo am Textmodus. Inhalter ginn elo ouni Format\u00e9ierungen agepecht bis du d\u00ebs Optioun ausm\u00e9chs.", -"Underline": "\u00cbnnerstrach", -"Cancel": "Ofbriechen", -"Justify": "Blocksaz", -"Inline": "Inline", -"Copy": "Kop\u00e9ieren", -"Align left": "L\u00e9nks align\u00e9iert", -"Visual aids": "Visuell H\u00ebllefen", -"Lower Greek": "Klengt griichescht Alphabet", -"Square": "Quadrat", -"Default": "Standard", -"Lower Alpha": "Klengt Alphabet", -"Circle": "Krees", -"Disc": "Scheif", -"Upper Alpha": "Grousst Alphabet", -"Upper Roman": "Grousst r\u00e9imescht Alphabet", -"Lower Roman": "Klengt r\u00e9imescht Alphabet", -"Name": "Numm", -"Anchor": "Anker", -"You have unsaved changes are you sure you want to navigate away?": "Du hues ongesp\u00e4ichert \u00c4nnerungen. W\u00eblls du s\u00e9cher ewechnavig\u00e9ieren?", -"Restore last draft": "Leschten Entworf er\u00ebm zr\u00e9cksetzen", -"Special character": "Speziell Zeechen", -"Source code": "Quelltext", -"Right to left": "Vu riets no l\u00e9nks", -"Left to right": "Vu l\u00e9nks no riets", -"Emoticons": "Smileyen", -"Robots": "Robotter", -"Document properties": "Eegeschafte vum Dokument", -"Title": "Titel", -"Keywords": "Schl\u00ebsselwierder", -"Encoding": "Cod\u00e9ierung", -"Description": "Beschreiwung", -"Author": "Auteur", -"Fullscreen": "Vollbildschierm", -"Horizontal line": "Horizontal Linn", -"Horizontal space": "Horizontalen Espace", -"Insert\/edit image": "Bild af\u00fcgen\/\u00e4nneren", -"General": "Allgemeng", -"Advanced": "Erweidert", -"Source": "Quell", -"Border": "Rand", -"Constrain proportions": "Proportioune b\u00e4ibehalen", -"Vertical space": "Vertikalen Espace", -"Image description": "Bildbeschreiwung", -"Style": "Stil", -"Dimensions": "Dimensiounen", -"Insert image": "Bild af\u00fcgen", -"Insert date\/time": "Datum\/Z\u00e4it af\u00fcgen", -"Remove link": "Link l\u00e4schen", -"Url": "URL", -"Text to display": "Text deen unzeweisen ass", -"Anchors": "Ankeren", -"Insert link": "Link drasetzen", -"New window": "Nei F\u00ebnster", -"None": "Keen", -"Target": "Zil", -"Insert\/edit link": "Link drasetzen\/\u00e4nneren", -"Insert\/edit video": "Video drasetzen\/\u00e4nneren", -"Poster": "Pouster", -"Alternative source": "Alternativ Quell", -"Paste your embed code below:": "Abannungscode hei apechen:", -"Insert video": "Video drasetzen", -"Embed": "Abannen", -"Nonbreaking space": "Net-\u00ebmbriechenden Espace", -"Page break": "S\u00e4iten\u00ebmbroch", -"Paste as text": "Als Text apechen", -"Preview": "Kucken", -"Print": "Dr\u00e9cken", -"Save": "Sp\u00e4icheren", -"Could not find the specified string.": "Den Text konnt net fonnt ginn.", -"Replace": "Ersetzen", -"Next": "Weider", -"Whole words": "Ganz Wierder", -"Find and replace": "Fannen an ersetzen", -"Replace with": "Ersetze mat", -"Find": "Fannen", -"Replace all": "All ersetzen", -"Match case": "Grouss-\/Klengschreiwung respekt\u00e9ieren", -"Prev": "Zr\u00e9ck", -"Spellcheck": "Verbesseren", -"Finish": "Ofschl\u00e9issen", -"Ignore all": "All ignor\u00e9ieren", -"Ignore": "Ignor\u00e9ieren", -"Insert row before": "Rei virdrun drasetzen", -"Rows": "Reien", -"Height": "H\u00e9icht", -"Paste row after": "Rei herno apechen", -"Alignment": "Align\u00e9ierung", -"Column group": "Kolonnegrupp", -"Row": "Rei", -"Insert column before": "Kolonn virdrun drasetzen", -"Split cell": "Zell opspl\u00e9cken", -"Cell padding": "Zellenopf\u00ebllung", -"Cell spacing": "Zellenofstand", -"Row type": "Reientyp", -"Insert table": "Tabell drasetzen", -"Body": "Kierper", -"Caption": "Beschr\u00ebftung", -"Footer": "Fouss", -"Delete row": "Rei l\u00e4schen", -"Paste row before": "Rei virdrun apechen", -"Scope": "Ber\u00e4ich", -"Delete table": "Tabell l\u00e4schen", -"Header cell": "Kappzell", -"Column": "Kolonn", -"Cell": "Zell", -"Header": "Kapp", -"Cell type": "Zellentyp", -"Copy row": "Rei kop\u00e9ieren", -"Row properties": "Eegeschafte vu Reien", -"Table properties": "Eegeschafte vun Tabellen", -"Row group": "Reiegrupp", -"Right": "Riets", -"Insert column after": "Kolonn herno drasetzen", -"Cols": "Kolonnen", -"Insert row after": "Rei herno drasetzen", -"Width": "Breet", -"Cell properties": "Eegeschafte vun Zellen", -"Left": "L\u00e9nks", -"Cut row": "Rei ausschneiden", -"Delete column": "Kolonn l\u00e4schen", -"Center": "M\u00ebtt", -"Merge cells": "Zelle fusion\u00e9ieren", -"Insert template": "Virlag drasetzen", -"Templates": "Virlagen", -"Background color": "Hanndergrondfaarf", -"Text color": "Textfaarf", -"Show blocks": "Bl\u00e9ck weisen", -"Show invisible characters": "Onsiichtbar Zeeche weisen", -"Words: {0}": "Wierder: {0}", -"Insert": "Drasetzen", -"File": "Fichier", -"Edit": "\u00c4nneren", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Ber\u00e4ich fir format\u00e9ierten Text. Dr\u00e9ck ALT+F9 fir de Men\u00fc. Dr\u00e9ck ALT+F10 fir d'Geschirleescht. Dr\u00e9ck ALT+0 fir d'H\u00ebllef.", -"Tools": "Geschir", -"View": "Kucken", -"Table": "Tabell", -"Format": "Format" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/lt.js b/deform/static/tinymce/langs/lt.js index b008f308..44aca8b1 100644 --- a/deform/static/tinymce/langs/lt.js +++ b/deform/static/tinymce/langs/lt.js @@ -1,76 +1 @@ -tinymce.addI18n('lt',{ -"Cut": "I\u0161kirpti", -"Header 2": "Antra\u0161t\u0117 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Nar\u0161ykl\u0117s nustatymai neleid\u017eia redaktoriui tiesiogiai pasiekti laikinosios atminties. Pra\u0161ome naudoti klaviat\u016bros klavi\u0161us Ctrl+X\/C\/V.", -"Div": "Div", -"Paste": "\u012ed\u0117ti", -"Close": "U\u017edaryti", -"Pre": "Pre", -"Align right": "Lygiuoti de\u0161in\u0117je", -"New document": "Naujas dokumentas", -"Blockquote": "Citata", -"Numbered list": "Skaitmeninis s\u0105ra\u0161as", -"Increase indent": "Didinti \u012ftrauk\u0105", -"Formats": "Formatai", -"Headers": "Antra\u0161t\u0117s", -"Select all": "Pa\u017eym\u0117ti visk\u0105", -"Header 3": "Antra\u0161t\u0117 3", -"Blocks": "Blokai", -"Undo": "Atstatyti", -"Strikethrough": "Perbrauktas", -"Bullet list": "\u017denklinimo s\u0105ra\u0161as", -"Header 1": "Antra\u0161t\u0117 1", -"Superscript": "Vir\u0161utinis indeksas", -"Clear formatting": "Naikinti formatavim\u0105", -"Subscript": "Apatinis indeksas", -"Header 6": "Antra\u0161t\u0117 6", -"Redo": "Gr\u0105\u017einti", -"Paragraph": "Paragrafas", -"Ok": "Gerai", -"Bold": "Pary\u0161kintas", -"Code": "Kodas", -"Italic": "Kursyvinis", -"Align center": "Centruoti", -"Header 5": "Antra\u0161t\u0117 5", -"Decrease indent": "Ma\u017einti \u012ftrauk\u0105", -"Header 4": "Antra\u0161t\u0117 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Dabar \u012fterpiama paprastojo teksto re\u017eimu. Kol \u0161i parinktis \u012fjungta, turinys bus \u012fterptas kaip paprastas tekstas.", -"Underline": "Pabrauktas", -"Cancel": "Atsisakyti", -"Justify": "I\u0161d\u0117styti per vis\u0105 plot\u012f", -"Inline": "Inline", -"Copy": "Kopijuoti", -"Align left": "Lygiuoti kair\u0117je", -"Visual aids": "Vaizdin\u0117s priemon\u0117s", -"Lower Greek": "Ma\u017eosios graik\u0173", -"Square": "Kvadratas", -"Default": "Pagrindinis", -"Lower Alpha": "Ma\u017eosios raid\u0117s", -"Circle": "Apskritimas", -"Disc": "Diskas", -"Upper Alpha": "Did\u017eiosios raid\u0117s", -"Upper Roman": "Did\u017eiosios rom\u0117n\u0173", -"Lower Roman": "Ma\u017eosios rom\u0117n\u0173", -"Emoticons": "Jaustukai", -"Horizontal space": "Horizontalus tarpas", -"Insert\/edit image": "\u012eterpti|Tvarkyti paveiksl\u0117l\u012f", -"General": "Pagrindinis", -"Advanced": "I\u0161pl\u0117stas", -"Source": "Pirmin\u0117 nuoroda", -"Border": "R\u0117melis", -"Constrain proportions": "Taikyti proporcijas", -"Vertical space": "Vertikalus tarpas", -"Image description": "Paveiksl\u0117lio apra\u0161as", -"Style": "Stilius", -"Dimensions": "Matmenys", -"Insert image": "\u012eterpti paveiksl\u0117l\u012f", -"Remove link": "\u0160alinti nuorod\u0105", -"Url": "Nuoroda", -"Text to display": "Rodomas tekstas", -"Insert link": "\u012eterpti nuorod\u0105", -"New window": "Naujas langas", -"None": "Niekas", -"Target": "Tikslin\u0117 nuoroda", -"Insert\/edit link": "\u012eterpti\/taisyti nuorod\u0105", -"Show invisible characters": "Rodyti nematomus simbolius" -}); \ No newline at end of file +tinymce.addI18n("lt",{"Redo":"Gr\u0105\u017einti","Undo":"Atstatyti","Cut":"I\u0161kirpti","Copy":"Kopijuoti","Paste":"\u012ed\u0117ti","Select all":"Pa\u017eym\u0117ti visk\u0105","New document":"Naujas dokumentas","Ok":"Gerai","Cancel":"Atsisakyti","Visual aids":"Vaizdin\u0117s priemon\u0117s","Bold":"Pary\u0161kintas","Italic":"Kursyvinis","Underline":"Pabrauktas","Strikethrough":"Perbrauktas","Superscript":"Vir\u0161utinis indeksas","Subscript":"Apatinis indeksas","Clear formatting":"Naikinti formatavim\u0105","Remove":"Pa\u0161alinti","Align left":"Lygiuoti kair\u0117je","Align center":"Centruoti","Align right":"Lygiuoti de\u0161in\u0117je","No alignment":"Be lygiavimo","Justify":"I\u0161d\u0117styti per vis\u0105 plot\u012f","Bullet list":"\u017denklinimo s\u0105ra\u0161as","Numbered list":"Skaitmeninis s\u0105ra\u0161as","Decrease indent":"Ma\u017einti \u012ftrauk\u0105","Increase indent":"Didinti \u012ftrauk\u0105","Close":"U\u017edaryti","Formats":"Formatai","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Nar\u0161ykl\u0117s nustatymai neleid\u017eia redaktoriui tiesiogiai pasiekti laikinosios atminties. Pra\u0161ome naudoti klaviat\u016bros klavi\u0161us Ctrl+X/C/V.","Headings":"Antra\u0161t\u0117s","Heading 1":"Antra\u0161t\u0117 1","Heading 2":"Antra\u0161t\u0117 2","Heading 3":"Antra\u0161t\u0117 3","Heading 4":"Antra\u0161t\u0117 4","Heading 5":"Antra\u0161t\u0117 5","Heading 6":"Antra\u0161t\u0117 6","Preformatted":"Suformuotas i\u0161 anksto","Div":"Div","Pre":"Pre","Code":"Kodas","Paragraph":"Paragrafas","Blockquote":"Citata","Inline":"\u012eterptas","Blocks":"Blokai","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Dabar \u012fterpiama paprastojo teksto re\u017eimu. Kol \u0161i parinktis \u012fjungta, turinys bus \u012fterptas kaip paprastas tekstas.","Fonts":"\u0160riftai","Font sizes":"\u0160rift\u0173 dyd\u017eiai","Class":"Klas\u0117","Browse for an image":"Ie\u0161koti paveiksl\u0117lio","OR":"ARBA","Drop an image here":"Tempkite paveiksl\u0117l\u012f \u010dia","Upload":"\u012ekelti","Uploading image":"\u012ekelti paveiksliuk\u0105","Block":"Blokas","Align":"Lygiavimas","Default":"Pagrindinis","Circle":"Apskritimas","Disc":"Diskas","Square":"Kvadratas","Lower Alpha":"Ma\u017eosios raid\u0117s","Lower Greek":"Ma\u017eosios graik\u0173","Lower Roman":"Ma\u017eosios rom\u0117n\u0173","Upper Alpha":"Did\u017eiosios raid\u0117s","Upper Roman":"Did\u017eiosios rom\u0117n\u0173","Anchor...":"Nuoroda...","Anchor":"\u017dym\u0117","Name":"Pavadinimas","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID tur\u0117t\u0173 prasid\u0117ti raide, po kurios gali b\u016bti raid\u0117s, skai\u010diai, br\u016bk\u0161niai, ta\u0161kai, dvita\u0161kiai ir pabraukimai.","You have unsaved changes are you sure you want to navigate away?":"Turite nei\u0161saugot\u0173 pakeitim\u0173! Ar tikrai norite i\u0161eiti?","Restore last draft":"Atstatyti paskutin\u012f projekt\u0105","Special character...":"Specialieji simboliai...","Special Character":"Specialusis simbolis","Source code":"Pirminis \u0161altinis","Insert/Edit code sample":"Prid\u0117ti / keisti kodo pavyzd\u012f","Language":"Kalba","Code sample...":"Kodo pavyzdys...","Left to right":"I\u0161 kair\u0117s \u012f de\u0161in\u0119","Right to left":"I\u0161 de\u0161in\u0117s \u012f kair\u0119","Title":"Pavadinimas","Fullscreen":"Visas ekranas","Action":"Veiksmas","Shortcut":"Nuoroda","Help":"Pagalba","Address":"Adresas","Focus to menubar":"Fokusuoti \u012f meniu","Focus to toolbar":"Fokusuoti \u012f \u012franki\u0173 juost\u0105","Focus to element path":"Fokusuoti \u012f elemento keli\u0105","Focus to contextual toolbar":"Fokusuoti \u012f kontekstin\u012f \u012franki\u0173 juost\u0105","Insert link (if link plugin activated)":"Prid\u0117ti nuorod\u0105 (jei link priedas aktyvuotas)","Save (if save plugin activated)":"I\u0161saugoti (jei save priedas aktyvuotas)","Find (if searchreplace plugin activated)":"Ie\u0161koti (jei searchreplace priedas aktyvuotas)","Plugins installed ({0}):":"\u012ediegti priedai ({0}):","Premium plugins:":"Mokami priedai:","Learn more...":"Su\u017einoti daugiau...","You are using {0}":"Naudojate {0}","Plugins":"Priedai","Handy Shortcuts":"Patogios nuorodos","Horizontal line":"Horizontali linija","Insert/edit image":"\u012eterpti|Tvarkyti paveiksl\u0117l\u012f","Alternative description":"Alternatyvus apra\u0161ymas","Accessibility":"Prieinamumas","Image is decorative":"Paveiksl\u0117lis yra papuo\u0161imas","Source":"Pirmin\u0117 nuoroda","Dimensions":"Matmenys","Constrain proportions":"Taikyti proporcijas","General":"Pagrindinis","Advanced":"I\u0161pl\u0117stas","Style":"Stilius","Vertical space":"Vertikalus tarpas","Horizontal space":"Horizontalus tarpas","Border":"R\u0117melis","Insert image":"\u012eterpti paveiksl\u0117l\u012f","Image...":"Paveiksl\u0117lis...","Image list":"Paveiksl\u0117li\u0173 s\u0105ra\u0161as","Resize":"Keisti dyd\u012f","Insert date/time":"\u012eterpti dat\u0105/laik\u0105","Date/time":"Data / laikas","Insert/edit link":"\u012eterpti/taisyti nuorod\u0105","Text to display":"Rodomas tekstas","Url":"Nuoroda","Open link in...":"Nuorod\u0105 atverti...","Current window":"Dabartiniame lange","None":"Nieko","New window":"Naujas langas","Open link":"Atidaryti nuorod\u0105","Remove link":"\u0160alinti nuorod\u0105","Anchors":"\u017dym\u0117","Link...":"Nuoroda...","Paste or type a link":"\u012eklijuokite arba \u012fra\u0161ykite nuorod\u0105","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Atrodo, kad \u012fvesta nuoroda yra elektroninio pa\u0161to adresas. Ar norite prie\u0161 j\u012f \u012fvesti reikalaujam\u0105 \u201emailto:\u201c?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Atrodo, kad \u012fved\u0117te nuotolin\u0119 nuorod\u0105. Ar norite prie\u0161 j\u0105 \u012fvesti reikalaujam\u0105 \u201ehttp://\u201c?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Pana\u0161u, kad \u012fra\u0161\u0117te nuotolin\u0119 nuorod\u0105. Ar norite jos prad\u017eioije prid\u0117ti b\u016btin\u0105 \u201ehttps://\u201c?","Link list":"Nuorod\u0173 s\u0105ra\u0161as","Insert video":"\u012eterpti video","Insert/edit video":"\u012eterpti/tvarkyti video","Insert/edit media":"Prid\u0117ti / keisti medij\u0105","Alternative source":"Alternatyvus \u0161altinis","Alternative source URL":"Alternatyvus \u0161altinio URL adresas","Media poster (Image URL)":"medijos skelbiklis (paveiksl\u0117lio URL adresas)","Paste your embed code below:":"\u012eterpkite kod\u0105 \u017eemiau:","Embed":"\u012eterpti","Media...":"Medija...","Nonbreaking space":"Nepertraukiamos vietos","Page break":"Puslapio skirtukas","Paste as text":"\u012eklijuoti kaip tekst\u0105","Preview":"Per\u017ei\u016bra","Print":"Spausdinti","Print...":"Spausdinti...","Save":"I\u0161saugoti","Find":"Ie\u0161koti","Replace with":"Kuo pakeisti","Replace":"Pakeisti","Replace all":"Pakeisti visk\u0105","Previous":"Ankstesnis","Next":"Sekantis","Find and Replace":"Surasti ir Pakeisti","Find and replace...":"Ie\u0161koti ir pakeisti...","Could not find the specified string.":"Nepavyko rasti nurodytos eilut\u0117s.","Match case":"Atitinkamus","Find whole words only":"Ie\u0161koti tik vis\u0105 \u017eod\u012f","Find in selection":"Ie\u0161koti pasirinkime","Insert table":"\u012eterpti lentel\u0119","Table properties":"Lentel\u0117s savyb\u0117s","Delete table":"\u0160alinti lentel\u0119","Cell":"Langeliai","Row":"Eilut\u0117s","Column":"Stulpelis","Cell properties":"Langelio savyb\u0117s","Merge cells":"Sujungti langelius","Split cell":"Skaidyti langelius","Insert row before":"\u012eterpti eilut\u0119 prie\u0161","Insert row after":"\u012eterpti eilut\u0119 po","Delete row":"Naikinti eilut\u0119","Row properties":"Eilut\u0117s savyb\u0117s","Cut row":"I\u0161kirpti eilut\u0119","Cut column":"I\u0161kirpti stulpel\u012f","Copy row":"Kopijuoti eilut\u0119","Copy column":"Kopijuoti stulpel\u012f","Paste row before":"\u012ed\u0117ti eilut\u0119 prie\u0161","Paste column before":"\u012eklijuoti stulpel\u012f prie\u0161","Paste row after":"\u012ed\u0117ti eilut\u0119 po","Paste column after":"\u012eklijuoti stulpel\u012f po","Insert column before":"\u012eterpti stulpel\u012f prie\u0161","Insert column after":"\u012eterpti stulpel\u012f po","Delete column":"Naikinti stulpel\u012f","Cols":"Stulpeliai","Rows":"Eilut\u0117s","Width":"Plotis","Height":"Auk\u0161tis","Cell spacing":"Tarpas tarp langeli\u0173","Cell padding":"Tarpas nuo langelio iki teksto","Row clipboard actions":"Eilut\u0117s main\u0173 srities veiksmai","Column clipboard actions":"Stulpelio main\u0173 srities veiksmai","Table styles":"Lentel\u0117s stiliai","Cell styles":"Langelio stiliai","Column header":"Stulpelio antra\u0161t\u0117","Row header":"Eilut\u0117s antra\u0161t\u0117","Table caption":"Lentel\u0117s antra\u0161t\u0117","Caption":"Antra\u0161t\u0117","Show caption":"Rodyti antra\u0161t\u0119","Left":"Kair\u0117","Center":"Centras","Right":"De\u0161in\u0117","Cell type":"Langelio tipas","Scope":"Strukt\u016bra","Alignment":"Lygiavimas","Horizontal align":"Horizontalus lygiavimas","Vertical align":"Vertikalus lygiavimas","Top":"Vir\u0161uje","Middle":"Viduryje","Bottom":"Apa\u010dioje","Header cell":"Antra\u0161t\u0117s langelis","Row group":"Eilu\u010di\u0173 grup\u0117","Column group":"Stulpeli\u0173 grup\u0117","Row type":"Eilu\u010di\u0173 tipas","Header":"Antra\u0161t\u0117","Body":"Turinys","Footer":"Apa\u010dia","Border color":"R\u0117melio spalva","Solid":"I\u0161tisinis","Dotted":"Ta\u0161kinis","Dashed":"Br\u016bk\u0161ninis","Double":"Dvigubas","Groove":"Banguotas","Ridge":"Lau\u017eytas","Inset":"\u012e vid\u0173","Outset":"\u012e i\u0161or\u0119","Hidden":"Pasl\u0117ptas","Insert template...":"Prid\u0117ti \u0161ablon\u0105...","Templates":"\u0160ablonai","Template":"\u0160ablonas","Insert Template":"Prid\u0117ti \u0161ablon\u0105","Text color":"Teksto spalva","Background color":"Fono spalva","Custom...":"Pasirinktinas...","Custom color":"Pasirinktina spalva","No color":"Jokios spalvos","Remove color":"Pa\u0161alinti spalv\u0105","Show blocks":"Rodyti blokus","Show invisible characters":"Rodyti nematomus simbolius","Word count":"\u017dod\u017ei\u0173 kiekis","Count":"Skai\u010dius","Document":"Dokumentas","Selection":"Pasirinkimas","Words":"\u017dod\u017ei\u0173","Words: {0}":"\u017dod\u017eiai: {0}","{0} words":"{0} \u017eod\u017eiai","File":"Failas","Edit":"Redaguoti","Insert":"\u012eterpti","View":"Per\u017ei\u016bra","Format":"Formatas","Table":"Lentel\u0117","Tools":"\u012erankiai","Powered by {0}":"Sukurta {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Suformatuoto teksto laukas. D\u0117l meniu spauskite ALT-F9. U\u017eduo\u010di\u0173 juostos \u012fjungimui spauskite ALT-F10. Pagalbai - spauskite ALT-0.","Image title":"Paveiksl\u0117lio pavadinimas","Border width":"Kra\u0161tin\u0117s plotis","Border style":"Kra\u0161tin\u0117s stilius","Error":"Klaida","Warn":"\u012esp\u0117ti","Valid":"Tinkamas","To open the popup, press Shift+Enter":"Spustel\u0117j\u0119 Shift+Enter atversite i\u0161kylant\u012f lang\u0105","Rich Text Area":"Rai\u0161kiojo teksto vieta","Rich Text Area. Press ALT-0 for help.":"Rai\u0161kiojo teksto vieta. Spustel\u0117j\u0119 Alt-0 gausite pagalbos.","System Font":"Sisteminiai \u0161riftai","Failed to upload image: {0}":"Paveiksl\u0117lio \u012fkelti nepavyko: {0}","Failed to load plugin: {0} from url {1}":"Priedo \u012fkelti nepavyko: {0} i\u0161 adreso {1}","Failed to load plugin url: {0}":"Priedo adreso \u012fkelti nepavyko: {0}","Failed to initialize plugin: {0}":"Priedo inicijuoti nepavyko: {0}","example":"pavyzdys","Search":"Ie\u0161koti","All":"Visi","Currency":"Valiuta","Text":"Tekstas","Quotations":"Citata","Mathematical":"Matematinis","Extended Latin":"Lotyn\u0173 i\u0161pl\u0117stin\u0117","Symbols":"Simboliai","Arrows":"Rodykl\u0117s","User Defined":"Vartotojo apibr\u0117\u017eta","dollar sign":"dolerio \u017eenklas","currency sign":"valiutos \u017eenklas","euro-currency sign":"euro \u017eenklas","colon sign":"dvita\u0161kio \u017eenklas","cruzeiro sign":"kruzeiro \u017eenklas","french franc sign":"Pranc\u016bz\u0173 franko \u017eenklas","lira sign":"lyros \u017eenklas","mill sign":"milo simbolis","naira sign":"nairos simbolis","peseta sign":"peseto \u017eenklas","rupee sign":"rupijos \u017eenklas","won sign":"vono \u017eenklas","new sheqel sign":"naujojo \u0161ekelio \u017eenklas","dong sign":"dongo \u017eenklas","kip sign":"kipo \u017eenklas","tugrik sign":"tugriko \u017eenklas","drachma sign":"drachmos \u017eenklas","german penny symbol":"Vokietijos fenigo \u017eenklas","peso sign":"peso \u017eenklas","guarani sign":"gvaranio \u017eenklas","austral sign":"australo \u017eenklas","hryvnia sign":"grivinos \u017eenklas","cedi sign":"sed\u017eio \u017eenklas","livre tournois sign":"toro svaro \u017eenklas","spesmilo sign":"spesmilo \u017eenklas","tenge sign":"teng\u0117s \u017eenklas","indian rupee sign":"Indijos rupijos \u017eenklas","turkish lira sign":"Turkijos lyros \u017eenklas","nordic mark sign":"\u0161iaur\u0117s \u0161ali\u0173 mark\u0117s \u017eenklas","manat sign":"manato \u017eenklas","ruble sign":"rublio \u017eenklas","yen character":"jienos simbolis","yuan character":"juanio simbolis","yuan character, in hong kong and taiwan":"juanio \u017eenklas, naudojamas Hongkonge ir Taivane","yen/yuan character variant one":"jienos/juanio vieningas \u017eenklas","Emojis":"Jaustukai","Emojis...":"Jaustukai...","Loading emojis...":"Kraunami jaustukai...","Could not load emojis":"Nepavyko \u012fkelti jaustuk\u0173","People":"\u017dmon\u0117s","Animals and Nature":"Gyv\u016bnai ir gamta","Food and Drink":"Maistas ir g\u0117rimai","Activity":"Veikla","Travel and Places":"Kelion\u0117s ir vietos","Objects":"Objektai","Flags":"V\u0117liavos","Characters":"Simboli\u0173","Characters (no spaces)":"Simboli\u0173 (be tarp\u0173)","{0} characters":"{0} simboliai","Error: Form submit field collision.":"Klaida: formos lauk\u0173 nesuderinamumas.","Error: No form element found.":"Klaida: formos element\u0173 nerasta.","Color swatch":"Spalv\u0173 pavyzd\u017eiai","Color Picker":"Spalvos parinkimas","Invalid hex color code: {0}":"Neteisingas spalvos \u0161e\u0161ioliktainis kodas: {0}","Invalid input":"Neteisinga \u012fvestis","R":"R","Red component":"Raudonas komponentas","G":"\u017d","Green component":"\u017dalias komponentas","B":"M","Blue component":"M\u0117lynas komponentas","#":"#","Hex color code":"\u0160e\u0161ioliktainis spalvos kodas","Range 0 to 255":"Nuo 0 iki 255","Turquoise":"\u017dalsvai m\u0117lyna","Green":"\u017dalia","Blue":"M\u0117lyna","Purple":"Ro\u017ein\u0117","Navy Blue":"Tamsiai m\u0117lyna","Dark Turquoise":"Tamsiai \u017ealsvai m\u0117lyna","Dark Green":"Tamsiai \u017ealia","Medium Blue":"Vidutini\u0161kai m\u0117lyna","Medium Purple":"Vidutini\u0161kai violetin\u0117","Midnight Blue":"Vidurnak\u010dio m\u0117lyna","Yellow":"Geltona","Orange":"Oran\u017ein\u0117","Red":"Raudona","Light Gray":"\u0160viesiai pilka","Gray":"Pilka","Dark Yellow":"Tamsiai geltona","Dark Orange":"Tamsiai oran\u017ein\u0117","Dark Red":"Tamsiai raudona","Medium Gray":"Vidutini\u0161kai pilka","Dark Gray":"Tamsiai pilka","Light Green":"\u0160viesiai \u017ealia","Light Yellow":"\u0160viesiai geltona","Light Red":"\u0160viesiai raudona","Light Purple":"\u0160viesiai violetin\u0117","Light Blue":"\u0160viesiai m\u0117lyna","Dark Purple":"Tamsiai violetin\u0117","Dark Blue":"Tamsiai m\u0117lyna","Black":"Juoda","White":"Balta","Switch to or from fullscreen mode":"Perjungti i\u0161/\u012f viso ekrano rodym\u0105","Open help dialog":"Atverti pagalbos lang\u0105","history":"praeitis","styles":"stiliai","formatting":"formatavimas","alignment":"lygiavimas","indentation":"\u012ftrauka","Font":"\u0160riftas","Size":"Dydis","More...":"Daugiau...","Select...":"Pasirinkti...","Preferences":"Nustatymai","Yes":"Taip","No":"Ne","Keyboard Navigation":"Valdymas klaviat\u016bra","Version":"Versija","Code view":"Kodo per\u017ei\u016bra","Open popup menu for split buttons":"Atverti i\u0161\u0161okant\u012f meniu padalijimo mygtukams","List Properties":"S\u0105ra\u0161o Savyb\u0117s","List properties...":"S\u0105ra\u0161o savyb\u0117s...","Start list at number":"S\u0105ra\u0161\u0105 prad\u0117kite skai\u010diu","Line height":"Eilut\u0117s auk\u0161tis","Dropped file type is not supported":"Numesto failo tipas nepalaikomas","Loading...":"Kraunama...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP klaida: u\u017eklausa atmesta","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP klaida: nepavyko rasti paveiksl\u0117li\u0173 tarpin\u0117s programos","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP klaida: neteingas paveiksl\u0117li\u0173 tarpin\u0117s programos URL adresas","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP klaida: ne\u017einoma ImageProxy klaida"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/lv.js b/deform/static/tinymce/langs/lv.js index 924e87c3..91f42eee 100644 --- a/deform/static/tinymce/langs/lv.js +++ b/deform/static/tinymce/langs/lv.js @@ -1,156 +1 @@ -tinymce.addI18n('lv',{ -"Cut": "Izgriezt", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "J\u016bsu p\u0101rl\u016bkprogramma neatbalsta piek\u013cuvi starpliktuvei. L\u016bdzu izmantojiet Ctrl+X\/C\/V klaviat\u016bras sa\u012bsnes.", -"Paste": "Iel\u012bm\u0113t", -"Close": "Aizv\u0113rt", -"Align right": "L\u012bdzin\u0101t pa labi", -"New document": "Jauns dokuments", -"Numbered list": "Numur\u0113ts saraksts", -"Increase indent": "Palielin\u0101t atk\u0101pi", -"Formats": "Form\u0101ti", -"Select all": "Iez\u012bm\u0113t", -"Undo": "Atsaukt", -"Strikethrough": "P\u0101rsv\u012btrot", -"Bullet list": "Nenumuer\u0113ts saraksts", -"Superscript": "Aug\u0161raksts", -"Clear formatting": "No\u0146emt format\u0113jumu", -"Subscript": "Apak\u0161raksts", -"Redo": "Atcelt atsauk\u0161anu", -"Ok": "Labi", -"Bold": "Treknraksts", -"Italic": "Kurs\u012bvs", -"Align center": "Centr\u0113t", -"Decrease indent": "Samazin\u0101t atk\u0101pi", -"Underline": "Pasv\u012btrot", -"Cancel": "Atcelt", -"Justify": "L\u012bdzin\u0101t abas malas", -"Copy": "Kop\u0113t", -"Align left": "L\u012bdzin\u0101t pa kreisi", -"Visual aids": "Uzskates l\u012bdzek\u013ci", -"Lower Greek": "Grie\u0137u mazie burti", -"Square": "Kvadr\u0101ts", -"Default": "Noklus\u0113juma", -"Lower Alpha": "Lat\u012b\u0146u mazie burti", -"Circle": "Aplis", -"Disc": "Disks", -"Upper Alpha": "Lat\u012b\u0146u lielie burti", -"Upper Roman": "Romie\u0161u lielie burti", -"Lower Roman": "Romie\u0161u mazie burti", -"Name": "V\u0101rds", -"Anchor": "Enkurelements", -"You have unsaved changes are you sure you want to navigate away?": "Jums ir nesaglab\u0101tas izmai\u0146as, esat dro\u0161s, ka v\u0113laties doties prom", -"Restore last draft": "Atjaunot p\u0113d\u0113jo melnrakstu", -"Special character": "\u012apa\u0161ais simbols", -"Source code": "Pirmkods", -"Right to left": "No lab\u0101s uz kreiso", -"Left to right": "No kreis\u0101s uz labo", -"Emoticons": "Emocijas", -"Robots": "Programmas", -"Document properties": "Dokumenta uzst\u0101d\u012bjumi", -"Title": "Nosaukums", -"Keywords": "Atsl\u0113gv\u0101rdi", -"Encoding": "Kod\u0113jums", -"Description": "Apraksts", -"Author": "Autors", -"Fullscreen": "Pilnekr\u0101na re\u017e\u012bms", -"Horizontal line": "Horizont\u0101la l\u012bnija", -"Horizontal space": "Horizont\u0101l\u0101 vieta", -"Insert\/edit image": "Ievietot\/labot att\u0113lu", -"General": "Visp\u0101r\u012bgi", -"Advanced": "Papildus", -"Source": "Avots", -"Border": "Apmale", -"Constrain proportions": "Saglab\u0101t malu attiec\u012bbu", -"Vertical space": "Vertik\u0101l\u0101 vieta", -"Image description": "Att\u0113la apraksts", -"Style": "Stils", -"Dimensions": "Izm\u0113ri", -"Insert date\/time": "Ievietot datumu\/laiku", -"Url": "Adrese", -"Text to display": "Teksts", -"Insert link": "Ievietot saiti", -"New window": "Jauns logs", -"None": "Nek\u0101", -"Target": "M\u0113r\u0137is", -"Insert\/edit link": "Ievietot\/labot saiti", -"Insert\/edit video": "Ievietot\/redi\u0123\u0113t video", -"Poster": "Att\u0113ls", -"Alternative source": "Alternat\u012bvs avots", -"Paste your embed code below:": "Iekop\u0113jiet embed kodu zem\u0101k:", -"Insert video": "Ievietot video", -"Embed": "Embed", -"Nonbreaking space": "L\u012bnij-nedalo\u0161s atstarpes simbols", -"Page break": "P\u0101rnest jaun\u0101 lap\u0101", -"Preview": "Priek\u0161skat\u012bjums", -"Print": "Print\u0113t", -"Save": "Saglab\u0101t", -"Could not find the specified string.": "Mekl\u0113tais teksts netika atrasts", -"Replace": "Aizvietot", -"Next": "N\u0101ko\u0161ais", -"Whole words": "Pilnus v\u0101rdus", -"Find and replace": "Mekl\u0113t un aizvietot", -"Replace with": "Aizvietot ar", -"Find": "Mekl\u0113t", -"Replace all": "Aizvietot visu", -"Match case": "Re\u0123istrj\u016bt\u012bgs", -"Prev": "Iepriek\u0161\u0113jais", -"Spellcheck": "Pareizrakst\u012bbas p\u0101rbaude", -"Finish": "Beigt", -"Ignore all": "Ignor\u0113t visu", -"Ignore": "Ignor\u0113t", -"Insert row before": "Ievietot rindu pirms", -"Rows": "Rindas", -"Height": "Augstums", -"Paste row after": "Iel\u012bm\u0113t rindu p\u0113c", -"Alignment": "L\u012bdzin\u0101jums", -"Column group": "Kolonnu grupa", -"Row": "Rinda", -"Insert column before": "Ievietot kolonu pirms", -"Split cell": "Sadal\u012bt \u0161\u016bnas", -"Cell padding": "\u0160\u016bnas atstatumi", -"Cell spacing": "\u0160\u016bnu atstarpes", -"Row type": "Rindas tips", -"Insert table": "Ievietot tabulu", -"Body": "\u0136ermenis", -"Caption": "Virsraksts", -"Footer": "K\u0101jene", -"Delete row": "Dz\u0113st rindu", -"Paste row before": "Iel\u012bm\u0113t rindu pirms", -"Scope": "Apgabals", -"Delete table": "Dz\u0113st tabulu", -"Header cell": "Galvenes \u0161\u016bna", -"Column": "Kolona", -"Cell": "\u0160\u016bna", -"Header": "Galvene", -"Cell type": "\u0160\u016bnas tips", -"Copy row": "Kop\u0113t rindu", -"Row properties": "Rindas uzst\u0101d\u012bjumi", -"Table properties": "Tabulas uzst\u0101d\u012bjumi", -"Row group": "Rindu grupa", -"Right": "Pa labi", -"Insert column after": "Ievietot kolonu p\u0113c", -"Cols": "Kolonas", -"Insert row after": "Ievietot rindu p\u0113c", -"Width": "Platums", -"Cell properties": "\u0160\u016bnas uzst\u0101d\u012bjumi", -"Left": "Pa kreisi", -"Cut row": "Izgriezt rindu", -"Delete column": "Dz\u0113st kolonu", -"Center": "Centr\u0113t", -"Merge cells": "Apvienot \u0161\u016bnas", -"Insert template": "Ievietot \u0161ablonu", -"Templates": "\u0160abloni", -"Background color": "Fona kr\u0101sa", -"Text color": "Teksta kr\u0101sa", -"Show blocks": "R\u0101d\u012bt blokus", -"Show invisible characters": "R\u0101d\u012bt neredzam\u0101s rakstz\u012bmes", -"Words: {0}": "V\u0101rdi: {0}", -"Insert": "Ievietot", -"File": "Fails", -"Edit": "Labot", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Vizu\u0101li redi\u0123\u0113jama teksta apgabals. Nospiediet ALT-F9 izv\u0113lnei, ALT-F10 r\u012bkjoslai vai ALT-0 pal\u012bdz\u012bbai.", -"Tools": "R\u012bki", -"View": "Skat\u012bt", -"Table": "Tabula", -"Format": "Form\u0101ts" -}); \ No newline at end of file +tinymce.addI18n("lv",{"Redo":"Solis uz priek\u0161u","Undo":"Solis atpaka\u013c","Cut":"Izgriezt","Copy":"Kop\u0113t","Paste":"Iel\u012bm\u0113t","Select all":"Iez\u012bm\u0113t visu","New document":"Jauns dokuments","Ok":"Ok","Cancel":"Atcelt","Visual aids":"Vizu\u0101l\u0101 pal\u012bdz\u012bba","Bold":"Treknraksts","Italic":"Sl\u012bpraksts","Underline":"Pasv\u012btrot","Strikethrough":"Nosv\u012btrot","Superscript":"Aug\u0161raksts","Subscript":"Apak\u0161raksts","Clear formatting":"No\u0146emt format\u0113jumu","Remove":"No\u0146emt","Align left":"Pa kreisi","Align center":"Centr\u0113t","Align right":"Pa labi","No alignment":"Bez izl\u012bdzin\u0101\u0161anas","Justify":"Gar ab\u0101m mal\u0101m","Bullet list":"Nenumur\u0113ts saraksts","Numbered list":"Numur\u0113ts saraksts","Decrease indent":"Samazin\u0101t atk\u0101pi","Increase indent":"Palielin\u0101t atk\u0101pi","Close":"Aizv\u0113rt","Formats":"Format\u0113jumi","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"J\u016bsu p\u0101rl\u016bkprogramma neatbalsta piek\u013cuvi starpliktuvei. L\u016bdzu, lietojiet Ctrl+X/C/V klaviat\u016bras sa\u012bsnes.","Headings":"Virsraksti","Heading 1":"1. l\u012bme\u0146a virsraksts","Heading 2":"2. l\u012bme\u0146a virsraksts","Heading 3":"3. l\u012bme\u0146a virsraksts","Heading 4":"4. l\u012bme\u0146a virsraksts","Heading 5":"5. l\u012bme\u0146a virsraksts","Heading 6":"6. l\u012bme\u0146a virsraksts","Preformatted":"Ieprieks format\u0113ts","Div":"Div","Pre":"Pre","Code":"Kods","Paragraph":"Rindkopa","Blockquote":"Cit\u0101ts","Inline":"Inline elementi","Blocks":"Bloka elementi","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Iel\u012bm\u0113\u0161ana vienk\u0101r\u0161\u0101 teksta re\u017e\u012bm\u0101. Saturs tiks iel\u012bm\u0113ts bez format\u0113juma l\u012bdz \u0161\u012b opcija tiks atsl\u0113gta.","Fonts":"\u0160rifts","Font sizes":"\u0160rifta izm\u0113rs","Class":"Klase","Browse for an image":"Izv\u0113l\u0113ties att\u0113lu","OR":"VAI","Drop an image here":"Ievelciet att\u0113lu \u0161eit","Upload":"Aug\u0161upiel\u0101d\u0113t","Uploading image":"Aug\u0161upielade att\u0113lu","Block":"Bloks","Align":"L\u012bdzin\u0101t","Default":"Parastais","Circle":"Aplis","Disc":"Disks","Square":"Kvadr\u0101ts","Lower Alpha":"Lat\u012b\u0146u mazie burti","Lower Greek":"Grie\u0137u mazie burti","Lower Roman":"Romie\u0161u mazie burti","Upper Alpha":"Lat\u012b\u0146u lielie burti","Upper Roman":"Romie\u0161u lielie burti","Anchor...":"Enkurs...","Anchor":"Enkurs","Name":"Nosaukums","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID j\u0101s\u0101kas ar burtu, kam seko tikai burti, cipari, domuz\u012bmes, punkti, koli vai pasv\u012btras.","You have unsaved changes are you sure you want to navigate away?":"Saturs ir labots un nav saglab\u0101ts. Vai tie\u0161\u0101m v\u0113laties atst\u0101t \u0161o lapu?","Restore last draft":"Atjaunot p\u0113d\u0113jo melnrakstu","Special character...":"Specialais simbols...","Special Character":"Specialais simbols","Source code":"Pirmkods","Insert/Edit code sample":"Ievad\u012bt/Labot koda paraugu","Language":"Valoda","Code sample...":"Koda paraugs...","Left to right":"No kreis\u0101s uz labo","Right to left":"No lab\u0101s uz kreiso","Title":"Nosaukums","Fullscreen":"Pilnekr\u0101na re\u017e\u012bms","Action":"Darb\u012bba","Shortcut":"Sa\u012bsne","Help":"Pal\u012bdz\u012bba","Address":"Adrese","Focus to menubar":"Fokuss uz izv\u0113lni","Focus to toolbar":"Fokuss uz r\u012bkjoslu","Focus to element path":"Fokuss uz elementa ce\u013cu","Focus to contextual toolbar":"Fokuss uz papildizv\u0113lni","Insert link (if link plugin activated)":"Ievietot saiti (Ja sai\u0161u spraudnis ir akt\u012bvs)","Save (if save plugin activated)":"Saglab\u0101t (Ja saglab\u0101\u0161anas spraudnis ir akt\u012bvs)","Find (if searchreplace plugin activated)":'Atrast (Ja "searchreplace" spraudnis ir akt\u012bvs)',"Plugins installed ({0}):":"Spraud\u0146i instal\u0113ti ({0}):","Premium plugins:":"\u012apa\u0161ie spraud\u0146i:","Learn more...":"Uzzin\u0101t vair\u0101k...","You are using {0}":"J\u016bs lietojiet {0}","Plugins":"Spraud\u0146i","Handy Shortcuts":"Paroc\u012bgi \u012bsce\u013ci","Horizontal line":"Horizont\u0101l\u0101 l\u012bnija","Insert/edit image":"Ievietot/labot att\u0113lu","Alternative description":"Alternat\u012bvais apraksts","Accessibility":"Pieejam\u012bba","Image is decorative":"Att\u0113ls ir dekorat\u012bvs","Source":"Avots","Dimensions":"Izm\u0113rs","Constrain proportions":"Saglab\u0101t proporciju","General":"Pamata info","Advanced":"Papildus","Style":"Stils","Vertical space":"Vertik\u0101l\u0101 atstarpe","Horizontal space":"Horizont\u0101l\u0101 atstarpe","Border":"Apmale","Insert image":"Ievietot att\u0113lu","Image...":"Att\u0113ls...","Image list":"Att\u0113lu saraksts","Resize":"Main\u012bt izm\u0113ru","Insert date/time":"Ievietot datumu/laiku","Date/time":"Datums/laiks","Insert/edit link":"Ievietot/labot saiti","Text to display":"Nosaukums","Url":"Adrese","Open link in...":"Atv\u0113rt saiti...","Current window":"Taj\u0101 pa\u0161\u0101 log\u0101","None":"\u2014","New window":"Jaun\u0101 \u0161\u0137irkl\u012b","Open link":"Atv\u0113rt saiti","Remove link":"No\u0146emt saiti","Anchors":"Saites","Link...":"Saite...","Paste or type a link":"Iekop\u0113jiet vai ierakstiet saiti","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":'J\u016bs ievad\u012bj\u0101t e-pasta adresi. Lai t\u0101 korekti darbotos, ir nepiecie\u0161ams to papildin\u0101t ar "mailto:" priek\u0161\u0101. Vai v\u0113laties to izdar\u012bt?',"The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":'J\u016bs ievad\u012bj\u0101t \u0101r\u0113jo saiti. Lai t\u0101 korekti darbotos, ir nepiecie\u0161ams to papildin\u0101t ar "http://" priek\u0161\u0101. Vai v\u0113laties to izdar\u012bt?',"The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Ievietot\u0101 URL saite ir no \u0101r\u0113ja avota. Vai v\u0113laties pievienot nepiecie\u0161amo https://?","Link list":"Sai\u0161u saraksts","Insert video":"Ievietot video","Insert/edit video":"Ievietot/redi\u0123\u0113t video","Insert/edit media":"Ievietot/labot att\u0113lu","Alternative source":"Alternat\u012bvs avots","Alternative source URL":"Alternatvais URL avots","Media poster (Image URL)":"Mediju afi\u0161a (Att\u0113la URL)","Paste your embed code below:":"Iekop\u0113jiet Embed kodu \u0161eit:","Embed":"Embed kods","Media...":"Mediju...","Nonbreaking space":"Nedal\u0101m\u0101 atstarpe","Page break":"P\u0101reja uz jauno lapu","Paste as text":"Iel\u012bm\u0113t bez format\u0113juma","Preview":"Priek\u0161skat\u012bt","Print":"Druk\u0101t","Print...":"Druk\u0101t...","Save":"Saglab\u0101t","Find":"Mekl\u0113t","Replace with":"Aizvietot ar","Replace":"Aizvietot","Replace all":"Aizvietot visu","Previous":"Iepriek\u0161\u0113jais","Next":"N\u0101kamais","Find and Replace":"Mekl\u0113t un Aizst\u0101t","Find and replace...":"Mekl\u0113t un aizvietot","Could not find the specified string.":"Mekl\u0113tais teksts netika atrasts","Match case":"At\u0161\u0137irt lielos un mazos burtus","Find whole words only":"Mekl\u0113t k\u0101 pilnu v\u0101rdu","Find in selection":"Atrast izv\u0113l\u0113taj\u0101","Insert table":"Ievietot tabulu","Table properties":"Tabulas parametri","Delete table":"Dz\u0113st tabulu","Cell":"\u0160\u016bna","Row":"Rinda","Column":"Kolonna","Cell properties":"\u0160\u016bnas parametri","Merge cells":"Apvienot \u0161\u016bnas","Split cell":"Sadal\u012bt \u0161\u016bnas","Insert row before":"Jauna rinda augst\u0101k","Insert row after":"Jauna rinda zem\u0101k","Delete row":"Dz\u0113st rindu","Row properties":"Rindas parametri","Cut row":"Izgriezt rindu","Cut column":"Izgriezt kolonu","Copy row":"Kop\u0113t rindu","Copy column":"Kop\u0113t kolonu","Paste row before":"Iel\u012bm\u0113t rindu augst\u0101k","Paste column before":"Ievietot pirms kolonas","Paste row after":"Iel\u012bm\u0113t rindu zem\u0101k","Paste column after":"Ievietot p\u0113c kolonas","Insert column before":"Jauna kolonna pa kreisi","Insert column after":"Jauna kolonna pa labi","Delete column":"Dz\u0113st kolonu","Cols":"Kolonnas","Rows":"Rindas","Width":"Platums","Height":"Augstums","Cell spacing":"\u0160\u016bnu atstarpe","Cell padding":"Iek\u0161\u0113j\u0101 atstarpe","Row clipboard actions":"Rindas starpliktuves darb\u012bba","Column clipboard actions":"Kolonas starpliktuves darb\u012bba","Table styles":"Tabulas stils","Cell styles":"\u0160\u016bnas stils","Column header":"Kolonas galvene","Row header":"Rindas galvene","Table caption":"Tabulas paraksts","Caption":"Ar virsrakstu","Show caption":"R\u0101d\u012bt parakstu","Left":"Pa kreisi","Center":"Centr\u0113t","Right":"Pa labi","Cell type":"\u0160\u016bnas veids","Scope":"Attiecin\u0101t uz","Alignment":"Izl\u012bdzin\u0101\u0161ana","Horizontal align":"Horizontala izl\u012bdzin\u0101\u0161ana","Vertical align":"Vertik\u0101la izl\u012bdzin\u0101\u0161ana","Top":"Aug\u0161\u0101","Middle":"Pa vidu","Bottom":"Apak\u0161\u0101","Header cell":"Galvenes \u0161\u016bna","Row group":"Rindu grupa","Column group":"Kolonnu grupa","Row type":"Rindas veids","Header":"Galvene","Body":"Saturs","Footer":"K\u0101jene","Border color":"Apmales kr\u0101sa","Solid":"Mas\u012bvs","Dotted":"Punkt\u0113ts","Dashed":"P\u0101rtraukts","Double":"Dubults","Groove":"Grope","Ridge":"Gr\u0113da","Inset":"Iek\u0161\u0113js","Outset":"\u0100r\u0113js","Hidden":"Sl\u0113pts","Insert template...":"Ievietot \u0161ablonu...","Templates":"Veidnes","Template":"Veidne","Insert Template":"Ievietot \u0160ablonu","Text color":"Teksta kr\u0101sa","Background color":"Fona kr\u0101sa","Custom...":"Izv\u0113l\u0113ties citu...","Custom color":"Specifisk\u0101 kr\u0101sa","No color":"Nenor\u0101d\u012bt kr\u0101su","Remove color":"No\u0146emt kr\u0101su","Show blocks":"R\u0101d\u012bt blokus","Show invisible characters":"R\u0101d\u012bt neredzam\u0101s rakstz\u012bmes","Word count":"V\u0101rdu skaits","Count":"Skaits","Document":"Dokuments","Selection":"Atlase","Words":"V\u0101rdi","Words: {0}":"V\u0101rdi: {0}","{0} words":"{0} v\u0101rdi","File":"Datne","Edit":"Labot","Insert":"Ievietot","View":"Skat\u012bt","Format":"Format\u0113t","Table":"Tabula","Tools":"R\u012bki","Powered by {0}":"Darb\u012bbu nodro\u0161ina {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Satura redaktors. Nospiediet ALT-F9 lai par\u0101d\u012btu izv\u0113lni, ALT-F10 - r\u012bkjoslu vai ALT-0 - pal\u012bdz\u012bbu.","Image title":"Att\u0113la virsraksts","Border width":"Apmales biezums","Border style":"Apmales stils","Error":"K\u013c\u016bda","Warn":"Br\u012bdin\u0101jums","Valid":"Der\u012bgs(-i)","To open the popup, press Shift+Enter":"Lai atv\u0113rtu uzleco\u0161o logu, nospied Shift+Enter","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"","System Font":"Sist\u0113mas fonts","Failed to upload image: {0}":"Att\u0113la aug\u0161upiel\u0101de neizdev\u0101s: {0}","Failed to load plugin: {0} from url {1}":'Spraudni "{0}" neizdev\u0101s iel\u0101d\u0113t. Avots: {1}',"Failed to load plugin url: {0}":"K\u0101du spraudni neizdev\u0101s iel\u0101d\u0113t. Avots: {0}","Failed to initialize plugin: {0}":"Neizdev\u0101s iel\u0101d\u0113t spraudni: {0}","example":"piem\u0113rs","Search":"Mekl\u0113t","All":"Viss","Currency":"Val\u016bta","Text":"Teksts","Quotations":"Cit\u0101ti","Mathematical":"Matem\u0101tisks","Extended Latin":"","Symbols":"Simboli","Arrows":"Bultas","User Defined":"Lietot\u0101ja Defin\u0113ts","dollar sign":"dol\u0101ra z\u012bme","currency sign":"val\u016btas z\u012bme","euro-currency sign":"eiro val\u016btas z\u012bme","colon sign":"kola z\u012bme","cruzeiro sign":"","french franc sign":"","lira sign":"liras z\u012bme","mill sign":"","naira sign":"","peseta sign":"","rupee sign":"","won sign":"","new sheqel sign":"","dong sign":"","kip sign":"","tugrik sign":"","drachma sign":"","german penny symbol":"","peso sign":"","guarani sign":"","austral sign":"","hryvnia sign":"","cedi sign":"","livre tournois sign":"","spesmilo sign":"","tenge sign":"","indian rupee sign":"","turkish lira sign":"","nordic mark sign":"","manat sign":"","ruble sign":"","yen character":"","yuan character":"","yuan character, in hong kong and taiwan":"","yen/yuan character variant one":"","Emojis":"Emocijz\u012bmes","Emojis...":"Emocijz\u012bmes...","Loading emojis...":"Iel\u0101d\u0113 smaidi\u0146us...","Could not load emojis":"Smaidi\u0146us iel\u0101dt neizdev\u0101s","People":"Cilv\u0113ki","Animals and Nature":"Dz\u012bvnieki un Daba","Food and Drink":"\u0112dieni un Dz\u0113rieni","Activity":"Aktivit\u0101tes","Travel and Places":"Ce\u013co\u0161ana un Vietas","Objects":"Objekti","Flags":"Karogi","Characters":"Simboli","Characters (no spaces)":"Simboli (bez atstarpem)","{0} characters":"{0} simboli","Error: Form submit field collision.":"K\u013c\u016bda: Formas apstiprin\u0101\u0161anas lauka k\u013c\u016bda.","Error: No form element found.":"K\u013c\u016bda: Formas elements nav atrasts.","Color swatch":"Kr\u0101su paraugs","Color Picker":"Atlas\u012bt kr\u0101su","Invalid hex color code: {0}":"Neder\u012bgs kr\u0101sas hex kods {0}","Invalid input":"Neder\u012bga ievade","R":"S","Red component":"Sarkanais komonents","G":"G","Green component":"Za\u013cais komonents","B":"Z","Blue component":"Zilais komonents","#":"#","Hex color code":"Hex kr\u0101sas kods","Range 0 to 255":"Diapazons 0 l\u012bdz 255","Turquoise":"Tirk\u012bzs","Green":"Za\u013c\u0161","Blue":"Zils","Purple":"Violets","Navy Blue":"Navy Zils","Dark Turquoise":"Tum\u0161s Tirk\u012bzs","Dark Green":"Tum\u0161i Za\u013c\u0161","Medium Blue":"Vid\u0113ji Za\u013c\u0161","Medium Purple":"Vid\u0113ji Violets","Midnight Blue":"Puznakts Zils","Yellow":"Dzeltens","Orange":"Oran\u017es","Red":"Sarkans","Light Gray":"Gai\u0161i Pel\u0113ks","Gray":"Pel\u0113ks","Dark Yellow":"Tum\u0161i Dzeltens","Dark Orange":"Tum\u0161i Oran\u017es","Dark Red":"Tum\u0161i Sarkans","Medium Gray":"Vid\u0113ji Pel\u0113ks","Dark Gray":"Tum\u017ei Pel\u0113ks","Light Green":"Gai\u0161i Za\u013c\u0161","Light Yellow":"Gai\u0161i Dzeltens","Light Red":"Gai\u0161i Sarkans","Light Purple":"Gai\u0161i Violets","Light Blue":"Gai\u0161i Zils","Dark Purple":"Tum\u0161i violets","Dark Blue":"Tum\u0161i zils","Black":"Melns","White":"Balts","Switch to or from fullscreen mode":"P\u0101rsl\u0113gties uz/no pilnekr\u0101na re\u017e\u012bmu","Open help dialog":"Atv\u0113rt pal\u012bdz\u012bbas dialogu","history":"v\u0113sture","styles":"stili","formatting":"format\u0113jums","alignment":"izl\u012bdzin\u0101\u0161ana","indentation":"atk\u0101pes","Font":"Fonts","Size":"Izm\u0113rs","More...":"Vair\u0101k...","Select...":"Izv\u0113lies...","Preferences":"Iestat\u012bjumi","Yes":"J\u0101","No":"N\u0113","Keyboard Navigation":"Klaviat\u016bras Navig\u0101cija","Version":"Versija","Code view":"Koda skats","Open popup menu for split buttons":"Atv\u0113rt uzleco\u0161o izv\u0113lni dal\u012btaj\u0101m pog\u0101m","List Properties":"Saraksta \u012apa\u0161\u012bbas","List properties...":"Saraksta \u012bpa\u0161\u012bbas...","Start list at number":"S\u0101kt sarakstu ar skaitli","Line height":"L\u012bnijas augstums","Dropped file type is not supported":"Nomest\u0101 faila tips netiek atbalst\u012bts","Loading...":"Iel\u0101d\u0113...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP error: Noraid\u012bts piepras\u012bjums","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/nb_NO.js b/deform/static/tinymce/langs/nb_NO.js index 4eb851ed..2ad80b4b 100644 --- a/deform/static/tinymce/langs/nb_NO.js +++ b/deform/static/tinymce/langs/nb_NO.js @@ -1,175 +1 @@ -tinymce.addI18n('nb_NO',{ -"Cut": "Klipp ut", -"Header 2": "Overskrift 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Nettleseren din st\u00f8tter ikke direkte tilgang til utklippsboken. Bruk istedet tastatur-snarveiene Ctrl+X\/C\/V, eller Cmd+X\/C\/V p\u00e5 Mac.", -"Div": "Div", -"Paste": "Lim inn", -"Close": "Lukk", -"Pre": "Pre", -"Align right": "H\u00f8yrejustert", -"New document": "Nytt dokument", -"Blockquote": "Blokksitat", -"Numbered list": "Nummerliste", -"Increase indent": "\u00d8k innrykk", -"Formats": "Stiler", -"Headers": "Overskrifter", -"Select all": "Marker alt", -"Header 3": "Overskrift 3", -"Blocks": "Blokker", -"Undo": "Angre", -"Strikethrough": "Gjennomstreket", -"Bullet list": "Punktliste", -"Header 1": "Overskrift 1", -"Superscript": "Hevet skrift", -"Clear formatting": "Fjern formateringer", -"Subscript": "Senket skrift", -"Header 6": "Overskrift 6", -"Redo": "Utf\u00f8r likevel", -"Paragraph": "Avsnitt", -"Ok": "OK", -"Bold": "Halvfet", -"Code": "Kode", -"Italic": "Kursiv", -"Align center": "Midtstilt", -"Header 5": "Overskrift 5", -"Decrease indent": "Reduser innrykk", -"Header 4": "Overskrift 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Lim inn - er n\u00e5 i ren-tekst modus. Kopiert innhold vil bli limt inn som ren-tekst inntil du sl\u00e5r av dette valget.", -"Underline": "Understreket", -"Cancel": "Avbryt", -"Justify": "Juster alle linjer", -"Inline": "Innkapslet - inline", -"Copy": "Kopier", -"Align left": "Venstrejustert", -"Visual aids": "Visuelle hjelpemidler", -"Lower Greek": "Greske minuskler", -"Square": "Fylt firkant", -"Default": "Normal", -"Lower Alpha": "Minuskler", -"Circle": "\u00c5pen sirkel", -"Disc": "Fylt sirkel", -"Upper Alpha": "Versaler", -"Upper Roman": "Romerske versaler", -"Lower Roman": "Romerske minuskler", -"Name": "Navn", -"Anchor": "Anker", -"You have unsaved changes are you sure you want to navigate away?": "Endringer er ikke arkivert. Vil du fortsette uten \u00e5 arkivere endringer?", -"Restore last draft": "Gjenopprett siste utkast", -"Special character": "Spesialtegn", -"Source code": "Kildekode", -"Right to left": "H\u00f8yre til venstre", -"Left to right": "Venstre til h\u00f8yre", -"Emoticons": "Emoticons", -"Robots": "Roboter", -"Document properties": "Dokumentegenskaper", -"Title": "Tittel", -"Keywords": "N\u00f8kkelord", -"Encoding": "Tegnkoding", -"Description": "Beskrivelse", -"Author": "Forfatter", -"Fullscreen": "Fullskjerm", -"Horizontal line": "Horisontal linje", -"Horizontal space": "Horisontal marg", -"Insert\/edit image": "Sett inn\/endre bilde", -"General": "Generelt", -"Advanced": "Avansert", -"Source": "Bildelenke", -"Border": "Ramme", -"Constrain proportions": "Behold proporsjoner", -"Vertical space": "Vertikal marg", -"Image description": "Bildebeskrivelse", -"Style": "Stil", -"Dimensions": "Dimensjoner", -"Insert image": "Sett inn bilde", -"Insert date\/time": "Sett inn dato\/tid", -"Remove link": "Fjern lenke", -"Url": "Url", -"Text to display": "Tekst som skal vises", -"Anchors": "Anker", -"Insert link": "Sett inn lenke", -"New window": "Nytt vindu", -"None": "Ingen", -"Target": "M\u00e5l", -"Insert\/edit link": "Sett inn\/endre lenke", -"Insert\/edit video": "Sett inn\/endre video", -"Poster": "Poster", -"Alternative source": "Alternativ kilde", -"Paste your embed code below:": "Lim inn inkluderings-koden nedenfor", -"Insert video": "Sett inn video", -"Embed": "Inkluder", -"Nonbreaking space": "Hardt mellomrom", -"Page break": "Sideskifte", -"Paste as text": "Lim inn som tekst", -"Preview": "Forh\u00e5ndsvisning", -"Print": "Skriv ut", -"Save": "Arkiver", -"Could not find the specified string.": "Kunne ikke finne den spesifiserte teksten", -"Replace": "Erstatt", -"Next": "Neste", -"Whole words": "Hele ord", -"Find and replace": "Finn og erstatt", -"Replace with": "Erstatt med", -"Find": "Finn", -"Replace all": "Erstatt alle", -"Match case": "Match store og sm\u00e5 bokstaver", -"Prev": "Forrige", -"Spellcheck": "Stavekontroll", -"Finish": "Avslutt", -"Ignore all": "Ignorer alle", -"Ignore": "Ignorer", -"Insert row before": "Sett inn rad f\u00f8r", -"Rows": "Rader", -"Height": "H\u00f8yde", -"Paste row after": "Lim inn rad etter", -"Alignment": "Justering", -"Column group": "Kolonnegruppe", -"Row": "Rad", -"Insert column before": "Sett inn kolonne f\u00f8r", -"Split cell": "Splitt celle", -"Cell padding": "Celle rammemarg", -"Cell spacing": "Celleavstand", -"Row type": "Radtype", -"Insert table": "Sett inn tabell", -"Body": "Br\u00f8dtekst", -"Caption": "Tittel", -"Footer": "Bunntekst", -"Delete row": "Slett rad", -"Paste row before": "Lim inn rad f\u00f8r", -"Scope": "Omfang", -"Delete table": "Slett tabell", -"Header cell": "Topptekst celle", -"Column": "Kolonne", -"Cell": "Celle", -"Header": "Topptekst", -"Cell type": "Celletype", -"Copy row": "Kopier rad", -"Row properties": "Rad egenskaper", -"Table properties": "Tabell egenskaper", -"Row group": "Radgruppe", -"Right": "H\u00f8yre", -"Insert column after": "Sett inn kolonne etter", -"Cols": "Kolonner", -"Insert row after": "Sett in rad etter", -"Width": "Bredde", -"Cell properties": "Celle egenskaper", -"Left": "Venstre", -"Cut row": "Klipp ut rad", -"Delete column": "Slett kolonne", -"Center": "Midtstilt", -"Merge cells": "Sl\u00e5 sammen celler", -"Insert template": "Sett inn mal", -"Templates": "Maler", -"Background color": "Bakgrunnsfarge", -"Text color": "Tekstfarge", -"Show blocks": "Vis blokker", -"Show invisible characters": "Vis usynlige tegn", -"Words: {0}": "Antall ord: {0}", -"Insert": "Sett inn", -"File": "Arkiv", -"Edit": "Rediger", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Tekstredigering. Tast ALT-F9 for meny. Tast ALT-F10 for verkt\u00f8ys-rader. Trykk ALT-0 for hjelp.", -"Tools": "Verkt\u00f8y", -"View": "Vis", -"Table": "Tabell", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("nb_NO",{"Redo":"Gj\xf8r om","Undo":"Angre","Cut":"Klipp ut","Copy":"Kopier","Paste":"Lim inn","Select all":"Marker alt","New document":"Nytt dokument","Ok":"Ok","Cancel":"Avbryt","Visual aids":"Visuelle hjelpemidler","Bold":"Fet","Italic":"Kursiv","Underline":"Understreking","Strikethrough":"Gjennomstreking","Superscript":"Hevet skrift","Subscript":"Senket skrift","Clear formatting":"Fjern formateringer","Remove":"Fjern","Align left":"Venstrejuster","Align center":"Midtstill","Align right":"H\xf8yrejuster","No alignment":"Ingen justering","Justify":"Blokkjuster","Bullet list":"Punktliste","Numbered list":"Nummerliste","Decrease indent":"Reduser innrykk","Increase indent":"\xd8k innrykk","Close":"Lukk","Formats":"Stiler","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Nettleseren din st\xf8tter ikke direkte tilgang til utklippsboken. Bruk istedet tastatursnarveiene Ctrl+X/C/V.","Headings":"Overskrifter","Heading 1":"Overskrift 1","Heading 2":"Overskrift 2","Heading 3":"Overskrift 3","Heading 4":"Overskrift 4","Heading 5":"Overskrift 5","Heading 6":"Overskrift 6","Preformatted":"Forh\xe5ndsformatert","Div":"Div","Pre":"Pre","Code":"Kode","Paragraph":"Avsnitt","Blockquote":"Blockquote","Inline":"Innkapslet","Blocks":"Blokker","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Lim inn er n\xe5 i ren tekst-modus. Kopiert innhold vil bli limt inn som ren tekst inntil du sl\xe5r av dette valget.","Fonts":"Fonter","Font sizes":"Fontst\xf8rrelser","Class":"Klasse","Browse for an image":"S\xf8k etter bilde","OR":"QR","Drop an image here":"Slipp et bilde her","Upload":"Last opp","Uploading image":"Laster opp bilde","Block":"Blokk","Align":"Juster","Default":"Standard","Circle":"Sirkel","Disc":"Disk","Square":"Firkant","Lower Alpha":"Sm\xe5 bokstaver","Lower Greek":"Greske minuskler","Lower Roman":"Sm\xe5 romertall","Upper Alpha":"Store bokstaver","Upper Roman":"Store romertall","Anchor...":"Lenke","Anchor":"Anker","Name":"Navn","ID":"Id","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID skal starte med en bokstav, kun etterfulgt av bokstaver, tall, bindestreker, prikker, kolon eller understreker.","You have unsaved changes are you sure you want to navigate away?":"Du har ikke arkivert endringene. Vil du fortsette uten \xe5 arkivere?","Restore last draft":"Gjenopprett siste utkast","Special character...":"Spesialtegn...","Special Character":"Spesialtegn","Source code":"Kildekode","Insert/Edit code sample":"Sett inn / endre kodeeksempel","Language":"Spr\xe5k","Code sample...":"Kodeeksempel","Left to right":"Venstre til h\xf8yre","Right to left":"H\xf8yre til venstre","Title":"Tittel","Fullscreen":"Fullskjerm","Action":"Handling","Shortcut":"Snarvei","Help":"Hjelp","Address":"Adresse","Focus to menubar":"Fokus p\xe5 menylinje","Focus to toolbar":"Fokus p\xe5 verkt\xf8ylinje","Focus to element path":"Fokus p\xe5 elementsti","Focus to contextual toolbar":"Fokus p\xe5 kontekstuell verkt\xf8ylinje","Insert link (if link plugin activated)":"Sett inn lenke (dersom lenketillegg er aktivert)","Save (if save plugin activated)":"Lagre (dersom lagretillegg er aktivert)","Find (if searchreplace plugin activated)":"Finn (dersom tillegg for s\xf8k og erstatt er aktivert)","Plugins installed ({0}):":"Installerte tillegg ({0}):","Premium plugins:":"Premiumtillegg:","Learn more...":"Les mer ...","You are using {0}":"Du bruker {0}","Plugins":"Programtillegg","Handy Shortcuts":"Nyttige snarveier","Horizontal line":"Horisontal linje","Insert/edit image":"Sett inn / rediger bilde","Alternative description":"Alternativ beskrivelse","Accessibility":"Tilgjengelighet","Image is decorative":"Bilde er dekorasjon","Source":"Kilde","Dimensions":"St\xf8rrelser","Constrain proportions":"Begrens proporsjoner","General":"Generelt","Advanced":"Avansert","Style":"Stil","Vertical space":"Vertikal avstand","Horizontal space":"Horisontal avstand","Border":"Ramme","Insert image":"Sett inn bilde","Image...":"Bilde...","Image list":"Bildeliste","Resize":"Skaler","Insert date/time":"Sett inn dato/tid","Date/time":"Dato/tid","Insert/edit link":"Sett inn / rediger lenke","Text to display":"Tekst som skal vises","Url":"Url","Open link in...":"\xc5pne lenke i..","Current window":"N\xe5v\xe6rende vindu","None":"Ingen","New window":"Nytt vindu","Open link":"\xc5pne lenke","Remove link":"Fjern lenke","Anchors":"Forankringspunkter","Link...":"Lenke...","Paste or type a link":"Lim inn eller skriv en lenke","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Oppgitt URL ser ut til \xe5 v\xe6re en e-postadresse. \xd8nsker du \xe5 sette inn p\xe5krevet mailto: prefiks foran e-postadressen?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL du skrev inn ser ut som en ekstern adresse. Vil du legge til det obligatoriske prefikset http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Nettadressen du fylte inn ser ut til \xe5 v\xe6re en ekstern. \xd8nsker du \xe5 legge til p\xe5krevd 'https://'-prefiks?","Link list":"Liste over lenker","Insert video":"Sett inn video","Insert/edit video":"Sett inn / rediger video","Insert/edit media":"Sett inn / endre media","Alternative source":"Alternativ kilde","Alternative source URL":"Alternativ kilde URL","Media poster (Image URL)":"Mediaposter (bilde-URL)","Paste your embed code below:":"Lim inn inkluderingskoden nedenfor:","Embed":"Inkluder","Media...":"Media..","Nonbreaking space":"Hardt mellomrom","Page break":"Sideskifte","Paste as text":"Lim inn som tekst","Preview":"Forh\xe5ndsvis","Print":"Utskrift","Print...":"Skriv ut...","Save":"Lagre","Find":"S\xf8k etter","Replace with":"Erstatt med","Replace":"Erstatt","Replace all":"Erstatt alle","Previous":"Forrige","Next":"Neste","Find and Replace":"Finn og erstatt","Find and replace...":"Finn og erstatt...","Could not find the specified string.":"Kunne ikke finne den spesifiserte teksten","Match case":"Skill mellom store / sm\xe5 bokstaver","Find whole words only":"Finn kun hele ord","Find in selection":"Finn i utvalg","Insert table":"Sett inn tabell","Table properties":"Tabellegenskaper","Delete table":"Slett tabell","Cell":"Celle","Row":"Rad","Column":"Kolonne","Cell properties":"Celleegenskaper","Merge cells":"Sl\xe5 sammen celler","Split cell":"Splitt celle","Insert row before":"Sett inn rad f\xf8r","Insert row after":"Sett inn rad etter","Delete row":"Slett rad","Row properties":"Radegenskaper","Cut row":"Klipp ut rad","Cut column":"Kutt kolonne","Copy row":"Kopier rad","Copy column":"Kopier kolonne","Paste row before":"Lim inn rad f\xf8r","Paste column before":"Lim inn kolonne f\xf8r","Paste row after":"Lim inn rad etter","Paste column after":"Lim inn kolonne etter","Insert column before":"Sett inn kolonne f\xf8r","Insert column after":"Sett inn kolonne etter","Delete column":"Slett kolonne","Cols":"Kolonner","Rows":"Rader","Width":"Bredde","Height":"H\xf8yde","Cell spacing":"Celleavstand","Cell padding":"Cellemarg","Row clipboard actions":"Rad-utklippstavlehandlinger","Column clipboard actions":"Kolonne-utklippstavlehandlinger","Table styles":"Tabellstiler","Cell styles":"Cellestiler","Column header":"Kolonneoverskrift","Row header":"Radoverskrift","Table caption":"Tabelloverskrift","Caption":"Bildetekst","Show caption":"Vis bildetekst","Left":"Venstre","Center":"Senter","Right":"H\xf8yre","Cell type":"Celletype","Scope":"Omfang","Alignment":"Justering","Horizontal align":"Horisontal justering","Vertical align":"Vertikal justering","Top":"Topp","Middle":"Sentrert","Bottom":"Bunn","Header cell":"Overskriftscelle","Row group":"Radgruppe","Column group":"Kolonnegruppe","Row type":"Radtype","Header":"Overskrift","Body":"Br\xf8dtekst","Footer":"Bunntekst","Border color":"Rammefarge","Solid":"Solid","Dotted":"Stiplet","Dashed":"Stiplet","Double":"Dobbel","Groove":"Rillekant","Ridge":"Ridge","Inset":"Innfelt","Outset":"Utfelt","Hidden":"Skjult","Insert template...":"Sett inn mal..","Templates":"Maler","Template":"Mal","Insert Template":"Sett inn mal","Text color":"Tekstfarge","Background color":"Bakgrunnsfarge","Custom...":"Tilpasset...","Custom color":"Tilpasset farge","No color":"Ingen farge","Remove color":"Fjern farge","Show blocks":"Vis blokker","Show invisible characters":"Vis skjulte tegn","Word count":"Ordtelling","Count":"Opptelling","Document":"Dokument","Selection":"Utvalg","Words":"Ord","Words: {0}":"Ord: {0}","{0} words":"{0} ord","File":"Fil","Edit":"Rediger","Insert":"Sett inn","View":"Vis","Format":"Format","Table":"Tabell","Tools":"Verkt\xf8y","Powered by {0}":"Drevet av {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Tekstredigering. Tast ALT-F9 for meny. Tast ALT-F10 for verkt\xf8ylinje. Tast ALT-0 for hjelp.","Image title":"Bildetittel","Border width":"Bordbredde","Border style":"Bordstil","Error":"Feil","Warn":"Advarsel","Valid":"Gyldig","To open the popup, press Shift+Enter":"For \xe5 \xe5pne popup, trykk Shift+Enter","Rich Text Area":"Rik tekst-omr\xe5de","Rich Text Area. Press ALT-0 for help.":"Rik-tekstomr\xe5de. Trykk ALT-0 for hjelp.","System Font":"Systemfont","Failed to upload image: {0}":"Opplasting av bilde feilet: {0}","Failed to load plugin: {0} from url {1}":"Kunne ikke laste tillegg: {0} from url {1}","Failed to load plugin url: {0}":"Kunne ikke laste tillegg url: {0}","Failed to initialize plugin: {0}":"Kunne ikke initialisere tillegg: {0}","example":"eksempel","Search":"S\xf8k","All":"Alle","Currency":"Valuta","Text":"Tekst","Quotations":"Sitater","Mathematical":"Matematisk","Extended Latin":"Utvidet latin","Symbols":"Symboler","Arrows":"Piler","User Defined":"Brukerdefinert","dollar sign":"dollartegn","currency sign":"valutasymbol","euro-currency sign":"Euro-valutasymbol","colon sign":"kolon-symbol","cruzeiro sign":"cruzeiro-symbol","french franc sign":"franske franc-symbol","lira sign":"lire-symbol","mill sign":"mill-symbol","naira sign":"naira-symbol","peseta sign":"peseta-symbol","rupee sign":"rupee-symbol","won sign":"won-symbol","new sheqel sign":"Ny sheqel-symbol","dong sign":"dong-symbol","kip sign":"kip-symbol","tugrik sign":"tugrik-symbol","drachma sign":"drachma-symbol","german penny symbol":"tysk penny-symbol","peso sign":"peso-symbol","guarani sign":"quarani-symbol","austral sign":"austral-symbol","hryvnia sign":"hryvina-symbol","cedi sign":"credi-symbol","livre tournois sign":"livre tournois-symbol","spesmilo sign":"spesmilo-symbol","tenge sign":"tenge-symbol","indian rupee sign":"indisk rupee-symbol","turkish lira sign":"tyrkisk lire-symbol","nordic mark sign":"nordisk mark-symbol","manat sign":"manat-symbol","ruble sign":"ruble-symbol","yen character":"yen-symbol","yuan character":"yuan-symbol","yuan character, in hong kong and taiwan":"yuan-symbol, i Hongkong og Taiwan","yen/yuan character variant one":"yen/yuan-symbol variant en","Emojis":"Emojier","Emojis...":"Emojier...","Loading emojis...":"Laster emojier...","Could not load emojis":"Kunne ikke laste inn emojier","People":"Mennesker","Animals and Nature":"Dyr og natur","Food and Drink":"Mat og drikke","Activity":"Aktivitet","Travel and Places":"Reise og steder","Objects":"Objekter","Flags":"Flagg","Characters":"Tegn","Characters (no spaces)":"Tegn (uten mellomrom)","{0} characters":"{0} tegn","Error: Form submit field collision.":"Feil: Skjemafelt innsendingskollisjon.","Error: No form element found.":"Feil: Intet skjemafelt funnet.","Color swatch":"Fargepalett","Color Picker":"Fargevelger","Invalid hex color code: {0}":"Ugyldig heksadesimal fargekode: {0}","Invalid input":"Ugyldig inndata","R":"R","Red component":"R\xf8d komponent","G":"G","Green component":"Gr\xf8nn komponent","B":"B","Blue component":"Bl\xe5 komponent","#":"#","Hex color code":"Hex fargekode","Range 0 to 255":"Omr\xe5de 0 til 255","Turquoise":"Turkis","Green":"Gr\xf8nn","Blue":"Bl\xe5","Purple":"Lilla","Navy Blue":"Marinebl\xe5","Dark Turquoise":"M\xf8rk turkis","Dark Green":"M\xf8rkegr\xf8nn","Medium Blue":"Mellombl\xe5","Medium Purple":"Medium lilla","Midnight Blue":"Midnattbl\xe5","Yellow":"Gul","Orange":"Oransje","Red":"R\xf8d","Light Gray":"Lys gr\xe5","Gray":"Gr\xe5","Dark Yellow":"M\xf8rk gul","Dark Orange":"M\xf8rk oransje","Dark Red":"M\xf8rker\xf8d","Medium Gray":"Medium gr\xe5","Dark Gray":"M\xf8rk gr\xe5","Light Green":"Lys gr\xf8nn","Light Yellow":"Lys gul","Light Red":"Lys r\xf8d","Light Purple":"Lys lilla","Light Blue":"Lys bl\xe5","Dark Purple":"M\xf8rk lilla","Dark Blue":"M\xf8rk bl\xe5","Black":"Svart","White":"Hvit","Switch to or from fullscreen mode":"Bytt til eller fra fullskjermmodus","Open help dialog":"\xc5pne hjelp-dialog","history":"historikk","styles":"stiler","formatting":"formatering","alignment":"justering","indentation":"innrykk","Font":"Skrift","Size":"St\xf8rrelse","More...":"Mer...","Select...":"Velg...","Preferences":"Innstillinger","Yes":"Ja","No":"Nei","Keyboard Navigation":"Navigering med tastaturet","Version":"Versjon","Code view":"Kodevisning","Open popup menu for split buttons":"\xc5pne sprettoppmeny for splitt-knapper","List Properties":"Listeegenskaper","List properties...":"Listeegenskaper ...","Start list at number":"Start liste p\xe5 nummer","Line height":"Linjeh\xf8yde","Dropped file type is not supported":"Filtype st\xf8ttes ikke","Loading...":"Laster...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP-feil: Avvist foresp\xf8rsel","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP-feil: Fant ikke Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP-feil: Feil Image Proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP-feil: Ukjent ImageProxy-feil"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ne.js b/deform/static/tinymce/langs/ne.js new file mode 100644 index 00000000..b34cd715 --- /dev/null +++ b/deform/static/tinymce/langs/ne.js @@ -0,0 +1 @@ +tinymce.addI18n("ne",{"Redo":"\u092b\u0947\u0930\u093f \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Undo":"\u092a\u0942\u0930\u094d\u0935\u0938\u094d\u0925\u093f\u0924\u093f\u092e\u093e \u092b\u0930\u094d\u0915\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Cut":"\u0915\u093e\u091f\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Copy":"\u092a\u094d\u0930\u0924\u093f\u0932\u093f\u092a\u093f \u092c\u0928\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Paste":"\u091f\u093e\u0901\u0938\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Select all":"\u0938\u092c\u0948 \u091a\u092f\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","New document":"\u0928\u092f\u093e\u0901 \u0915\u093e\u0917\u091c\u093e\u0924","Ok":"\u0920\u0940\u0915 \u091b","Cancel":"\u0930\u0926\u094d\u0926 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Visual aids":"\u092d\u093f\u091c\u0941\u0905\u0932 \u0938\u0939\u093e\u092f\u0924\u093e","Bold":"\u092c\u093e\u0915\u094d\u0932\u094b","Italic":"\u0924\u0947\u0930\u094d\u0938\u094b","Underline":"\u0930\u0947\u0916\u093e\u0919\u094d\u0915\u0928","Strikethrough":"\u0938\u094d\u091f\u094d\u0930\u093e\u0907\u0915\u0925\u094d\u0930\u0941","Superscript":"\u0938\u0941\u092a\u0930\u0938\u094d\u0915\u094d\u0930\u093f\u092a\u094d\u091f","Subscript":"\u0938\u092c\u0938\u094d\u0915\u094d\u0930\u093f\u092a\u094d\u091f","Clear formatting":"\u0938\u094d\u0935\u0930\u0942\u092a\u0923 \u0916\u093e\u0932\u0940 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Remove":"","Align left":"\u092c\u093e\u092f\u093e\u0901 \u092a\u0919\u094d\u0915\u094d\u0924\u093f\u092c\u0926\u094d\u0927 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Align center":"\u0915\u0947\u0928\u094d\u0926\u094d\u0930 \u092a\u0919\u094d\u0915\u094d\u0924\u093f\u092c\u0926\u094d\u0927 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Align right":"\u0926\u093e\u092f\u093e\u0901 \u092a\u0919\u094d\u0915\u094d\u0924\u093f\u092c\u0926\u094d\u0927 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","No alignment":"","Justify":"\u0938\u092e\u0930\u0947\u0916\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Bullet list":"\u092c\u0941\u0932\u0947\u091f \u0938\u0942\u091a\u0940","Numbered list":"\u0915\u094d\u0930\u092e\u093e\u0919\u0915\u093f\u0924 \u0938\u0942\u091a\u0940","Decrease indent":"\u0907\u0928\u094d\u0921\u0947\u0928\u094d\u091f \u0918\u091f\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Increase indent":"\u0907\u0928\u094d\u0921\u0947\u0928\u094d\u091f \u092c\u0922\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Close":"\u092c\u0928\u094d\u0926 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Formats":"\u0922\u093e\u0901\u091a\u093e\u0939\u0930\u0942","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0924\u092a\u093e\u0908\u0901\u0915\u094b \u092c\u094d\u0930\u093e\u0909\u091c\u0930\u0932\u0947 \u0915\u094d\u0932\u093f\u092a\u092c\u094b\u0930\u094d\u0921\u092e\u093e \u092a\u094d\u0930\u0924\u094d\u092f\u0915\u094d\u0937 \u092a\u0939\u0941\u0901\u091a \u0938\u092e\u0930\u094d\u0925\u0928 \u0917\u0930\u094d\u0926\u0948\u0928\u0964 \u0915\u0943\u092a\u092f\u093e \u092f\u0938\u0915\u094b \u0938\u091f\u094d\u091f\u093e\u092e\u093e Ctrl+X/C/V \u0915\u0941\u091e\u094d\u091c\u0940\u092a\u093e\u091f\u0940 \u0938\u0930\u094d\u091f\u0915\u091f\u0939\u0930\u0942 \u092a\u094d\u0930\u092f\u094b\u0917 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d\u0964","Headings":"\u0936\u0940\u0930\u094d\u0937\u0915\u0939\u0930\u0942","Heading 1":"\u0936\u0940\u0930\u094d\u0937\u0915 1","Heading 2":"\u0936\u0940\u0930\u094d\u0937\u0915 2","Heading 3":"\u0936\u0940\u0930\u094d\u0937\u0915 3","Heading 4":"\u0936\u0940\u0930\u094d\u0937\u0915 4","Heading 5":"\u0936\u0940\u0930\u094d\u0937\u0915 5","Heading 6":"\u0936\u0940\u0930\u094d\u0937\u0915 6","Preformatted":"\u092a\u0942\u0930\u094d\u0935 \u0922\u093e\u0901\u091a\u093e \u0917\u0930\u093f\u0915\u094b","Div":"","Pre":"\u092a\u0942\u0930\u094d\u0935","Code":"\u0915\u094b\u0921","Paragraph":"\u0905\u0928\u0941\u091a\u094d\u091b\u0947\u0926","Blockquote":"\u092c\u094d\u0932\u0915\u0915\u094b\u091f","Inline":"\u0907\u0928\u0932\u093e\u0907\u0928","Blocks":"\u092c\u094d\u0932\u0915\u0939\u0930\u0942","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u091f\u093e\u0901\u0938\u094d\u0928\u0947 \u0905\u0939\u093f\u0932\u0947 \u0938\u093e\u0926\u093e \u092e\u093e\u0920 \u092e\u094b\u0921\u092e\u093e \u091b\u0964 \u0924\u092a\u093e\u0908\u0901\u0932\u0947 \u092f\u094b \u0935\u093f\u0915\u0932\u094d\u092a \u091f\u0917\u0932 \u0905\u092b \u0928\u0917\u0930\u0947\u0938\u092e\u094d\u092e \u0938\u093e\u092e\u0917\u094d\u0930\u0940\u0939\u0930\u0942 \u0905\u0939\u093f\u0932\u0947 \u0938\u093e\u0926\u093e \u092a\u093e\u0920\u0915\u094b \u0930\u0942\u092a\u092e\u093e \u091f\u093e\u0901\u0938\u093f\u0928\u0947 \u091b\u0928\u094d\u0964","Fonts":"\u092b\u0928\u094d\u091f\u0939\u0930\u0942","Font sizes":"","Class":"\u0935\u0930\u094d\u0917","Browse for an image":"\u091b\u0935\u093f\u0915\u093e \u0932\u093e\u0917\u093f \u092c\u094d\u0930\u093e\u0909\u091c \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","OR":"\u0935\u093e","Drop an image here":"\u092f\u0939\u093e\u0901 \u091b\u0935\u093f \u091b\u094b\u0921\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Upload":"\u0905\u092a\u0932\u094b\u0921 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Uploading image":"","Block":"\u092c\u094d\u0932\u0915 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Align":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f\u092c\u0926\u094d\u0927 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Default":"\u092a\u0942\u0930\u094d\u0935\u0928\u093f\u0930\u094d\u0927\u093e\u0930\u093f\u0924","Circle":"\u0935\u0943\u0924\u094d\u0924","Disc":"\u0921\u093f\u0938\u094d\u0915","Square":"\u0935\u0930\u094d\u0917","Lower Alpha":"\u0924\u0932\u094d\u0932\u094b \u0905\u0932\u094d\u092b\u093e","Lower Greek":"\u0924\u0932\u094d\u0932\u094b \u0917\u094d\u0930\u093f\u0915","Lower Roman":"\u0924\u0932\u094d\u0932\u094b \u0930\u094b\u092e\u0928","Upper Alpha":"\u092e\u093e\u0925\u093f\u0932\u094d\u0932\u094b \u0905\u0932\u094d\u092b\u093e","Upper Roman":"\u092e\u093e\u0925\u093f\u0932\u094d\u0932\u094b \u0930\u094b\u092e\u0928","Anchor...":"\u090f\u0919\u094d\u0915\u0930","Anchor":"","Name":"\u0928\u093e\u092e","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\u0924\u092a\u093e\u0908\u0901\u0938\u0901\u0917 \u092c\u091a\u0924 \u0928\u0917\u0930\u093f\u090f\u0915\u093e \u092a\u0930\u093f\u0935\u0930\u094d\u0924\u0928\u0939\u0930\u0942 \u091b\u0928\u094d, \u0924\u092a\u093e\u0908\u0901 \u0905\u0928\u094d\u0924 \u0928\u0947\u092d\u093f\u0917\u0947\u091f \u0917\u0930\u094d\u0928 \u0938\u0941\u0928\u093f\u0936\u094d\u091a\u093f\u0924 \u0939\u0941\u0928\u0941\u0939\u0941\u0928\u094d\u091b?","Restore last draft":"\u0905\u0928\u094d\u0924\u093f\u092e \u092e\u0938\u094d\u092f\u094c\u0926\u093e \u092a\u0942\u0930\u094d\u0935\u093e\u0935\u0938\u094d\u0925\u093e\u092e\u093e \u092b\u0930\u094d\u0915\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Special character...":"\u0935\u093f\u0936\u0947\u0937 \u0935\u0930\u094d\u0923...","Special Character":"","Source code":"\u0938\u094d\u0930\u094b\u0924 \u0915\u094b\u0921","Insert/Edit code sample":"\u0915\u094b\u0921 \u0928\u092e\u0941\u0928\u093e \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d/\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Language":"\u092d\u093e\u0937\u093e","Code sample...":"\u0915\u094b\u0921 \u0928\u092e\u0941\u0928\u093e...","Left to right":"\u092c\u093e\u0901\u092f\u093e\u092c\u093e\u091f \u0926\u093e\u092f\u093e\u0901","Right to left":"\u0926\u093e\u092f\u093e\u0901\u092c\u093e\u091f \u092c\u093e\u092f\u093e\u0901","Title":"\u0936\u0940\u0930\u094d\u0937\u0915","Fullscreen":"\u092a\u0942\u0930\u094d\u0923\u0938\u094d\u0915\u094d\u0930\u093f\u0928","Action":"\u0915\u093e\u0930\u094d\u092f","Shortcut":"\u0938\u0930\u094d\u091f\u0915\u091f","Help":"\u092e\u0926\u094d\u0926\u0924","Address":"\u0920\u0947\u0917\u093e\u0928\u093e","Focus to menubar":"\u092e\u0947\u0928\u0941\u092a\u091f\u094d\u091f\u0940\u092e\u093e \u092b\u094b\u0915\u0938 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Focus to toolbar":"\u0909\u092a\u0915\u0930\u0923\u092a\u091f\u094d\u091f\u0940\u092e\u093e \u092b\u094b\u0915\u0938 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Focus to element path":"\u0924\u0924\u094d\u0924\u094d\u0935\u0915\u094b \u092a\u093e\u0925\u092e\u093e \u092b\u094b\u0915\u0938 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Focus to contextual toolbar":"\u0938\u093e\u0928\u094d\u0926\u0930\u094d\u092d\u093f\u0915 \u0909\u092a\u0915\u0930\u0923\u092a\u091f\u094d\u091f\u0940\u092e\u093e \u092b\u094b\u0915\u0938 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Insert link (if link plugin activated)":"\u0932\u093f\u0919\u094d\u0915 \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d (\u0932\u093f\u0919\u094d\u0915 \u092a\u094d\u0932\u0917\u0907\u0928 \u0938\u0915\u094d\u0930\u093f\u092f \u0917\u0930\u093f\u090f\u0915\u094b \u092d\u090f\u092e\u093e)","Save (if save plugin activated)":"\u092c\u091a\u0924 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d (\u092c\u091a\u0924 \u092a\u094d\u0932\u0917\u0907\u0928 \u0938\u0915\u094d\u0930\u093f\u092f \u0917\u0930\u093f\u090f\u0915\u094b \u092d\u090f\u092e\u093e)","Find (if searchreplace plugin activated)":"\u092b\u0947\u0932\u093e \u092a\u093e\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d (\u0916\u094b\u091c\u094d\u0928\u0941\u0939\u094b\u0938\u094d \u092c\u0926\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d \u092a\u094d\u0932\u0917\u0907\u0928 \u0938\u0915\u094d\u0930\u093f\u092f \u0917\u0930\u093f\u090f\u0915\u094b \u092d\u090f\u092e\u093e)","Plugins installed ({0}):":"\u092a\u094d\u0932\u0917\u0907\u0928\u0939\u0930\u0942 \u0938\u094d\u0925\u093e\u092a\u0928\u093e \u0917\u0930\u093f\u090f ({0}):","Premium plugins:":"\u092a\u094d\u0930\u093f\u092e\u093f\u092f\u092e \u092a\u094d\u0932\u0917\u0907\u0928\u0939\u0930\u0942:","Learn more...":"\u0925\u092a \u091c\u093e\u0928\u094d\u0928\u0941\u0939\u094b\u0938\u094d...","You are using {0}":"\u0924\u092a\u093e\u0908\u0901 {0} \u092a\u094d\u0930\u092f\u094b\u0917 \u0917\u0930\u094d\u0926\u0948 \u0939\u0941\u0928\u0941\u0939\u0941\u0928\u094d\u091b","Plugins":"\u092a\u094d\u0932\u0917\u0907\u0928\u0939\u0930\u0942","Handy Shortcuts":"\u0909\u092a\u092f\u094b\u0917\u0940 \u0938\u0930\u094d\u091f\u0915\u091f\u0939\u0930\u0942","Horizontal line":"\u0924\u0947\u0930\u094d\u0938\u094b \u0930\u0947\u0916\u093e","Insert/edit image":"\u091b\u0935\u093f \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d/\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Alternative description":"\u0935\u0948\u0915\u0932\u094d\u092a\u093f\u0915 \u0935\u093f\u0935\u0930\u0923","Accessibility":"\u0909\u092a\u0932\u092c\u094d\u0927\u0924\u093e","Image is decorative":"\u091b\u0935\u093f \u0938\u091c\u093e\u0935\u091f\u0940 \u091b","Source":"\u0938\u094d\u0930\u094b\u0924","Dimensions":"\u0906\u092f\u093e\u092e\u0939\u0930\u0942","Constrain proportions":"\u0917\u0941\u0923\u0939\u0930\u0942 \u0938\u0940\u092e\u093f\u0924 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","General":"\u0938\u093e\u0927\u093e\u0930\u0923","Advanced":"\u0909\u0928\u094d\u0928\u0924","Style":"\u0936\u0948\u0932\u0940","Vertical space":"\u0920\u093e\u0921\u094b \u0938\u094d\u0925\u093e\u0928","Horizontal space":"\u0924\u0947\u0930\u094d\u0938\u094b \u0938\u094d\u0925\u093e\u0928","Border":"\u0938\u0940\u092e\u093e\u0928\u093e","Insert image":"\u091b\u0935\u093f \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Image...":"\u091b\u0935\u093f...","Image list":"\u091b\u0935\u093f\u0915\u094b \u0938\u0942\u091a\u0940","Resize":"\u0930\u093f\u0938\u093e\u0907\u091c \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Insert date/time":"\u092e\u093f\u0924\u093f/\u0938\u092e\u092f \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Date/time":"\u092e\u093f\u0924\u093f/\u0938\u092e\u092f","Insert/edit link":"\u0932\u093f\u0919\u094d\u0915 \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d/\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Text to display":"\u092a\u094d\u0930\u0926\u0930\u094d\u0936\u0928 \u0917\u0930\u094d\u0928\u0947 \u092a\u093e\u0920","Url":"","Open link in...":"\u092f\u0924\u093f \u0938\u092e\u092f\u092e\u093e \u0932\u093f\u0919\u094d\u0915 \u0916\u094b\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d...","Current window":"\u0939\u093e\u0932\u0915\u094b \u0938\u0928\u094d\u091d\u094d\u092f\u093e\u0932","None":"\u0915\u0941\u0928\u0948 \u092a\u0928\u093f \u0939\u094b\u0907\u0928","New window":"\u0928\u092f\u093e\u0901 \u0938\u0928\u094d\u091d\u094d\u092f\u093e\u0932","Open link":"\u0932\u093f\u0919\u094d\u0915 \u0916\u094b\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Remove link":"\u0932\u093f\u0919\u094d\u0915 \u0939\u091f\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Anchors":"\u090f\u0919\u094d\u0915\u0930\u0939\u0930\u0942","Link...":"\u0932\u093f\u0919\u094d\u0915...","Paste or type a link":"\u0932\u093f\u0919\u094d\u0915 \u091f\u093e\u0901\u0938\u094d\u0928\u0941\u0939\u094b\u0938\u094d \u0935\u093e \u091f\u093e\u0907\u092a \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0924\u092a\u093e\u0908\u0901\u0932\u0947 \u092a\u094d\u0930\u0935\u093f\u0937\u094d\u091f \u0917\u0930\u094d\u0928\u0941\u092d\u090f\u0915\u094b URL \u0907\u092e\u0947\u0932 \u0920\u0947\u0917\u093e\u0928\u093e \u091c\u0938\u094d\u0924\u094b \u0926\u0947\u0916\u093f\u0928\u094d\u091b\u0964 \u0924\u092a\u093e\u0908\u0901 \u0906\u0935\u0936\u094d\u092f\u0915 mailto: \u0909\u092a\u0938\u0930\u094d\u0917 \u0925\u092a\u094d\u0928 \u091a\u093e\u0939\u0928\u0941\u0939\u0941\u0928\u094d\u091b?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0924\u092a\u093e\u0908\u0901\u0932\u0947 \u092a\u094d\u0930\u0935\u093f\u0937\u094d\u091f \u0917\u0930\u094d\u0928\u0941\u092d\u090f\u0915\u094b URL \u092c\u093e\u0939\u094d\u092f \u0932\u093f\u0919\u094d\u0915 \u091c\u0938\u094d\u0924\u094b \u0926\u0947\u0916\u093f\u0928\u094d\u091b\u0964 \u0924\u092a\u093e\u0908\u0901 \u0906\u0935\u0936\u094d\u092f\u0915 http:// \u0909\u092a\u0938\u0930\u094d\u0917 \u0925\u092a\u094d\u0928 \u091a\u093e\u0939\u0928\u0941\u0939\u0941\u0928\u094d\u091b?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0924\u092a\u093e\u0908\u0901\u0932\u0947 \u092a\u094d\u0930\u0935\u093f\u0937\u094d\u091f \u0917\u0930\u094d\u0928\u0941\u092d\u090f\u0915\u094b URL \u092c\u093e\u0939\u094d\u092f \u0932\u093f\u0919\u094d\u0915 \u091c\u0938\u094d\u0924\u094b \u0926\u0947\u0916\u093f\u0928\u094d\u091b\u0964 \u0915\u0947 \u0924\u092a\u093e\u0908\u0901 \u0906\u0935\u0936\u094d\u092f\u0915 https:// \u0909\u092a\u0938\u0930\u094d\u0917 \u0925\u092a\u094d\u0928 \u091a\u093e\u0939\u0928\u0941\u0939\u0941\u0928\u094d\u091b?","Link list":"\u0932\u093f\u0919\u094d\u0915\u0915\u094b \u0938\u0942\u091a\u0940","Insert video":"\u092d\u093f\u0921\u093f\u092f\u094b \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Insert/edit video":"\u092d\u093f\u0921\u093f\u092f\u094b \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d/\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Insert/edit media":"\u092e\u093f\u0921\u093f\u092f\u093e \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d/\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Alternative source":"\u0935\u0948\u0915\u0932\u094d\u092a\u093f\u0915 \u0938\u094d\u0930\u094b\u0924","Alternative source URL":"\u0935\u0948\u0915\u0932\u094d\u092a\u093f\u0915 \u0938\u094d\u0930\u094b\u0924 URL","Media poster (Image URL)":"\u092e\u093f\u0921\u093f\u092f\u093e \u092a\u094b\u0938\u094d\u091f\u0930 (\u091b\u0935\u093f URL)","Paste your embed code below:":"\u0924\u0932 \u0906\u092b\u094d\u0928\u094b \u0907\u092e\u094d\u092c\u0947\u0921 \u0915\u094b\u0921 \u091f\u093e\u0901\u0938\u094d\u0928\u0941\u0939\u094b\u0938\u094d:","Embed":"\u0907\u092e\u094d\u092c\u0947\u0921 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Media...":"\u092e\u093f\u0921\u093f\u092f\u093e...","Nonbreaking space":"\u0928\u091f\u0941\u091f\u094d\u0928\u0947 \u0916\u093e\u0932\u0940 \u0920\u093e\u0909\u0901","Page break":"\u092a\u0943\u0937\u094d\u0920 \u092c\u094d\u0930\u0947\u0915","Paste as text":"\u092a\u093e\u0920\u0915\u094b \u0930\u0942\u092a\u092e\u093e \u091f\u093e\u0901\u0938\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Preview":"\u092a\u0942\u0930\u094d\u0935\u093e\u0935\u0932\u094b\u0915\u0928","Print":"","Print...":"\u092a\u094d\u0930\u093f\u0928\u094d\u091f \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d...","Save":"\u092c\u091a\u0924 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Find":"\u092b\u0947\u0932\u093e \u092a\u093e\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Replace with":"\u092f\u094b\u0938\u0901\u0917 \u092c\u0926\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Replace":"\u092c\u0926\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Replace all":"\u0938\u092c\u0948 \u092c\u0926\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Previous":"\u0905\u0918\u093f\u0932\u094d\u0932\u094b","Next":"\u0905\u0930\u094d\u0915\u094b","Find and Replace":"\u092b\u0947\u0932\u093e \u092a\u093e\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d \u0930 \u092a\u094d\u0930\u0924\u093f\u0938\u094d\u0925\u093e\u092a\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Find and replace...":"\u092b\u0947\u0932\u093e \u092a\u093e\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d \u0930 \u092c\u0926\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d...","Could not find the specified string.":"\u0928\u093f\u0930\u094d\u0926\u093f\u0937\u094d\u091f \u0938\u094d\u091f\u094d\u0930\u093f\u0919 \u092b\u0947\u0932\u093e \u092a\u093e\u0930\u094d\u0928 \u0938\u0915\u093f\u090f\u0928\u0964","Match case":"\u092e\u094d\u092f\u093e\u091a \u0915\u0947\u0938","Find whole words only":"\u092a\u0942\u0930\u093e \u0936\u092c\u094d\u0926 \u092e\u093e\u0924\u094d\u0930 \u092b\u0947\u0932\u093e \u092a\u093e\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Find in selection":"\u091a\u092f\u0928\u092e\u093e \u092b\u0947\u0932\u093e \u092a\u093e\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Insert table":"\u0924\u093e\u0932\u093f\u0915\u093e \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Table properties":"\u0924\u093e\u0932\u093f\u0915\u093e\u0915\u093e \u0917\u0941\u0923\u0939\u0930\u0942","Delete table":"\u0924\u093e\u0932\u093f\u0915\u093e \u092e\u0947\u091f\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Cell":"\u0915\u0915\u094d\u0937","Row":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f","Column":"\u0938\u094d\u0924\u092e\u094d\u092d","Cell properties":"\u0915\u0915\u094d\u0937 \u0917\u0941\u0923\u0939\u0930\u0942","Merge cells":"\u0915\u0915\u094d\u0937\u0939\u0930\u0942 \u092e\u0930\u094d\u091c \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Split cell":"\u0915\u0915\u094d\u0937 \u0905\u0932\u0917 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Insert row before":"\u0905\u0917\u093e\u0921\u093f \u092a\u0919\u094d\u0915\u094d\u0924\u093f \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Insert row after":"\u092a\u091b\u093e\u0921\u093f \u092a\u0919\u094d\u0915\u094d\u0924\u093f \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Delete row":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f \u092e\u0947\u091f\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Row properties":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f\u0915\u093e \u0917\u0941\u0923\u0939\u0930\u0942","Cut row":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f \u0915\u093e\u091f\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Cut column":"","Copy row":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f\u0915\u094b \u092a\u094d\u0930\u0924\u093f\u0932\u093f\u092a\u093f \u092c\u0928\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Copy column":"","Paste row before":"\u0905\u0917\u093e\u0921\u093f \u092a\u0919\u094d\u0915\u094d\u0924\u093f \u091f\u093e\u0901\u0938\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Paste column before":"","Paste row after":"\u092a\u091b\u093e\u0921\u093f \u092a\u0919\u094d\u0915\u094d\u0924\u093f \u091f\u093e\u0901\u0938\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Paste column after":"","Insert column before":"\u0905\u0917\u093e\u0921\u093f \u0938\u094d\u0924\u092e\u094d\u092d \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Insert column after":"\u092a\u091b\u093e\u0921\u093f \u0938\u094d\u0924\u092e\u094d\u092d \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Delete column":"\u0938\u094d\u0924\u092e\u094d\u092d \u092e\u0947\u091f\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Cols":"\u0938\u094d\u0924\u092e\u094d\u092d\u0939\u0930\u0942","Rows":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f\u0939\u0930\u0942","Width":"\u091a\u094c\u0921\u093e\u0907","Height":"\u0909\u091a\u093e\u0907","Cell spacing":"\u0915\u0915\u094d\u0937 \u0938\u094d\u092a\u0947\u0938\u093f\u0919","Cell padding":"\u0915\u0915\u094d\u0937 \u092a\u094d\u092f\u093e\u0921\u093f\u0919","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"\u0915\u094d\u092f\u093e\u092a\u094d\u0938\u0928","Show caption":"\u0915\u094d\u092f\u093e\u092a\u094d\u0938\u0928 \u0926\u0947\u0916\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Left":"\u092c\u093e\u0901\u092f\u093e","Center":"\u0915\u0947\u0928\u094d\u0926\u094d\u0930","Right":"\u0926\u093e\u092f\u093e\u0901","Cell type":"\u0915\u0915\u094d\u0937 \u092a\u094d\u0930\u0915\u093e\u0930","Scope":"\u0938\u094d\u0915\u094b\u092a","Alignment":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f\u092c\u0926\u094d\u0927\u0924\u093e","Horizontal align":"","Vertical align":"","Top":"\u092e\u093e\u0925\u093f","Middle":"\u092c\u0940\u091a\u092e\u093e","Bottom":"\u0924\u0932","Header cell":"\u0939\u0947\u0921\u0930 \u0915\u0915\u094d\u0937","Row group":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f \u0938\u092e\u0942\u0939","Column group":"\u0938\u094d\u0924\u092e\u094d\u092d \u0938\u092e\u0942\u0939","Row type":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f\u0915\u094b \u092a\u094d\u0930\u0915\u093e\u0930","Header":"\u0939\u0947\u0921\u0930","Body":"\u092e\u0941\u0916\u094d\u092f \u092d\u093e\u0917","Footer":"\u092b\u0941\u091f\u0930","Border color":"\u0938\u0940\u092e\u093e\u0928\u093e\u0915\u094b \u0930\u0919","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"\u091f\u0947\u092e\u094d\u092a\u094d\u0932\u0947\u091f \u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Templates":"\u091f\u0947\u092e\u094d\u092a\u094d\u0932\u0947\u091f\u0939\u0930\u0942","Template":"\u091f\u0947\u092e\u094d\u092a\u094d\u0932\u0947\u091f","Insert Template":"","Text color":"\u092a\u093e\u0920\u0915\u094b \u0930\u0919","Background color":"\u092a\u0943\u0937\u094d\u0920\u092d\u0942\u092e\u093f\u0915\u094b \u0930\u0919","Custom...":"\u0905\u0928\u0941\u0915\u0942\u0932\u0928...","Custom color":"\u0905\u0928\u0941\u0915\u0942\u0932\u0928 \u0930\u0919","No color":"\u0915\u0941\u0928\u0948 \u0930\u0919 \u091b\u0948\u0928","Remove color":"\u0930\u0919 \u0939\u091f\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Show blocks":"\u092c\u094d\u0932\u0915\u0939\u0930\u0942 \u0926\u0947\u0916\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Show invisible characters":"\u0905\u0926\u0943\u0937\u094d\u091f \u0935\u0930\u094d\u0923\u0939\u0930\u0942 \u0926\u0947\u0916\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","Word count":"\u0936\u092c\u094d\u0926 \u0917\u0923\u0928\u093e","Count":"\u0917\u0923\u0928\u093e","Document":"\u0915\u093e\u0917\u091c\u093e\u0924","Selection":"\u091a\u092f\u0928","Words":"\u0936\u092c\u094d\u0926\u0939\u0930\u0942","Words: {0}":"\u0936\u092c\u094d\u0926\u0939\u0930\u0942: {0}","{0} words":"{0} \u0936\u092c\u094d\u0926\u0939\u0930\u0942","File":"\u092b\u093e\u0907\u0932","Edit":"\u0938\u092e\u094d\u092a\u093e\u0926\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Insert":"\u0918\u0941\u0938\u093e\u0909\u0928\u0941\u0939\u094b\u0938\u094d","View":"\u0939\u0947\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Format":"\u0922\u093e\u0901\u091a\u093e","Table":"\u0924\u093e\u0932\u093f\u0915\u093e","Tools":"\u0909\u092a\u0915\u0930\u0923\u0939\u0930\u0942","Powered by {0}":"{0} \u0926\u094d\u0935\u093e\u0930\u093e \u092a\u094d\u0930\u093e\u092f\u094b\u091c\u093f\u0924","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u092a\u094d\u0930\u0936\u0938\u094d\u0924 \u092a\u093e\u0920 \u0915\u094d\u0937\u0947\u0924\u094d\u0930\u0964 \u092e\u0947\u0928\u0941\u0915\u093e \u0932\u093e\u0917\u093f ALT-F9 \u0925\u093f\u091a\u094d\u0928\u0941\u0939\u094b\u0938\u094d\u0964 \u0909\u092a\u0915\u0930\u0923\u092a\u091f\u094d\u091f\u0940\u0915\u093e \u0932\u093e\u0917\u093f ALT-F10 \u0925\u093f\u091a\u094d\u0928\u0941\u0939\u094b\u0938\u094d\u0964 \u092e\u0926\u094d\u0926\u0924\u0915\u093e \u0932\u093e\u0917\u093f ALT-0 \u0925\u093f\u091a\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Image title":"\u091b\u0935\u093f\u0915\u094b \u0936\u0940\u0930\u094d\u0937\u0915","Border width":"\u0938\u0940\u092e\u093e\u0928\u093e\u0915\u094b \u091a\u094c\u0921\u093e\u0907","Border style":"\u0938\u0940\u092e\u093e\u0928\u093e \u0936\u0948\u0932\u0940","Error":"\u0924\u094d\u0930\u0941\u091f\u093f","Warn":"\u091a\u0947\u0924\u093e\u0935\u0928\u0940","Valid":"\u092e\u093e\u0928\u094d\u092f","To open the popup, press Shift+Enter":"\u092a\u092a\u0905\u092a \u0916\u094b\u0932\u094d\u0928, Shift+Enter \u0925\u093f\u091a\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"\u092a\u094d\u0930\u0936\u0938\u094d\u0924 \u092a\u093e\u0920 \u0915\u094d\u0937\u0947\u0924\u094d\u0930\u0964 \u092e\u0926\u094d\u0926\u0924\u0915\u093e \u0932\u093e\u0917\u093f ALT-0 \u0925\u093f\u091a\u094d\u0928\u0941\u0939\u094b\u0938\u094d\u0964","System Font":"\u092a\u094d\u0930\u0923\u093e\u0932\u0940 \u092b\u0928\u094d\u091f","Failed to upload image: {0}":"\u091b\u0935\u093f: {0} \u0905\u092a\u0932\u094b\u0921 \u0917\u0930\u094d\u0928 \u0905\u0938\u092b\u0932 \u092d\u092f\u094b","Failed to load plugin: {0} from url {1}":"url {1} \u092c\u093e\u091f \u092a\u094d\u0932\u0917\u0907\u0928: {0} \u0932\u094b\u0921 \u0917\u0930\u094d\u0928 \u0905\u0938\u092b\u0932 \u092d\u092f\u094b","Failed to load plugin url: {0}":"\u092a\u094d\u0932\u0917\u0907\u0928 url: {0} \u0932\u094b\u0921 \u0917\u0930\u094d\u0928 \u0905\u0938\u092b\u0932 \u092d\u092f\u094b","Failed to initialize plugin: {0}":"\u092a\u094d\u0932\u0917\u0907\u0928: {0} \u0938\u0941\u0930\u0941\u0935\u093e\u0924 \u0917\u0930\u094d\u0928 \u0905\u0938\u092b\u0932 \u092d\u092f\u094b","example":"\u0909\u0926\u093e\u0939\u0930\u0923","Search":"\u0916\u094b\u091c\u094d\u0928\u0941\u0939\u094b\u0938\u094d","All":"\u0938\u092c\u0948","Currency":"\u092e\u0941\u0926\u094d\u0930\u093e","Text":"\u092a\u093e\u0920","Quotations":"\u0909\u0926\u094d\u0927\u0930\u0923\u0939\u0930\u0942","Mathematical":"\u0917\u0923\u093f\u0924\u0940\u092f","Extended Latin":"\u0935\u093f\u0938\u094d\u0924\u0943\u0924 \u0932\u094d\u092f\u093e\u091f\u093f\u0928","Symbols":"\u0938\u0919\u094d\u0915\u0947\u0924\u0939\u0930\u0942","Arrows":"\u0935\u093e\u0923\u0939\u0930\u0942","User Defined":"\u092a\u094d\u0930\u092f\u094b\u0917\u0915\u0930\u094d\u0924\u093e \u092a\u0930\u093f\u092d\u093e\u0937\u093f\u0924","dollar sign":"\u0921\u0932\u0930 \u091a\u093f\u0928\u094d\u0939","currency sign":"\u092e\u0941\u0926\u094d\u0930\u093e \u091a\u093f\u0928\u094d\u0939","euro-currency sign":"\u092f\u0941\u0930\u094b-\u092e\u0941\u0926\u094d\u0930\u093e \u091a\u093f\u0928\u094d\u0939","colon sign":"\u0915\u094b\u0932\u0928 \u091a\u093f\u0928\u094d\u0939","cruzeiro sign":"\u0915\u094d\u0930\u0941\u091c\u0947\u0930\u094b \u091a\u093f\u0928\u094d\u0939","french franc sign":"\u092b\u094d\u0930\u0947\u0928\u094d\u091a \u092b\u094d\u0930\u094d\u092f\u093e\u0919\u094d\u0915 \u091a\u093f\u0928\u094d\u0939","lira sign":"\u0932\u093f\u0930\u093e \u091a\u093f\u0928\u094d\u0939","mill sign":"\u092e\u093f\u0932 \u091a\u093f\u0928\u094d\u0939","naira sign":"\u0928\u093e\u092f\u0930\u093e \u091a\u093f\u0928\u094d\u0939","peseta sign":"\u092a\u0947\u0938\u0947\u091f\u093e \u091a\u093f\u0928\u094d\u0939","rupee sign":"\u0930\u0941\u092a\u0948\u092f\u093e\u0901 \u091a\u093f\u0928\u094d\u0939","won sign":"\u0935\u094b\u0928 \u091a\u093f\u0928\u094d\u0939","new sheqel sign":"\u0928\u092f\u093e\u0901 \u0938\u0947\u0915\u0947\u0932 \u091a\u093f\u0928\u094d\u0939","dong sign":"\u0926\u094b\u0919 \u091a\u093f\u0928\u094d\u0939","kip sign":"\u0915\u093f\u092a \u091a\u093f\u0928\u094d\u0939","tugrik sign":"\u091f\u0941\u0917\u094d\u0930\u093f\u0915 \u091a\u093f\u0928\u094d\u0939","drachma sign":"\u0921\u094d\u0930\u093e\u0915\u094d\u092e\u093e \u091a\u093f\u0928\u094d\u0939","german penny symbol":"\u091c\u0930\u094d\u092e\u0928 \u092a\u0947\u0928\u094d\u0928\u0940 \u091a\u093f\u0928\u094d\u0939","peso sign":"\u092a\u0947\u0938\u094b \u091a\u093f\u0928\u094d\u0939","guarani sign":"\u0917\u0941\u0906\u0930\u093e\u0928\u0940 \u091a\u093f\u0928\u094d\u0939","austral sign":"\u0905\u0938\u094d\u091f\u094d\u0930\u0932 \u091a\u093f\u0928\u094d\u0939","hryvnia sign":"\u0939\u094d\u0930\u093f\u092d\u094d\u0928\u093f\u092f\u093e \u091a\u093f\u0928\u094d\u0939","cedi sign":"\u0938\u0947\u0921\u0940 \u091a\u093f\u0928\u094d\u0939","livre tournois sign":"\u0932\u093f\u092d\u094d\u0930\u0947 \u091f\u0941\u0930\u094d\u0928\u094b\u0907\u0938 \u091a\u093f\u0928\u094d\u0939","spesmilo sign":"\u0938\u094d\u092a\u0947\u0938\u092e\u093f\u0932\u094b \u091a\u093f\u0928\u094d\u0939","tenge sign":"\u091f\u0947\u0919\u094d\u0917\u0947 \u091a\u093f\u0928\u094d\u0939","indian rupee sign":"\u092d\u093e\u0930\u0924\u0940\u092f \u0930\u0941\u092a\u0948\u092f\u093e\u0901 \u091a\u093f\u0928\u094d\u0939","turkish lira sign":"\u091f\u0930\u094d\u0915\u093f\u0938 \u0932\u093f\u0930\u093e \u091a\u093f\u0928\u094d\u0939","nordic mark sign":"\u0928\u0930\u094d\u0921\u093f\u0915 \u092e\u093e\u0930\u094d\u0915 \u091a\u093f\u0928\u094d\u0939","manat sign":"\u092e\u093e\u0928\u091f \u091a\u093f\u0928\u094d\u0939","ruble sign":"\u0930\u0941\u092c\u0932 \u091a\u093f\u0928\u094d\u0939","yen character":"\u092f\u0947\u0928 \u0935\u0930\u094d\u0923","yuan character":"\u092f\u0941\u0906\u0928 \u0935\u0930\u094d\u0923","yuan character, in hong kong and taiwan":"\u092f\u0941\u0906\u0928 \u0935\u0930\u094d\u0923, \u0939\u0919\u0915\u0919 \u0930 \u0924\u093e\u0907\u0935\u093e\u0928\u092e\u093e","yen/yuan character variant one":"\u092f\u0947\u0928/\u092f\u0941\u0906\u0928 \u0935\u0930\u094d\u0923\u0915\u094b \u092a\u094d\u0930\u0915\u093e\u0930 \u090f\u0915","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"\u092e\u093e\u0928\u093f\u0938\u0939\u0930\u0942","Animals and Nature":"\u091c\u0928\u093e\u0935\u0930 \u0930 \u092a\u094d\u0930\u0915\u0943\u0924\u093f","Food and Drink":"\u0916\u093e\u0928\u093e \u0930 \u092a\u0947\u092f","Activity":"\u0917\u0924\u093f\u0935\u093f\u0927\u093f","Travel and Places":"\u092f\u093e\u0924\u094d\u0930\u093e \u0930 \u0938\u094d\u0925\u093e\u0928\u0939\u0930\u0942","Objects":"\u0935\u0938\u094d\u0924\u0941\u0939\u0930\u0942","Flags":"\u091d\u0928\u094d\u0921\u093e\u0939\u0930\u0942","Characters":"\u0935\u0930\u094d\u0923\u0939\u0930\u0942","Characters (no spaces)":"\u0935\u0930\u094d\u0923\u0939\u0930\u0942 (\u0938\u094d\u092a\u0947\u0938 \u092c\u093e\u0939\u0947\u0915)","{0} characters":"{0} \u0935\u0930\u094d\u0923\u0939\u0930\u0942","Error: Form submit field collision.":"\u0924\u094d\u0930\u0941\u091f\u093f: \u092a\u0947\u0936 \u0917\u0930\u094d\u0928\u0947 \u092b\u093e\u0901\u091f \u091f\u0915\u0930\u093e\u0935\u092c\u093e\u091f\u0964","Error: No form element found.":"\u0924\u094d\u0930\u0941\u091f\u093f: \u0915\u0941\u0928\u0948 \u092b\u093e\u0930\u093e\u092e \u0924\u0924\u094d\u0924\u094d\u0935 \u092b\u0947\u0932\u093e \u092a\u0930\u0947\u0928\u0964","Color swatch":"\u0930\u0919 \u0938\u094d\u0935\u093f\u091a","Color Picker":"\u0930\u0919 \u091a\u092f\u0928\u0915\u0930\u094d\u0924\u093e","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"\u091f\u0930\u094d\u0915\u094d\u0935\u093f\u0938","Green":"\u0939\u0930\u093f\u092f\u094b","Blue":"\u0928\u0940\u0932\u094b","Purple":"\u092c\u0948\u091c\u0928\u0940","Navy Blue":"\u0917\u093e\u0922\u093e \u0928\u0940\u0932\u094b","Dark Turquoise":"\u0917\u093e\u0922\u093e \u091f\u0930\u094d\u0915\u094d\u0935\u093f\u091c","Dark Green":"\u0917\u093e\u0922\u093e \u0939\u0930\u093f\u092f\u094b","Medium Blue":"\u092e\u0927\u094d\u092f\u092e \u0928\u0940\u0932\u094b","Medium Purple":"\u092e\u0927\u094d\u092f\u092e \u092c\u0948\u091c\u0928\u0940","Midnight Blue":"\u092e\u0927\u094d\u092f\u0930\u093e\u0924 \u0928\u0940\u0932\u094b","Yellow":"\u092a\u0939\u0947\u0901\u0932\u094b","Orange":"\u0938\u0941\u0928\u094d\u0924\u0932\u093e \u0930\u0919","Red":"\u0930\u093e\u0924\u094b","Light Gray":"\u0939\u0932\u094d\u0915\u093e \u0916\u0948\u0930\u094b","Gray":"\u0916\u0948\u0930\u094b","Dark Yellow":"\u0917\u093e\u0922\u093e \u092a\u0939\u0947\u0901\u0932\u094b","Dark Orange":"\u0917\u093e\u0922\u093e \u0938\u0941\u0928\u094d\u0924\u0932\u093e","Dark Red":"\u0917\u093e\u0922\u093e \u0930\u093e\u0924\u094b","Medium Gray":"\u092e\u0927\u094d\u092f\u092e \u0916\u0948\u0930\u094b","Dark Gray":"\u0917\u093e\u0922\u093e \u0916\u0948\u0930\u094b","Light Green":"\u0939\u0932\u094d\u0915\u093e \u0939\u0930\u093f\u092f\u094b","Light Yellow":"\u0939\u0932\u094d\u0915\u093e \u092a\u0939\u0947\u0901\u0932\u094b","Light Red":"\u0939\u0932\u094d\u0915\u093e \u0930\u093e\u0924\u094b","Light Purple":"\u0939\u0932\u094d\u0915\u093e \u092c\u0948\u091c\u0928\u0940","Light Blue":"\u0939\u0932\u094d\u0915\u093e \u0928\u0940\u0932\u094b","Dark Purple":"\u0917\u093e\u0922\u093e \u092c\u0948\u091c\u0928\u0940","Dark Blue":"\u0917\u093e\u0922\u093e \u0928\u0940\u0932\u094b","Black":"\u0915\u093e\u0932\u094b","White":"\u0938\u0947\u0924\u094b","Switch to or from fullscreen mode":"\u092a\u0942\u0930\u094d\u0923\u0938\u094d\u0915\u094d\u0930\u093f\u0928 \u092e\u094b\u0921\u092c\u093e\u091f \u0935\u093e \u0924\u094d\u092f\u0938\u092e\u093e \u0938\u094d\u0935\u093f\u091a \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Open help dialog":"\u092e\u0926\u094d\u0926\u0924 \u0938\u092e\u094d\u0935\u093e\u0926 \u0916\u094b\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d","history":"\u0907\u0924\u093f\u0939\u093e\u0938","styles":"\u0936\u0948\u0932\u0940\u0939\u0930\u0942","formatting":"\u0938\u094d\u0935\u0930\u0942\u092a\u0923","alignment":"\u092a\u0919\u094d\u0915\u094d\u0924\u093f\u092c\u0926\u094d\u0927\u0924\u093e","indentation":"\u0907\u0928\u094d\u0921\u0947\u0928\u094d\u091f\u0947\u0938\u0928","Font":"\u092b\u0928\u094d\u091f","Size":"\u0938\u093e\u0907\u091c","More...":"\u0925\u092a...","Select...":"\u091a\u092f\u0928 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d...","Preferences":"\u092a\u094d\u0930\u093e\u0925\u092e\u093f\u0915\u0924\u093e\u0939\u0930\u0942","Yes":"\u0939\u094b","No":"\u0939\u094b\u0907\u0928","Keyboard Navigation":"\u0915\u0941\u091e\u094d\u091c\u0940\u092a\u093e\u091f\u0940 \u0928\u0947\u092d\u093f\u0917\u0947\u0938\u0928","Version":"\u0938\u0902\u0938\u094d\u0915\u0930\u0923","Code view":"\u0915\u094b\u0921 \u0926\u0943\u0936\u094d\u092f","Open popup menu for split buttons":"\u0935\u093f\u092d\u093e\u091c\u0928 \u092c\u091f\u0928\u0939\u0930\u0942\u0915\u093e \u0932\u093e\u0917\u093f \u092a\u092a\u0905\u092a \u092e\u0947\u0928\u0941 \u0916\u094b\u0932\u094d\u0928\u0941\u0939\u094b\u0938\u094d","List Properties":"\u0938\u0942\u091a\u0940 \u0917\u0941\u0923\u0939\u0930\u0942","List properties...":"\u0938\u0942\u091a\u0940 \u0917\u0941\u0923\u0939\u0930\u0942...","Start list at number":"\u0928\u092e\u094d\u092c\u0930\u092e\u093e \u0938\u0942\u091a\u0940 \u0938\u0941\u0930\u0941 \u0917\u0930\u094d\u0928\u0941\u0939\u094b\u0938\u094d","Line height":"\u0932\u093e\u0907\u0928\u0915\u094b \u0909\u091a\u093e\u0907","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/nl.js b/deform/static/tinymce/langs/nl.js index 97c1f25d..95c8b057 100644 --- a/deform/static/tinymce/langs/nl.js +++ b/deform/static/tinymce/langs/nl.js @@ -1,175 +1 @@ -tinymce.addI18n('nl',{ -"Cut": "Knippen", -"Header 2": "Kop 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Uw browser ondersteunt geen toegang tot het clipboard. Gelieve ctrl+X\/C\/V sneltoetsen te gebruiken.", -"Div": "Div", -"Paste": "Plakken", -"Close": "Sluiten", -"Pre": "Pre", -"Align right": "Rechts uitlijnen", -"New document": "Nieuw document", -"Blockquote": "Quote", -"Numbered list": "Nummering", -"Increase indent": "Inspringen vergroten", -"Formats": "Opmaak", -"Headers": "Kopteksten", -"Select all": "Alles selecteren", -"Header 3": "Hoofding 3", -"Blocks": "Blok", -"Undo": "Ongedaan maken", -"Strikethrough": "Doorhalen", -"Bullet list": "Opsommingsteken", -"Header 1": "Kop 1", -"Superscript": "Superscript", -"Clear formatting": "Opmaak verwijderen", -"Subscript": "Subscript", -"Header 6": "Hoofding 6", -"Redo": "Opnieuw", -"Paragraph": "Paragraaf", -"Ok": "Ok\u00e9", -"Bold": "Vet", -"Code": "Code", -"Italic": "Schuin", -"Align center": "Centreren", -"Header 5": "Hoofding 5", -"Decrease indent": "Inspringen verkleinen", -"Header 4": "Hoofding 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Plakken is nu in zonder opmaak modus. De tekst zal dus ingevoegd worden zonder opmaak totdat je deze optie afzet.", -"Underline": "Onderstreept", -"Cancel": "Annuleren", -"Justify": "Uitlijnen", -"Inline": "Inlijn", -"Copy": "Kopi\u00ebren", -"Align left": "Links uitlijnen", -"Visual aids": "Hulpmiddelen", -"Lower Greek": "greek verlagen", -"Square": "Vierkant", -"Default": "Standaard", -"Lower Alpha": "Kleine letters", -"Circle": "Cirkel", -"Disc": "Bolletje", -"Upper Alpha": "Hoofdletters", -"Upper Roman": "Roman vergroten", -"Lower Roman": "Roman verlagen", -"Name": "Naam", -"Anchor": "Anker", -"You have unsaved changes are you sure you want to navigate away?": "U hebt niet alles opgeslagen bent u zeker dat u de pagina wenst te verlaten?", -"Restore last draft": "Herstel het laatste concept", -"Special character": "Speciale karakters", -"Source code": "Broncode", -"Right to left": "Rechts naar links", -"Left to right": "Links naar rechts", -"Emoticons": "Emoticons", -"Robots": "Robots", -"Document properties": "Document eigenschappen", -"Title": "Titel", -"Keywords": "Sleutelwoorden", -"Encoding": "Codering", -"Description": "Omschrijving", -"Author": "Auteur", -"Fullscreen": "Volledig scherm", -"Horizontal line": "Horizontale lijn", -"Horizontal space": "Horizontale spatie", -"Insert\/edit image": "afbeelding invoegen\/bewerken", -"General": "Algemeen", -"Advanced": "geavanceerd", -"Source": "Bron", -"Border": "Rand", -"Constrain proportions": "verhoudingen behouden", -"Vertical space": "Verticale spatie", -"Image description": "Afbeelding omschrijving", -"Style": "Stijl", -"Dimensions": "Afmetingen", -"Insert image": "Afbeelding invoegen", -"Insert date\/time": "Voeg datum\/tijd in", -"Remove link": "Link verwijderen", -"Url": "Url", -"Text to display": "Linktekst", -"Anchors": "Anker", -"Insert link": "Hyperlink invoegen", -"New window": "Nieuw venster", -"None": "Geen", -"Target": "doel", -"Insert\/edit link": "Hyperlink invoegen\/bewerken", -"Insert\/edit video": "Video invoegen\/bewerken", -"Poster": "Poster", -"Alternative source": "Alternatieve bron", -"Paste your embed code below:": "Plak u in te sluiten code hieronder:", -"Insert video": "Video invoegen", -"Embed": "insluiten", -"Nonbreaking space": "Vaste spatie invoegen", -"Page break": "Pagina einde", -"Paste as text": "Plakken", -"Preview": "Voorbeeld", -"Print": "Print", -"Save": "Opslaan", -"Could not find the specified string.": "Geen resultaten gevonden", -"Replace": "Vervangen", -"Next": "Volgende", -"Whole words": "alleen hele worden", -"Find and replace": "Zoek en vervang", -"Replace with": "Vervangen door", -"Find": "Zoeken", -"Replace all": "Vervang allemaal", -"Match case": "Overeenkomen", -"Prev": "Vorige", -"Spellcheck": "Spellingscontrole", -"Finish": "Einde", -"Ignore all": "Alles negeren", -"Ignore": "Negeren", -"Insert row before": "Voeg rij boven toe", -"Rows": "Rijen", -"Height": "Hoogte", -"Paste row after": "Plak rij achter", -"Alignment": "uitlijning", -"Column group": "kolom groep", -"Row": "Rij", -"Insert column before": "Voeg kolom in voor", -"Split cell": "Cel splitsen", -"Cell padding": "cel pading", -"Cell spacing": "celruimte", -"Row type": "Rij type", -"Insert table": "Tabel invoegen", -"Body": "Body", -"Caption": "onderschrift", -"Footer": "voettekst", -"Delete row": "Verwijder rij", -"Paste row before": "Plak rij voor", -"Scope": "wijdte", -"Delete table": "Verwijder tabel", -"Header cell": "koptekstcel", -"Column": "Kolom", -"Cell": "Cel", -"Header": "hoofdtekst", -"Cell type": "cel type", -"Copy row": "Kopieer rij", -"Row properties": "Rij eigenschappen", -"Table properties": "Tabel eigenschappen", -"Row group": "rij groep", -"Right": "Rechts", -"Insert column after": "Voeg kolom in na", -"Cols": "kollomen", -"Insert row after": "Voeg rij onder toe", -"Width": "Breedte", -"Cell properties": "Cel eigenschappen", -"Left": "Links", -"Cut row": "Knip rij", -"Delete column": "Verwijder kolom", -"Center": "Midden", -"Merge cells": "Cellen samenvoegen", -"Insert template": "Sjabloon invoegen", -"Templates": "Sjablonen", -"Background color": "Achtergrondkleur", -"Text color": "Tekstkleur", -"Show blocks": "Blokken tonen", -"Show invisible characters": "Onzichtbare karakters tonen", -"Words: {0}": "Woorden: {0}", -"Insert": "Invoegen", -"File": "Bestand", -"Edit": "Bewerken", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich Text Area. Druk ALT-F9 voor de menu. Druk ALT-F10 voor de toolbar. Druk ALT-0 voor de help.", -"Tools": "gereedschap", -"View": "Beeld", -"Table": "Tabel", -"Format": "Opmaak" -}); \ No newline at end of file +tinymce.addI18n("nl",{"Redo":"Opnieuw uitvoeren","Undo":"Ongedaan maken","Cut":"Knippen","Copy":"Kopi\xebren","Paste":"Plakken","Select all":"Alles selecteren","New document":"Nieuw document","Ok":"OK","Cancel":"Annuleren","Visual aids":" Visuele hulpmiddelen","Bold":"Vet","Italic":"Cursief","Underline":"Onderstrepen","Strikethrough":"Doorhalen","Superscript":"Superscript","Subscript":"Subscript","Clear formatting":"Opmaak wissen","Remove":"Verwijderen","Align left":"Links uitlijnen","Align center":"Centreren","Align right":"Rechts uitlijnen","No alignment":"Geen uitlijning","Justify":"Uitvullen","Bullet list":"Lijst met opsommingstekens","Numbered list":"Genummerde lijst","Decrease indent":"Inspringing verkleinen","Increase indent":"Inspringing vergroten","Close":"Sluiten","Formats":"Opmaken","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Jouw browser ondersteunt geen rechtstreekse toegang tot het klembord. Gebruik in plaats daarvan de sneltoetsen Ctrl+X/C/V.","Headings":"Koppen","Heading 1":"Kop 1","Heading 2":"Kop 2","Heading 3":"Kop 3","Heading 4":"Kop 4","Heading 5":"Kop 5","Heading 6":"Kop 6","Preformatted":"Vooraf opgemaakt","Div":"Div","Pre":"Pre","Code":"Broncode","Paragraph":"Alinea","Blockquote":"Quote","Inline":"Inline","Blocks":"Blokken","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Plakken gebeurt nu zonder opmaak. De tekst zal dus zonder opmaak worden geplakt tenzij je deze optie uit zet.","Fonts":"Lettertypes","Font sizes":"Tekengroottes","Class":"Klasse","Browse for an image":"Afbeelding zoeken","OR":"OF","Drop an image here":"Hier een afbeelding neerzetten","Upload":"Uploaden","Uploading image":"Afbeelding uploaden","Block":"Blok","Align":"Uitlijnen","Default":"Standaard","Circle":"Cirkel","Disc":"Schijf","Square":"Vierkant","Lower Alpha":"Kleine letters","Lower Greek":"Kleine Griekse letters","Lower Roman":"Kleine Romeinse cijfers","Upper Alpha":"Hoofdletters","Upper Roman":"Grote Romeinse cijfers","Anchor...":"Anker...","Anchor":"Anker","Name":"Naam","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID moet beginnen met een letter en daarna enkel gevolgd door letters, getallen, streepjes, punten, komma's of underscores.","You have unsaved changes are you sure you want to navigate away?":"Je hebt niet alles opgeslagen, weet je zeker dat je de pagina wilt verlaten?","Restore last draft":"Laatste concept herstellen","Special character...":"Speciaal teken...","Special Character":"Speciale tekens","Source code":"Broncode","Insert/Edit code sample":"Codevoorbeeld invoegen/bewerken","Language":"Taal","Code sample...":"Codevoorbeeld...","Left to right":"Van links naar rechts","Right to left":"Van rechts naar links","Title":"Titel","Fullscreen":"Volledig scherm","Action":"Actie","Shortcut":"Snelkoppeling","Help":"Help","Address":"Adres","Focus to menubar":"Focus op menubalk instellen ","Focus to toolbar":"Focus op werkbalk instellen ","Focus to element path":"Focus op elementenpad instellen ","Focus to contextual toolbar":"Focus op contextuele werkbalk instellen ","Insert link (if link plugin activated)":"Link invoegen (als plug-in voor link geactiveerd is)","Save (if save plugin activated)":"Opslaan (als plug-in voor opslaan geactiveerd is)","Find (if searchreplace plugin activated)":"Zoeken (als plug-in voor zoeken/vervangen geactiveerd is)","Plugins installed ({0}):":"Plug-ins ge\xefnstalleerd ({0}):","Premium plugins:":"Premium plug-ins:","Learn more...":"Leer meer...","You are using {0}":"Je gebruikt {0}","Plugins":"Plug-ins","Handy Shortcuts":"Handige snelkoppelingen","Horizontal line":"Horizontale lijn","Insert/edit image":"Afbeelding invoegen/bewerken","Alternative description":"Alternatieve beschrijving","Accessibility":"Toegankelijkheid","Image is decorative":"Afbeelding is decoratief","Source":"Bron","Dimensions":"Afmetingen","Constrain proportions":"Verhoudingen behouden","General":"Algemeen","Advanced":"Geavanceerd","Style":"Stijl","Vertical space":"Verticale ruimte","Horizontal space":"Horizontale ruimte","Border":"Rand","Insert image":"Afbeelding invoegen","Image...":"Afbeelding...","Image list":"Afbeeldingslijst","Resize":"Formaat wijzigen","Insert date/time":"Datum/tijd invoegen","Date/time":"Datum/tijd","Insert/edit link":"Link invoegen/bewerken","Text to display":"Weer te geven tekst","Url":"Url","Open link in...":"Link openen in...","Current window":"Huidige venster","None":"Geen","New window":"Nieuw venster","Open link":"Open koppeling","Remove link":"Link verwijderen","Anchors":"Ankers","Link...":"Link...","Paste or type a link":"Een link plakken of typen","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"De ingevoerde URL lijkt op een e-mailadres. Wil je er het vereiste voorvoegsel mailto: aan toevoegen?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"De ingevoerde URL verwijst naar een extern adres. Wil je er het vereiste voorvoegsel http:// aan toevoegen?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"De ingevoerde URL verwijst naar een extern adres. Wilt u er het vereiste voorvoegsel https:// aan toevoegen?","Link list":"Lijst met links","Insert video":"Video invoegen","Insert/edit video":"Video invoegen/bewerken","Insert/edit media":"Media invoegen/bewerken","Alternative source":"Alternatieve bron","Alternative source URL":"Alternatief bron-URL","Media poster (Image URL)":"Mediaposter (afbeeldings-url)","Paste your embed code below:":"Plak de invoegcode hieronder:","Embed":"Insluiten","Media...":"Media...","Nonbreaking space":"Vaste spatie","Page break":"Pagina-einde","Paste as text":"Plakken als tekst","Preview":"Voorbeeld","Print":"Afdrukken","Print...":"Afdrukken... ","Save":"Opslaan","Find":"Zoeken","Replace with":"Vervangen door","Replace":"Vervangen","Replace all":"Alle vervangen","Previous":"Vorige","Next":"Volgende","Find and Replace":"Zoek en vervang","Find and replace...":"Zoeken en vervangen...","Could not find the specified string.":"Kan opgegeven reeks niet vinden","Match case":"Identieke hoofdletters/kleine letters","Find whole words only":"Alleen hele woorden zoeken","Find in selection":"Zoek in selectie","Insert table":"Tabel invoegen","Table properties":"Tabeleigenschappen","Delete table":"Tabel verwijderen","Cell":"Cel","Row":"Rij","Column":"Kolom","Cell properties":"Celeigenschappen","Merge cells":"Cellen samenvoegen","Split cell":"Cel splitsen","Insert row before":"Rij boven invoegen","Insert row after":"Rij onder invoegen ","Delete row":"Rij verwijderen ","Row properties":"Rijeigenschappen","Cut row":"Rij knippen","Cut column":"Knip kolom","Copy row":"Rij kopi\xebren","Copy column":"Kopieer kolom","Paste row before":"Rij plakken boven","Paste column before":"Plak kolom voor","Paste row after":"Rij plakken onder","Paste column after":"Plak kolom na","Insert column before":"Kolom invoegen voor ","Insert column after":"Kolom invoegen na","Delete column":"Kolom verwijderen","Cols":"Kolommen","Rows":"Rijen","Width":"Breedte","Height":"Hoogte","Cell spacing":"Celafstand","Cell padding":"Celopvulling","Row clipboard actions":"Rij klembord acties","Column clipboard actions":"Kolom klembord acties","Table styles":"Tabel stijlen","Cell styles":"Cel stijlen","Column header":"Kolom kop","Row header":"Rij kop","Table caption":"Tabel bijschrift","Caption":"Onderschrift","Show caption":"Bijschrift weergeven","Left":"Links","Center":"Centreren","Right":"Rechts","Cell type":"Celtype","Scope":"Bereik","Alignment":"Uitlijning","Horizontal align":"Horizontaal uitlijnen","Vertical align":"Verticaal uitlijnen","Top":"Boven","Middle":"Centreren","Bottom":"Onder","Header cell":"Koptekstcel","Row group":"Rijgroep","Column group":"Kolomgroep","Row type":"Rijtype","Header":"Koptekst ","Body":"Body","Footer":"Voettekst","Border color":"Randkleur","Solid":"Massief","Dotted":"Gestippeld","Dashed":"Onderbroken","Double":"Dubbel","Groove":"Groef","Ridge":"Ribbel","Inset":"Inzet","Outset":"Begin","Hidden":"Verborgen","Insert template...":"Sjabloon invoegen...","Templates":"Sjablonen","Template":"Sjabloon","Insert Template":"Sjabloon invoegen","Text color":"Tekstkleur","Background color":"Achtergrondkleur","Custom...":"Aangepast...","Custom color":"Aangepaste kleur","No color":"Geen kleur","Remove color":"Kleur verwijderen","Show blocks":"Blokken weergeven","Show invisible characters":"Onzichtbare tekens weergeven","Word count":"Aantal woorden","Count":"Telling","Document":"Dokument","Selection":"Selectie","Words":"Woorden","Words: {0}":"Woorden: {0}","{0} words":"{0} woorden","File":"Bestand","Edit":"Bewerken","Insert":"Invoegen","View":"Weergeven","Format":"Opmaak","Table":"Tabel","Tools":"Extra","Powered by {0}":"Mogelijk gemaakt met {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Gebied met opgemaakte tekst. Druk op ALT-F9 voor menu. Druk op ALT-F10 voor werkbalk. Druk op ALT-0 voor help.","Image title":"Afbeeldingstitel","Border width":"Randbreedte","Border style":"Randstijl","Error":"Fout","Warn":"Waarschuwen","Valid":"Geldig","To open the popup, press Shift+Enter":"Druk op Shift+Enter om de pop-up te openen","Rich Text Area":"Rijk Tekst Gebied","Rich Text Area. Press ALT-0 for help.":" Gebied met opgemaakte tekst. Druk op ALT-0 voor hulp.","System Font":"Systeemlettertype","Failed to upload image: {0}":"Niet gelukt om afbeelding te uploaden: {0}","Failed to load plugin: {0} from url {1}":"Niet gelukt om plug-in te laden: {0} vanaf URL {1}","Failed to load plugin url: {0}":"Niet gelukt om URL plug-in te laden: {0}","Failed to initialize plugin: {0}":"Niet gelukt om plug-in te initialiseren: {0}","example":"voorbeeld","Search":"Zoeken","All":"Alle","Currency":"Valuta","Text":"Tekst","Quotations":"Citaten","Mathematical":"Wiskundig","Extended Latin":"Latijn uitgebreid ","Symbols":"Symbolen","Arrows":"Pijlen","User Defined":"Door gebruiker gedefinieerd ","dollar sign":"dollarteken","currency sign":"valutateken","euro-currency sign":"euroteken","colon sign":"colon-teken","cruzeiro sign":"cruzeiro-teken","french franc sign":"franse franc-teken","lira sign":"lire-teken","mill sign":"mill-teken","naira sign":"naira-teken","peseta sign":"peseta-teken","rupee sign":"roepie-teken","won sign":"won-teken","new sheqel sign":"nieuwe sheqel-teken","dong sign":"dong-teken","kip sign":"kip-teken","tugrik sign":"tugrik-teken","drachma sign":"drachme-teken","german penny symbol":"duitse pfennig-teken","peso sign":"peso-teken","guarani sign":"guarani-teken","austral sign":"austral-teken","hryvnia sign":"hryvnia-teken","cedi sign":"cedi-teken","livre tournois sign":"livre tournois-teken","spesmilo sign":"spesmilo-teken","tenge sign":"tenge-teken","indian rupee sign":"indiaase roepie-teken","turkish lira sign":"turkse lire-teken","nordic mark sign":"noorse mark-teken","manat sign":"manat-teken","ruble sign":"roebel-teken","yen character":"yen-teken","yuan character":"yuan-teken","yuan character, in hong kong and taiwan":"yuan-teken (Hong Kong en Taiwan)","yen/yuan character variant one":"yen/yuan variant 1-teken","Emojis":"Emoji's","Emojis...":"Emoji's...","Loading emojis...":"Emoji's laden...","Could not load emojis":"Kan de emoji's niet laden","People":"Personen","Animals and Nature":"Dieren en natuur","Food and Drink":"Eten en drinken","Activity":"Activiteit","Travel and Places":"Reizen en plaatsen","Objects":"Objecten","Flags":"Vlaggen","Characters":"Tekens","Characters (no spaces)":"Tekens (geen spaties)","{0} characters":"{0} karakters","Error: Form submit field collision.":"Fout: Veldconflict bij versturen formulier.","Error: No form element found.":"Fout: Geen formulierelement gevonden.","Color swatch":"Kleurenwaaier","Color Picker":"Kleurenkiezer","Invalid hex color code: {0}":"Onjuiste hex kleurcode: {0}","Invalid input":"Ongeldige invoer","R":"R","Red component":"Rood component","G":"G","Green component":"Groen component","B":"B","Blue component":"Blauw component","#":"#","Hex color code":"Hex kleurcode","Range 0 to 255":"Bereik 0 tot 255","Turquoise":"Turkoois","Green":"Groen","Blue":"Blauw","Purple":"Paars","Navy Blue":"Marineblauw","Dark Turquoise":"Donkerturquoise","Dark Green":"Donkergroen","Medium Blue":"Middelblauw","Medium Purple":"Middelpaars","Midnight Blue":"Middernachtblauw","Yellow":"Geel","Orange":"Oranje","Red":"Rood","Light Gray":"Lichtgrijs","Gray":"Grijs","Dark Yellow":"Donkergeel","Dark Orange":"Donkeroranje","Dark Red":"Donkerrood","Medium Gray":"Middelgrijs","Dark Gray":"Donkergrijs","Light Green":"Lichtgroen","Light Yellow":"Lichtgeel","Light Red":"Lichtrood","Light Purple":"Lichtpaars","Light Blue":"Lichtblauw","Dark Purple":"Donkerpaars","Dark Blue":"Donkerblauw","Black":"Zwart","White":"Wit","Switch to or from fullscreen mode":"Overschakelen naar of vanuit de volledig scherm-modus","Open help dialog":"Help-scherm openen","history":"geschiedenis","styles":"stijlen","formatting":"opmaak","alignment":"uitlijning","indentation":"inspringing","Font":"Lettertype","Size":"Formaat","More...":"Meer...","Select...":"Selecteer...","Preferences":"Voorkeuren","Yes":"Ja","No":"Nee","Keyboard Navigation":"Toetsenbord navigatie","Version":"Versie","Code view":"Code bekijken","Open popup menu for split buttons":"Open het pop-up menu voor gesplitste knoppen","List Properties":"Lijsteigenschappen","List properties...":"Lijsteigenschappen...","Start list at number":"Begin lijst met nummer","Line height":"Lijnhoogte","Dropped file type is not supported":"Gesleepte bestandstype wordt niet ondersteund","Loading...":"Laden...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP fout: Aanvraag afgewezen","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP fout: Kan geen Image Proxy vinden","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP fout: Incorrecte Image proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP fout: Onbekende ImageProxy fout"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/nl_BE.js b/deform/static/tinymce/langs/nl_BE.js new file mode 100644 index 00000000..a9d5dcb6 --- /dev/null +++ b/deform/static/tinymce/langs/nl_BE.js @@ -0,0 +1 @@ +tinymce.addI18n("nl_BE",{"Redo":"Opnieuw doen","Undo":"Ongedaan maken","Cut":"Knippen","Copy":"Kopi\xebren","Paste":"Plakken","Select all":"Alles selecteren","New document":"Nieuw document","Ok":"OK","Cancel":"Annuleren","Visual aids":"Visuele hulpmiddelen","Bold":"Vet","Italic":"Cursief","Underline":"Onderlijnd","Strikethrough":"Doorstreept","Superscript":"Superscript","Subscript":"Subscript","Clear formatting":"Opmaak verwijderen","Remove":"Verwijderen","Align left":"Links uitlijnen","Align center":"Centreren","Align right":"Rechts uitlijnen","No alignment":"Geen uitlijning","Justify":"Distribueren","Bullet list":"Ongeordende lijst","Numbered list":"Geordende lijst","Decrease indent":"Inspringing verkleinen","Increase indent":"Inspringing vergroten","Close":"Sluiten","Formats":"Formaten","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Uw browser ondersteunt geen directe toegang tot het klembord. Gelieve de CTRL+X/C/V toetsen te gebruiken.","Headings":"Hoofdingen","Heading 1":"Hoofding 1","Heading 2":"Hoofding 2","Heading 3":"Hoofding 3","Heading 4":"Hoofding 4","Heading 5":"Hoofding 5","Heading 6":"Hoofding 6","Preformatted":"Gepreformateerd","Div":"Div","Pre":"Pre","Code":"Broncode","Paragraph":"Paragraaf","Blockquote":"Citaat","Inline":"In tekstregel","Blocks":"Blokken","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Plakken is nu in gewone tekst modus. Elementen zullen nu als gewone tekst geplakt worden tot u deze optie uit schakelt.","Fonts":"Lettertypen","Font sizes":"Lettergroottes","Class":"Class","Browse for an image":"Een afbeelding zoeken","OR":"OF","Drop an image here":"Plaats hier een afbeelding","Upload":"Uploaden","Uploading image":"Afbeelding uploaden","Block":"Vierkant","Align":"Aligneer","Default":"Standaard","Circle":"Cirkel","Disc":"Schijf","Square":"Vierkant","Lower Alpha":"Kleine letters","Lower Greek":"Klein Grieks schrift","Lower Roman":"Klein Latijns schrift","Upper Alpha":"Hoofdletters","Upper Roman":"Hoofdletters Latijns","Anchor...":"Anker...","Anchor":"Anker","Name":"Naam","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID moet beginnen met een letter en daarna enkel gevolgd door letters, getallen, streepjes, punten, komma's of underscores.","You have unsaved changes are you sure you want to navigate away?":"U heeft niet opgeslagen wijzigingen bent u zeker dat u de pagina wilt verlaten?","Restore last draft":"Laatste concept herstellen","Special character...":"Speciaal karakter...","Special Character":"Speciale tekens","Source code":"Broncode","Insert/Edit code sample":"Codevoorbeeld invoegen/bewerken","Language":"Taal","Code sample...":"Codevoorbeeld...","Left to right":"Links naar rechts","Right to left":"Rechts naar links","Title":"Titel","Fullscreen":"Schermvullend","Action":"Actie","Shortcut":"Snelkoppeling","Help":"Help","Address":"Adres","Focus to menubar":"Focus naar menubalk","Focus to toolbar":"Focus naar werkbalk","Focus to element path":"Focus naar elementenpad","Focus to contextual toolbar":"Focus naar contextuele werkbalk","Insert link (if link plugin activated)":"Link invoegen (als link plug-in geactiveerd is)","Save (if save plugin activated)":"Opslaan (als opslaan plug-in geactiveerd is)","Find (if searchreplace plugin activated)":"Zoeken (als zoeken/vervangen plug-in geactiveerd is)","Plugins installed ({0}):":"Ge\xefnstalleerde plugins ({0}):","Premium plugins:":"Premium plug-ins:","Learn more...":"Leer meer...","You are using {0}":"U gebruikt {0}","Plugins":"Plug-ins","Handy Shortcuts":"Handige snelkoppelingen","Horizontal line":"Horizontale lijn","Insert/edit image":"Afbeelding invoegen/bewerken","Alternative description":"Alternatieve beschrijving","Accessibility":"Toegankelijkheid","Image is decorative":"Afbeelding is decoratief","Source":"Bron","Dimensions":"Afmetingen","Constrain proportions":"Verhoudingen begrenzen","General":"Algemeen","Advanced":"Geavanceerd","Style":"Stijl","Vertical space":"Verticale ruimte","Horizontal space":"Horizontale ruimte","Border":"Rand","Insert image":"Afbeelding invoegen","Image...":"Afbeelding...","Image list":"Afbeeldingenlijst","Resize":"Herschalen","Insert date/time":"Datum/tijd invoegen","Date/time":"Datum/tijd","Insert/edit link":"Link invoegen/bewerken","Text to display":"Weer te geven tekst","Url":"Url","Open link in...":"Link openen in...","Current window":"Huidig venster","None":"Geen","New window":"Nieuw venster","Open link":"Link openen","Remove link":"Link verwijderen","Anchors":"Ankers","Link...":"Link...","Paste or type a link":"Link plakken of typen","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"De ingevoerde URL lijkt op een e-mailadres. Wilt u er het vereiste voorvoegsel mailto: aan toevoegen?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"De ingevoerde URL lijkt op een externe link. Wilt u er het vereiste voorvoegsel http:// aan toevoegen?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"De ingevoerde URL lijkt op een externe link. Wilt u er het vereiste voorvoegsel https:// aan toevoegen?","Link list":"Link lijst","Insert video":"Video invoegen","Insert/edit video":"Video invoegen/bewerken","Insert/edit media":"Media invoegen/bewerken","Alternative source":"Alternatieve bron","Alternative source URL":"Alternatieve bron URL","Media poster (Image URL)":"Mediaposter (Afbeelding URL)","Paste your embed code below:":"Plak de in te sluiten code hieronder:","Embed":"Insluiten","Media...":"Media...","Nonbreaking space":"Vaste spatie","Page break":"Pagina-einde","Paste as text":"Plakken als tekst","Preview":"Voorbeeld","Print":"Afdrukken","Print...":"Afdrukken...","Save":"Opslaan","Find":"Zoeken","Replace with":"Vervangen door","Replace":"Vervangen","Replace all":"Alles vervangen","Previous":"Vorige","Next":"Volgende","Find and Replace":"Zoeken en Vervangen","Find and replace...":"Zoeken en vervangen...","Could not find the specified string.":"Kon de gespecificeerde string niet vinden.","Match case":"Hoofdlettergevoelig","Find whole words only":"Enkel volledige woorden","Find in selection":"Zoeken in selectie","Insert table":"Tabel invoegen","Table properties":"Tabeleigenschappen","Delete table":"Tabel verwijderen","Cell":"Cel","Row":"Rij","Column":"Kolom","Cell properties":"Celeigenschappen","Merge cells":"Cellen samenvoegen","Split cell":"Cel splitsen","Insert row before":"Rij boven invoegen","Insert row after":"Rij onder invoegen","Delete row":"Rij verwijderen","Row properties":"Rijeigenschappen","Cut row":"Rij knippen","Cut column":"Knip kolom","Copy row":"Rij kopi\xebren","Copy column":"Kopieer kolom","Paste row before":"Rij boven plakken","Paste column before":"Plak kolom voor","Paste row after":"Rij onder plakken","Paste column after":"Plak kolom na","Insert column before":"Kolom invoegen voor","Insert column after":"Kolom invoegen na","Delete column":"Kolom verwijderen","Cols":"Kolommen","Rows":"Rijen","Width":"Breedte","Height":"Hoogte","Cell spacing":"Celafstand","Cell padding":"Celopvulling","Row clipboard actions":"Rij klembord acties","Column clipboard actions":"Rij klembord acties","Table styles":"Tabel stijlen","Cell styles":"Cel stijlen","Column header":"Kolom kop","Row header":"Rij kop","Table caption":"Tabel onderschrift","Caption":"Bijschrift","Show caption":"Bijschrift tonen","Left":"Links","Center":"Midden","Right":"Rechts","Cell type":"Celtype","Scope":"Bereik","Alignment":"Uitlijning","Horizontal align":"Horizontaal uitlijnen","Vertical align":"Verticaal uitlijnen","Top":"Boven","Middle":"Midden","Bottom":"Onder","Header cell":"Koptekstcel","Row group":"Rijgroep","Column group":"Kolomgroep","Row type":"Rijtype","Header":"Koptekst","Body":"Hoofdtekst","Footer":"Voettekst","Border color":"Randkleur","Solid":"Ononderbroken","Dotted":"Gestippeld","Dashed":"Onderbroken","Double":"Dubbel","Groove":"Groef","Ridge":"Ribbel","Inset":"Inzet","Outset":"Uitzet","Hidden":"Verborgen","Insert template...":"Sjabloon invoegen...","Templates":"Sjablonen","Template":"Sjabloon","Insert Template":"Sjabloon invoegen","Text color":"Tekstkleur","Background color":"Achtergrondkleur","Custom...":"Aangepast...","Custom color":"Aangepaste kleur","No color":"Geen kleur","Remove color":"Kleur verwijderen","Show blocks":"Blokken tonen","Show invisible characters":"Onzichtbare tekens tonen","Word count":"Aantal woorden","Count":"Tellen","Document":"Document","Selection":"Selectie","Words":"Woorden","Words: {0}":"Woorden: {0}","{0} words":"{0} woorden","File":"Bestand","Edit":"Bewerken","Insert":"Invoegen","View":"Tonen","Format":"Formaat","Table":"Tabel","Tools":"Gereedschappen","Powered by {0}":"Aangedreven door {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Rich Text Area. Druk op Alt-F9 voor menu. Druk op Alt-F10 voor gereedschapsbalk. Druk op Alt-0 voor help","Image title":"Afbeeldingstitel","Border width":"Randbreedte","Border style":"Randstijl","Error":"Fout","Warn":"Waarschuwen","Valid":"Geldig","To open the popup, press Shift+Enter":"Druk op Shift+Enter om de pop-up te openen","Rich Text Area":"Rich-text Gebied","Rich Text Area. Press ALT-0 for help.":"Rich Text Area. Druk op Alt-0 voor help.","System Font":"Systeemlettertype","Failed to upload image: {0}":"Afbeelding uploaden niet gelukt: {0}","Failed to load plugin: {0} from url {1}":"Plug-in laden niet gelukt: {0} vanaf url {1}","Failed to load plugin url: {0}":"Plug-in URL laden niet gelukt: {0}","Failed to initialize plugin: {0}":"Plug-in initialiseren niet gelukt: {0}","example":"voorbeeld","Search":"Zoeken","All":"Alle","Currency":"Valuta","Text":"Tekst","Quotations":"Citaten","Mathematical":"Wiskundig","Extended Latin":"Latijn uitgebreid","Symbols":"Symbolen","Arrows":"Pijlen","User Defined":"Gebruiker Gedefinieerd","dollar sign":"dollar teken","currency sign":"valuta teken","euro-currency sign":"euro valuta teken","colon sign":"colon teken","cruzeiro sign":"cruzeiro teken","french franc sign":"franse frank teken","lira sign":"lire teken","mill sign":"mill teken","naira sign":"naira teken","peseta sign":"peseta teken","rupee sign":"roepie teken","won sign":"won teken","new sheqel sign":"nieuwe shekel teken","dong sign":"dong teken","kip sign":"kip teken","tugrik sign":"tugrik teken","drachma sign":"drachme teken","german penny symbol":"duitse pfennig teken","peso sign":"peso teken","guarani sign":"guarani teken","austral sign":"austral teken","hryvnia sign":"hryvnia teken","cedi sign":"cedi teken","livre tournois sign":"tours pond teken","spesmilo sign":"spesmilo teken","tenge sign":"tenge teken","indian rupee sign":"indische roepie teken","turkish lira sign":"turkse lira teken","nordic mark sign":"noordse mark teken","manat sign":"manat teken","ruble sign":"roebel teken","yen character":"yen karakter","yuan character":"yuan karakter","yuan character, in hong kong and taiwan":"yuan karakter, in hong kong en taiwan","yen/yuan character variant one":"yen/yuan karakter variant een","Emojis":"Emoji's","Emojis...":"Emoji's...","Loading emojis...":"Emoji's laden...","Could not load emojis":"Kan de emoji's niet laden","People":"Mensen","Animals and Nature":"Dieren en natuur","Food and Drink":"Voedsel en drank","Activity":"Activiteit","Travel and Places":"Reizen en plaatsen","Objects":"Voorwerpen","Flags":"Vlaggen","Characters":"Karakters","Characters (no spaces)":"Karakters (zonder spaties)","{0} characters":"{0} karakters","Error: Form submit field collision.":"Fout: Veldconflict bij versturen formulier.","Error: No form element found.":"Fout: Geen formulierelement gevonden.","Color swatch":"Kleurenstaal","Color Picker":"Kleurenkiezer","Invalid hex color code: {0}":"Onjuiste hex kleurcode: {0}","Invalid input":"Ongeldige invoer","R":"R","Red component":"Rood component","G":"G","Green component":"Groen component","B":"B","Blue component":"Blauw component","#":"#","Hex color code":"Hex kleurcode","Range 0 to 255":"Bereik 0 tot 255","Turquoise":"Turkoois","Green":"Groen","Blue":"Blauw","Purple":"Paars","Navy Blue":"Marineblauw","Dark Turquoise":"Donker turkoois","Dark Green":"Donker groen","Medium Blue":"Middelblauw","Medium Purple":"Middelpaars","Midnight Blue":"Middernachtblauw","Yellow":"Geel","Orange":"Oranje","Red":"Rood","Light Gray":"Lichtgrijs","Gray":"Grijs","Dark Yellow":"Donker Geel","Dark Orange":"Donker Oranje","Dark Red":"Donker Rood","Medium Gray":"Middel Grijs","Dark Gray":"Donker Grijs","Light Green":"Licht Groen","Light Yellow":"Licht Geel","Light Red":"Licht Rood","Light Purple":"Licht Paars","Light Blue":"Licht Blauw","Dark Purple":"Donker Paars","Dark Blue":"Donker Blauw","Black":"Zwart","White":"Wit","Switch to or from fullscreen mode":"Schakelen naar of vanuit volledige schermmodus","Open help dialog":"Helpdialoog openen","history":"geschiedenis","styles":"stijlen","formatting":"opmaak","alignment":"uitlijning","indentation":"inspringing","Font":"Lettertype","Size":"Grootte","More...":"Meer...","Select...":"Selecteren...","Preferences":"Voorkeuren","Yes":"Ja","No":"Nee","Keyboard Navigation":"Toetsenbord navigatie","Version":"Versie","Code view":"Codeweergave","Open popup menu for split buttons":"Open pop-up menu voor gesplitste knoppen","List Properties":"Lijst Eigenschappen","List properties...":"Lijst eigenschappen...","Start list at number":"Begin lijst bij nummer","Line height":"Regelhoogte","Dropped file type is not supported":"Gesleepte bestandstype wordt niet ondersteund","Loading...":"Laden...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP fout: Aanvraag afgewezen","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP fout: Kan geen Image Proxy vinden","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP fout: Incorrecte Image proxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP fout: Onbekende ImageProxy fout"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/oc.js b/deform/static/tinymce/langs/oc.js new file mode 100644 index 00000000..9fe7bd99 --- /dev/null +++ b/deform/static/tinymce/langs/oc.js @@ -0,0 +1 @@ +tinymce.addI18n("oc",{"Redo":"Refar","Undo":"Desfar","Cut":"Talhar","Copy":"Copiar","Paste":"Pegar","Select all":"Seleccionar tot","New document":"Document nov\xe8l","Ok":"D'ac\xf2rdi","Cancel":"Anullar","Visual aids":"Ajudas visualas","Bold":"Gras","Italic":"Italica","Underline":"Solinhat","Strikethrough":"Ralhat","Superscript":"Exponent","Subscript":"Indici","Clear formatting":"Escafar la mesa en forma","Remove":"Eliminar","Align left":"Alinhar a esqu\xe8rra","Align center":"Alinhar al centre","Align right":"Alinhar a drecha","No alignment":"Pas d'alinhament","Justify":"Justificar","Bullet list":"Piuses","Numbered list":"Lista numerotada","Decrease indent":"Demesir l'alin\xe8a","Increase indent":"Aumentar l'alin\xe8a","Close":"Tampar","Formats":"Formats","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"V\xf2stre navigador sup\xf2rta pas la c\xf2pia dir\xe8cta. Merc\xe9 d'utilizar las t\xf2cas Ctrl+X/C/V.","Headings":"T\xedtols","Heading 1":"T\xedtol 1","Heading 2":"T\xedtol 2","Heading 3":"T\xedtol 3","Heading 4":"T\xedtol 4","Heading 5":"T\xedtol 5","Heading 6":"T\xedtol 6","Preformatted":"Preformatat","Div":"Div","Pre":"Pre","Code":"C\xf2de","Paragraph":"Paragraf","Blockquote":"Citacion","Inline":"En linha","Blocks":"Bl\xf2ts","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":'Lo quichapapi\xe8rs es ara en m\xf2de "t\xe8xte plen". Los contenguts ser\xe0n pegats sens ret\xe9ner los formatatges fins al moment que desactivaretz aquesta opcion.',"Fonts":"Polissas","Font sizes":"Tamans de fu\xf2c","Class":"Clase","Browse for an image":"Cercar un imatge","OR":"O","Drop an image here":"Depausatz un imatge aqu\xed","Upload":"Enviar","Uploading image":"Pujant imatge","Block":"Bl\xf2c","Align":"Alinhament","Default":"Per defaut","Circle":"Cercle","Disc":"Disco","Square":"Carrat","Lower Alpha":"Alfa minuscula","Lower Greek":"Gr\xe8c minuscula","Lower Roman":"Roman minuscula","Upper Alpha":"Alfa majuscula","Upper Roman":"Roman majuscula","Anchor...":"Ancora...","Anchor":"Ancora","Name":"Nom","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID auri\xe1 de comen\xe7ar per una letra, seguit sonque per de letras, de nombres, de barras, de ponchs, dos ponchs o de barras bassas.","You have unsaved changes are you sure you want to navigate away?":"Av\xe8tz de modificacions pas enregistradas, s\xe8tz segur que vol\xe8tz quitar la pagina ?","Restore last draft":"Restablir lo darri\xe8r borrolhon","Special character...":"Caract\xe8r especial...","Special Character":"Caract\xe8r especial","Source code":"C\xf2de font","Insert/Edit code sample":"Inserir/Modificar exemple de c\xf2di","Language":"Lenga","Code sample...":"Exemple de c\xf2di...","Left to right":"D'esqu\xe8rra cap a drecha","Right to left":"De drecha cap a esqu\xe8rra","Title":"T\xedtol","Fullscreen":"Ecran complet","Action":"Accion","Shortcut":"Acorchi","Help":"Ajuda","Address":"Adre\xe7as","Focus to menubar":"Se centrar en la barra del menu","Focus to toolbar":"Se centrar en la barra d'esturments","Focus to element path":"","Focus to contextual toolbar":"","Insert link (if link plugin activated)":"Inserir un ligam (se l\u2019extension Ligam es activada)","Save (if save plugin activated)":"Enregistrar (se l\u2019exension Enregistrar es activada)","Find (if searchreplace plugin activated)":"Cercar (se l\u2019extension Searchreplace es activada)","Plugins installed ({0}):":"Extensions installadas ({0})\u202f:","Premium plugins:":"Extensions Premium\u202f:","Learn more...":"Ne saber mai...","You are using {0}":"Utilizatz {0}","Plugins":"Extensions","Handy Shortcuts":"Acorchis utils","Horizontal line":"Linha orizontala","Insert/edit image":"Inserir/modificar un imatge","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"Font","Dimensions":"","Constrain proportions":"Conservar las proporcions","General":"","Advanced":"Avan\xe7at","Style":"Estil","Vertical space":"Espa\xe7ament vertical","Horizontal space":"Espa\xe7ament orizontal","Border":"Bordadura","Insert image":"Inserir un imatge","Image...":"Imatge...","Image list":"Lista d\u2019imatges","Resize":"Redimensionar","Insert date/time":"Inserir data/ora","Date/time":"Data/ora","Insert/edit link":"Inserir/modificar un ligam","Text to display":"T\xe8xte d'afichar","Url":"","Open link in...":"Dobrir lo ligam dins...","Current window":"Fen\xe8stra actuala","None":"Pas cap","New window":"Fen\xe8stra nov\xe8la","Open link":"","Remove link":"Suprimir lo ligam","Anchors":"Anc\xf2ras","Link...":"Ligam...","Paste or type a link":"Pegatz o picatz un ligam","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Sembla que l'URL qu'av\xe8tz entrada es una adre\xe7a e-mail. Vol\xe8tz apondre lo prefix mailto: necessari ?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Sembla que l'URL qu'av\xe8tz entrada es un ligam ext\xe8rne. Vol\xe8tz apondre lo prefix http:// necessari ?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Lista de ligams","Insert video":"Inserir una vid\xe8o","Insert/edit video":"Inserir/modificar una vid\xe8o","Insert/edit media":"Inserir/modificar un m\xe8dia","Alternative source":"Font alternativa","Alternative source URL":"URL font alternativa","Media poster (Image URL)":"","Paste your embed code below:":"Pegatz v\xf2tre c\xf2di d'integracion \xe7aij\xf3s :","Embed":"Integrat","Media...":"M\xe8dia...","Nonbreaking space":"Espaci insecable","Page break":"Pagina copada","Paste as text":"Pegar coma de t\xe8xte","Preview":"Previsualizar","Print":"","Print...":"Imprimir...","Save":"Enregistrar","Find":"Recercar","Replace with":"Rempla\xe7ar per","Replace":"Rempla\xe7ar","Replace all":"Rempla\xe7ar tot","Previous":"Precedent","Next":"Seg","Find and Replace":"","Find and replace...":"Trobar e rempla\xe7ar...","Could not find the specified string.":"Impossible de trobar la cadena especificada.","Match case":"Respectar la cassa","Find whole words only":"Cercar mot enti\xe8r sonque","Find in selection":"","Insert table":"Inserir un tabl\xe8u","Table properties":"Proprietats del tabl\xe8u","Delete table":"Suprimir lo tabl\xe8u","Cell":"Cellula","Row":"Linha","Column":"Colomna","Cell properties":"Proprietats de la cellula","Merge cells":"Fusionar las cellulas","Split cell":"Devesir la cellula","Insert row before":"Inserir una linha abans","Insert row after":"Inserir una linha apr\xe8p","Delete row":"Suprimir la linha","Row properties":"Proprietats de la linha","Cut row":"Talhar la linha","Cut column":"","Copy row":"Copiar la linha","Copy column":"","Paste row before":"Pegar la linha abans","Paste column before":"","Paste row after":"Pegar la linha apr\xe8p","Paste column after":"","Insert column before":"Inserir una colomna abans","Insert column after":"Inserir una colomna apr\xe8p","Delete column":"Suprimir la colomna","Cols":"Colomnas","Rows":"Linhas","Width":"Largor","Height":"Nautor","Cell spacing":"Espa\xe7ament intercellullas","Cell padding":"Espa\xe7ament int\xe8rne cellula","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"T\xedtol","Show caption":"Mostrar legenda","Left":"Esqu\xe8rra","Center":"Centre","Right":"Drecha","Cell type":"Tipe de cellula","Scope":"Espandida","Alignment":"Alinhament","Horizontal align":"","Vertical align":"","Top":"Naut","Middle":"Mitan","Bottom":"Bas","Header cell":"Cellula d'ent\xe8sta","Row group":"Grop de linhas","Column group":"Grop de colomnas","Row type":"Tipe de linha","Header":"Ent\xe8sta","Body":"C\xf2s","Footer":"P\xe8 de pagina","Border color":"Color de la bordadura","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Inserir un mod\xe8l...","Templates":"Mod\xe8ls","Template":"Mod\xe8l","Insert Template":"","Text color":"Color del t\xe8xte","Background color":"Color de r\xe8ireplan","Custom...":"Personalizar...","Custom color":"Color personalizada","No color":"Pas de color","Remove color":"Tirar la color","Show blocks":"Afichar los bl\xf2ts","Show invisible characters":"Far veire los caract\xe8rs invisibles","Word count":"Comptador mot","Count":"Comptador","Document":"","Selection":"Seleccion","Words":"Mots","Words: {0}":"Mots : {0}","{0} words":"{0} mots","File":"Fichi\xe8r","Edit":"Editar","Insert":"Inserir","View":"Veire","Format":"","Table":"Tabl\xe8u","Tools":"Aisinas","Powered by {0}":"Propulsat per {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Z\xf2na T\xe8xte Ric. Quichar sus ALT-F9 pel men\xfa. Quichar sus ALT-F10 per la barra d'aisinas. Quichar sus ALT-0 per d'ajuda.","Image title":"T\xedtol imatge","Border width":"Largor bordadura","Border style":"Estil bordadura","Error":"","Warn":"Av\xeds","Valid":"","To open the popup, press Shift+Enter":"Per dobrir dins una fen\xe8stra sorgissenta, quichatz Maj+Entrada","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"","System Font":"Polissa sist\xe8ma","Failed to upload image: {0}":"Frac\xe0s mandad\xeds imatge : {0}","Failed to load plugin: {0} from url {1}":"","Failed to load plugin url: {0}":"","Failed to initialize plugin: {0}":"","example":"exemple","Search":"Cercar","All":"Tot","Currency":"Moneda","Text":"T\xe8xte","Quotations":"Citacions","Mathematical":"","Extended Latin":"","Symbols":"Simb\xf2ls","Arrows":"Fl\xe8chas","User Defined":"","dollar sign":"signe d\xf2lar","currency sign":"Signe devisa","euro-currency sign":"signe devisa europenca ","colon sign":"signe colon","cruzeiro sign":"signe cruzeiro","french franc sign":"signe franc","lira sign":"signe lira","mill sign":"signe mill","naira sign":"signe naira","peseta sign":"signe peseta","rupee sign":"signe roble","won sign":"signe won","new sheqel sign":"signe sheqel","dong sign":"signe dong","kip sign":"signe kip","tugrik sign":"signe tugrik","drachma sign":"signe drachma","german penny symbol":"signe devisa germana","peso sign":"signe peso","guarani sign":"signe guarani","austral sign":"signe austral","hryvnia sign":"signe hryvnia","cedi sign":"signe cedi","livre tournois sign":"signe livre tournois","spesmilo sign":"signe spesmilo","tenge sign":"signe tenge","indian rupee sign":"signe roble india","turkish lira sign":"signe lira de Turquia","nordic mark sign":"signe marc nordic","manat sign":"signe manat","ruble sign":"signe roble","yen character":"signe yen","yuan character":"signe yuan","yuan character, in hong kong and taiwan":"","yen/yuan character variant one":"","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"Gents","Animals and Nature":"Animals e Natura","Food and Drink":"Beure e manjar","Activity":"Activitat","Travel and Places":"Viatge e L\xf2cs","Objects":"Obj\xe8ctes","Flags":"Drap\xe8us","Characters":"Caract\xe8rs","Characters (no spaces)":"Caract\xe8rs (sens espaci)","{0} characters":"{0} caract\xe8rs","Error: Form submit field collision.":"","Error: No form element found.":"Error\u202f: cap d\u2019element formulari pas trobat.","Color swatch":"Cambiament de color","Color Picker":"Trapador de color","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"V","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"Turquesa","Green":"Verd","Blue":"Blau","Purple":"Violet","Navy Blue":"Blau marin","Dark Turquoise":"Turquesa escur","Dark Green":"Verd escur","Medium Blue":"Blau mejan","Medium Purple":"Violet mejan","Midnight Blue":"Blau nu\xe8ch","Yellow":"Jaune","Orange":"Irange","Red":"Roge","Light Gray":"Gris clar","Gray":"Gris","Dark Yellow":"Jaune escur","Dark Orange":"Irange escur","Dark Red":"Roge escur","Medium Gray":"Gris mejan","Dark Gray":"Gris escur","Light Green":"Verd clar","Light Yellow":"Jaune clar","Light Red":"Roge clar","Light Purple":"Violet clar","Light Blue":"Blau clar","Dark Purple":"Violet escur","Dark Blue":"Blau escur","Black":"Negre","White":"Blanc","Switch to or from fullscreen mode":"","Open help dialog":"","history":"istoric","styles":"estils","formatting":"","alignment":"alinhament","indentation":"indentacion","Font":"Polissa","Size":"Talha","More...":"Mai...","Select...":"Seleccionar...","Preferences":"Prefer\xe9ncias","Yes":"\xd2c","No":"Non","Keyboard Navigation":"Acorchis clavi\xe8r","Version":"","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/pl.js b/deform/static/tinymce/langs/pl.js index 5f17e46f..f82f1d1d 100644 --- a/deform/static/tinymce/langs/pl.js +++ b/deform/static/tinymce/langs/pl.js @@ -1,175 +1 @@ -tinymce.addI18n('pl',{ -"Cut": "Wytnij", -"Header 2": "Nag\u0142\u00f3wek 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Twoja przegl\u0105darka nie zapewnia bezpo\u015bredniego dost\u0119pu do schowka. U\u017cyj zamiast tego kombinacji klawiszy Ctrl+X\/C\/V.", -"Div": "Div", -"Paste": "Wklej", -"Close": "Zamknij", -"Pre": "Sformatowany tekst", -"Align right": "Wyr\u00f3wnaj do prawej", -"New document": "Nowy dokument", -"Blockquote": "Blok cytatu", -"Numbered list": "Lista numerowana", -"Increase indent": "Zwi\u0119ksz wci\u0119cie", -"Formats": "Formaty", -"Headers": "Nag\u0142\u00f3wki", -"Select all": "Zaznacz wszystko", -"Header 3": "Nag\u0142\u00f3wek 3", -"Blocks": "Bloki", -"Undo": "Cofnij", -"Strikethrough": "Przekre\u015blenie", -"Bullet list": "Lista wypunktowana", -"Header 1": "Nag\u0142\u00f3wek 1", -"Superscript": "Indeks g\u00f3rny", -"Clear formatting": "Wyczy\u015b\u0107 formatowanie", -"Subscript": "Indeks dolny", -"Header 6": "Nag\u0142\u00f3wek 6", -"Redo": "Pon\u00f3w", -"Paragraph": "Akapit", -"Ok": "Ok", -"Bold": "Pogrubienie", -"Code": "Kod \u017ar\u00f3d\u0142owy", -"Italic": "Kursywa", -"Align center": "Wyr\u00f3wnaj do \u015brodka", -"Header 5": "Nag\u0142\u00f3wek 5", -"Decrease indent": "Zmniejsz wci\u0119cie", -"Header 4": "Nag\u0142\u00f3wek 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Wklejanie jest w trybie tekstowym. Zawarto\u015b\u0107 zostanie wklejona jako zwyk\u0142y tekst dop\u00f3ki nie wy\u0142\u0105czysz tej opcji.", -"Underline": "Podkre\u015blenie", -"Cancel": "Anuluj", -"Justify": "Wyjustuj", -"Inline": "W tek\u015bcie", -"Copy": "Kopiuj", -"Align left": "Wyr\u00f3wnaj do lewej", -"Visual aids": "Pomoce wizualne", -"Lower Greek": "Ma\u0142e greckie", -"Square": "Kwadrat", -"Default": "Domy\u015blne", -"Lower Alpha": "Ma\u0142e litery", -"Circle": "K\u00f3\u0142ko", -"Disc": "Dysk", -"Upper Alpha": "Wielkie litery", -"Upper Roman": "Wielkie rzymskie", -"Lower Roman": "Ma\u0142e rzymskie", -"Name": "Nazwa", -"Anchor": "Kotwica", -"You have unsaved changes are you sure you want to navigate away?": "Masz niezapisane zmiany. Czy na pewno chcesz opu\u015bci\u0107 stron\u0119?", -"Restore last draft": "Przywr\u00f3\u0107 ostatni szkic", -"Special character": "Znak specjalny", -"Source code": "Kod \u017ar\u00f3d\u0142owy", -"Right to left": "Od prawej do lewej", -"Left to right": "Od lewej do prawej", -"Emoticons": "Emotikony", -"Robots": "Roboty", -"Document properties": "W\u0142a\u015bciwo\u015bci dokumentu", -"Title": "Tytu\u0142", -"Keywords": "S\u0142owa kluczowe", -"Encoding": "Kodowanie", -"Description": "Opis", -"Author": "Autor", -"Fullscreen": "Pe\u0142ny ekran", -"Horizontal line": "Pozioma linia", -"Horizontal space": "Odst\u0119p poziomy", -"Insert\/edit image": "Wstaw\/edytuj obrazek", -"General": "Og\u00f3lne", -"Advanced": "Zaawansowane", -"Source": "\u0179r\u00f3d\u0142o", -"Border": "Ramka", -"Constrain proportions": "Zachowaj proporcje", -"Vertical space": "Odst\u0119p pionowy", -"Image description": "Opis obrazka", -"Style": "Styl", -"Dimensions": "Wymiary", -"Insert image": "Wstaw obrazek", -"Insert date\/time": "Wstaw dat\u0119\/czas", -"Remove link": "Usu\u0144 link", -"Url": "Url", -"Text to display": "Tekst do wy\u015bwietlenia", -"Anchors": "Kotwice", -"Insert link": "Wstaw link", -"New window": "Nowe okno", -"None": "\u017baden", -"Target": "Cel", -"Insert\/edit link": "Wstaw\/edytuj link", -"Insert\/edit video": "Wstaw\/edytuj wideo", -"Poster": "Plakat", -"Alternative source": "Alternatywne \u017ar\u00f3d\u0142o", -"Paste your embed code below:": "Wklej tutaj kod do osadzenia:", -"Insert video": "Wstaw wideo", -"Embed": "Osad\u017a", -"Nonbreaking space": "Nie\u0142amliwa spacja", -"Page break": "Podzia\u0142 strony", -"Paste as text": "Wklej jako zwyk\u0142y tekst", -"Preview": "Podgl\u0105d", -"Print": "Drukuj", -"Save": "Zapisz", -"Could not find the specified string.": "Nie znaleziono szukanego tekstu.", -"Replace": "Zamie\u0144", -"Next": "Nast.", -"Whole words": "Ca\u0142e s\u0142owa", -"Find and replace": "Znajd\u017a i zamie\u0144", -"Replace with": "Zamie\u0144 na", -"Find": "Znajd\u017a", -"Replace all": "Zamie\u0144 wszystko", -"Match case": "Dopasuj wielko\u015b\u0107 liter", -"Prev": "Poprz.", -"Spellcheck": "Sprawdzanie pisowni", -"Finish": "Zako\u0144cz", -"Ignore all": "Ignoruj wszystko", -"Ignore": "Ignoruj", -"Insert row before": "Wstaw wiersz przed", -"Rows": "Wiersz.", -"Height": "Wysoko\u015b\u0107", -"Paste row after": "Wklej wiersz po", -"Alignment": "Wyr\u00f3wnanie", -"Column group": "Grupa kolumn", -"Row": "Wiersz", -"Insert column before": "Wstaw kolumn\u0119 przed", -"Split cell": "Podziel kom\u00f3rk\u0119", -"Cell padding": "Dope\u0142nienie kom\u00f3rki", -"Cell spacing": "Odst\u0119py kom\u00f3rek", -"Row type": "Typ wiersza", -"Insert table": "Wstaw tabel\u0119", -"Body": "Tre\u015b\u0107", -"Caption": "Tytu\u0142", -"Footer": "Stopka", -"Delete row": "Usu\u0144 wiersz", -"Paste row before": "Wklej wiersz przed", -"Scope": "Kontekst", -"Delete table": "Usu\u0144 tabel\u0119", -"Header cell": "Kom\u00f3rka nag\u0142\u00f3wka", -"Column": "Kolumna", -"Cell": "Kom\u00f3rka", -"Header": "Nag\u0142\u00f3wek", -"Cell type": "Typ kom\u00f3rki", -"Copy row": "Kopiuj wiersz", -"Row properties": "W\u0142a\u015bciwo\u015bci wiersza", -"Table properties": "W\u0142a\u015bciwo\u015bci tabeli", -"Row group": "Grupa wierszy", -"Right": "Prawo", -"Insert column after": "Wstaw kolumn\u0119 po", -"Cols": "Kol.", -"Insert row after": "Wstaw wiersz po", -"Width": "Szeroko\u015b\u0107", -"Cell properties": "W\u0142a\u015bciwo\u015bci kom\u00f3rki", -"Left": "Lewo", -"Cut row": "Wytnij wiersz", -"Delete column": "Usu\u0144 kolumn\u0119", -"Center": "\u015arodek", -"Merge cells": "\u0141\u0105cz kom\u00f3rki", -"Insert template": "Wstaw szablon", -"Templates": "Szablony", -"Background color": "Kolor t\u0142a", -"Text color": "Kolor tekstu", -"Show blocks": "Poka\u017c bloki", -"Show invisible characters": "Poka\u017c niewidoczne znaki", -"Words: {0}": "S\u0142\u00f3w: {0}", -"Insert": "Wstaw", -"File": "Plik", -"Edit": "Edycja", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Obszar Edycji. ALT-F9 - menu. ALT-F10 - pasek narz\u0119dzi. ALT-0 - pomoc", -"Tools": "Narz\u0119dzia", -"View": "Widok", -"Table": "Tabela", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("pl",{"Redo":"Powt\xf3rz","Undo":"Cofnij","Cut":"Wytnij","Copy":"Kopiuj","Paste":"Wklej","Select all":"Zaznacz wszystko","New document":"Nowy dokument","Ok":"Ok","Cancel":"Anuluj","Visual aids":"Pomoce wizualne","Bold":"Pogrubienie","Italic":"Kursywa","Underline":"Podkre\u015blenie","Strikethrough":"Przekre\u015blenie","Superscript":"Indeks g\xf3rny","Subscript":"Indeks dolny","Clear formatting":"Wyczy\u015b\u0107 formatowanie","Remove":"Usu\u0144","Align left":"Wyr\xf3wnaj do lewej","Align center":"Wyr\xf3wnaj do \u015brodka","Align right":"Wyr\xf3wnaj do prawej","No alignment":"Bez wyr\xf3wnania","Justify":"Wyjustuj","Bullet list":"Lista wypunktowana","Numbered list":"Lista numerowana","Decrease indent":"Zmniejsz wci\u0119cie","Increase indent":"Zwi\u0119ksz wci\u0119cie","Close":"Zamknij","Formats":"Formaty","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Twoja przegl\u0105darka nie obs\u0142uguje bezpo\u015bredniego dost\u0119pu do schowka. U\u017cyj zamiast tego kombinacji klawiszy Ctrl+X/C/V.","Headings":"Nag\u0142\xf3wki","Heading 1":"Nag\u0142\xf3wek 1","Heading 2":"Nag\u0142\xf3wek 2","Heading 3":"Nag\u0142\xf3wek 3","Heading 4":"Nag\u0142\xf3wek 4","Heading 5":"Nag\u0142\xf3wek 5","Heading 6":"Nag\u0142\xf3wek 6","Preformatted":"Wst\u0119pne formatowanie","Div":"Div","Pre":"Pre","Code":"Kod","Paragraph":"Akapit","Blockquote":"Blok cytatu","Inline":"W tek\u015bcie","Blocks":"Bloki","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Wklejanie jest w trybie tekstowym. Dop\xf3ki nie wy\u0142\u0105czysz tej opcji, zawarto\u015b\u0107 b\u0119dzie wklejana jako zwyk\u0142y tekst.","Fonts":"Fonty","Font sizes":"Rozmiary czcionek","Class":"Klasa","Browse for an image":"Przegl\u0105daj za zdj\u0119ciem","OR":"LUB","Drop an image here":"Upu\u015b\u0107 obraz tutaj","Upload":"Prze\u015blij","Uploading image":"Przesy\u0142anie obrazu","Block":"Zablokuj","Align":"Wyr\xf3wnaj","Default":"Domy\u015blnie","Circle":"Ko\u0142o","Disc":"Dysk","Square":"Kwadrat","Lower Alpha":"Ma\u0142e alfanumeryczne","Lower Greek":"Ma\u0142e greckie","Lower Roman":"Ma\u0142e rzymskie","Upper Alpha":"Wielkie alfanumeryczne","Upper Roman":"Wielkie rzymskie","Anchor...":"Kotwica...","Anchor":"Kotwica","Name":"Nazwa","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID powinien zaczyna\u0107 si\u0119 liter\u0105 i sk\u0142ada\u0107 si\u0119 tylko z liter, cyfr, my\u015blnik\xf3w, kropek, przecink\xf3w oraz znak\xf3w podkre\u015blenia.","You have unsaved changes are you sure you want to navigate away?":"Masz niezapisane zmiany. Czy na pewno chcesz opu\u015bci\u0107 stron\u0119?","Restore last draft":"Przywr\xf3\u0107 ostatni szkic","Special character...":"Znak specjalny...","Special Character":"Znak Specjalny","Source code":"Kod \u017ar\xf3d\u0142owy","Insert/Edit code sample":"Dodaj/Edytuj przyk\u0142adowy kod","Language":"J\u0119zyk","Code sample...":"Przyk\u0142ad kodu...","Left to right":"Od lewej do prawej","Right to left":"Od prawej do lewej","Title":"Tytu\u0142","Fullscreen":"Pe\u0142ny ekran","Action":"Czynno\u015b\u0107","Shortcut":"Skr\xf3t","Help":"Pomoc","Address":"Adres","Focus to menubar":"Aktywuj pasek menu","Focus to toolbar":"Aktywuj pasek narz\u0119dzi","Focus to element path":"Aktywuj \u015bcie\u017ck\u0119 elementu","Focus to contextual toolbar":"Aktywuj pasek narz\u0119dzi menu kontekstowego","Insert link (if link plugin activated)":"Wstaw \u0142\u0105cze (je\u015bli w\u0142\u0105czono dodatek linkuj\u0105cy)","Save (if save plugin activated)":"Zapisz (je\u015bli w\u0142\u0105czono dodatek zapisuj\u0105cy)","Find (if searchreplace plugin activated)":"Znajd\u017a (je\u015bli w\u0142\u0105czono dodatek wyszukuj\u0105cy)","Plugins installed ({0}):":"Zainstalowane dodatki ({0}):","Premium plugins:":"Dodatki Premium:","Learn more...":"Dowiedz si\u0119 wi\u0119cej...","You are using {0}":"U\u017cywasz {0}","Plugins":"Dodatki","Handy Shortcuts":"Przydatne skr\xf3ty","Horizontal line":"Pozioma linia","Insert/edit image":"Wstaw/edytuj obraz","Alternative description":"Alternatywny opis","Accessibility":"Dost\u0119pno\u015b\u0107","Image is decorative":"Obraz jest dekoracyjny","Source":"\u0179r\xf3d\u0142o","Dimensions":"Wymiary","Constrain proportions":"Utrzymuj proporcje","General":"Og\xf3lne","Advanced":"Zaawansowane","Style":"Styl","Vertical space":"Odst\u0119p w pionie","Horizontal space":"Odst\u0119p w poziomie","Border":"Obramowanie","Insert image":"Wstaw obraz","Image...":"Obraz...","Image list":"Lista obraz\xf3w","Resize":"Zmie\u0144 rozmiar","Insert date/time":"Wstaw dat\u0119/godzin\u0119","Date/time":"Data/godzina","Insert/edit link":"Wstaw/edytuj \u0142\u0105cze","Text to display":"Tekst do wy\u015bwietlenia","Url":"URL","Open link in...":"Otw\xf3rz \u0142\u0105cze w...","Current window":"Bie\u017c\u0105ce okno","None":"Brak","New window":"Nowe okno","Open link":"Otw\xf3rz \u0142\u0105cze","Remove link":"Usu\u0144 \u0142\u0105cze","Anchors":"Zakotwiczenia","Link...":"\u0141\u0105cze...","Paste or type a link":"Wklej lub wpisz \u0142\u0105cze","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Wprowadzony URL wygl\u0105da na adres e-mail. Czy chcesz doda\u0107 wymagany prefiks mailto: ?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Wprowadzony URL wygl\u0105da na \u0142\u0105cze zewn\u0119trzne. Czy chcesz doda\u0107 http:// jako prefiks?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Wprowadzony URL wygl\u0105da na \u0142\u0105cze zewn\u0119trzne. Czy chcesz doda\u0107 wymagany prefiks https://?","Link list":"Lista \u0142\u0105czy","Insert video":"Wstaw wideo","Insert/edit video":"Wstaw/edytuj wideo","Insert/edit media":"Wstaw/edytuj multimedia","Alternative source":"Alternatywne \u017ar\xf3d\u0142o","Alternative source URL":"Alternatywny URL \u017ar\xf3d\u0142a","Media poster (Image URL)":"Plakat (URL obrazu)","Paste your embed code below:":"Wklej poni\u017cej kod do osadzenia:","Embed":"Osad\u017a","Media...":"Multimedia...","Nonbreaking space":"Nie\u0142amliwa spacja","Page break":"Podzia\u0142 strony","Paste as text":"Wklej jako tekst","Preview":"Podgl\u0105d","Print":"Drukuj","Print...":"Drukuj...","Save":"Zapisz","Find":"Znajd\u017a","Replace with":"Zast\u0105p ci\u0105giem:","Replace":"Zast\u0105p","Replace all":"Zast\u0105p wszystkie","Previous":"Poprzedni","Next":"Nast\u0119pny","Find and Replace":"Znajd\u017a i Zamie\u0144","Find and replace...":"Znajd\u017a i zamie\u0144...","Could not find the specified string.":"Nie znaleziono okre\u015blonego tekstu.","Match case":"Uwzgl\u0119dniaj wielko\u015b\u0107 liter","Find whole words only":"Znajd\u017a tylko ca\u0142e wyrazy","Find in selection":"Znajd\u017a w zaznaczeniu","Insert table":"Wstaw tabel\u0119","Table properties":"W\u0142a\u015bciwo\u015bci tabeli","Delete table":"Usu\u0144 tabel\u0119","Cell":"Kom\xf3rka","Row":"Wiersz","Column":"Kolumna","Cell properties":"W\u0142a\u015bciwo\u015bci kom\xf3rki","Merge cells":"Scal kom\xf3rki","Split cell":"Podziel kom\xf3rk\u0119","Insert row before":"Wstaw wiersz przed","Insert row after":"Wstaw wiersz po","Delete row":"Usu\u0144 wiersz","Row properties":"W\u0142a\u015bciwo\u015bci wiersza","Cut row":"Wytnij wiersz","Cut column":"Wytnij kolumn\u0119","Copy row":"Kopiuj wiersz","Copy column":"Kopiuj kolumn\u0119","Paste row before":"Wklej wiersz przed","Paste column before":"Wklej kolumn\u0119 przed","Paste row after":"Wklej wiersz po","Paste column after":"Wklej kolumn\u0119 po","Insert column before":"Wstaw kolumn\u0119 przed","Insert column after":"Wstaw kolumn\u0119 po","Delete column":"Usu\u0144 kolumn\u0119","Cols":"Kol.","Rows":"Wier.","Width":"Szeroko\u015b\u0107","Height":"Wysoko\u015b\u0107","Cell spacing":"Odst\u0119py kom\xf3rek","Cell padding":"Dope\u0142nienie kom\xf3rki","Row clipboard actions":"Akcje schowka dla wiersza","Column clipboard actions":"Akcje schowka dla kolumny","Table styles":"Style tabel","Cell styles":"Style kom\xf3rek","Column header":"Nag\u0142\xf3wek kolumny","Row header":"Nag\u0142\xf3wek wiersza","Table caption":"Tytu\u0142 tabeli","Caption":"Tytu\u0142","Show caption":"Poka\u017c podpis","Left":"Lewo","Center":"\u015arodek","Right":"Prawo","Cell type":"Typ kom\xf3rki","Scope":"Zasi\u0119g","Alignment":"Wyr\xf3wnanie","Horizontal align":"Wyr\xf3wnanie w poziomie","Vertical align":"Wyr\xf3wnanie w pionie","Top":"G\xf3ra","Middle":"\u015arodek","Bottom":"D\xf3\u0142","Header cell":"Kom\xf3rka nag\u0142\xf3wka","Row group":"Grupa wierszy","Column group":"Grupa kolumn","Row type":"Typ wiersza","Header":"Nag\u0142\xf3wek","Body":"Tre\u015b\u0107","Footer":"Stopka","Border color":"Kolor obramowania","Solid":"Pe\u0142ne","Dotted":"Kropkowane","Dashed":"Kreskowane","Double":"Podw\xf3jne","Groove":"Rowkowane","Ridge":"Grzbietowe","Inset":"Wstawione","Outset":"Zewn\u0119trzne","Hidden":"Ukryte","Insert template...":"Wstaw szablon...","Templates":"Szablony","Template":"Szablon","Insert Template":"Wstaw szablon","Text color":"Kolor tekstu","Background color":"Kolor t\u0142a","Custom...":"Niestandardowy...","Custom color":"Kolor niestandardowy","No color":"Bez koloru","Remove color":"Usu\u0144 kolor","Show blocks":"Poka\u017c bloki","Show invisible characters":"Poka\u017c niewidoczne znaki","Word count":"Liczba s\u0142\xf3w","Count":"Liczba","Document":"Dokument","Selection":"Zaznaczenie","Words":"S\u0142owa","Words: {0}":"S\u0142\xf3w: {0}","{0} words":"{0} s\u0142.","File":"Plik","Edit":"Edytuj","Insert":"Wstaw","View":"Widok","Format":"Format","Table":"Tabela","Tools":"Narz\u0119dzia","Powered by {0}":"Stworzone dzi\u0119ki {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Obszar Edycji. ALT-F9: menu. ALT-F10: pasek narz\u0119dzi. ALT-0: pomoc","Image title":"Tytu\u0142 obrazu","Border width":"Grubo\u015b\u0107 ramki","Border style":"Styl ramki","Error":"B\u0142\u0105d","Warn":"Ostrze\u017cenie","Valid":"Prawid\u0142owe","To open the popup, press Shift+Enter":"Aby otworzy\u0107 okienko, naci\u015bnij Shift+Enter","Rich Text Area":"Przestrze\u0144 tekstu sformatowanego","Rich Text Area. Press ALT-0 for help.":"Obszar tekstu sformatowanego. Naci\u015bnij ALT-0, aby uzyska\u0107 pomoc.","System Font":"Font systemowy","Failed to upload image: {0}":"Nie uda\u0142o si\u0119 przes\u0142a\u0107 obrazu: {0}","Failed to load plugin: {0} from url {1}":"Nie uda\u0142o si\u0119 za\u0142adowa\u0107 dodatku: {0} spod adresu url {1}","Failed to load plugin url: {0}":"Nie uda\u0142o si\u0119 za\u0142adowa\u0107 adresu url dodatku: {0}","Failed to initialize plugin: {0}":"Nie mo\u017cna zainicjowa\u0107 dodatku: {0}","example":"przyk\u0142ad","Search":"Wyszukaj","All":"Wszystkie","Currency":"Waluta","Text":"Tekst","Quotations":"Cudzys\u0142owy","Mathematical":"Matematyczne","Extended Latin":"Rozszerzony \u0142aci\u0144ski","Symbols":"Symbole","Arrows":"Strza\u0142ki","User Defined":"W\u0142asny","dollar sign":"znak dolara","currency sign":"znak waluty","euro-currency sign":"znak euro","colon sign":"znak colon","cruzeiro sign":"znak cruzeiro","french franc sign":"znak franka francuskiego","lira sign":"znak liry","mill sign":"znak mill","naira sign":"znak nairy","peseta sign":"znak pesety","rupee sign":"znak rupii","won sign":"znak wona","new sheqel sign":"znak nowego szekla","dong sign":"znak donga","kip sign":"znak kipa","tugrik sign":"znak tugrika","drachma sign":"znak drachmy","german penny symbol":"znak feniga","peso sign":"znak peso","guarani sign":"znak guarani","austral sign":"znak australa","hryvnia sign":"znak hrywny","cedi sign":"znak cedi","livre tournois sign":"znak livre tournois","spesmilo sign":"znak spesmilo","tenge sign":"znak tenge","indian rupee sign":"znak rupii indyjskiej","turkish lira sign":"znak liry tureckiej","nordic mark sign":"znak nordic mark","manat sign":"znak manata","ruble sign":"znak rubla","yen character":"znak jena","yuan character":"znak juana","yuan character, in hong kong and taiwan":"znak juana w Hongkongu i na Tajwanie","yen/yuan character variant one":"jen/juan, wariant pierwszy","Emojis":"Emotikony","Emojis...":"Emotikony...","Loading emojis...":"Wczytywanie emotikon\xf3w...","Could not load emojis":"B\u0142\u0105d wczytywania emotikon\xf3w","People":"Ludzie","Animals and Nature":"Zwierz\u0119ta i natura","Food and Drink":"Jedzenie i picie","Activity":"Aktywno\u015b\u0107","Travel and Places":"Podr\xf3\u017ce i miejsca","Objects":"Obiekty","Flags":"Flagi","Characters":"Znaki","Characters (no spaces)":"Znaki (bez spacji)","{0} characters":"{0} znak\xf3w","Error: Form submit field collision.":"B\u0142\u0105d: kolizja pola przesy\u0142ania formularza.","Error: No form element found.":"B\u0142\u0105d: nie znaleziono elementu formularza.","Color swatch":"Pr\xf3bka koloru","Color Picker":"Selektor kolor\xf3w","Invalid hex color code: {0}":"Nieprawid\u0142owy kod szesnastkowy koloru: {0}","Invalid input":"Nieprawid\u0142owa warto\u015b\u0107","R":"R","Red component":"Czerwony","G":"G","Green component":"Zielony","B":"B","Blue component":"Niebieski","#":"#","Hex color code":"Szesnastkowy kod koloru","Range 0 to 255":"Od 0 do 255","Turquoise":"Turkusowy","Green":"Zielony","Blue":"Niebieski","Purple":"Purpurowy","Navy Blue":"Ciemnoniebieski","Dark Turquoise":"Ciemnoturkusowy","Dark Green":"Ciemnozielony","Medium Blue":"\u015arednioniebieski","Medium Purple":"\u015aredniopurpurowy","Midnight Blue":"Nocny b\u0142\u0119kit","Yellow":"\u017b\xf3\u0142ty","Orange":"Pomara\u0144czowy","Red":"Czerwony","Light Gray":"Jasnoszary","Gray":"Szary","Dark Yellow":"Ciemno\u017c\xf3\u0142ty","Dark Orange":"Ciemnopomara\u0144czowy","Dark Red":"Ciemnoczerwony","Medium Gray":"\u015arednioszary","Dark Gray":"Ciemnoszary","Light Green":"Jasnozielony","Light Yellow":"Jasno\u017c\xf3\u0142ty","Light Red":"Jasnoczerwony","Light Purple":"Jasnopurpurowy","Light Blue":"Jasnoniebieski","Dark Purple":"Ciemnopurpurowy","Dark Blue":"Ciemnoniebieski","Black":"Czarny","White":"Bia\u0142y","Switch to or from fullscreen mode":"W\u0142\u0105cz lub wy\u0142\u0105cz tryb pe\u0142noekranowy","Open help dialog":"Otw\xf3rz okno dialogowe pomocy","history":"historia","styles":"style","formatting":"formatowanie","alignment":"wyr\xf3wnanie","indentation":"wci\u0119cie","Font":"Czcionka","Size":"Rozmiar","More...":"Wi\u0119cej...","Select...":"Wybierz...","Preferences":"Ustawienia","Yes":"Tak","No":"Nie","Keyboard Navigation":"Nawigacja za pomoc\u0105 klawiatury","Version":"Wersja","Code view":"Widok kodu","Open popup menu for split buttons":"Otw\xf3rz menu podr\u0119czne dla przycisk\xf3w","List Properties":"Ustawienia Listy","List properties...":"Ustawienia listy...","Start list at number":"Rozpocznij numeracj\u0119 od","Line height":"Wysoko\u015b\u0107 Linii","Dropped file type is not supported":"Dodany typ pliku nie jest obs\u0142ugiwany","Loading...":"Wczytywanie...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP b\u0142\u0105d: Odrzucono \u017c\u0105danie","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP b\u0142\u0105d: Nie znaleziono Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP b\u0142\u0105d: Nieprawid\u0142owy adres URL Image Proxy","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP b\u0142\u0105d: Nieznany b\u0142\u0105d ImageProxy"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/pt_BR.js b/deform/static/tinymce/langs/pt_BR.js index 116035b3..85b0b421 100644 --- a/deform/static/tinymce/langs/pt_BR.js +++ b/deform/static/tinymce/langs/pt_BR.js @@ -1,175 +1 @@ -tinymce.addI18n('pt_BR',{ -"Cut": "Recortar", -"Header 2": "Cabe\u00e7alho 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Seu navegador n\u00e3o suporta acesso direto \u00e0 \u00e1rea de transfer\u00eancia. Por favor use os atalhos Ctrl+X - C - V do teclado", -"Div": "Div", -"Paste": "Colar", -"Close": "Fechar", -"Pre": "Pre", -"Align right": "Alinhar \u00e0 direita", -"New document": "Novo documento", -"Blockquote": "Aspas", -"Numbered list": "Lista ordenada", -"Increase indent": "Aumentar recuo", -"Formats": "Formatos", -"Headers": "Cabe\u00e7alhos", -"Select all": "Selecionar tudo", -"Header 3": "Cabe\u00e7alho 3", -"Blocks": "Blocos", -"Undo": "Desfazer", -"Strikethrough": "Riscar", -"Bullet list": "Lista n\u00e3o ordenada", -"Header 1": "Cabe\u00e7alho 1", -"Superscript": "Sobrescrever", -"Clear formatting": "Limpar formata\u00e7\u00e3o", -"Subscript": "Subscrever", -"Header 6": "Cabe\u00e7alho 6", -"Redo": "Refazer", -"Paragraph": "Par\u00e1grafo", -"Ok": "Ok", -"Bold": "Negrito", -"Code": "C\u00f3digo", -"Italic": "It\u00e1lico", -"Align center": "Centralizar", -"Header 5": "Cabe\u00e7alho 5", -"Decrease indent": "Diminuir recuo", -"Header 4": "Cabe\u00e7alho 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "O comando colar est\u00e1 agora em modo texto plano. O conte\u00fado ser\u00e1 colado como texto plano at\u00e9 voc\u00ea desligar esta op\u00e7\u00e3o.", -"Underline": "Sublinhar", -"Cancel": "Cancelar", -"Justify": "Justificar", -"Inline": "Em linha", -"Copy": "Copiar", -"Align left": "Alinhar \u00e0 esquerda", -"Visual aids": "Ajuda visual", -"Lower Greek": "\u03b1. \u03b2. \u03b3. ...", -"Square": "Quadrado", -"Default": "Padr\u00e3o", -"Lower Alpha": "a. b. c. ...", -"Circle": "C\u00edrculo", -"Disc": "Disco", -"Upper Alpha": "A. B. C. ...", -"Upper Roman": "I. II. III. ...", -"Lower Roman": "i. ii. iii. ...", -"Name": "Nome", -"Anchor": "\u00c2ncora", -"You have unsaved changes are you sure you want to navigate away?": "Voc\u00ea tem mudan\u00e7as n\u00e3o salvas. Voc\u00ea tem certeza que deseja sair?", -"Restore last draft": "Restaurar \u00faltimo rascunho", -"Special character": "Caracteres especiais", -"Source code": "C\u00f3digo fonte", -"Right to left": "Da direita para a esquerda", -"Left to right": "Da esquerda para a direita", -"Emoticons": "Emoticons", -"Robots": "Rob\u00f4s", -"Document properties": "Propriedades do documento", -"Title": "T\u00edtulo", -"Keywords": "Palavras-chave", -"Encoding": "Codifica\u00e7\u00e3o", -"Description": "Descri\u00e7\u00e3o", -"Author": "Autor", -"Fullscreen": "Tela cheia", -"Horizontal line": "Linha horizontal", -"Horizontal space": "Espa\u00e7amento horizontal", -"Insert\/edit image": "Inserir\/editar imagem", -"General": "Geral", -"Advanced": "Avan\u00e7ado", -"Source": "Endere\u00e7o da imagem", -"Border": "Borda", -"Constrain proportions": "Manter propor\u00e7\u00f5es", -"Vertical space": "Espa\u00e7amento vertical", -"Image description": "Inserir descri\u00e7\u00e3o", -"Style": "Estilo", -"Dimensions": "Dimens\u00f5es", -"Insert image": "Inserir imagem", -"Insert date\/time": "Inserir data\/hora", -"Remove link": "Remover link", -"Url": "Url", -"Text to display": "Texto para mostrar", -"Anchors": "\u00c2ncoras", -"Insert link": "Inserir link", -"New window": "Nova janela", -"None": "Nenhum", -"Target": "Alvo", -"Insert\/edit link": "Inserir\/editar link", -"Insert\/edit video": "Inserir\/editar v\u00eddeo", -"Poster": "Autor", -"Alternative source": "Fonte alternativa", -"Paste your embed code below:": "Insira o c\u00f3digo de incorpora\u00e7\u00e3o abaixo:", -"Insert video": "Inserir v\u00eddeo", -"Embed": "Incorporar", -"Nonbreaking space": "Espa\u00e7o n\u00e3o separ\u00e1vel", -"Page break": "Quebra de p\u00e1gina", -"Paste as text": "Colar como texto", -"Preview": "Pr\u00e9-visualizar", -"Print": "Imprimir", -"Save": "Salvar", -"Could not find the specified string.": "N\u00e3o foi poss\u00edvel encontrar o termo especificado", -"Replace": "Substituir", -"Next": "Pr\u00f3ximo", -"Whole words": "Palavras inteiras", -"Find and replace": "Localizar e substituir", -"Replace with": "Substituir por", -"Find": "Localizar", -"Replace all": "Substituir tudo", -"Match case": "Diferenciar mai\u00fasculas e min\u00fasculas", -"Prev": "Anterior", -"Spellcheck": "Corretor ortogr\u00e1fico", -"Finish": "Finalizar", -"Ignore all": "Ignorar tudo", -"Ignore": "Ignorar", -"Insert row before": "Inserir linha antes", -"Rows": "Linhas", -"Height": "Altura", -"Paste row after": "Colar linha depois", -"Alignment": "Alinhamento", -"Column group": "Agrupar coluna", -"Row": "Linha", -"Insert column before": "Inserir coluna antes", -"Split cell": "Dividir c\u00e9lula", -"Cell padding": "Espa\u00e7amento interno da c\u00e9lula", -"Cell spacing": "Espa\u00e7amento da c\u00e9lula", -"Row type": "Tipo de linha", -"Insert table": "Inserir tabela", -"Body": "Corpo", -"Caption": "Legenda", -"Footer": "Rodap\u00e9", -"Delete row": "Excluir linha", -"Paste row before": "Colar linha antes", -"Scope": "Escopo", -"Delete table": "Excluir tabela", -"Header cell": "C\u00e9lula cabe\u00e7alho", -"Column": "Coluna", -"Cell": "C\u00e9lula", -"Header": "Cabe\u00e7alho", -"Cell type": "Tipo de c\u00e9lula", -"Copy row": "Copiar linha", -"Row properties": "Propriedades da linha", -"Table properties": "Propriedades da tabela", -"Row group": "Agrupar linha", -"Right": "Direita", -"Insert column after": "Inserir coluna depois", -"Cols": "Colunas", -"Insert row after": "Inserir linha depois", -"Width": "Largura", -"Cell properties": "Propriedades da c\u00e9lula", -"Left": "Esquerdo", -"Cut row": "Recortar linha", -"Delete column": "Excluir coluna", -"Center": "Centro", -"Merge cells": "Agrupar c\u00e9lulas", -"Insert template": "Inserir modelo", -"Templates": "Modelos", -"Background color": "Cor do fundo", -"Text color": "Cor do texto", -"Show blocks": "Mostrar blocos", -"Show invisible characters": "Exibir caracteres invis\u00edveis", -"Words: {0}": "Palavras: {0}", -"Insert": "Inserir", -"File": "Arquivo", -"Edit": "Editar", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u00c1rea de texto formatado. Pressione ALT-F9 para exibir o menu, ALT-F10 para exibir a barra de ferramentas ou ALT-0 para exibir a ajuda", -"Tools": "Ferramentas", -"View": "Visualizar", -"Table": "Tabela", -"Format": "Formatar" -}); \ No newline at end of file +tinymce.addI18n("pt_BR",{"Redo":"Refazer","Undo":"Desfazer","Cut":"Recortar","Copy":"Copiar","Paste":"Colar","Select all":"Selecionar tudo","New document":"Novo documento","Ok":"OK","Cancel":"Cancelar","Visual aids":"Ajuda visual","Bold":"Negrito","Italic":"It\xe1lico","Underline":"Sublinhado","Strikethrough":"Tachado","Superscript":"Sobrescrito","Subscript":"Subscrito","Clear formatting":"Limpar formata\xe7\xe3o","Remove":"Remover","Align left":"Alinhar \xe0 esquerda","Align center":"Centralizar","Align right":"Alinhar \xe0 direita","No alignment":"Sem alinhamento","Justify":"Justificar","Bullet list":"Lista com marcadores","Numbered list":"Lista numerada","Decrease indent":"Diminuir recuo","Increase indent":"Aumentar recuo","Close":"Fechar","Formats":"Formata\xe7\xe3o","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"O seu navegador n\xe3o suporta acesso direto \xe0 \xe1rea de transfer\xeancia. Por favor use os atalhos do teclado Ctrl+X/C/V como alternativa.","Headings":"T\xedtulos","Heading 1":"T\xedtulo 1","Heading 2":"T\xedtulo 2","Heading 3":"T\xedtulo 3","Heading 4":"T\xedtulo 4","Heading 5":"T\xedtulo 5","Heading 6":"T\xedtulo 6","Preformatted":"Pr\xe9-formatado","Div":"Se\xe7\xe3o (div)","Pre":"Pr\xe9-formatado (pre)","Code":"Monoespa\xe7ada","Paragraph":"Simples","Blockquote":"Bloco de cita\xe7\xe3o","Inline":"Fonte","Blocks":"Par\xe1grafo","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"O comando Colar est\xe1 no modo de texto simples. O conte\xfado ser\xe1 colado como texto simples, at\xe9 voc\xea desligar essa op\xe7\xe3o.","Fonts":"Fonte","Font sizes":"Tamanho da fonte","Class":"Classe","Browse for an image":"Procurar uma imagem","OR":"OU","Drop an image here":"Arraste uma imagem para c\xe1","Upload":"Carregar","Uploading image":"Carregando imagem","Block":"Par\xe1grafo","Align":"Alinhamento","Default":"Padr\xe3o","Circle":"C\xedrculo","Disc":"Disco","Square":"Quadrado","Lower Alpha":"Letra Min\xfasc.","Lower Greek":"Grego Min\xfasc.","Lower Roman":"Romano Min\xfasc.","Upper Alpha":"Letra Mai\xfasc.","Upper Roman":"Romano Mai\xfasc.","Anchor...":"\xc2ncora...","Anchor":"\xc2ncora","Name":"Nome","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"O ID deve come\xe7ar com uma letra, seguida apenas por letras, n\xfameros, tra\xe7os, v\xedrgulas ou sublinhas.","You have unsaved changes are you sure you want to navigate away?":"Voc\xea tem altera\xe7\xf5es n\xe3o salvas. Voc\xea tem certeza de que deseja sair?","Restore last draft":"Restaurar \xfaltimo rascunho","Special character...":"Caractere especial...","Special Character":"Caractere especial","Source code":"C\xf3digo-fonte","Insert/Edit code sample":"Inserir/editar c\xf3digo","Language":"Idioma","Code sample...":"C\xf3digo...","Left to right":"Esquerda para direita","Right to left":"Direita para esquerda","Title":"T\xedtulo","Fullscreen":"Tela cheia","Action":"A\xe7\xe3o","Shortcut":"Atalho","Help":"Ajuda","Address":"Endere\xe7o","Focus to menubar":"Focalizar barra de menus","Focus to toolbar":"Focalizar barra de ferramentas","Focus to element path":"Focalizar caminho do elemento","Focus to contextual toolbar":"Focalizar barra de ferramentas contextual","Insert link (if link plugin activated)":"Inserir link (se o plugin de link estiver ativado)","Save (if save plugin activated)":"Salvar (se o plugin de salvar estiver ativado)","Find (if searchreplace plugin activated)":"Localizar (se o plugin de localizar e substituir estiver ativado)","Plugins installed ({0}):":"Plugins instalados ({0}):","Premium plugins:":"Plugins premium:","Learn more...":"Saber mais...","You are using {0}":"Voc\xea est\xe1 usando {0}","Plugins":"Plugins","Handy Shortcuts":"Atalhos \xfateis","Horizontal line":"Linha horizontal","Insert/edit image":"Inserir/editar imagem","Alternative description":"Descri\xe7\xe3o alternativa","Accessibility":"Acessibilidade","Image is decorative":"A imagem \xe9 decorativa","Source":"Endere\xe7o","Dimensions":"Dimens\xf5es","Constrain proportions":"Restringir propor\xe7\xf5es","General":"Geral","Advanced":"Avan\xe7ado","Style":"Estilo","Vertical space":"Espa\xe7o vertical","Horizontal space":"Espa\xe7o horizontal","Border":"Borda","Insert image":"Inserir imagem","Image...":"Imagem...","Image list":"Lista de imagens","Resize":"Redimensionar","Insert date/time":"Inserir data/hora","Date/time":"Data/hora","Insert/edit link":"Inserir/editar link","Text to display":"Texto a ser exibido","Url":"URL","Open link in...":"Abrir link em...","Current window":"Janela atual","None":"Nenhum(a)","New window":"Nova janela","Open link":"Abrir link","Remove link":"Remover link","Anchors":"\xc2ncoras","Link...":"Link...","Paste or type a link":"Cole ou digite um link","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"A URL que voc\xea informou parece ser um endere\xe7o de e-mail. Deseja adicionar o prefixo obrigat\xf3rio mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"A URL que voc\xea informou parece ser um link externo. Deseja incluir o prefixo http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"A URL informada parece ser um link externo. Deseja adicionar o prefixo obrigat\xf3rio https://?","Link list":"Lista de links","Insert video":"Inserir v\xeddeo","Insert/edit video":"Inserir/editar v\xeddeo","Insert/edit media":"Inserir/editar m\xeddia","Alternative source":"Endere\xe7o alternativo","Alternative source URL":"Endere\xe7o URL alternativo","Media poster (Image URL)":"Post de m\xeddia (URL da Imagem)","Paste your embed code below:":"Insira o c\xf3digo de incorpora\xe7\xe3o abaixo:","Embed":"Incorporar","Media...":"M\xeddia...","Nonbreaking space":"Espa\xe7o inquebr\xe1vel","Page break":"Quebra de p\xe1gina","Paste as text":"Colar como texto","Preview":"Pr\xe9-visualizar","Print":"Imprimir","Print...":"Imprimir...","Save":"Salvar","Find":"Localizar","Replace with":"Substituir por","Replace":"Substituir","Replace all":"Substituir tudo","Previous":"Anterior","Next":"Pr\xf3xima","Find and Replace":"Localizar e substituir","Find and replace...":"Localizar e substituir...","Could not find the specified string.":"N\xe3o foi poss\xedvel encontrar o termo especificado.","Match case":"Diferenciar mai\xfascula/min\xfascula","Find whole words only":"Encontrar somente palavras inteiras","Find in selection":"Localizar na sele\xe7\xe3o","Insert table":"Inserir tabela","Table properties":"Propriedades da tabela","Delete table":"Excluir tabela","Cell":"C\xe9lula","Row":"Linha","Column":"Coluna","Cell properties":"Propriedades da c\xe9lula","Merge cells":"Agrupar c\xe9lulas","Split cell":"Dividir c\xe9lula","Insert row before":"Inserir linha antes","Insert row after":"Inserir linha depois","Delete row":"Excluir linha","Row properties":"Propriedades da linha","Cut row":"Recortar linha","Cut column":"Recortar coluna","Copy row":"Copiar linha","Copy column":"Copiar coluna","Paste row before":"Colar linha antes","Paste column before":"Colar coluna antes","Paste row after":"Colar linha depois","Paste column after":"Colar coluna depois","Insert column before":"Inserir coluna antes","Insert column after":"Inserir coluna depois","Delete column":"Excluir coluna","Cols":"Colunas","Rows":"Linhas","Width":"Largura","Height":"Altura","Cell spacing":"Espa\xe7amento da c\xe9lula","Cell padding":"Espa\xe7amento interno da c\xe9lula","Row clipboard actions":"A\xe7\xf5es da \xe1rea de transfer\xeancia de linhas","Column clipboard actions":"A\xe7\xf5es da \xe1rea de transfer\xeancia de colunas","Table styles":"Estilos de tabela","Cell styles":"Estilos da c\xe9lula","Column header":"Cabe\xe7alho da coluna","Row header":"Cabe\xe7alho da linha","Table caption":"Legenda da tabela","Caption":"Legenda","Show caption":"Exibir legenda","Left":"\xc0 esquerda","Center":"Centro","Right":"\xc0 direita","Cell type":"Tipo de c\xe9lula","Scope":"Escopo","Alignment":"Alinhamento","Horizontal align":"Alinhamento horizontal","Vertical align":"Alinhamento vertical","Top":"Superior","Middle":"Meio","Bottom":"Inferior","Header cell":"C\xe9lula de cabe\xe7alho","Row group":"Grupo de linhas","Column group":"Grupo de colunas","Row type":"Tipo de linha","Header":"Cabe\xe7alho","Body":"Corpo","Footer":"Rodap\xe9","Border color":"Cor da borda","Solid":"S\xf3lida","Dotted":"Pontilhada","Dashed":"Tracejada","Double":"Dupla","Groove":"Chanfrada","Ridge":"Ressaltada","Inset":"Baixo relevo","Outset":"Alto relevo","Hidden":"Oculta","Insert template...":"Inserir modelo...","Templates":"Modelos","Template":"Modelo","Insert Template":"Inserir modelo","Text color":"Cor do texto","Background color":"Cor do fundo","Custom...":"Personalizado...","Custom color":"Cor personalizada","No color":"Nenhuma cor","Remove color":"Remover cor","Show blocks":"Mostrar blocos","Show invisible characters":"Exibir caracteres invis\xedveis","Word count":"Contador de palavras","Count":"Contar","Document":"Documento","Selection":"Sele\xe7\xe3o","Words":"Palavras","Words: {0}":"Palavras: {0}","{0} words":"{0} palavras","File":"Arquivo","Edit":"Editar","Insert":"Inserir","View":"Visualizar","Format":"Formatar","Table":"Tabela","Tools":"Ferramentas","Powered by {0}":"Distribu\xeddo por {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\xc1rea de texto rico. Pressione Alt+F9 para exibir o menu, Alt+F10 para exibir a barra de ferramentas ou Alt+0 para exibir a ajuda.","Image title":"T\xedtulo da imagem","Border width":"Espessura da borda","Border style":"Estilo da borda","Error":"Erro","Warn":"Alerta","Valid":"V\xe1lido","To open the popup, press Shift+Enter":"Para abrir o di\xe1logo, pressione Shit+Enter","Rich Text Area":"\xc1rea de texto rico","Rich Text Area. Press ALT-0 for help.":"\xc1rea de texto rico. Pressione Alt+0 para ajuda.","System Font":"Fonte do sistema","Failed to upload image: {0}":"Falha ao carregar imagem: {0}","Failed to load plugin: {0} from url {1}":"Falha ao carregar plugin: {0} da URL {1}","Failed to load plugin url: {0}":"Falha ao carregar URL do plugin: {0}","Failed to initialize plugin: {0}":"Falha ao iniciar plugin: {0}","example":"exemplo","Search":"Pesquisar","All":"Tudo","Currency":"Moeda","Text":"Texto","Quotations":"Cita\xe7\xf5es","Mathematical":"Matem\xe1tico","Extended Latin":"Latino estendido","Symbols":"S\xedmbolos","Arrows":"Setas","User Defined":"Definido pelo Usu\xe1rio","dollar sign":"s\xedmbolo do d\xf3lar","currency sign":"s\xedmbolo de moeda","euro-currency sign":"s\xedmbolo do euro","colon sign":"s\xedmbolo do colon","cruzeiro sign":"s\xedmbolo do cruzeiro","french franc sign":"s\xedmbolo do franco franc\xeas","lira sign":"s\xedmbolo da lira","mill sign":"s\xedmbolo do mill","naira sign":"s\xedmbolo da naira","peseta sign":"s\xedmbolo da peseta","rupee sign":"s\xedmbolo da r\xfapia","won sign":"s\xedmbolo do won","new sheqel sign":"s\xedmbolo do novo sheqel","dong sign":"s\xedmbolo do dong","kip sign":"s\xedmbolo do kip","tugrik sign":"s\xedmbolo do tugrik","drachma sign":"s\xedmbolo do drachma","german penny symbol":"s\xedmbolo de centavo alem\xe3o","peso sign":"s\xedmbolo do peso","guarani sign":"s\xedmbolo do guarani","austral sign":"s\xedmbolo do austral","hryvnia sign":"s\xedmbolo do hryvnia","cedi sign":"s\xedmbolo do cedi","livre tournois sign":"s\xedmbolo do livre tournois","spesmilo sign":"s\xedmbolo do spesmilo","tenge sign":"s\xedmbolo do tenge","indian rupee sign":"s\xedmbolo de r\xfapia indiana","turkish lira sign":"s\xedmbolo de lira turca","nordic mark sign":"s\xedmbolo do marco n\xf3rdico","manat sign":"s\xedmbolo do manat","ruble sign":"s\xedmbolo do rublo","yen character":"caractere do yen","yuan character":"caractere do yuan","yuan character, in hong kong and taiwan":"caractere do yuan, em Hong Kong e Taiwan","yen/yuan character variant one":"varia\xe7\xe3o do caractere de yen/yuan","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Carregando emojis...","Could not load emojis":"N\xe3o foi poss\xedvel carregar os emojis","People":"Pessoas","Animals and Nature":"Animais e Natureza","Food and Drink":"Comida e Bebida","Activity":"Atividade","Travel and Places":"Viagem e Lugares","Objects":"Objetos","Flags":"Bandeiras","Characters":"Caracteres","Characters (no spaces)":"Caracteres (sem espa\xe7os)","{0} characters":"{0} caracteres","Error: Form submit field collision.":"Erro: colis\xe3o de bot\xe3o de envio do formul\xe1rio.","Error: No form element found.":"Erro: elemento de formul\xe1rio n\xe3o encontrado.","Color swatch":"Amostra de cor","Color Picker":"Seletor de cores","Invalid hex color code: {0}":"C\xf3digo hexadecimal de cor inv\xe1lido: {0}","Invalid input":"Entrada inv\xe1lida","R":"R","Red component":"Componente vermelho","G":"G","Green component":"Componente verde","B":"B","Blue component":"Componente azul","#":"#","Hex color code":"C\xf3digo hexadecimal de cor","Range 0 to 255":"Faixa entre 0 e 255","Turquoise":"Turquesa","Green":"Verde","Blue":"Azul","Purple":"Roxo","Navy Blue":"Azul marinho","Dark Turquoise":"Turquesa escuro","Dark Green":"Verde escuro","Medium Blue":"Azul m\xe9dio","Medium Purple":"Roxo m\xe9dio","Midnight Blue":"Azul meia-noite","Yellow":"Amarelo","Orange":"Laranja","Red":"Vermelho","Light Gray":"Cinza claro","Gray":"Cinza","Dark Yellow":"Amarelo escuro","Dark Orange":"Laranja escuro","Dark Red":"Vermelho escuro","Medium Gray":"Cinza m\xe9dio","Dark Gray":"Cinza escuro","Light Green":"Verde claro","Light Yellow":"Amarelo claro","Light Red":"Vermelho claro","Light Purple":"Roxo claro","Light Blue":"Azul claro","Dark Purple":"Roxo escuro","Dark Blue":"Azul escuro","Black":"Preto","White":"Branco","Switch to or from fullscreen mode":"Abrir ou fechar modo de tela cheia","Open help dialog":"Abrir di\xe1logo de ajuda","history":"hist\xf3rico","styles":"estilos","formatting":"formata\xe7\xe3o","alignment":"alinhamento","indentation":"indenta\xe7\xe3o","Font":"Fonte","Size":"Tamanho","More...":"Mais...","Select...":"Selecionar...","Preferences":"Prefer\xeancias","Yes":"Sim","No":"N\xe3o","Keyboard Navigation":"Navega\xe7\xe3o pelo teclado","Version":"Vers\xe3o","Code view":"Ver c\xf3digo","Open popup menu for split buttons":"Abrir menu popup para bot\xf5es com divis\xe3o","List Properties":"Listar propriedades","List properties...":"Listar propriedades...","Start list at number":"Iniciar a lista no n\xfamero","Line height":"Altura da linha","Dropped file type is not supported":"O tipo do arquivo arrastado n\xe3o \xe9 compat\xedvel","Loading...":"Carregando...","ImageProxy HTTP error: Rejected request":"Erro HTTP ImageProxy: solicita\xe7\xe3o rejeitada","ImageProxy HTTP error: Could not find Image Proxy":"Erro de HTTP ImageProxy: n\xe3o foi poss\xedvel encontrar o proxy de imagem","ImageProxy HTTP error: Incorrect Image Proxy URL":"Erro de HTTP ImageProxy: URL de proxy de imagem incorreto","ImageProxy HTTP error: Unknown ImageProxy error":"Erro de HTTP ImageProxy: erro ImageProxy desconhecido"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/pt_PT.js b/deform/static/tinymce/langs/pt_PT.js deleted file mode 100644 index b1abd8ef..00000000 --- a/deform/static/tinymce/langs/pt_PT.js +++ /dev/null @@ -1,173 +0,0 @@ -tinymce.addI18n('pt_PT',{ -"Cut": "Cortar", -"Header 2": "Cabe\u00e7alho 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "O seu navegador n\u00e3o suporta acesso directo \u00e0 \u00e1rea de transfer\u00eancia. Por favor use os atalhos Ctrl+X\/C\/V do seu teclado.", -"Div": "Div", -"Paste": "Colar", -"Close": "Fechar", -"Pre": "Pre", -"Align right": "Alinhar \u00e0 direita", -"New document": "Novo documento", -"Blockquote": "Cita\u00e7\u00e3o em bloco", -"Numbered list": "Lista numerada", -"Increase indent": "Aumentar avan\u00e7o", -"Formats": "Formatos", -"Headers": "Cabe\u00e7alhos", -"Select all": "Seleccionar tudo", -"Header 3": "Cabe\u00e7alho 3", -"Blocks": "Blocos", -"Undo": "Anular", -"Strikethrough": "Rasurado", -"Bullet list": "Lista com marcadores", -"Header 1": "Cabe\u00e7alho 1", -"Superscript": "Superior \u00e0 linha", -"Clear formatting": "Limpar formata\u00e7\u00e3o", -"Subscript": "Inferior \u00e0 linha", -"Header 6": "Cabe\u00e7alho 6", -"Redo": "Restaurar", -"Paragraph": "Par\u00e1grafo", -"Ok": "Ok", -"Bold": "Negrito", -"Code": "C\u00f3digo", -"Italic": "It\u00e1lico", -"Align center": "Alinhar ao centro", -"Header 5": "Cabe\u00e7alho 5", -"Decrease indent": "Diminuir avan\u00e7o", -"Header 4": "Cabe\u00e7alho 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "O comando colar est\u00e1 em modo de texto plano. O conte\u00fado ser\u00e1 colado como texto plano at\u00e9 desactivar esta op\u00e7\u00e3o.", -"Underline": "Sublinhado", -"Cancel": "Cancelar", -"Justify": "Justificado", -"Inline": "Inline", -"Copy": "Copiar", -"Align left": "Alinhar \u00e0 esquerda", -"Visual aids": "Ajuda visual", -"Lower Greek": "\\u03b1. \\u03b2. \\u03b3. ...", -"Square": "Quadrado", -"Default": "Padr\u00e3o", -"Lower Alpha": "a. b. c. ...", -"Circle": "C\u00edrculo", -"Disc": "Disco", -"Upper Alpha": "A. B. C. ...", -"Upper Roman": "I. II. III. ...", -"Lower Roman": "i. ii. iii. ...", -"Name": "Nome", -"Anchor": "\u00c2ncora", -"You have unsaved changes are you sure you want to navigate away?": "Tem altera\u00e7\u00f5es que ainda n\u00e3o foram guardadas, tem a certeza que pretende sair?", -"Restore last draft": "Restaurar o \u00faltimo rascunho", -"Special character": "Car\u00e1cter especial", -"Source code": "C\u00f3digo fonte", -"Right to left": "Da direita para a esquerda", -"Left to right": "Da esquerda para a direita", -"Emoticons": "\u00cdcones expressivos", -"Robots": "Rob\u00f4s", -"Document properties": "Propriedades do documento", -"Title": "T\u00edtulo", -"Keywords": "Palavras-chave", -"Encoding": "Codifica\u00e7\u00e3o", -"Description": "Descri\u00e7\u00e3o", -"Author": "Autor", -"Fullscreen": "Ecr\u00e3 completo", -"Horizontal line": "Linha horizontal", -"Horizontal space": "Espa\u00e7amento horizontal", -"Insert\/edit image": "Inserir\/editar imagem", -"General": "Geral", -"Advanced": "Avan\u00e7ado", -"Source": "Localiza\u00e7\u00e3o", -"Border": "Contorno", -"Constrain proportions": "Manter propor\u00e7\u00f5es", -"Vertical space": "Espa\u00e7amento vertical", -"Image description": "Descri\u00e7\u00e3o da imagem", -"Style": "Estilo", -"Dimensions": "Dimens\u00f5es", -"Insert image": "Inserir imagem", -"Insert date\/time": "Inserir data\/hora", -"Remove link": "Remover link", -"Url": "Url", -"Text to display": "Texto a exibir", -"Insert link": "Inserir link", -"New window": "Nova janela", -"None": "Nenhum", -"Target": "Alvo", -"Insert\/edit link": "Inserir\/editar link", -"Insert\/edit video": "Inserir\/editar v\u00eddeo", -"Poster": "Autor", -"Alternative source": "Localiza\u00e7\u00e3o alternativa", -"Paste your embed code below:": "Insira o c\u00f3digo de incorpora\u00e7\u00e3o abaixo:", -"Insert video": "Inserir v\u00eddeo", -"Embed": "Incorporar", -"Nonbreaking space": "Espa\u00e7amento n\u00e3o separ\u00e1vel", -"Page break": "Quebra de p\u00e1gina", -"Preview": "Pr\u00e9-visualizar", -"Print": "Imprimir", -"Save": "Guardar", -"Could not find the specified string.": "N\u00e3o foi poss\u00edvel localizar o termo especificado.", -"Replace": "Substituir", -"Next": "Pr\u00f3ximo", -"Whole words": "Palavras completas", -"Find and replace": "Localizar e substituir", -"Replace with": "Substituir por", -"Find": "Localizar", -"Replace all": "Substituir tudo", -"Match case": "Diferenciar mai\u00fasculas e min\u00fasculas", -"Prev": "Anterior", -"Spellcheck": "Corrector ortogr\u00e1fico", -"Finish": "Concluir", -"Ignore all": "Ignorar tudo", -"Ignore": "Ignorar", -"Insert row before": "Inserir linha antes", -"Rows": "Linhas", -"Height": "Altura", -"Paste row after": "Colar linha depois", -"Alignment": "Alinhamento", -"Column group": "Agrupar coluna", -"Row": "Linha", -"Insert column before": "Inserir coluna antes", -"Split cell": "Dividir c\u00e9lula", -"Cell padding": "Espa\u00e7amento interno da c\u00e9lula", -"Cell spacing": "Espa\u00e7amento da c\u00e9lula", -"Row type": "Tipo de linha", -"Insert table": "Inserir tabela", -"Body": "Corpo", -"Caption": "Legenda", -"Footer": "Rodap\u00e9", -"Delete row": "Eliminar linha", -"Paste row before": "Colar linha antes", -"Scope": "Escopo", -"Delete table": "Eliminar tabela", -"Header cell": "Cabe\u00e7alho da c\u00e9lula", -"Column": "Coluna", -"Cell": "C\u00e9lula", -"Header": "Cabe\u00e7alho", -"Cell type": "Tipo de c\u00e9lula", -"Copy row": "Copiar linha", -"Row properties": "Propriedades da linha", -"Table properties": "Propriedades da tabela", -"Row group": "Agrupar linha", -"Right": "Direita", -"Insert column after": "Inserir coluna depois", -"Cols": "Colunas", -"Insert row after": "Inserir linha depois", -"Width": "Largura", -"Cell properties": "Propriedades da c\u00e9lula", -"Left": "Esquerda", -"Cut row": "Cortar linha", -"Delete column": "Eliminar coluna", -"Center": "Centro", -"Merge cells": "Unir c\u00e9lulas", -"Insert template": "Inserir modelo", -"Templates": "Modelos", -"Background color": "Cor de fundo", -"Text color": "Cor do texto", -"Show blocks": "Mostrar blocos", -"Show invisible characters": "Mostrar caracteres \u00ednvisiveis", -"Words: {0}": "Palavras: {0}", -"Insert": "Inserir", -"File": "Ficheiro", -"Edit": "Editar", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u00c1rea de texto formatado. Pressione ALT-F9 para exibir o menu. Pressione ALT-F10 para exibir a barra de ferramentas. Pressione ALT-0 para exibir a ajuda", -"Tools": "Ferramentas", -"View": "Ver", -"Table": "Tabela", -"Format": "Formatar" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/readme.md b/deform/static/tinymce/langs/readme.md deleted file mode 100644 index a52bf03f..00000000 --- a/deform/static/tinymce/langs/readme.md +++ /dev/null @@ -1,3 +0,0 @@ -This is where language files should be placed. - -Please DO NOT translate these directly use this service: https://www.transifex.com/projects/p/tinymce/ diff --git a/deform/static/tinymce/langs/ro.js b/deform/static/tinymce/langs/ro.js index b3f49734..f1cbd020 100644 --- a/deform/static/tinymce/langs/ro.js +++ b/deform/static/tinymce/langs/ro.js @@ -1,174 +1 @@ -tinymce.addI18n('ro',{ -"Cut": "Decupeaz\u0103", -"Header 2": "Antet 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Browserul dumneavoastr\u0103 nu support\u0103 acces direct la clipboard. Folosi\u0163i combina\u0163ile de tastatur\u0103 Ctrl+X\/C\/V.", -"Div": "Div", -"Paste": "Lipe\u015fte", -"Close": "\u00cenchide", -"Pre": "Pre", -"Align right": "Aliniere la dreapta", -"New document": "Document nou", -"Blockquote": "Men\u0163iune bloc", -"Numbered list": "List\u0103 ordonat\u0103", -"Increase indent": "Indenteaz\u0103", -"Formats": "Formate", -"Headers": "Antete", -"Select all": "Selecteaz\u0103 tot", -"Header 3": "Antet 3", -"Blocks": "Blocuri", -"Undo": "Reexecut\u0103", -"Strikethrough": "T\u0103iat", -"Bullet list": "List\u0103 neordonat\u0103", -"Header 1": "Antet 1", -"Superscript": "Superscript", -"Clear formatting": "\u015eterge format\u0103rile", -"Subscript": "Subscript", -"Header 6": "Antet 6", -"Redo": "Dezexecut\u0103", -"Paragraph": "Paragraf", -"Ok": "Ok", -"Bold": "\u00cengro\u015fat", -"Code": "Cod", -"Italic": "Italic", -"Align center": "Centrare", -"Header 5": "Antet 5", -"Decrease indent": "De-indenteaz\u0103", -"Header 4": "Antet 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Inserarea este acum \u00een modul text simplu. Con\u021binutul va fi inserat ca \u0219i text simplu p\u00e2n\u0103 c\u00e2nd nu schimba\u021bi \u00eenapoi op\u021biune.", -"Underline": "Subliniat", -"Cancel": "Anuleaz\u0103", -"Justify": "Aliniere pe toat\u0103 l\u0103\u021bimea", -"Inline": "Inline", -"Copy": "Copiaz\u0103", -"Align left": "Aliniere la st\u00e2nga", -"Visual aids": "Ajutor vizual", -"Lower Greek": "Minuscule Grecesti", -"Square": "P\u0103trat", -"Default": "Implicit", -"Lower Alpha": "Minuscule Alfanumerice", -"Circle": "Cerc", -"Disc": "Disc", -"Upper Alpha": "Majuscule Alfanumerice", -"Upper Roman": "Majuscule Romane", -"Lower Roman": "Minuscule Romane", -"Name": "Nume", -"Anchor": "Ancor\u0103", -"You have unsaved changes are you sure you want to navigate away?": "Ave\u021bi modific\u0103ri nesalvate! Sunte\u0163i sigur c\u0103 dori\u0163i s\u0103 ie\u015fiti?", -"Restore last draft": "Restaurare la ultima salvare", -"Special character": "Caractere speciale", -"Source code": "Codul surs\u0103", -"Right to left": "Dreapta la st\u00e2nga", -"Left to right": "St\u00e2nga la dreapta", -"Emoticons": "Emoticoane", -"Robots": "Robo\u021bi", -"Document properties": "Propriet\u0103\u021bi document", -"Title": "Titlu", -"Keywords": "Cuvinte cheie", -"Encoding": "Codare", -"Description": "Descriere", -"Author": "Autor", -"Fullscreen": "Pe tot ecranul", -"Horizontal line": "Linie orizontal\u0103", -"Horizontal space": "Spa\u021biul orizontal", -"Insert\/edit image": "Inserare\/editarea imaginilor", -"General": "General", -"Advanced": "Avansat", -"Source": "Surs\u0103", -"Border": "Bordur\u0103", -"Constrain proportions": "Constr\u00e2nge propor\u021biile", -"Vertical space": "Spa\u021biul vertical", -"Image description": "Descrierea imaginii", -"Style": "Stil", -"Dimensions": "Dimensiuni", -"Insert image": "Inserare imagine", -"Insert date\/time": "Insereaz\u0103 data\/ora", -"Remove link": "\u0218terge link-ul", -"Url": "Url", -"Text to display": "Text de afi\u0219at", -"Anchors": "Ancor\u0103", -"Insert link": "Inserare link", -"New window": "Fereastr\u0103 nou\u0103", -"None": "Nici unul", -"Target": "\u021aint\u0103", -"Insert\/edit link": "Inserare\/editare link", -"Insert\/edit video": "Inserare\/editare video", -"Poster": "Poster", -"Alternative source": "Surs\u0103 alternativ\u0103", -"Paste your embed code below:": "Insera\u021bi codul:", -"Insert video": "Inserare video", -"Embed": "Embed", -"Nonbreaking space": "Spa\u021biu neseparator", -"Page break": "\u00centrerupere de pagin\u0103", -"Preview": "Previzualizare", -"Print": "Tip\u0103re\u0219te", -"Save": "Salveaz\u0103", -"Could not find the specified string.": "Nu am putut g\u0103si \u0219irul specificat.", -"Replace": "\u00cenlocuie\u015fte", -"Next": "Precedent", -"Whole words": "Doar cuv\u00eentul \u00eentreg", -"Find and replace": "Caut\u0103 \u015fi \u00eenlocuie\u015fte", -"Replace with": "\u00cenlocuie\u015fte cu", -"Find": "Caut\u0103", -"Replace all": "\u00cenlocuie\u015fte toate", -"Match case": "Distinge majuscule\/minuscule", -"Prev": "Anterior", -"Spellcheck": "Verificarea ortografic\u0103", -"Finish": "Finalizeaz\u0103", -"Ignore all": "Ignor\u0103 toate", -"Ignore": "Ignor\u0103", -"Insert row before": "Insereaz\u0103 \u00eenainte de linie", -"Rows": "Linii", -"Height": "\u00cen\u0103l\u0163ime", -"Paste row after": "Lipe\u015fte linie dup\u0103", -"Alignment": "Aliniament", -"Column group": "Grup de coloane", -"Row": "Linie", -"Insert column before": "Insereaza \u00eenainte de coloan\u0103", -"Split cell": "\u00cemp\u0103r\u021birea celulelor", -"Cell padding": "Spa\u021biere", -"Cell spacing": "Spa\u021biere celule", -"Row type": "Tip de linie", -"Insert table": "Insereaz\u0103 tabel\u0103", -"Body": "Corp", -"Caption": "Titlu", -"Footer": "Subsol", -"Delete row": "\u0218terge linia", -"Paste row before": "Lipe\u015fte \u00eenainte de linie", -"Scope": "Domeniu", -"Delete table": "\u0218terge tabel\u0103", -"Header cell": "Antet celul\u0103", -"Column": "Coloan\u0103", -"Cell": "Celul\u0103", -"Header": "Antet", -"Cell type": "Tip celul\u0103", -"Copy row": "Copiaz\u0103 linie", -"Row properties": "Propriet\u0103\u021bi linie", -"Table properties": "Propriet\u0103\u021bi tabel\u0103", -"Row group": "Grup de linii", -"Right": "Dreapta", -"Insert column after": "Insereaza dup\u0103 coloan\u0103", -"Cols": "Coloane", -"Insert row after": "Insereaz\u0103 dup\u0103 linie", -"Width": "L\u0103\u0163ime", -"Cell properties": "Propriet\u0103\u021bi celul\u0103", -"Left": "St\u00e2nga", -"Cut row": "Taie linie", -"Delete column": "\u0218terge coloana", -"Center": "Centru", -"Merge cells": "\u00cembinarea celulelor", -"Insert template": "Insereaz\u0103 \u0219ablon", -"Templates": "\u015eabloane", -"Background color": "Culoare fundal", -"Text color": "Culoare text", -"Show blocks": "Afi\u0219are blocuri", -"Show invisible characters": "Afi\u0219are caractere invizibile", -"Words: {0}": "Cuvinte: {0}", -"Insert": "Insereaz\u0103", -"File": "Fil\u0103", -"Edit": "Editeaz\u0103", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Zon\u0103 cu Rich Text. Apas\u0103 ALT-F9 pentru meniu. Apas\u0103 ALT-F10 pentru bara de unelte. Apas\u0103 ALT-0 pentru ajutor", -"Tools": "Unelte", -"View": "Vezi", -"Table": "Tabel\u0103", -"Format": "Formateaz\u0103" -}); \ No newline at end of file +tinymce.addI18n("ro",{"Redo":"Refacere","Undo":"Anulare","Cut":"Decupare","Copy":"Copiere","Paste":"Lipire","Select all":"Selecteaz\u0103 tot","New document":"Document nou","Ok":"Ok","Cancel":"Revocare","Visual aids":"Ajutoare vizuale","Bold":"Aldin","Italic":"Cursiv","Underline":"Subliniere","Strikethrough":"T\u0103iere","Superscript":"Exponent","Subscript":"Indice","Clear formatting":"\xcendep\u0103rtare formatare","Remove":"\u0218terge","Align left":"Aliniere st\xe2nga","Align center":"Aliniere centru","Align right":"Aliniere dreapta","No alignment":"F\u0103r\u0103 aliniere","Justify":"Aliniere st\xe2nga-dreapta","Bullet list":"List\u0103 marcatori","Numbered list":"List\u0103 numerotat\u0103","Decrease indent":"Mic\u0219orare indent","Increase indent":"M\u0103rire indent","Close":"\xcenchidere","Formats":"Formate","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Browser-ul dumneavoastr\u0103 nu are acces direct la clipboard. V\u0103 rug\u0103m s\u0103 folosi\u021bi \xeen schimb scurt\u0103turile de tastatur\u0103 Ctrl+X/C/V.","Headings":"Rubrici","Heading 1":"Titlu 1","Heading 2":"Titlu 2","Heading 3":"Titlu 3","Heading 4":"Titlu 4","Heading 5":"Titlu 5","Heading 6":"Titlu 6","Preformatted":"Preformatat","Div":"Div","Pre":"Pre","Code":"Cod","Paragraph":"Paragraf","Blockquote":"Bloc de citate","Inline":"\xcen linie","Blocks":"Blocuri","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Lipirea este \xeen mod text simplu. Con\u021binutul va fi lipit ca text simplu p\xe2n\u0103 dezactiva\u021bi aceast\u0103 op\u021biune.","Fonts":"Fonturi","Font sizes":"Dimensiuni de font","Class":"Clas\u0103","Browse for an image":"C\u0103uta\u021bi o imagine","OR":"SAU","Drop an image here":"Glisa\u021bi o imagine aici","Upload":"\xcenc\u0103rcare","Uploading image":"","Block":"Sec\u021biune","Align":"Aliniere","Default":"Implicit","Circle":"Cerc","Disc":"Punct","Square":"P\u0103trat","Lower Alpha":"Litere mici","Lower Greek":"Grecesc mic","Lower Roman":"Cifre romane mici","Upper Alpha":"Litere mari","Upper Roman":"Cifre romane mari","Anchor...":"Ancor\u0103\u2026","Anchor":"Ancor\u0103","Name":"Nume","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID-ul trebuie s\u0103 \xeenceap\u0103 cu o liter\u0103, urmat\u0103 doar de litere, cifre, liniu\u021be, puncte, dou\u0103 puncte sau litere de subliniere.","You have unsaved changes are you sure you want to navigate away?":"Ave\u021bi modific\u0103ri nesalvate. Sigur dori\u021bi s\u0103 naviga\u021bi \xeen alt\u0103 parte?","Restore last draft":"Restabili\u021bi ultima ciorn\u0103","Special character...":"Caracter special\u2026","Special Character":"Caracter special","Source code":"Cod surs\u0103","Insert/Edit code sample":"Inserare/Editare mostr\u0103 cod","Language":"Limb\u0103","Code sample...":"Mostr\u0103 cod\u2026","Left to right":"St\xe2nga la dreapta","Right to left":"Dreapta la st\xe2nga","Title":"Titlu","Fullscreen":"Ecran complet","Action":"Ac\u0163iune","Shortcut":"Comand\u0103 rapid\u0103","Help":"Ajutor","Address":"Adres\u0103","Focus to menubar":"Centrare pe bara de meniuri","Focus to toolbar":"Centrare pe bara de unelte","Focus to element path":"Centrare pe calea elementului","Focus to contextual toolbar":"Centrare pe bara de unelte contextual\u0103","Insert link (if link plugin activated)":"Inserare link (dac\u0103 modulul de link-uri este activat)","Save (if save plugin activated)":"Salvare (dac\u0103 modulul de salvare este activat)","Find (if searchreplace plugin activated)":"C\u0103utare (dac\u0103 modulul de c\u0103utare \u0219i \xeenlocuire este activat)","Plugins installed ({0}):":"Module instalate ({0}):","Premium plugins:":"Module premium:","Learn more...":"Afla\u021bi mai multe\u2026","You are using {0}":"Folosi\u021bi {0}","Plugins":"Inserturi","Handy Shortcuts":"Comenzi rapide accesibile","Horizontal line":"Linie orizontal\u0103","Insert/edit image":"Inserare/editare imagini","Alternative description":"Descriere alternativ\u0103","Accessibility":"Accesibilitate","Image is decorative":"Imaginea este decorativ\u0103","Source":"Surs\u0103","Dimensions":"Dimensiuni","Constrain proportions":"Restric\u021bionare propor\u021bii","General":"General","Advanced":"Complex","Style":"Stil","Vertical space":"Spa\u0163iu vertical","Horizontal space":"Spa\u0163iu orizontal","Border":"Chenar","Insert image":"Inserare imagine","Image...":"Imagine\u2026","Image list":"List\u0103 de imagini","Resize":"Redimensionare","Insert date/time":"Inserare dat\u0103/or\u0103","Date/time":"Dat\u0103/or\u0103","Insert/edit link":"Inserare/editare link","Text to display":"Text de afi\u0219at","Url":"Url","Open link in...":"Deschide link \xeen\u2026","Current window":"Fereastra curent\u0103","None":"Nu se utilizeaz\u0103 (acest c\xe2mp)","New window":"Fereastr\u0103 nou\u0103","Open link":"Deschide leg\u0103tur\u0103","Remove link":"Eliminare link","Anchors":"Ancore","Link...":"Link\u2026","Paste or type a link":"Lipi\u021bi sau scrie\u021bi un link","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL-ul introdus pare a fi o adres\u0103 de e-mail. Dori\u021bi s\u0103 ad\u0103uga\u021bi prefixul mailto: necesar?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL-ul introdus pare a fi un link extern. Dori\u021bi s\u0103 ad\u0103uga\u021bi prefixul http:// necesar?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Adresa URL pe care a\u021bi introdus-o pare a fi un leg\u0103tur\u0103 extern\u0103. Dori\u021bi s\u0103 ad\u0103uga\u021bi prefixul https:// necesar?","Link list":"List\u0103 linkuri","Insert video":"Inserare video","Insert/edit video":"Inserare/editare video","Insert/edit media":"Inserare/editare media","Alternative source":"Surs\u0103 alternativ\u0103","Alternative source URL":"URL surs\u0103 alternativ\u0103","Media poster (Image URL)":"Poster media (URL imagine)","Paste your embed code below:":"Lipi\u021bi codul de \xeencorporare mai jos:","Embed":"\xcencorporare","Media...":"Media\u2026","Nonbreaking space":"Spa\u021biu f\u0103r\u0103 \xeentreruperi","Page break":"\xcentrerupere de pagin\u0103","Paste as text":"Lipire ca text","Preview":"Previzualizare","Print":"Imprimare","Print...":"Tip\u0103rire\u2026","Save":"Salvare","Find":"G\u0103sire","Replace with":"\xcenlocuire cu","Replace":"\xcenlocuire","Replace all":"\xcenlocuire peste tot","Previous":"Anterior","Next":"Urm\u0103torul","Find and Replace":"G\u0103si\u021bi \u0219i \xeenlocui\u021bi","Find and replace...":"C\u0103utare \u0219i \xeenlocuire\u2026","Could not find the specified string.":"Nu s-a g\u0103sit \u0219irul indicat.","Match case":"Potrivire litere mari \u0219i mici","Find whole words only":"G\u0103se\u0219te doar cuvintele \xeentregi","Find in selection":"G\u0103si\u021bi \xeen selec\u021bie","Insert table":"Inserare tabel","Table properties":"Propriet\u0103\u021bi tabel","Delete table":"Eliminare tabel","Cell":"Celul\u0103","Row":"R\xe2nd","Column":"Coloan\u0103","Cell properties":"Propriet\u0103\u021bi celul\u0103","Merge cells":"\xcembinare celule","Split cell":"Scindare celul\u0103","Insert row before":"Inserare r\xe2nd \xeenainte","Insert row after":"Inserare r\xe2nd dup\u0103","Delete row":"Eliminare r\xe2nd","Row properties":"Propriet\u0103\u021bi r\xe2nd","Cut row":"Decupare r\xe2nd","Cut column":"T\u0103ia\u021bi coloana","Copy row":"Copiere r\xe2nd","Copy column":"Copia\u021bi coloana","Paste row before":"Lipire r\xe2nd \xeenainte","Paste column before":"Inserare coloan\u0103 \xeenainte","Paste row after":"Lipire r\xe2nd dup\u0103","Paste column after":"Inserare coloan\u0103 dup\u0103","Insert column before":"Inserare coloan\u0103 \xeenainte","Insert column after":"Inserare coloan\u0103 dup\u0103","Delete column":"Eliminare coloan\u0103","Cols":"Coloane","Rows":"R\xe2nduri","Width":"L\u0103\u021bime","Height":"\xcen\u0103l\u021bime","Cell spacing":"Spa\u021biere celul\u0103","Cell padding":"Spa\u021biere \xeen celul\u0103","Row clipboard actions":"Ac\u021biuni clipboard pe r\xe2nd","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Titlu","Show caption":"Afi\u0219are captur\u0103","Left":"St\xe2nga","Center":"Centru","Right":"Dreapta","Cell type":"Tip celul\u0103","Scope":"Domeniu","Alignment":"Aliniere","Horizontal align":"","Vertical align":"","Top":"Sus","Middle":"Mijloc","Bottom":"Jos","Header cell":"Celul\u0103 de antet","Row group":"Grupare r\xe2nduri","Column group":"Grup coloane","Row type":"Tip r\xe2nd","Header":"","Body":"Corp","Footer":"","Border color":"Culoare chenar","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Inserare \u0219ablon\u2026","Templates":"\u0218abloane","Template":"\u0218ablon","Insert Template":"","Text color":"Culoare text","Background color":"Culoare fundal","Custom...":"Particularizare...","Custom color":"Culoare personalizat\u0103","No color":"F\u0103r\u0103 culoare","Remove color":"Eliminare culoare","Show blocks":"Arat\u0103 rubricile","Show invisible characters":"Arat\u0103 caracterele invizibile","Word count":"Num\u0103r\u0103toare cuvinte","Count":"Num\u0103r\u0103toare","Document":"","Selection":"Selec\u021bie","Words":"Cuvinte","Words: {0}":"Cuvinte: {0}","{0} words":"{0} cuvinte","File":"Fi\u0219ier","Edit":"Editare","Insert":"Inserare","View":"Vizualizare","Format":"","Table":"Tabel","Tools":"Unelte","Powered by {0}":"Sus\u021binut de {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Zon\u0103 Text Formatat. Ap\u0103sa\u021bi ALT-F9 pentru a accesa meniul. Ap\u0103sa\u021bi ALT-F10 pentru a accesa bara de unelte. Ap\u0103sa\u021bi ALT-0 pentru ajutor","Image title":"Titlu imagine","Border width":"Grosime chenar","Border style":"Stil chenar","Error":"Eroare","Warn":"Aten\u021bionare","Valid":"","To open the popup, press Shift+Enter":"Pentru a deschide fereastra popup, ap\u0103sa\u021bi Shift+Enter","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Zon\u0103 Text Formatat. Ap\u0103sa\u021bi ALT-0 pentru ajutor.","System Font":"Font Sistem","Failed to upload image: {0}":"Nu s-a putut \xeenc\u0103rca imaginea: {0}","Failed to load plugin: {0} from url {1}":"Nu s-a putut \xeenc\u0103rca modulul: {0} de la URL-ul {1}","Failed to load plugin url: {0}":"Nu s-a putut \xeenc\u0103rca URL-ul modulului: {0}","Failed to initialize plugin: {0}":"Nu s-a putut ini\u021bializa modulul: {0}","example":"exemplu","Search":"C\u0103utare","All":"Tot","Currency":"Moned\u0103","Text":"","Quotations":"Ghilimele","Mathematical":"Simboluri matematice","Extended Latin":"Simboluri alfabet latin extins","Symbols":"Simboluri","Arrows":"S\u0103ge\u021bi","User Defined":"Definite de utilizator","dollar sign":"simbol dolar","currency sign":"simbol moned\u0103","euro-currency sign":"simbol euro","colon sign":"dou\u0103 puncte","cruzeiro sign":"simbol cruzeiro","french franc sign":"simbol franc francez","lira sign":"simbol lir\u0103","mill sign":"simbol mill","naira sign":"simbol naira","peseta sign":"simbol peset\u0103","rupee sign":"simbol rupie","won sign":"simbol won","new sheqel sign":"simbol shekel nou","dong sign":"simbol dong","kip sign":"simbol kip","tugrik sign":"simbol tugrik","drachma sign":"simbol drahm\u0103","german penny symbol":"simbol peni german","peso sign":"simbol peso","guarani sign":"simbol guarani","austral sign":"simbol austral","hryvnia sign":"simbol grivn\u0103","cedi sign":"simbol cedi","livre tournois sign":"simbol livr\u0103 tournois","spesmilo sign":"simbol spesmilo","tenge sign":"simbol tenge","indian rupee sign":"simbol rupie indian\u0103","turkish lira sign":"simbol lir\u0103 turceasc\u0103","nordic mark sign":"simbol marc\u0103 nordic\u0103","manat sign":"simbol manat","ruble sign":"simbol rubl\u0103","yen character":"simbol yen","yuan character":"simbol yuan","yuan character, in hong kong and taiwan":"simbol yuan \xeen Hong Kong \u0219i Taiwan","yen/yuan character variant one":"simbol yen/yuan prima variant\u0103","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"Persoane","Animals and Nature":"Animale \u0219i natur\u0103","Food and Drink":"M\xe2ncare \u0219i b\u0103uturi","Activity":"Activit\u0103\u021bi","Travel and Places":"C\u0103l\u0103torii \u0219i loca\u021bii","Objects":"Obiecte","Flags":"Steaguri","Characters":"Caractere","Characters (no spaces)":"Caractere (f\u0103r\u0103 spa\u021bii)","{0} characters":"{0} caractere","Error: Form submit field collision.":"Eroare: Coliziune c\xe2mpuri la trimiterea formularului.","Error: No form element found.":"Eroare: Niciun element de formular g\u0103sit.","Color swatch":"Mostr\u0103 de culori","Color Picker":"Selector culori","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"Turcoaz","Green":"Verde","Blue":"Albastru","Purple":"Mov","Navy Blue":"Albastru marin","Dark Turquoise":"Turcoaz \xeenchis","Dark Green":"Verde \xeenchis","Medium Blue":"Albastru mediu","Medium Purple":"Mov mediu","Midnight Blue":"Albastru \xeenchis","Yellow":"Galben","Orange":"Portocaliu","Red":"Ro\u0219u","Light Gray":"Gri deschis","Gray":"Gri","Dark Yellow":"Galben \xeenchis","Dark Orange":"Portocaliu \xeenchis","Dark Red":"Ro\u0219u \xeenchis","Medium Gray":"Gri mediu","Dark Gray":"Gri \xeenchis","Light Green":"Verde deschis","Light Yellow":"Galben deschis","Light Red":"Ro\u015fu deschis","Light Purple":"Violet deschis","Light Blue":"Albastru deschis","Dark Purple":"Violet \xeenchis","Dark Blue":"Negru \xeenchis","Black":"Negru","White":"Alb","Switch to or from fullscreen mode":"Comutare pe sau de la modul ecran complet","Open help dialog":"Deschide dialogul de ajutor","history":"istoric","styles":"stiluri","formatting":"formatare","alignment":"aliniere","indentation":"indentare","Font":"","Size":"Dimensiuni","More...":"Mai multe...","Select...":"Selectare...","Preferences":"Preferin\u021be","Yes":"Da","No":"Nu","Keyboard Navigation":"Navigare de la tastatur\u0103","Version":"Versiune","Code view":"Vizualizare cod","Open popup menu for split buttons":"Deschide\u021bi meniul pop-up pentru butoanele divizate","List Properties":"Propriet\u0103\u021bi list\u0103","List properties...":"Propriet\u0103\u021bi list\u0103...","Start list at number":"\xcencepe\u021bi lista la num\u0103rul","Line height":"\xcen\u0103l\u021bimea liniei","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ru.js b/deform/static/tinymce/langs/ru.js index 618a9a20..6ab0e126 100644 --- a/deform/static/tinymce/langs/ru.js +++ b/deform/static/tinymce/langs/ru.js @@ -1,175 +1 @@ -tinymce.addI18n('ru',{ -"Cut": "\u0412\u044b\u0440\u0435\u0437\u0430\u0442\u044c", -"Header 2": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0412\u0430\u0448 \u0431\u0440\u0430\u0443\u0437\u0435\u0440 \u043d\u0435 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442 \u043f\u0440\u044f\u043c\u043e\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0431\u0443\u0444\u0435\u0440\u0443 \u043e\u0431\u043c\u0435\u043d\u0430. \u041f\u043e\u0436\u0430\u043b\u0443\u0439\u0441\u0442\u0430, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0441\u043e\u0447\u0435\u0442\u0430\u043d\u0438\u044f \u043a\u043b\u0430\u0432\u0438\u0448: Ctrl+X\/C\/V.", -"Div": "\u0411\u043b\u043e\u043a", -"Paste": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c", -"Close": "\u0417\u0430\u043a\u0440\u044b\u0442\u044c", -"Pre": "\u041f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435", -"Align right": "\u041f\u043e \u043f\u0440\u0430\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"New document": "\u041d\u043e\u0432\u044b\u0439 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442", -"Blockquote": "\u0426\u0438\u0442\u0430\u0442\u0430", -"Numbered list": "\u041d\u0443\u043c\u0435\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0439 \u0441\u043f\u0438\u0441\u043e\u043a", -"Increase indent": "\u0423\u0432\u0435\u043b\u0438\u0447\u0438\u0442\u044c \u043e\u0442\u0441\u0442\u0443\u043f", -"Formats": "\u0424\u043e\u0440\u043c\u0430\u0442", -"Headers": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0438", -"Select all": "\u0412\u044b\u0434\u0435\u043b\u0438\u0442\u044c \u0432\u0441\u0435", -"Header 3": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 3", -"Blocks": "\u0411\u043b\u043e\u043a\u0438", -"Undo": "\u0412\u0435\u0440\u043d\u0443\u0442\u044c", -"Strikethrough": "\u0417\u0430\u0447\u0435\u0440\u043a\u043d\u0443\u0442\u044b\u0439", -"Bullet list": "\u041c\u0430\u0440\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0439 \u0441\u043f\u0438\u0441\u043e\u043a", -"Header 1": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 1", -"Superscript": "\u0412\u0435\u0440\u0445\u043d\u0438\u0439 \u0438\u043d\u0434\u0435\u043a\u0441", -"Clear formatting": "\u041e\u0447\u0438\u0441\u0442\u0438\u0442\u044c \u0444\u043e\u0440\u043c\u0430\u0442", -"Subscript": "\u041d\u0438\u0436\u043d\u0438\u0439 \u0438\u043d\u0434\u0435\u043a\u0441", -"Header 6": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 6", -"Redo": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c", -"Paragraph": "\u041f\u0430\u0440\u0430\u0433\u0440\u0430\u0444", -"Ok": "\u041e\u043a", -"Bold": "\u041f\u043e\u043b\u0443\u0436\u0438\u0440\u043d\u044b\u0439", -"Code": "\u041a\u043e\u0434", -"Italic": "\u041a\u0443\u0440\u0441\u0438\u0432", -"Align center": "\u041f\u043e \u0446\u0435\u043d\u0442\u0440\u0443", -"Header 5": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 5", -"Decrease indent": "\u0423\u043c\u0435\u043d\u044c\u0448\u0438\u0442\u044c \u043e\u0442\u0441\u0442\u0443\u043f", -"Header 4": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u0412\u0441\u0442\u0430\u0432\u043a\u0430 \u043e\u0441\u0443\u0449\u0435\u0441\u0442\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0432 \u0432\u0438\u0434\u0435 \u043f\u0440\u043e\u0441\u0442\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0430, \u043f\u043e\u043a\u0430 \u043d\u0435 \u043e\u0442\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u043e\u043f\u0446\u0438\u044e.", -"Underline": "\u041f\u043e\u0434\u0447\u0435\u0440\u043a\u043d\u0443\u0442\u044b\u0439", -"Cancel": "\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c", -"Justify": "\u041f\u043e \u0448\u0438\u0440\u0438\u043d\u0435", -"Inline": "\u0421\u0442\u0440\u043e\u0447\u043d\u044b\u0435", -"Copy": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c", -"Align left": "\u041f\u043e \u043b\u0435\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"Visual aids": "\u041f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043a\u043e\u043d\u0442\u0443\u0440\u044b", -"Lower Greek": "\u0421\u0442\u0440\u043e\u0447\u043d\u044b\u0435 \u0433\u0440\u0435\u0447\u0435\u0441\u043a\u0438\u0435 \u0431\u0443\u043a\u0432\u044b", -"Square": "\u041a\u0432\u0430\u0434\u0440\u0430\u0442\u044b", -"Default": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439", -"Lower Alpha": "\u0421\u0442\u0440\u043e\u0447\u043d\u044b\u0435 \u043b\u0430\u0442\u0438\u043d\u0441\u043a\u0438\u0435 \u0431\u0443\u043a\u0432\u044b", -"Circle": "\u041e\u043a\u0440\u0443\u0436\u043d\u043e\u0441\u0442\u0438", -"Disc": "\u041a\u0440\u0443\u0433\u0438", -"Upper Alpha": "\u0417\u0430\u0433\u043b\u0430\u0432\u043d\u044b\u0435 \u043b\u0430\u0442\u0438\u043d\u0441\u043a\u0438\u0435 \u0431\u0443\u043a\u0432\u044b", -"Upper Roman": "\u0417\u0430\u0433\u043b\u0430\u0432\u043d\u044b\u0435 \u0440\u0438\u043c\u0441\u043a\u0438\u0435 \u0446\u0438\u0444\u0440\u044b", -"Lower Roman": "\u0421\u0442\u0440\u043e\u0447\u043d\u044b\u0435 \u0440\u0438\u043c\u0441\u043a\u0438\u0435 \u0446\u0438\u0444\u0440\u044b", -"Name": "\u0418\u043c\u044f", -"Anchor": "\u042f\u043a\u043e\u0440\u044c", -"You have unsaved changes are you sure you want to navigate away?": "\u0423 \u0432\u0430\u0441 \u0435\u0441\u0442\u044c \u043d\u0435 \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u043d\u044b\u0435 \u0438\u0437\u043c\u0435\u043d\u0435\u043d\u0438\u044f. \u0412\u044b \u0443\u0432\u0435\u0440\u0435\u043d\u044b, \u0447\u0442\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0443\u0439\u0442\u0438?", -"Restore last draft": "\u0412\u043e\u0441\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0433\u043e \u043f\u0440\u043e\u0435\u043a\u0442\u0430", -"Special character": "\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0435 \u0441\u0438\u043c\u0432\u043e\u043b\u044b", -"Source code": "\u0418\u0441\u0445\u043e\u0434\u043d\u044b\u0439 \u043a\u043e\u0434", -"Right to left": "\u041d\u0430\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043f\u0440\u0430\u0432\u0430 \u043d\u0430\u043b\u0435\u0432\u043e", -"Left to right": "\u041d\u0430\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441\u043b\u0435\u0432\u0430 \u043d\u0430\u043f\u0440\u0430\u0432\u043e", -"Emoticons": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0441\u043c\u0430\u0439\u043b", -"Robots": "\u0420\u043e\u0431\u043e\u0442\u044b", -"Document properties": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430", -"Title": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Keywords": "\u041a\u043b\u044e\u0447\u0438\u0432\u044b\u0435 \u0441\u043b\u043e\u0432\u0430", -"Encoding": "\u041a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0430", -"Description": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435", -"Author": "\u0410\u0432\u0442\u043e\u0440", -"Fullscreen": "\u041f\u043e\u043b\u043d\u043e\u044d\u043a\u0440\u0430\u043d\u043d\u044b\u0439 \u0440\u0435\u0436\u0438\u043c", -"Horizontal line": "\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0430\u044f \u043b\u0438\u043d\u0438\u044f", -"Horizontal space": "\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u044b\u0439 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b", -"Insert\/edit image": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c\/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", -"General": "\u041e\u0431\u0449\u0435\u0435", -"Advanced": "\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u044b\u0435", -"Source": "\u0418\u0441\u0442\u043e\u0447\u043d\u0438\u043a", -"Border": "\u0420\u0430\u043c\u043a\u0430", -"Constrain proportions": "\u0421\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0438\u0438", -"Vertical space": "\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u044c\u043d\u044b\u0439 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b", -"Image description": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f", -"Style": "\u0421\u0442\u0438\u043b\u044c", -"Dimensions": "\u0420\u0430\u0437\u043c\u0435\u0440", -"Insert image": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", -"Insert date\/time": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0434\u0430\u0442\u0443\/\u0432\u0440\u0435\u043c\u044f", -"Remove link": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443", -"Url": "\u0410\u0434\u0440\u0435\u0441 \u0441\u0441\u044b\u043b\u043a\u0438", -"Text to display": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u044b\u0439 \u0442\u0435\u043a\u0441\u0442", -"Anchors": "\u042f\u043a\u043e\u0440\u044f", -"Insert link": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443", -"New window": "\u0412 \u043d\u043e\u0432\u043e\u043c \u043e\u043a\u043d\u0435", -"None": "\u041d\u0435\u0442", -"Target": "\u041e\u0442\u043a\u0440\u044b\u0432\u0430\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443", -"Insert\/edit link": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c\/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443", -"Insert\/edit video": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c\/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u0438\u0434\u0435\u043e", -"Poster": "\u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435", -"Alternative source": "\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u044b\u0439 \u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a", -"Paste your embed code below:": "\u0412\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u0432\u0430\u0448 \u043a\u043e\u0434 \u043d\u0438\u0436\u0435:", -"Insert video": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0432\u0438\u0434\u0435\u043e", -"Embed": "\u041a\u043e\u0434 \u0434\u043b\u044f \u0432\u0441\u0442\u0430\u0432\u043a\u0438", -"Nonbreaking space": "\u041d\u0435\u0440\u0430\u0437\u0440\u044b\u0432\u043d\u044b\u0439 \u043f\u0440\u043e\u0431\u0435\u043b", -"Page break": "\u0420\u0430\u0437\u0440\u044b\u0432 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b", -"Paste as text": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043a\u0430\u043a \u0442\u0435\u043a\u0441\u0442", -"Preview": "\u041f\u0440\u0435\u0434\u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440", -"Print": "\u041f\u0435\u0447\u0430\u0442\u044c", -"Save": "\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c", -"Could not find the specified string.": "\u0417\u0430\u0434\u0430\u043d\u043d\u0430\u044f \u0441\u0442\u0440\u043e\u043a\u0430 \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u0430", -"Replace": "\u0417\u0430\u043c\u0435\u043d\u0438\u0442\u044c", -"Next": "\u0412\u043d\u0438\u0437", -"Whole words": "\u0421\u043b\u043e\u0432\u043e \u0446\u0435\u043b\u0438\u043a\u043e\u043c", -"Find and replace": "\u041f\u043e\u0438\u0441\u043a \u0438 \u0437\u0430\u043c\u0435\u043d\u0430", -"Replace with": "\u0417\u0430\u043c\u0435\u043d\u0438\u0442\u044c \u043d\u0430", -"Find": "\u041d\u0430\u0439\u0442\u0438", -"Replace all": "\u0417\u0430\u043c\u0435\u043d\u0438\u0442\u044c \u0432\u0441\u0435", -"Match case": "\u0423\u0447\u0438\u0442\u044b\u0432\u0430\u0442\u044c \u0440\u0435\u0433\u0438\u0441\u0442\u0440", -"Prev": "\u0412\u0432\u0435\u0440\u0445", -"Spellcheck": "\u041f\u0440\u043e\u0432\u0435\u0440\u0438\u0442\u044c \u043f\u0440\u0430\u0432\u043e\u043f\u0438\u0441\u0430\u043d\u0438\u0435", -"Finish": "\u0417\u0430\u043a\u043e\u043d\u0447\u0438\u0442\u044c", -"Ignore all": "\u0418\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u0441\u0435", -"Ignore": "\u0418\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c", -"Insert row before": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u0443\u044e \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u0432\u0435\u0440\u0445\u0443", -"Rows": "\u0421\u0442\u0440\u043e\u043a\u0438", -"Height": "\u0412\u044b\u0441\u043e\u0442\u0430", -"Paste row after": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u043d\u0438\u0437\u0443", -"Alignment": "\u0412\u044b\u0440\u0430\u0432\u043d\u0438\u0432\u0430\u043d\u0438\u0435", -"Column group": "\u0413\u0440\u0443\u043f\u043f\u0430 \u043a\u043e\u043b\u043e\u043d\u043e\u043a", -"Row": "\u0421\u0442\u0440\u043e\u043a\u0430", -"Insert column before": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446 \u0441\u043b\u0435\u0432\u0430", -"Split cell": "\u0420\u0430\u0437\u0431\u0438\u0442\u044c \u044f\u0447\u0435\u0439\u043a\u0443", -"Cell padding": "\u0412\u043d\u0443\u0442\u0440\u0435\u043d\u043d\u0438\u0439 \u043e\u0442\u0441\u0442\u0443\u043f", -"Cell spacing": "\u0412\u043d\u0435\u0448\u043d\u0438\u0439 \u043e\u0442\u0441\u0442\u0443\u043f", -"Row type": "\u0422\u0438\u043f \u0441\u0442\u0440\u043e\u043a\u0438", -"Insert table": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0442\u0430\u0431\u043b\u0438\u0446\u0443", -"Body": "\u0422\u0435\u043b\u043e", -"Caption": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Footer": "\u041d\u0438\u0437", -"Delete row": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443", -"Paste row before": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u0432\u0435\u0440\u0445\u0443", -"Scope": "Scope", -"Delete table": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0442\u0430\u0431\u043b\u0438\u0446\u0443", -"Header cell": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Column": "\u0421\u0442\u043e\u043b\u0431\u0435\u0446", -"Cell": "\u042f\u0447\u0435\u0439\u043a\u0430", -"Header": "\u0428\u0430\u043f\u043a\u0430", -"Cell type": "\u0422\u0438\u043f \u044f\u0447\u0435\u0439\u043a\u0438", -"Copy row": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443", -"Row properties": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u0442\u0440\u043e\u043a\u0438", -"Table properties": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u044b", -"Row group": "\u0413\u0440\u0443\u043f\u043f\u0430 \u0441\u0442\u0440\u043e\u043a", -"Right": "\u041f\u043e \u043f\u0440\u0430\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"Insert column after": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446 \u0441\u043f\u0440\u0430\u0432\u0430", -"Cols": "\u0421\u0442\u043e\u043b\u0431\u0446\u044b", -"Insert row after": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u0443\u044e \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u043d\u0438\u0437\u0443", -"Width": "\u0428\u0438\u0440\u0438\u043d\u0430", -"Cell properties": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u044f\u0447\u0435\u0439\u043a\u0438", -"Left": "\u041f\u043e \u043b\u0435\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"Cut row": "\u0412\u044b\u0440\u0435\u0437\u0430\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443", -"Delete column": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446", -"Center": "\u041f\u043e \u0446\u0435\u043d\u0442\u0440\u0443", -"Merge cells": "\u041e\u0431\u044a\u0435\u0434\u0438\u043d\u0438\u0442\u044c \u044f\u0447\u0435\u0439\u043a\u0438", -"Insert template": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0448\u0430\u0431\u043b\u043e\u043d", -"Templates": "\u0428\u0430\u0431\u043b\u043e\u043d\u044b", -"Background color": "\u0426\u0432\u0435\u0442 \u0444\u043e\u043d\u0430", -"Text color": "\u0426\u0432\u0435\u0442 \u0442\u0435\u043a\u0441\u0442\u0430", -"Show blocks": "\u041f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u0431\u043b\u043e\u043a\u0438", -"Show invisible characters": "\u041f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043d\u0435\u0432\u0438\u0434\u0438\u043c\u044b\u0435 \u0441\u0438\u043c\u0432\u043e\u043b\u044b", -"Words: {0}": "\u041a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u043e \u0441\u043b\u043e\u0432: {0}", -"Insert": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c", -"File": "\u0424\u0430\u0439\u043b", -"Edit": "\u0418\u0437\u043c\u0435\u043d\u0438\u0442\u044c", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u0422\u0435\u043a\u0441\u0442\u043e\u0432\u043e\u0435 \u043f\u043e\u043b\u0435. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 ALT-F9 \u0447\u0442\u043e\u0431\u044b \u0432\u044b\u0437\u0432\u0430\u0442\u044c \u043c\u0435\u043d\u044e, ALT-F10 \u043f\u0430\u043d\u0435\u043b\u044c \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u043e\u0432, ALT-0 \u0434\u043b\u044f \u0432\u044b\u0437\u043e\u0432\u0430 \u043f\u043e\u043c\u043e\u0449\u0438.", -"Tools": "\u0418\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u044b", -"View": "\u0412\u0438\u0434", -"Table": "\u0422\u0430\u0431\u043b\u0438\u0446\u0430", -"Format": "\u0424\u043e\u0440\u043c\u0430\u0442" -}); \ No newline at end of file +tinymce.addI18n("ru",{"Redo":"Redo","Undo":"Undo","Cut":"\u0412\u044b\u0440\u0435\u0437\u0430\u0442\u044c","Copy":"\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c","Paste":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c","Select all":"\u0412\u044b\u0434\u0435\u043b\u0438\u0442\u044c \u0432\u0441\u0435","New document":"\u041d\u043e\u0432\u044b\u0439 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442","Ok":"OK","Cancel":"\u041e\u0442\u043c\u0435\u043d\u0438\u0442\u044c","Visual aids":"\u0412\u0438\u0437\u0443\u0430\u043b\u044c\u043d\u044b\u0435 \u043f\u043e\u0434\u0441\u043a\u0430\u0437\u043a\u0438","Bold":"\u0416\u0438\u0440\u043d\u044b\u0439 \u0448\u0440\u0438\u0444\u0442","Italic":"\u041a\u0443\u0440\u0441\u0438\u0432","Underline":"\u041f\u043e\u0434\u0447\u0435\u0440\u043a\u0438\u0432\u0430\u043d\u0438\u0435","Strikethrough":"\u0417\u0430\u0447\u0435\u0440\u043a\u0438\u0432\u0430\u043d\u0438\u0435","Superscript":"\u041d\u0430\u0434\u0441\u0442\u0440\u043e\u0447\u043d\u044b\u0439","Subscript":"\u041f\u043e\u0434\u0441\u0442\u0440\u043e\u0447\u043d\u044b\u0439","Clear formatting":"\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435","Remove":"\u0423\u0434\u0430\u043b\u0438\u0442\u044c","Align left":"\u0412\u044b\u0440\u043e\u0432\u043d\u044f\u0442\u044c \u043f\u043e \u043b\u0435\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e","Align center":"\u0412\u044b\u0440\u043e\u0432\u043d\u044f\u0442\u044c \u043f\u043e \u0446\u0435\u043d\u0442\u0440\u0443","Align right":"\u0412\u044b\u0440\u043e\u0432\u043d\u044f\u0442\u044c \u043f\u043e \u043f\u0440\u0430\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e","No alignment":"\u0412\u044b\u0440\u0430\u0432\u043d\u0438\u0432\u0430\u043d\u0438\u0435 \u043d\u0435 \u0437\u0430\u0434\u0430\u043d\u043e","Justify":"\u0412\u044b\u0440\u043e\u0432\u043d\u044f\u0442\u044c \u0442\u0435\u043a\u0441\u0442 \u043f\u043e \u0448\u0438\u0440\u0438\u043d\u0435","Bullet list":"\u041c\u0430\u0440\u043a\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0439 \u0441\u043f\u0438\u0441\u043e\u043a","Numbered list":"\u041d\u0443\u043c\u0435\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0439 \u0441\u043f\u0438\u0441\u043e\u043a","Decrease indent":"\u0423\u043c\u0435\u043d\u044c\u0448\u0438\u0442\u044c \u043e\u0442\u0441\u0442\u0443\u043f","Increase indent":"\u0423\u0432\u0435\u043b\u0438\u0447\u0438\u0442\u044c \u043e\u0442\u0441\u0442\u0443\u043f","Close":"\u0417\u0430\u043a\u0440\u044b\u0442\u044c","Formats":"\u0424\u043e\u0440\u043c\u0430\u0442\u044b","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0412\u0430\u0448 \u0431\u0440\u0430\u0443\u0437\u0435\u0440 \u043d\u0435 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442 \u043f\u0440\u044f\u043c\u043e\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u0431\u0443\u0444\u0435\u0440\u0443 \u043e\u0431\u043c\u0435\u043d\u0430. \u0418\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0441\u043e\u0447\u0435\u0442\u0430\u043d\u0438\u044f \u043a\u043b\u0430\u0432\u0438\u0448: Ctrl+X/C/V.","Headings":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0438","Heading 1":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 1","Heading 2":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 2","Heading 3":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 3","Heading 4":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 4","Heading 5":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 5","Heading 6":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 6","Preformatted":"\u041f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0439","Div":"Div","Pre":"Pre","Code":"\u041a\u043e\u0434","Paragraph":"\u0410\u0431\u0437\u0430\u0446","Blockquote":"\u0411\u043b\u043e\u043a \u0446\u0438\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f","Inline":"\u0412\u0441\u0442\u0440\u043e\u0435\u043d\u043d\u044b\u0439","Blocks":"\u0411\u043b\u043e\u043a\u0438","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0412\u0441\u0442\u0430\u0432\u043a\u0430 \u043e\u0441\u0443\u0449\u0435\u0441\u0442\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0432 \u0432\u0438\u0434\u0435 \u043f\u0440\u043e\u0441\u0442\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0430, \u043f\u043e\u043a\u0430 \u043d\u0435 \u043e\u0442\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u043e\u043f\u0446\u0438\u044e.","Fonts":"\u0428\u0440\u0438\u0444\u0442\u044b","Font sizes":"\u0420\u0430\u0437\u043c\u0435\u0440 \u0448\u0440\u0438\u0444\u0442\u0430","Class":"\u041a\u043b\u0430\u0441\u0441","Browse for an image":"\u0412\u044b\u0431\u043e\u0440 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f","OR":"\u0418\u041b\u0418","Drop an image here":"\u041f\u0435\u0440\u0435\u0442\u0430\u0449\u0438\u0442\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u0441\u044e\u0434\u0430","Upload":"\u041f\u0435\u0440\u0435\u0434\u0430\u0442\u044c","Uploading image":"\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043a\u0430\u0440\u0442\u0438\u043d\u043a\u0438","Block":"\u0411\u043b\u043e\u043a","Align":"\u0412\u044b\u0440\u043e\u0432\u043d\u044f\u0442\u044c","Default":"\u041f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e","Circle":"\u041a\u0440\u0443\u0436\u043e\u043a","Disc":"\u0422\u043e\u0447\u043a\u0430","Square":"\u041a\u0432\u0430\u0434\u0440\u0430\u0442","Lower Alpha":"\u0421\u0442\u0440\u043e\u0447\u043d\u044b\u0435 \u043b\u0430\u0442\u0438\u043d\u0441\u043a\u0438\u0435","Lower Greek":"\u0421\u0442\u0440\u043e\u0447\u043d\u044b\u0435 \u0433\u0440\u0435\u0447\u0435\u0441\u043a\u0438\u0435","Lower Roman":"\u0421\u0442\u0440\u043e\u0447\u043d\u044b\u0435 \u0440\u0438\u043c\u0441\u043a\u0438\u0435","Upper Alpha":"\u0417\u0430\u0433\u043b\u0430\u0432\u043d\u044b\u0435 \u043b\u0430\u0442\u0438\u043d\u0441\u043a\u0438\u0435","Upper Roman":"\u041f\u0440\u043e\u043f\u0438\u0441\u043d\u044b\u0435 \u0440\u0438\u043c\u0441\u043a\u0438\u0435","Anchor...":"\u042f\u043a\u043e\u0440\u044c...","Anchor":"\u042f\u043a\u043e\u0440\u044c","Name":"\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435/\u0418\u043c\u044f","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID \u0434\u043e\u043b\u0436\u0435\u043d \u043d\u0430\u0447\u0438\u043d\u0430\u0442\u044c\u0441\u044f \u0441 \u0431\u0443\u043a\u0432\u044b \u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u0431\u0443\u043a\u0432\u044b, \u0446\u0438\u0444\u0440\u044b, \u0447\u0435\u0440\u0442\u043e\u0447\u043a\u0443, \u0442\u043e\u0447\u043a\u0443, \u0437\u0430\u043f\u044f\u0442\u0443\u044e \u0438\u043b\u0438 \u0437\u043d\u0430\u043a \u043f\u043e\u0434\u0447\u0435\u0440\u043a\u0438\u0432\u0430\u043d\u0438\u044f.","You have unsaved changes are you sure you want to navigate away?":"\u0423 \u0432\u0430\u0441 \u0435\u0441\u0442\u044c \u043d\u0435\u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u043d\u044b\u0435 \u0438\u0437\u043c\u0435\u043d\u0435\u043d\u0438\u044f. \u0412\u044b \u0443\u0432\u0435\u0440\u0435\u043d\u044b, \u0447\u0442\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0432\u044b\u0439\u0442\u0438?","Restore last draft":"\u0412\u043e\u0441\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0439 \u0447\u0435\u0440\u043d\u043e\u0432\u0438\u043a","Special character...":"\u0421\u043f\u0435\u0446. \u0441\u0438\u043c\u0432\u043e\u043b\u044b...","Special Character":"\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0439 \u0441\u0438\u043c\u0432\u043e\u043b","Source code":"\u0418\u0441\u0445\u043e\u0434\u043d\u044b\u0439 \u043a\u043e\u0434","Insert/Edit code sample":"\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c/\u0418\u0437\u043c\u0435\u043d\u0438\u0442\u044c \u043f\u0440\u0438\u043c\u0435\u0440 \u043a\u043e\u0434\u0430","Language":"\u042f\u0437\u044b\u043a","Code sample...":"\u041f\u0440\u0438\u043c\u0435\u0440 \u043a\u043e\u0434\u0430...","Left to right":"\u0421\u043b\u0435\u0432\u0430 \u043d\u0430\u043f\u0440\u0430\u0432\u043e","Right to left":"\u0421\u043f\u0440\u0430\u0432\u0430 \u043d\u0430\u043b\u0435\u0432\u043e","Title":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a","Fullscreen":"\u041f\u043e\u043b\u043d\u044b\u0439 \u044d\u043a\u0440\u0430\u043d","Action":"\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u0435","Shortcut":"\u0411\u044b\u0441\u0442\u0440\u0430\u044f \u043a\u043b\u0430\u0432\u0438\u0448\u0430","Help":"\u0421\u043f\u0440\u0430\u0432\u043a\u0430","Address":"\u0410\u0434\u0440\u0435\u0441","Focus to menubar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043f\u0430\u043d\u0435\u043b\u0438 \u043c\u0435\u043d\u044e","Focus to toolbar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043f\u0430\u043d\u0435\u043b\u0438 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u043e\u0432","Focus to element path":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0435 \u043f\u0443\u0442\u0438","Focus to contextual toolbar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043a\u043e\u043d\u0442\u0435\u043a\u0441\u0442\u043d\u043e\u0439 \u043f\u0430\u043d\u0435\u043b\u0438 \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u043e\u0432","Insert link (if link plugin activated)":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443 (\u0435\u0441\u043b\u0438 \u043f\u043b\u0430\u0433\u0438\u043d link \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u043e\u0432\u0430\u043d)","Save (if save plugin activated)":"\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c (\u0435\u0441\u043b\u0438 \u043f\u043b\u0430\u0433\u0438\u043d save \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u043e\u0432\u0430\u043d)","Find (if searchreplace plugin activated)":"\u041d\u0430\u0439\u0442\u0438 (\u0435\u0441\u043b\u0438 \u043f\u043b\u0430\u0433\u0438\u043d searchreplace \u0430\u043a\u0442\u0438\u0432\u0438\u0440\u043e\u0432\u0430\u043d)","Plugins installed ({0}):":"\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043d\u044b\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u044b ({0}):","Premium plugins:":"\u041f\u0440\u0435\u043c\u0438\u0443\u043c \u043f\u043b\u0430\u0433\u0438\u043d\u044b:","Learn more...":"\u0423\u0437\u043d\u0430\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435...","You are using {0}":"\u0412\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0435 {0}","Plugins":"\u041f\u043b\u0430\u0433\u0438\u043d\u044b","Handy Shortcuts":"\u0413\u043e\u0440\u044f\u0447\u0438\u0435 \u043a\u043b\u0430\u0432\u0438\u0448\u0438","Horizontal line":"\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0430\u044f \u043b\u0438\u043d\u0438\u044f","Insert/edit image":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c/\u0438\u0437\u043c\u0435\u043d\u0438\u0442\u044c \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435","Alternative description":"\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u043e\u0435 \u043e\u043f\u0438\u0441\u0430\u043d\u0438\u0435","Accessibility":"\u0421\u043f\u0435\u0446\u0438\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438","Image is decorative":"\u0414\u0435\u043a\u043e\u0440\u0430\u0442\u0438\u0432\u043d\u043e\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435","Source":"\u0418\u0441\u0445\u043e\u0434\u043d\u044b\u0439 \u043e\u0431\u044a\u0435\u043a\u0442","Dimensions":"\u0420\u0430\u0437\u043c\u0435\u0440\u044b","Constrain proportions":"\u041e\u0433\u0440\u0430\u043d\u0438\u0447\u0438\u0442\u044c \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0438\u0438","General":"\u041e\u0431\u0449\u0438\u0435","Advanced":"\u0414\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435","Style":"\u0421\u0442\u0438\u043b\u044c","Vertical space":"\u0418\u043d\u0442\u0435\u0440\u0432\u0430\u043b \u043f\u043e \u0432\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u0438","Horizontal space":"\u0418\u043d\u0442\u0435\u0440\u0432\u0430\u043b \u043f\u043e \u0433\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u0438","Border":"\u0413\u0440\u0430\u043d\u0438\u0446\u0430","Insert image":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435","Image...":"\u0418\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435...","Image list":"\u0421\u043f\u0438\u0441\u043e\u043a \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0439","Resize":"\u0418\u0437\u043c\u0435\u043d\u0438\u0442\u044c \u0440\u0430\u0437\u043c\u0435\u0440","Insert date/time":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0434\u0430\u0442\u0443/\u0432\u0440\u0435\u043c\u044f","Date/time":"\u0414\u0430\u0442\u0430/\u0432\u0440\u0435\u043c\u044f","Insert/edit link":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443","Text to display":"\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u044b\u0439 \u0442\u0435\u043a\u0441\u0442","Url":"URL-\u0430\u0434\u0440\u0435\u0441","Open link in...":"\u041e\u0442\u043a\u0440\u044b\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443 \u0432...","Current window":"\u0422\u0435\u043a\u0443\u0449\u0435\u0435 \u043e\u043a\u043d\u043e","None":"\u041d\u0435\u0442","New window":"\u041d\u043e\u0432\u043e\u0435 \u043e\u043a\u043d\u043e","Open link":"\u041f\u0435\u0440\u0435\u0439\u0442\u0438 \u043f\u043e \u0441\u0441\u044b\u043b\u043a\u0435","Remove link":"\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0441\u0441\u044b\u043b\u043a\u0443","Anchors":"\u042f\u043a\u043e\u0440\u044f","Link...":"\u0421\u0441\u044b\u043b\u043a\u0430...","Paste or type a link":"\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u0438\u043b\u0438 \u0432\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u0441\u0441\u044b\u043b\u043a\u0443","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0412\u0432\u0435\u0434\u0435\u043d\u043d\u044b\u0439 URL \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0430\u0434\u0440\u0435\u0441\u043e\u043c \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u043d\u043e\u0439 \u043f\u043e\u0447\u0442\u044b. \u0412\u044b \u0436\u0435\u043b\u0430\u0435\u0442\u0435 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u044b\u0439 \u043f\u0440\u0435\u0444\u0438\u043a\u0441 \xabmailto:\xbb?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0412\u0432\u0435\u0434\u0435\u043d\u043d\u044b\u0439 URL \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0432\u043d\u0435\u0448\u043d\u0435\u0439 \u0441\u0441\u044b\u043b\u043a\u043e\u0439. \u0412\u044b \u0436\u0435\u043b\u0430\u0435\u0442\u0435 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u044b\u0439 \u043f\u0440\u0435\u0444\u0438\u043a\u0441 \xabhttp://\xbb?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0412\u0432\u0435\u0434\u0435\u043d\u043d\u044b\u0439 \u0412\u0430\u043c\u0438 URL-\u0430\u0434\u0440\u0435\u0441 \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u0432\u043d\u0435\u0448\u043d\u0435\u0439 \u0441\u0441\u044b\u043b\u043a\u043e\u0439. \u0425\u043e\u0442\u0438\u0442\u0435 \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u044b\u0439 \u043f\u0440\u0435\u0444\u0438\u043a\u0441 https: //?","Link list":"\u0421\u043f\u0438\u0441\u043e\u043a \u0441\u0441\u044b\u043b\u043e\u043a","Insert video":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0432\u0438\u0434\u0435\u043e","Insert/edit video":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u0438\u0434\u0435\u043e","Insert/edit media":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c/\u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043c\u0443\u043b\u044c\u0442\u0438\u043c\u0435\u0434\u0438\u0430","Alternative source":"\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u044b\u0439 \u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a","Alternative source URL":"URL \u0430\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u043e\u0433\u043e \u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a\u0430","Media poster (Image URL)":"\u041f\u043e\u0441\u0442\u0435\u0440 \u043c\u0443\u043b\u044c\u0442\u0438\u043c\u0435\u0434\u0438\u0430 (URL \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f)","Paste your embed code below:":"\u0412\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u0432\u0441\u0442\u0440\u043e\u0435\u043d\u043d\u044b\u0439 \u043a\u043e\u0434 \u043d\u0438\u0436\u0435:","Embed":"\u0412\u0441\u0442\u0440\u043e\u0435\u043d\u043d\u044b\u0439 \u043a\u043e\u0434","Media...":"\u041c\u0443\u043b\u044c\u0442\u0438\u043c\u0435\u0434\u0438\u0430...","Nonbreaking space":"\u041d\u0435\u0440\u0430\u0437\u0440\u044b\u0432\u043d\u044b\u0439 \u043f\u0440\u043e\u0431\u0435\u043b","Page break":"\u0420\u0430\u0437\u0440\u044b\u0432 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b","Paste as text":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043a\u0430\u043a \u0442\u0435\u043a\u0441\u0442","Preview":"\u041f\u0440\u0435\u0434\u0432\u0430\u0440\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0439 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440","Print":"\u041f\u0435\u0447\u0430\u0442\u044c","Print...":"\u041d\u0430\u043f\u0435\u0447\u0430\u0442\u0430\u0442\u044c...","Save":"\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c","Find":"\u041d\u0430\u0439\u0442\u0438","Replace with":"\u0417\u0430\u043c\u0435\u043d\u0438\u0442\u044c \u043d\u0430","Replace":"\u0417\u0430\u043c\u0435\u043d\u0438\u0442\u044c","Replace all":"\u0417\u0430\u043c\u0435\u043d\u0438\u0442\u044c \u0432\u0441\u0435","Previous":"\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0438\u0439","Next":"\u041f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c","Find and Replace":"\u041d\u0430\u0439\u0442\u0438 \u0438 \u0417\u0430\u043c\u0435\u043d\u0438\u0442\u044c","Find and replace...":"\u041d\u0430\u0439\u0442\u0438 \u0438 \u0437\u0430\u043c\u0435\u043d\u0438\u0442\u044c...","Could not find the specified string.":"\u0417\u0430\u0434\u0430\u043d\u043d\u0430\u044f \u0441\u0442\u0440\u043e\u043a\u0430 \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u0430/","Match case":"\u0421 \u0443\u0447\u0435\u0442\u043e\u043c \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430","Find whole words only":"\u041d\u0430\u0439\u0442\u0438 \u0442\u043e\u043b\u044c\u043a\u043e \u0446\u0435\u043b\u044b\u0435 \u0441\u043b\u043e\u0432\u0430","Find in selection":"\u0418\u0441\u043a\u0430\u0442\u044c \u0432 \u0432\u044b\u0434\u0435\u043b\u0435\u043d\u043d\u043e\u043c","Insert table":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0442\u0430\u0431\u043b\u0438\u0446\u0443","Table properties":"\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 \u0442\u0430\u0431\u043b\u0438\u0446\u044b","Delete table":"\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0442\u0430\u0431\u043b\u0438\u0446\u0443","Cell":"\u042f\u0447\u0435\u0439\u043a\u0430","Row":"\u0421\u0442\u0440\u043e\u043a\u0430","Column":"\u0421\u0442\u043e\u043b\u0431\u0435\u0446","Cell properties":"\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u044f\u0447\u0435\u0439\u043a\u0438","Merge cells":"\u041e\u0431\u044a\u0435\u0434\u0438\u043d\u0438\u0442\u044c \u044f\u0447\u0435\u0439\u043a\u0438","Split cell":"\u0420\u0430\u0437\u0431\u0438\u0442\u044c \u044f\u0447\u0435\u0439\u043a\u0443","Insert row before":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u0443\u044e \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u0432\u0435\u0440\u0445\u0443","Insert row after":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u0443\u044e \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u043d\u0438\u0437\u0443","Delete row":"\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443","Row properties":"\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u0442\u0440\u043e\u043a\u0438","Cut row":"\u0412\u044b\u0440\u0435\u0437\u0430\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443","Cut column":"\u0412\u044b\u0440\u0435\u0437\u0430\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446","Copy row":"\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443","Copy column":"\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446","Paste row before":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u0432\u0435\u0440\u0445\u0443","Paste column before":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446 \u0441\u043b\u0435\u0432\u0430","Paste row after":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u043d\u0438\u0437\u0443","Paste column after":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446 \u0441\u043f\u0440\u0430\u0432\u0430","Insert column before":"\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u043e\u0439 \u0441\u0442\u043e\u043b\u0431\u0435\u0446 \u0441\u043b\u0435\u0432\u0430","Insert column after":"\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u043e\u0439 \u0441\u0442\u043e\u043b\u0431\u0435\u0446 \u0441\u043f\u0440\u0430\u0432\u0430","Delete column":"\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0441\u0442\u043e\u043b\u0431\u0435\u0446","Cols":"\u0421\u0442\u043e\u043b\u0431\u0446\u044b","Rows":"\u0421\u0442\u0440\u043e\u043a\u0438","Width":"\u0428\u0438\u0440\u0438\u043d\u0430","Height":"\u0412\u044b\u0441\u043e\u0442\u0430","Cell spacing":"\u0412\u043d\u0435\u0448\u043d\u0438\u0439 \u043e\u0442\u0441\u0442\u0443\u043f \u044f\u0447\u0435\u0439\u043a\u0438","Cell padding":"\u0412\u043d\u0443\u0442\u0440\u0435\u043d\u043d\u0438\u0439 \u043e\u0442\u0441\u0442\u0443\u043f \u044f\u0447\u0435\u0439\u043a\u0438","Row clipboard actions":"\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f \u0441 \u0431\u0443\u0444\u0435\u0440\u043e\u043c \u043e\u0431\u043c\u0435\u043d\u0430 \u0434\u043b\u044f \u0441\u0442\u0440\u043e\u043a\u0438","Column clipboard actions":"\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f \u0441 \u0431\u0443\u0444\u0435\u0440\u043e\u043c \u043e\u0431\u043c\u0435\u043d\u0430 \u0434\u043b\u044f \u0441\u0442\u043e\u043b\u0431\u0446\u0430","Table styles":"\u0421\u0442\u0438\u043b\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u044b","Cell styles":"\u0421\u0442\u0438\u043b\u0438 \u044f\u0447\u0435\u0439\u043a\u0438","Column header":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0441\u0442\u043e\u043b\u0431\u0446\u0430","Row header":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0441\u0442\u0440\u043e\u043a\u0438","Table caption":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0442\u0430\u0431\u043b\u0438\u0446\u044b","Caption":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a","Show caption":"\u041f\u043e\u043a\u0430\u0437\u0430\u0442\u044c \u043f\u043e\u0434\u043f\u0438\u0441\u044c","Left":"\u041f\u043e \u043b\u0435\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e","Center":"\u041f\u043e \u0446\u0435\u043d\u0442\u0440\u0443","Right":"\u041f\u043e \u043f\u0440\u0430\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e","Cell type":"\u0422\u0438\u043f \u044f\u0447\u0435\u0439\u043a\u0438","Scope":"\u041e\u0431\u043b\u0430\u0441\u0442\u044c \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044f","Alignment":"\u0412\u044b\u0440\u0430\u0432\u043d\u0438\u0432\u0430\u043d\u0438\u0435","Horizontal align":"\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u044b\u0440\u0430\u0432\u043d\u0438\u0432\u0430\u043d\u0438\u0435","Vertical align":"\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u044c\u043d\u043e\u0435 \u0432\u044b\u0440\u0430\u0432\u043d\u0438\u0432\u0430\u043d\u0438\u0435","Top":"\u041f\u043e \u0432\u0435\u0440\u0445\u0443","Middle":"\u041f\u043e \u0441\u0435\u0440\u0435\u0434\u0438\u043d\u0435","Bottom":"\u041f\u043e \u043d\u0438\u0437\u0443","Header cell":"\u042f\u0447\u0435\u0439\u043a\u0430 \u0432\u0435\u0440\u0445\u043d\u0435\u0433\u043e \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b\u0430","Row group":"\u0413\u0440\u0443\u043f\u043f\u0430 \u0441\u0442\u0440\u043e\u043a","Column group":"\u0413\u0440\u0443\u043f\u043f\u0430 \u0441\u0442\u043e\u043b\u0431\u0446\u043e\u0432","Row type":"\u0422\u0438\u043f \u0441\u0442\u0440\u043e\u043a\u0438","Header":"\u0412\u0435\u0440\u0445\u043d\u0438\u0439 \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b","Body":"\u0422\u0435\u043b\u043e","Footer":"\u041d\u0438\u0436\u043d\u0438\u0439 \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b","Border color":"\u0426\u0432\u0435\u0442 \u0433\u0440\u0430\u043d\u0438\u0446\u044b","Solid":"\u0421\u043f\u043b\u043e\u0448\u043d\u043e\u0439","Dotted":"\u0422\u043e\u0447\u043a\u0430\u043c\u0438","Dashed":"\u0427\u0435\u0440\u0442\u043e\u0447\u043a\u0430\u043c\u0438","Double":"\u0414\u0432\u043e\u0439\u043d\u043e\u0439","Groove":"\u041f\u0430\u0437","Ridge":"\u0428\u0438\u043f","Inset":"\u0412\u0441\u0442\u0430\u0432\u043a\u0430","Outset":"\u0412\u044b\u0440\u0435\u0437\u043a\u0430","Hidden":"\u0421\u043a\u0440\u044b\u0442\u044b\u0439","Insert template...":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0448\u0430\u0431\u043b\u043e\u043d...","Templates":"\u0428\u0430\u0431\u043b\u043e\u043d\u044b","Template":"\u0428\u0430\u0431\u043b\u043e\u043d","Insert Template":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0448\u0430\u0431\u043b\u043e\u043d","Text color":"\u0426\u0432\u0435\u0442 \u0442\u0435\u043a\u0441\u0442\u0430","Background color":"\u0426\u0432\u0435\u0442 \u0444\u043e\u043d\u0430","Custom...":"\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0439...","Custom color":"\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0439 \u0446\u0432\u0435\u0442","No color":"\u0411\u0435\u0437 \u0446\u0432\u0435\u0442\u0430","Remove color":"\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0446\u0432\u0435\u0442","Show blocks":"\u041f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u0431\u043b\u043e\u043a\u0438","Show invisible characters":"\u041f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043d\u0435\u0432\u0438\u0434\u0438\u043c\u044b\u0435 \u0441\u0438\u043c\u0432\u043e\u043b\u044b","Word count":"\u041a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u043e \u0441\u043b\u043e\u0432","Count":"\u041f\u043e\u0434\u0441\u0447\u0435\u0442","Document":"\u0414\u043e\u043a\u0443\u043c\u0435\u043d\u0442","Selection":"\u0412\u044b\u0431\u043e\u0440","Words":"\u0421\u043b\u043e\u0432\u0430","Words: {0}":"\u0421\u043b\u043e\u0432: {0}","{0} words":"{0} \u0441\u043b\u043e\u0432","File":"\u0424\u0430\u0439\u043b","Edit":"\u0420\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c","Insert":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u044c","View":"\u0412\u0438\u0434","Format":"\u0424\u043e\u0440\u043c\u0430\u0442","Table":"\u0422\u0430\u0431\u043b\u0438\u0446\u0430","Tools":"\u0418\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u044b","Powered by {0}":"\u041f\u043e\u0434 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435\u043c {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u041f\u043e\u043b\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0430. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 ALT-F9, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0442\u044c \u043c\u0435\u043d\u044e, ALT-F10, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0442\u044c \u043f\u0430\u043d\u0435\u043b\u044c \u0438\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u043e\u0432, ALT-0, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0442\u044c \u0441\u043f\u0440\u0430\u0432\u043a\u0443.","Image title":"\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f","Border width":"\u0428\u0438\u0440\u0438\u043d\u0430 \u0440\u0430\u043c\u043a\u0438","Border style":"\u0421\u0442\u0438\u043b\u044c \u0440\u0430\u043c\u043a\u0438","Error":"\u041e\u0448\u0438\u0431\u043a\u0430","Warn":"\u041f\u0440\u0435\u0434\u0443\u043f\u0440\u0435\u0436\u0434\u0435\u043d\u0438\u0435","Valid":"\u0414\u043e\u043f\u0443\u0441\u0442\u0438\u043c\u044b\u0439","To open the popup, press Shift+Enter":"\u0427\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0442\u044c \u0432\u0441\u043f\u043b\u044b\u0432\u0430\u044e\u0449\u0435\u0435 \u043e\u043a\u043d\u043e, \u043d\u0430\u0436\u043c\u0438\u0442\u0435 Shift+Enter","Rich Text Area":"\u041f\u043e\u043b\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0430","Rich Text Area. Press ALT-0 for help.":"\u041f\u043e\u043b\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0430. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 ALT-0, \u0447\u0442\u043e\u0431\u044b \u043e\u0442\u043a\u0440\u044b\u0442\u044c \u0441\u043f\u0440\u0430\u0432\u043a\u0443.","System Font":"\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0439 \u0448\u0440\u0438\u0444\u0442","Failed to upload image: {0}":"\u041e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0435 \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f: {0}","Failed to load plugin: {0} from url {1}":"\u041e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u0430: {0} \u0438\u0437 URL {1}","Failed to load plugin url: {0}":"\u041e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0435 URL \u043f\u043b\u0430\u0433\u0438\u043d\u0430: {0}","Failed to initialize plugin: {0}":"\u041e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u0438\u043d\u0438\u0446\u0438\u0430\u043b\u0438\u0437\u0430\u0446\u0438\u0438 \u043f\u043b\u0430\u0433\u0438\u043d\u0430: {0}","example":"\u043f\u0440\u0438\u043c\u0435\u0440","Search":"\u041f\u043e\u0438\u0441\u043a","All":"\u0412\u0441\u0435","Currency":"\u0412\u0430\u043b\u044e\u0442\u0430","Text":"\u0422\u0435\u043a\u0441\u0442","Quotations":"\u0426\u0438\u0442\u0430\u0442\u044b","Mathematical":"\u041c\u0430\u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435","Extended Latin":"\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u043d\u0430\u044f \u043b\u0430\u0442\u044b\u043d\u044c","Symbols":"\u0421\u0438\u043c\u0432\u043e\u043b\u044b","Arrows":"\u0421\u0442\u0440\u0435\u043b\u043a\u0438","User Defined":"\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u043c\u044b\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u043c","dollar sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0434\u043e\u043b\u043b\u0430\u0440\u0430","currency sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0432\u0430\u043b\u044e\u0442\u044b","euro-currency sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0435\u0432\u0440\u043e","colon sign":"\u0414\u0432\u043e\u0435\u0442\u043e\u0447\u0438\u0435","cruzeiro sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043a\u0440\u0443\u0437\u0435\u0439\u0440\u043e","french franc sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0444\u0440\u0430\u043d\u0446\u0443\u0437\u0441\u043a\u043e\u0433\u043e \u0444\u0440\u0430\u043d\u043a\u0430","lira sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043b\u0438\u0440\u044b","mill sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0434\u0435\u0441\u044f\u0442\u043e\u0439 \u0447\u0430\u0441\u0442\u0438 \u0446\u0435\u043d\u0442\u0430","naira sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043d\u0430\u0439\u0440\u044b","peseta sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043f\u0435\u0441\u0435\u0442\u044b","rupee sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0440\u0443\u043f\u0438\u0438","won sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0432\u043e\u043d\u044b","new sheqel sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0448\u0435\u043a\u0435\u043b\u044f","dong sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0434\u043e\u043d\u0433\u0430","kip sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043a\u0438\u043f\u044b","tugrik sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0442\u0443\u0433\u0440\u0438\u043a\u0430","drachma sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0434\u0440\u0430\u0445\u043c\u044b","german penny symbol":"\u0441\u0438\u043c\u0432\u043e\u043b \u043f\u0444\u0435\u043d\u043d\u0438\u0433\u0430","peso sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043f\u0435\u0441\u043e","guarani sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0433\u0443\u0430\u0440\u0430\u043d\u0438","austral sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0430\u0443\u0441\u0442\u0440\u0430\u043b\u0430","hryvnia sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0433\u0440\u0438\u0432\u043d\u0438","cedi sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0441\u0435\u0434\u0438","livre tournois sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043b\u0438\u0432\u0440\u044b","spesmilo sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0441\u043f\u0435\u0441\u043c\u0438\u043b\u043e","tenge sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0442\u0435\u043d\u044c\u0433\u0435","indian rupee sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0438\u043d\u0434\u0438\u0439\u0441\u043a\u043e\u0439 \u0440\u0443\u043f\u0438\u0438","turkish lira sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0442\u0443\u0440\u0435\u0446\u043a\u043e\u0439 \u043b\u0438\u0440\u044b","nordic mark sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043c\u0430\u0440\u043a\u0438","manat sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u043c\u0430\u043d\u0430\u0442\u0430","ruble sign":"\u0421\u0438\u043c\u0432\u043e\u043b \u0440\u0443\u0431\u043b\u044f","yen character":"\u0441\u0438\u043c\u0432\u043e\u043b \u0438\u0435\u043d\u044b","yuan character":"\u0441\u0438\u043c\u0432\u043e\u043b \u044e\u0430\u043d\u044f","yuan character, in hong kong and taiwan":"\u0421\u0438\u043c\u0432\u043e\u043b \u044e\u0430\u043d\u044f, \u0413\u043e\u043d\u043a\u043e\u043d\u0433 \u0438 \u0422\u0430\u0439\u0432\u0430\u043d\u044c","yen/yuan character variant one":"\u0441\u0438\u043c\u0432\u043e\u043b \u0438\u0435\u043d\u044b/\u044e\u0430\u043d\u044f, \u0432\u0430\u0440\u0438\u0430\u043d\u0442 1","Emojis":"\u0421\u043c\u0430\u0439\u043b\u0438\u043a\u0438","Emojis...":"\u0421\u043c\u0430\u0439\u043b\u0438\u043a\u0438...","Loading emojis...":"\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0441\u043c\u0430\u0439\u043b\u0438\u043a\u043e\u0432...","Could not load emojis":"\u041d\u0435 \u043f\u043e\u043b\u0443\u0447\u0438\u043b\u043e\u0441\u044c \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c \u0441\u043c\u0430\u0439\u043b\u0438\u043a\u0438","People":"\u041b\u044e\u0434\u0438","Animals and Nature":"\u0416\u0438\u0432\u043e\u0442\u043d\u044b\u0435 \u0438 \u043f\u0440\u0438\u0440\u043e\u0434\u0430","Food and Drink":"\u0415\u0434\u0430 \u0438 \u043d\u0430\u043f\u0438\u0442\u043a\u0438","Activity":"\u0414\u0435\u044f\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c","Travel and Places":"\u041f\u0443\u0442\u0435\u0448\u0435\u0441\u0442\u0432\u0438\u044f \u0438 \u043c\u0435\u0441\u0442\u0430","Objects":"\u041e\u0431\u044a\u0435\u043a\u0442\u044b","Flags":"\u0424\u043b\u0430\u0433\u0438","Characters":"\u0421\u0438\u043c\u0432\u043e\u043b\u044b","Characters (no spaces)":"\u0421\u0438\u043c\u0432\u043e\u043b\u044b (\u0431\u0435\u0437 \u043f\u0440\u043e\u0431\u0435\u043b\u043e\u0432)","{0} characters":"{0} \u0441\u0438\u043c\u0432\u043e\u043b.","Error: Form submit field collision.":"\u041e\u0448\u0438\u0431\u043a\u0430: \u043a\u043e\u043d\u0444\u043b\u0438\u043a\u0442 \u043f\u043e\u043b\u0435\u0439 \u043e\u0442\u043f\u0440\u0430\u0432\u043a\u0438 \u0444\u043e\u0440\u043c\u044b.","Error: No form element found.":"\u041e\u0448\u0438\u0431\u043a\u0430: \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d \u044d\u043b\u0435\u043c\u0435\u043d\u0442 \u0444\u043e\u0440\u043c\u044b.","Color swatch":"\u041e\u0431\u0440\u0430\u0437\u0435\u0446 \u0446\u0432\u0435\u0442\u0430","Color Picker":"\u041f\u0438\u043f\u0435\u0442\u043a\u0430 \u0446\u0432\u0435\u0442\u0430","Invalid hex color code: {0}":"\u041d\u0435\u0432\u0435\u0440\u043d\u044b\u0439 HEX-\u043a\u043e\u0434 \u0446\u0432\u0435\u0442\u0430: {0}","Invalid input":"\u041d\u0435\u0432\u0435\u0440\u043d\u043e\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435","R":"R","Red component":"\u041a\u0440\u0430\u0441\u043d\u0430\u044f \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442\u0430","G":"G","Green component":"\u0417\u0435\u043b\u0435\u043d\u0430\u044f \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442\u0430","B":"B","Blue component":"\u0421\u0438\u043d\u044f\u044f \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442\u0430","#":"#","Hex color code":"HEX-\u043a\u043e\u0434 \u0446\u0432\u0435\u0442\u0430","Range 0 to 255":"\u0414\u0438\u0430\u043f\u0430\u0437\u043e\u043d \u043e\u0442 0 \u0434\u043e 255","Turquoise":"\u0411\u0438\u0440\u044e\u0437\u043e\u0432\u044b\u0439","Green":"\u0417\u0435\u043b\u0435\u043d\u044b\u0439","Blue":"\u0421\u0438\u043d\u0438\u0439","Purple":"\u0420\u043e\u0437\u043e\u0432\u044b\u0439","Navy Blue":"\u0422\u0435\u043c\u043d\u043e-\u0441\u0438\u043d\u0438\u0439","Dark Turquoise":"\u0422\u0435\u043c\u043d\u043e-\u0431\u0438\u0440\u044e\u0437\u043e\u0432\u044b\u0439","Dark Green":"\u0422\u0435\u043c\u043d\u043e-\u0437\u0435\u043b\u0435\u043d\u044b\u0439","Medium Blue":"\u0421\u0440\u0435\u0434\u043d\u0438\u0439 \u0441\u0438\u043d\u0438\u0439","Medium Purple":"\u0423\u043c\u0435\u0440\u0435\u043d\u043d\u043e \u043f\u0443\u0440\u043f\u0443\u0440\u043d\u044b\u0439","Midnight Blue":"\u0427\u0435\u0440\u043d\u043e-\u0441\u0438\u043d\u0438\u0439","Yellow":"\u0416\u0435\u043b\u0442\u044b\u0439","Orange":"\u041e\u0440\u0430\u043d\u0436\u0435\u0432\u044b\u0439","Red":"\u041a\u0440\u0430\u0441\u043d\u044b\u0439","Light Gray":"\u0421\u0432\u0435\u0442\u043b\u043e-\u0441\u0435\u0440\u044b\u0439","Gray":"\u0421\u0435\u0440\u044b\u0439","Dark Yellow":"\u0422\u0435\u043c\u043d\u043e-\u0436\u0435\u043b\u0442\u044b\u0439","Dark Orange":"\u0422\u0435\u043c\u043d\u043e-\u043e\u0440\u0430\u043d\u0436\u0435\u0432\u044b\u0439","Dark Red":"\u0422\u0435\u043c\u043d\u043e-\u043a\u0440\u0430\u0441\u043d\u044b\u0439","Medium Gray":"\u0423\u043c\u0435\u0440\u0435\u043d\u043d\u043e \u0441\u0435\u0440\u044b\u0439","Dark Gray":"\u0422\u0435\u043c\u043d\u043e-\u0441\u0435\u0440\u044b\u0439","Light Green":"\u0421\u0432\u0435\u0442\u043b\u043e-\u0437\u0435\u043b\u0435\u043d\u044b\u0439","Light Yellow":"\u0421\u0432\u0435\u0442\u043b\u043e-\u0436\u0435\u043b\u0442\u044b\u0439","Light Red":"\u0421\u0432\u0435\u0442\u043b\u043e-\u043a\u0440\u0430\u0441\u043d\u044b\u0439","Light Purple":"\u0421\u0432\u0435\u0442\u043b\u043e-\u0444\u0438\u043e\u043b\u0435\u0442\u043e\u0432\u044b\u0439","Light Blue":"\u0421\u0432\u0435\u0442\u043b\u043e-\u0441\u0438\u043d\u0438\u0439","Dark Purple":"\u0422\u0435\u043c\u043d\u043e-\u0444\u0438\u043e\u043b\u0435\u0442\u043e\u0432\u044b\u0439","Dark Blue":"\u0422\u0435\u043c\u043d\u043e-\u0441\u0438\u043d\u0438\u0439","Black":"\u0427\u0435\u0440\u043d\u044b\u0439","White":"\u0411\u0435\u043b\u044b\u0439","Switch to or from fullscreen mode":"\u041f\u0435\u0440\u0435\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u043b\u043d\u043e\u044d\u043a\u0440\u0430\u043d\u043d\u044b\u0439 \u0440\u0435\u0436\u0438\u043c","Open help dialog":"\u041e\u0442\u043a\u0440\u044b\u0442\u044c \u0441\u043f\u0440\u0430\u0432\u043a\u0443","history":"\u0438\u0441\u0442\u043e\u0440\u0438\u044f","styles":"\u0441\u0442\u0438\u043b\u0438","formatting":"\u0444\u043e\u0440\u043c\u0430\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435","alignment":"\u0432\u044b\u0440\u0430\u0432\u043d\u0438\u0432\u0430\u043d\u0438\u0435","indentation":"\u043e\u0442\u0441\u0442\u0443\u043f","Font":"\u0428\u0440\u0438\u0444\u0442","Size":"\u0420\u0430\u0437\u043c\u0435\u0440","More...":"\u0411\u043e\u043b\u044c\u0448\u0435...","Select...":"\u0412\u044b\u0431\u0440\u0430\u0442\u044c...","Preferences":"\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0442\u0435\u043d\u0438\u044f","Yes":"\u0414\u0430","No":"\u041d\u0435\u0442","Keyboard Navigation":"\u0423\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043a\u043b\u0430\u0432\u0438\u0430\u0442\u0443\u0440\u044b","Version":"\u0412\u0435\u0440\u0441\u0438\u044f","Code view":"\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440 \u043a\u043e\u0434\u0430","Open popup menu for split buttons":"\u041e\u0442\u043a\u0440\u044b\u0442\u044c \u0432\u0441\u043f\u043b\u044b\u0432\u0430\u044e\u0449\u0435\u0435 \u043c\u0435\u043d\u044e \u0434\u043b\u044f \u0440\u0430\u0437\u0434\u0435\u043b\u0435\u043d\u0438\u044f \u043a\u043d\u043e\u043f\u043e\u043a","List Properties":"\u0421\u043f\u0438\u0441\u043e\u043a \u0441\u0432\u043e\u0439\u0441\u0442\u0432","List properties...":"\u0421\u043f\u0438\u0441\u043e\u043a \u0441\u0432\u043e\u0439\u0441\u0442\u0432...","Start list at number":"\u041d\u0430\u0447\u0430\u0442\u044c \u043d\u0443\u043c\u0435\u0440\u0430\u0446\u0438\u044e \u0441","Line height":"\u0412\u044b\u0441\u043e\u0442\u0430 \u0441\u0442\u0440\u043e\u043a\u0438","Dropped file type is not supported":"\u0422\u0438\u043f \u0444\u0430\u0439\u043b\u0430 \u043d\u0435 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442\u0441\u044f","Loading...":"\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430...","ImageProxy HTTP error: Rejected request":"\u041e\u0448\u0438\u0431\u043a\u0430 HTTP ImageProxy: \u0437\u0430\u043f\u0440\u043e\u0441 \u043e\u0442\u043a\u043b\u043e\u043d\u0435\u043d","ImageProxy HTTP error: Could not find Image Proxy":"\u041e\u0448\u0438\u0431\u043a\u0430 HTTP ImageProxy: \u043d\u0435 \u0443\u0434\u0430\u043b\u043e\u0441\u044c \u043d\u0430\u0439\u0442\u0438 Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u041e\u0448\u0438\u0431\u043a\u0430 HTTP ImageProxy: \u043d\u0435\u0432\u0435\u0440\u043d\u044b\u0439 URL-\u0430\u0434\u0440\u0435\u0441 Image Proxy","ImageProxy HTTP error: Unknown ImageProxy error":"\u041e\u0448\u0438\u0431\u043a\u0430 HTTP ImageProxy: \u043d\u0435\u0438\u0437\u0432\u0435\u0441\u0442\u043d\u0430\u044f \u043e\u0448\u0438\u0431\u043a\u0430 ImageProxy"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/si_LK.js b/deform/static/tinymce/langs/si_LK.js deleted file mode 100644 index 7ea42077..00000000 --- a/deform/static/tinymce/langs/si_LK.js +++ /dev/null @@ -1,156 +0,0 @@ -tinymce.addI18n('si_LK',{ -"Cut": "\u0d9a\u0db4\u0db1\u0dca\u0db1", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0d9c\u0dca\u200d\u0dbb\u0dcf\u0dc4\u0d9a \u0db4\u0dd4\u0dc0\u0dbb\u0dd4\u0dc0\u0da7 \u0d8d\u0da2\u0dd4 \u0db4\u0dca\u200d\u0dbb\u0dc0\u0dda\u0dc1\u0dba\u0d9a\u0dca \u0dbd\u0db6\u0dcf\u0daf\u0dd3\u0db8\u0da7 \u0d94\u0db6\u0d9c\u0dda \u0db6\u0dca\u200d\u0dbb\u0dc0\u0dd4\u0dc3\u0dbb\u0dba \u0dc3\u0dc4\u0dba\u0d9a\u0dca \u0db1\u0ddc\u0daf\u0d9a\u0dca\u0dc0\u0dba\u0dd3. \u0d9a\u0dbb\u0dd4\u0dab\u0dcf\u0d9a\u0dbb \u0d92\u0dc0\u0dd9\u0db1\u0dd4\u0dc0\u0da7 Ctrl+X\/C\/V \u0dba\u0db1 \u0dba\u0dad\u0dd4\u0dbb\u0dd4\u0db4\u0dd4\u0dc0\u0dbb\u0dd4 \u0d9a\u0dd9\u0da7\u0dd2\u0db8\u0d9f \u0db7\u0dcf\u0dc0\u0dd2\u0dad\u0dcf \u0d9a\u0dbb\u0db1\u0dca\u0db1.", -"Paste": "\u0d85\u0dbd\u0dc0\u0db1\u0dca\u0db1", -"Close": "\u0dc0\u0dc3\u0db1\u0dca\u0db1", -"Align right": "\u0daf\u0d9a\u0dd4\u0dab\u0dd4\u0db4\u0dc3\u0da7 \u0db4\u0dd9\u0dc5\u0d9c\u0dc3\u0dca\u0dc0\u0db1\u0dca\u0db1", -"New document": "\u0db1\u0dc0 \u0dbd\u0dda\u0d9b\u0db1\u0dba\u0d9a\u0dca", -"Numbered list": "\u0d85\u0d82\u0d9a\u0db1\u0dba \u0d9a\u0dbd \u0dbd\u0dd0\u0dba\u0dd2\u0dc3\u0dca\u0dad\u0dd4\u0dc0", -"Increase indent": "\u0dc0\u0dd0\u0da9\u0dd2\u0dc0\u0db1 \u0d91\u0db6\u0dd4\u0db8", -"Formats": "\u0d86\u0d9a\u0dd8\u0dad\u0dd2", -"Select all": "\u0dc3\u0dd2\u0dba\u0dbd\u0dca\u0dbd \u0dad\u0ddd\u0dbb\u0db1\u0dca\u0db1", -"Undo": "\u0db1\u0dd2\u0dc2\u0dca\u0db4\u0dca\u200d\u0dbb\u0db7\u0dcf \u0d9a\u0dbb\u0db1\u0dc0\u0dcf", -"Strikethrough": "\u0db8\u0dd0\u0daf\u0dd2 \u0d89\u0dbb\u0dd0\u0dad\u0dd2", -"Bullet list": "\u0dbd\u0dd0\u0dba\u0dd2\u0dc3\u0dca\u0dad\u0dd4\u0dc0", -"Superscript": "\u0d8b\u0da9\u0dd4\u0dbd\u0d9a\u0dd4\u0dab\u0dd4", -"Clear formatting": "\u0db4\u0dd0\u0dc4\u0dd0\u0daf\u0dd2\u0dbd\u0dd2 \u0d86\u0d9a\u0dd8\u0dad\u0dd2\u0d9a\u0dbb\u0dab\u0dba", -"Subscript": "\u0dba\u0da7\u0dd2\u0dbd\u0d9a\u0dd4\u0dab\u0dd4", -"Redo": "\t\u0db1\u0dd0\u0dc0\u0dad \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Ok": "\u0d85\u0db1\u0dd4\u0db8\u0dad \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Bold": "\u0db4\u0dd0\u0dc4\u0dd0\u0daf\u0dd2\u0dbd\u0dd2 \u0dc3\u0dda \u0db4\u0dd9\u0db1\u0dd9\u0db1", -"Italic": "\u0d87\u0dbd\u0d9a\u0dd4\u0dbb\u0dd4", -"Align center": "\u0db8\u0dd0\u0daf\u0dd2 \u0d9a\u0ddc\u0da7 \u0db4\u0dd9\u0dc5\u0d9c\u0dc3\u0dca\u0dc0\u0db1\u0dca\u0db1", -"Decrease indent": "\u0d85\u0da9\u0dd4\u0dc0\u0db1 \u0d91\u0db6\u0dd4\u0db8", -"Underline": "\u0dba\u0da7\u0dd2\u0db1\u0dca \u0d89\u0dbb\u0d9a\u0dca \u0d85\u0db3\u0dd2\u0db1\u0dca\u0db1", -"Cancel": "\u0d85\u0dc4\u0ddd\u0dc3\u0dd2 \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Justify": "\u0dc3\u0db8\u0dc0 \u0db4\u0dd9\u0dc5\u0d9c\u0dc3\u0dca\u0dc0\u0db1\u0dca\u0db1", -"Copy": "\u0db4\u0dd2\u0da7\u0db4\u0dad\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Align left": "\u0dc0\u0db8\u0dca\u0db4\u0dc3\u0da7 \u0db4\u0dd9\u0dc5\u0d9c\u0dc3\u0dca\u0dc0\u0db1\u0dca\u0db1", -"Visual aids": "\u0daf\u0dd8\u0dc1\u0dca\u200d\u0dba\u0dcf\u0db0\u0dcf\u0dbb", -"Lower Greek": "\u0d9a\u0dd4\u0da9\u0dcf \u0d9c\u0dca\u200d\u0dbb\u0dd3\u0d9a ", -"Square": "\u0d9a\u0ddc\u0da7\u0dd4\u0dc0", -"Default": "\u0db4\u0dd9\u0dbb\u0db1\u0dd2\u0db8\u0dd2\u0dba ", -"Lower Alpha": "\u0d9a\u0dd4\u0da9\u0dcf \u0d87\u0dbd\u0dca\u0dc6\u0dcf ", -"Circle": "\u0dc0\u0d9a\u0dca\u200d\u0dbb\u0dba", -"Disc": "\u0dad\u0dd0\u0da7\u0dd2\u0dba ", -"Upper Alpha": "\u0dc0\u0dd2\u0dc1\u0dcf\u0dbd \u0d87\u0dbd\u0dca\u0dc6\u0dcf ", -"Upper Roman": "\u0dc0\u0dd2\u0dc1\u0dcf\u0dbd \u0dbb\u0ddd\u0db8\u0dcf\u0db1\u0dd4 ", -"Lower Roman": "\u0d9a\u0dd4\u0da9\u0dcf \u0dbb\u0ddd\u0db8\u0dcf\u0db1\u0dd4 ", -"Name": "\u0db1\u0dcf\u0db8\u0dba ", -"Anchor": "\u0d87\u0db1\u0dca\u0d9a\u0dbb\u0dba", -"You have unsaved changes are you sure you want to navigate away?": "\u0d94\u0db6\u0d9c\u0dda \u0dc3\u0dd4\u0dbb\u0d9a\u0dd2\u0db1 \u0db1\u0ddc\u0dbd\u0daf \u0dc0\u0dd9\u0db1\u0dc3\u0dca\u0d9a\u0dd2\u0dbb\u0dd3\u0db8\u0dca \u0d87\u0dad,\u0d94\u0db6\u0da7 \u0dc0\u0dd2\u0dc1\u0dca\u0dc0\u0dcf\u0dc3\u0daf \u0d89\u0dc0\u0dad\u0da7 \u0dba\u0dcf\u0dba\u0dd4\u0dad\u0dd4\u0dba\u0dd2 \u0d9a\u0dd2\u0dba\u0dcf?", -"Restore last draft": "\u0d85\u0dc0\u0dc3\u0dcf\u0db1\u0dba\u0da7 \u0db7\u0dcf\u0dc0\u0dd2\u0dad\u0dcf\u0d9a\u0dc5 \u0d9a\u0dd9\u0da7\u0dd4\u0db8\u0dca\u0db4\u0dad \u0db4\u0dd2\u0dc5\u0dd2\u0db1\u0d9c\u0db1\u0dca\u0db1 ", -"Special character": "\u0dc0\u0dd2\u0dc1\u0dda\u0dc2 \u0d85\u0db1\u0dd4\u0dbd\u0d9a\u0dd4\u0dab ", -"Source code": "\u0db8\u0dd6\u0dbd \u0d9a\u0dda\u0dad\u0dba ", -"Right to left": "\u0daf\u0d9a\u0dd4\u0dab\u0dd4\u0db4\u0dc3 \u0dc3\u0dd2\u0da7 \u0dc0\u0db8\u0dca\u0db4\u0dc3\u0da7 ", -"Left to right": "\u0dc0\u0db8\u0dca\u0db4\u0dc3 \u0dc3\u0dd2\u0da7 \u0daf\u0d9a\u0dd4\u0db1\u0dd4\u0db4\u0dc3\u0da7 ", -"Emoticons": "\u0db7\u0dcf\u0dc0 \u0db1\u0dd2\u0dbb\u0dd4\u0db4\u0d9a", -"Robots": "\u0dbb\u0ddc\u0db6\u0ddd", -"Document properties": "\u0dbd\u0dda\u0d9b\u0db1\u0dba\u0dda \u0d9c\u0dd4\u0dab\u0dcf\u0d82\u0d9c ", -"Title": "\u0db8\u0dcf\u0dad\u0dd8\u0d9a\u0dcf\u0dc0", -"Keywords": "\u0db8\u0dd6\u0dbd \u0db4\u0daf\u0dba ", -"Encoding": "\u0d9a\u0dda\u0dad\u0db1\u0dba", -"Description": "\u0dc0\u0dd2\u0dc3\u0dca\u0dad\u0dbb\u0dba ", -"Author": "\u0d9a\u0dad\u0dd8 ", -"Fullscreen": "\u0db4\u0dd6\u0dbb\u0dca\u0dab \u0dad\u0dd2\u0dbb\u0dba ", -"Horizontal line": "\u0dad\u0dd2\u0dbb\u0dc3\u0dca \u0d89\u0dbb ", -"Horizontal space": "\u0dad\u0dd2\u0dbb\u0dc3\u0dca \u0dc4\u0dd2\u0dc3\u0dca \u0d89\u0da9", -"Insert\/edit image": "\u0db4\u0dd2\u0db1\u0dca\u0dad\u0dd4\u0dbb\u0dba \u0d87\u0dad\u0dd4\u0dbd\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1 \/ \u0dc3\u0d9a\u0dc3\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1 ", -"General": "\u0db4\u0ddc\u0daf\u0dd4", -"Advanced": "\u0db4\u0dca\u200d\u0dbb\u0d9c\u0dad", -"Source": "\u0db8\u0dd6\u0dbd\u0dba ", -"Border": "\u0dc3\u0dd3\u0db8\u0dcf\u0dc0 ", -"Constrain proportions": "\u0dc3\u0d82\u0dbb\u0ddd\u0daf\u0d9a \u0db4\u0dca\u200d\u0dbb\u0db8\u0dcf\u0dab\u0db1", -"Vertical space": "\u0dc3\u0dd2\u0dbb\u0dc3\u0dca \u0dc4\u0dd2\u0dc3\u0dca \u0d89\u0da9", -"Image description": "\u0db4\u0dd2\u0db1\u0dca\u0dad\u0dd4\u0dbb\u0dba\u0dda \u0dc0\u0dd2\u0dc3\u0dca\u0dad\u0dbb\u0dba ", -"Style": "\u0dc0\u0dd2\u0dbd\u0dcf\u0dc3\u0dba", -"Dimensions": "\u0db8\u0dcf\u0db1", -"Insert date\/time": "\u0daf\u0dd2\u0db1\u0dba \/ \u0dc0\u0dda\u0dbd\u0dcf\u0dc0 \u0d87\u0dad\u0dd4\u0dbd\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Url": "Url", -"Text to display": "\u0db4\u0dd9\u0dc5 - \u0dc3\u0d82\u0daf\u0dbb\u0dca\u0dc1\u0d9a\u0dba", -"Insert link": "\u0dc3\u0db6\u0dd0\u0db3\u0dd2\u0dba \u0d87\u0dad\u0dd4\u0dbd\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1", -"New window": "\u0db1\u0dc0 \u0d9a\u0dc0\u0dd4\u0dc5\u0dd4\u0dc0\u0d9a\u0dca", -"None": "\u0d9a\u0dd2\u0dc3\u0dd2\u0dc0\u0d9a\u0dca \u0db1\u0dd0\u0dad", -"Target": "\u0d89\u0dbd\u0d9a\u0dca\u0d9a\u0dba", -"Insert\/edit link": "\u0dc3\u0db6\u0dd0\u0db3\u0dd2\u0dba \u0d87\u0dad\u0dd4\u0dbd\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1 \/ \u0dc0\u0dd9\u0db1\u0dc3\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Insert\/edit video": "\u0dc0\u0dd3\u0da9\u0dd2\u0dba\u0ddd\u0dc0 \u0d87\u0dad\u0dd4\u0dbd\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1 \/ \u0dc0\u0dd9\u0db1\u0dc3\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Poster": "\u0db4\u0ddd\u0dc3\u0dca\u0da7\u0dbb\u0dba", -"Alternative source": "\u0dc0\u0dd2\u0d9a\u0dbd\u0dca\u0db4 \u0db8\u0dd6\u0dbd\u0dba", -"Paste your embed code below:": "\u0d94\u0db6\u0d9c\u0dda \u0d9a\u0dcf\u0dc0\u0dd0\u0daf\u0dca\u0daf\u0dd6 \u0d9a\u0dda\u0dad\u0dba \u0db4\u0dc4\u0dad\u0dd2\u0db1\u0dca \u0daf\u0db8\u0db1\u0dca\u0db1", -"Insert video": "\u0dc0\u0dd3\u0da9\u0dd2\u0dba\u0ddd\u0dc0 \u0d87\u0dad\u0dd4\u0dbd\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Embed": "\u0d9a\u0dcf\u0dc0\u0daf\u0dca\u0daf\u0db1\u0dca\u0db1", -"Nonbreaking space": "\u0db1\u0ddc\u0d9a\u0dd0\u0da9\u0dd4\u0dab\u0dd4 \u0dc4\u0dd2\u0dc3\u0dca \u0d89\u0dbb", -"Page break": "\u0db4\u0dd2\u0da7\u0dd4 \u0d9a\u0da9\u0db1\u0dba", -"Preview": "\u0db4\u0dd9\u0dbb\u0daf\u0dc3\u0dd4\u0db1", -"Print": "\u0db8\u0dd4\u0daf\u0dca\u200d\u0dbb\u0dab\u0dba \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Save": "\u0dc3\u0dd4\u0dbb\u0d9a\u0dd2\u0db1\u0dca\u0db1", -"Could not find the specified string.": "\u0db1\u0dd2\u0dbb\u0dd6\u0db4\u0dd2\u0dad \u0d85\u0db1\u0dd4\u0dbd\u0d9a\u0dd4\u0dab\u0dd4 \u0dc0\u0dd0\u0dbd \u0dc3\u0ddc\u0dba\u0dcf \u0d9c\u0dad \u0db1\u0ddc\u0dc4\u0dd0\u0d9a\u0dd2 \u0dc0\u0dd2\u0dba", -"Replace": "\u0db4\u0dca\u200d\u0dbb\u0dad\u0dd2\u0dc3\u0dca\u0dae\u0dcf\u0db4\u0db1\u0dba \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Next": "\u0db4\u0dc3\u0dd4", -"Whole words": "\u0dc3\u0db8\u0dc3\u0dca\u0dad \u0db4\u0daf", -"Find and replace": "\u0dc3\u0ddc\u0dba\u0dcf \u0db4\u0dc3\u0dd4\u0dc0 \u0db4\u0dca\u200d\u0dbb\u0dad\u0dd2\u0dc3\u0dca\u0dae\u0dcf\u0db4\u0db1\u0dba \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Replace with": "\u0db8\u0dd9\u0dba \u0dc3\u0db8\u0d9f \u0db4\u0dca\u200d\u0dbb\u0dad\u0dd2\u0dc3\u0dca\u0dae\u0dcf\u0db4\u0db1\u0dba \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Find": "\u0dc3\u0ddc\u0dba\u0db1\u0dca\u0db1", -"Replace all": "\u0dc3\u0dd2\u0dba\u0dbd\u0dca\u0dbd\u0db8 \u0db4\u0dca\u200d\u0dbb\u0dad\u0dd2\u0dc3\u0dca\u0dae\u0dcf\u0db4\u0db1\u0dba \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Match case": "\u0d9a\u0dcf\u0dbb\u0dab\u0dba \u0d9c\u0dbd\u0db4\u0db1\u0dca\u0db1", -"Prev": "\u0db4\u0dd9\u0dbb", -"Spellcheck": "\u0d85\u0d9a\u0dca\u0dc2\u0dbb \u0dc0\u0dd2\u0db1\u0dca\u200d\u0dba\u0dcf\u0dc3\u0dba \u0db4\u0dbb\u0dd3\u0d9a\u0dca\u0dc2\u0dcf \u0d9a\u0dbb \u0db6\u0dd0\u0dbd\u0dd3\u0db8", -"Finish": "\u0d85\u0dc0\u0dc3\u0db1\u0dca", -"Ignore all": "\u0dc3\u0dd2\u0dba\u0dbd\u0dca\u0dbd\u0db8 \u0db1\u0ddc\u0dc3\u0dbd\u0d9a\u0dcf \u0dc4\u0dbb\u0dd2\u0db1\u0dca\u0db1", -"Ignore": "\u0db1\u0ddc\u0dc3\u0dbd\u0d9a\u0dcf \u0dc4\u0dd0\u0dbb\u0dd3\u0db8", -"Insert row before": "\u0db8\u0dda \u0dad\u0dd0\u0db1\u0da7 \u0db4\u0dd9\u0dbb \u0db4\u0dda\u0dc5\u0dd2\u0dba\u0d9a\u0dca \u0d91\u0d9a\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Rows": "\u0db4\u0dda\u0dc5\u0dd2", -"Height": "\u0d8b\u0dc3 ", -"Paste row after": "\u0db8\u0dda \u0dad\u0dd0\u0db1\u0da7 \u0db4\u0dc3\u0dd4 \u0db4\u0dda\u0dc5\u0dd2\u0dba \u0d85\u0db8\u0dd4\u0dab\u0db1\u0dca\u0db1 ", -"Alignment": "\u0db4\u0dd9\u0dc5 \u0d9c\u0dd0\u0dc3\u0dd4\u0db8", -"Column group": "\u0dad\u0dd3\u0dbb\u0dd4 \u0d9a\u0dcf\u0dab\u0dca\u0da9\u0dba", -"Row": "\u0db4\u0dda\u0dc5\u0dd2\u0dba ", -"Insert column before": "\u0db8\u0dda \u0dad\u0dd0\u0db1\u0da7 \u0db4\u0dd9\u0dbb \u0dad\u0dd3\u0dbb\u0dd4\u0dc0 \u0d91\u0d9a\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Split cell": "\u0d9a\u0ddc\u0da7\u0dd4 \u0dc0\u0dd9\u0db1\u0dca\u0d9a\u0dbb\u0db1\u0dca\u0db1 ", -"Cell padding": "\u0d9a\u0ddc\u0da7\u0dd4\u0dc0\u0dd9\u0dc4\u0dd2 \u0db4\u0dd2\u0dbb\u0dc0\u0dd4\u0db8", -"Cell spacing": "\u0d9a\u0ddc\u0da7\u0dd4\u0dc0\u0dd9\u0dc4\u0dd2 \u0d89\u0da9 \u0dc3\u0dd3\u0db8\u0dcf\u0dc0 ", -"Row type": "\u0db4\u0dda\u0dc5\u0dd2\u0dba\u0dd9\u0dc4\u0dd2 \u0dc0\u0dbb\u0dca\u0d9c\u0dba", -"Insert table": "\u0dc0\u0d9c\u0dd4\u0dc0\u0da7 \u0d87\u0dad\u0dd4\u0dbd\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1 ", -"Body": "\u0db4\u0dca\u200d\u0dbb\u0db0\u0dcf\u0db1 \u0d9a\u0ddc\u0da7\u0dc3", -"Caption": "\u0dba\u0da7\u0dd2 \u0dbd\u0dd2\u0dba\u0db8\u0db1 ", -"Footer": "\u0db4\u0dcf\u0daf\u0d9a\u0dba", -"Delete row": "\u0db4\u0dda\u0dc5\u0dd2\u0dba \u0db8\u0d9a\u0db1\u0dca\u0db1 ", -"Paste row before": "\u0db8\u0dda \u0dad\u0dd0\u0db1\u0da7 \u0db4\u0dd9\u0dbb \u0db4\u0dda\u0dc5\u0dd2\u0dba \u0d85\u0db8\u0dd4\u0dab\u0db1\u0dca\u0db1 ", -"Scope": "\u0dc0\u0dd2\u0dc2\u0dba\u0db4\u0dae\u0dba", -"Delete table": "\u0dc0\u0d9c\u0dd4\u0dc0 \u0db8\u0d9a\u0db1\u0dca\u0db1 ", -"Header cell": "\u0dc1\u0dd3\u0dbb\u0dca\u0dc2 \u0d9a\u0ddc\u0da7\u0dd4\u0dc0", -"Column": "\u0dad\u0dd3\u0dbb\u0dd4\u0dc0", -"Cell": "\u0d9a\u0ddc\u0da7\u0dd4\u0dc0 ", -"Header": "\u0dc1\u0dd3\u0dbb\u0dca\u0dc2\u0d9a\u0dba", -"Cell type": "\u0d9a\u0ddc\u0da7\u0dd4\u0dc0\u0dd9\u0dc4\u0dd2 \u0dc0\u0dbb\u0dca\u0d9c\u0dba", -"Copy row": "\u0db4\u0dda\u0dc5\u0dd2\u0dba \u0db4\u0dd2\u0da7\u0db4\u0dad\u0dca \u0d9a\u0dbb\u0d9c\u0db1\u0dca\u0db1 ", -"Row properties": "\u0db4\u0dda\u0dc5\u0dd2\u0dba\u0dd9\u0dc4\u0dd2 \u0d9c\u0dd4\u0dab\u0dcf\u0d82\u0d9c ", -"Table properties": "\u0dc0\u0d9c\u0dd4\u0dc0\u0dd9\u0dc4\u0dd2 \u0d9c\u0dd4\u0dab\u0dcf\u0d82\u0d9c ", -"Row group": "\u0db4\u0dda\u0dc5\u0dd2 \u0d9a\u0dcf\u0dab\u0dca\u0da9\u0dba", -"Right": "\u0daf\u0d9a\u0dd4\u0dab", -"Insert column after": "\u0db8\u0dda \u0dad\u0dd0\u0db1\u0da7 \u0db4\u0dc3\u0dd4 \u0dad\u0dd3\u0dbb\u0dd4\u0dc0 \u0d91\u0d9a\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1 ", -"Cols": "\u0dad\u0dd3\u0dbb\u0dd4 ", -"Insert row after": "\u0db8\u0dda \u0dad\u0dd0\u0db1\u0da7 \u0db4\u0dc3\u0dd4 \u0db4\u0dda\u0dc5\u0dd2\u0dba\u0d9a\u0dca \u0d91\u0d9a\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1 ", -"Width": "\u0db4\u0dc5\u0dbd", -"Cell properties": "\u0d9a\u0ddc\u0da7\u0dd4\u0dc0\u0dd9\u0dc4\u0dd2 \u0d9c\u0dd4\u0dab\u0dcf\u0d82\u0d9c ", -"Left": "\u0dc0\u0db8", -"Cut row": "\u0db4\u0dda\u0dc5\u0dd2\u0dba \u0d9a\u0db4\u0dcf\u0d9c\u0db1\u0dca\u0db1 ", -"Delete column": "\u0dad\u0dd3\u0dbb\u0dd4\u0dc0 \u0db8\u0d9a\u0db1\u0dca\u0db1 ", -"Center": "\u0db8\u0dd0\u0daf", -"Merge cells": "\u0d9a\u0ddc\u0da7\u0dd4 \u0d91\u0d9a\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1 ", -"Insert template": "\u0d85\u0da0\u0dca\u0da0\u0dd4\u0dc0 \u0d87\u0dad\u0dd4\u0dbd\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"Templates": "\u0d85\u0da0\u0dca\u0da0\u0dd4", -"Background color": "\u0db4\u0dc3\u0dd4\u0db6\u0dd2\u0db8\u0dd9\u0dc4\u0dd2 \u0dc0\u0dbb\u0dca\u0dab\u0dba", -"Text color": "\u0db4\u0dd9\u0dc5 \u0dc3\u0da7\u0dc4\u0db1\u0dda \u0dc0\u0dbb\u0dca\u0dab\u0dba", -"Show blocks": "\u0d9a\u0ddc\u0da7\u0dc3\u0dca \u0db4\u0dd9\u0db1\u0dca\u0dc0\u0db1\u0dca\u0db1", -"Show invisible characters": "\u0db1\u0ddc\u0db4\u0dd9\u0db1\u0dd9\u0db1 \u0d85\u0db1\u0dd4\u0dbd\u0d9a\u0dd4\u0dab\u0dd4 \u0db4\u0dd9\u0db1\u0dca\u0dc0\u0db1\u0dca\u0db1", -"Words: {0}": "\u0dc0\u0da0\u0db1: {0}", -"Insert": "\u0d91\u0d9a\u0dca \u0d9a\u0dbb\u0db1\u0dca\u0db1", -"File": "\u0d9c\u0ddc\u0db1\u0dd4\u0dc0", -"Edit": "\u0dc3\u0d9a\u0dc3\u0db1\u0dca\u0db1", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u0db4\u0dd9\u0dc5 \u0dc3\u0da7\u0dc4\u0db1\u0dca \u0db6\u0dc4\u0dd4\u0dbd \u0db4\u0dca\u200d\u0dbb\u0daf\u0dda\u0dc1\u0dba. \u0db8\u0dd9\u0db1\u0dd4\u0dc0 \u0dc3\u0db3\u0dc4\u0dcf ALT-F9 \u0d94\u0db6\u0db1\u0dca\u0db1. \u0db8\u0dd9\u0dc0\u0dbd\u0db8\u0dca \u0dad\u0dd3\u0dbb\u0dd4\u0dc0 \u0dc3\u0db3\u0dc4\u0dcf ALT-F10 \u0d94\u0db6\u0db1\u0dca\u0db1. \u0dc3\u0dc4\u0dba \u0dbd\u0db6\u0dcf\u0d9c\u0dd0\u0db1\u0dd3\u0db8 \u0dc3\u0db3\u0dc4\u0dcf ALT-0 \u0d94\u0db6\u0db1\u0dca\u0db1.", -"Tools": "\u0db8\u0dd9\u0dc0\u0dbd\u0db8\u0dca", -"View": "\u0db4\u0dd9\u0db1\u0dca\u0dc0\u0db1\u0dca\u0db1", -"Table": "\u0dc0\u0d9c\u0dd4\u0dc0", -"Format": "\u0dc4\u0dd0\u0da9\u0dad\u0dbd\u0dba" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/sk.js b/deform/static/tinymce/langs/sk.js index b07a1c0c..3e434a28 100644 --- a/deform/static/tinymce/langs/sk.js +++ b/deform/static/tinymce/langs/sk.js @@ -1,174 +1 @@ -tinymce.addI18n('sk',{ -"Cut": "Vystrihn\u00fa\u0165", -"Header 2": "Nadpis 2. \u00farovne", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "V\u00e1\u0161 prehliada\u010d nepodporuje priamy pr\u00edstup do schr\u00e1nky. Pou\u017eite kl\u00e1vesov\u00e9 skratky Ctrl+X\/C\/V.", -"Div": "Blok", -"Paste": "Vlo\u017ei\u0165", -"Close": "Zatvori\u0165", -"Pre": "Preform\u00e1tovan\u00fd", -"Align right": "Zarovna\u0165 vpravo", -"New document": "Nov\u00fd dokument", -"Blockquote": "Cit\u00e1cia", -"Numbered list": "\u010c\u00edslovan\u00fd zoznam", -"Increase indent": "Zv\u00e4\u010d\u0161i\u0165 odsadenie", -"Formats": "Form\u00e1ty", -"Headers": "Nadpisy", -"Select all": "Ozna\u010di\u0165 v\u0161etko", -"Header 3": "Nadpis 3. \u00farovne", -"Blocks": "Bloky", -"Undo": "Vr\u00e1ti\u0165", -"Strikethrough": "Pre\u010diarknut\u00e9", -"Bullet list": "Odr\u00e1\u017eky", -"Header 1": "Nadpis 1. \u00farovne", -"Superscript": "Horn\u00fd index", -"Clear formatting": "Vymaza\u0165 form\u00e1tovanie", -"Subscript": "Spodn\u00fd index", -"Header 6": "Nadpis 6. \u00farovne", -"Redo": "Znova", -"Paragraph": "Odsek", -"Ok": "Ok", -"Bold": "Tu\u010dn\u00e9", -"Code": "K\u00f3d", -"Italic": "Kurz\u00edva", -"Align center": "Zarovna\u0165 na stred", -"Header 5": "Nadpis 5. \u00farovne", -"Decrease indent": "Zmen\u0161i\u0165 odsadenie", -"Header 4": "Nadpis 4. \u00farovne", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Vkladanie je v m\u00f3de neform\u00e1tovan\u00e9ho textu. Vkladan\u00fd obsah bude vlo\u017een\u00fd ako neform\u00e1tovan\u00fd, a\u017e pok\u00fdm t\u00fato mo\u017enos\u0165 nevypnete.", -"Underline": "Pod\u010diarknut\u00e9", -"Cancel": "Zru\u0161i\u0165", -"Justify": "Zarovna\u0165", -"Inline": "Do riadku", -"Copy": "Kop\u00edrova\u0165", -"Align left": "Zarovna\u0165 v\u013eavo", -"Visual aids": "Vizu\u00e1lne pom\u00f4cky", -"Lower Greek": "Mal\u00e9 gr\u00e9cke p\u00edsmen\u00e1", -"Square": "\u0160tvorec", -"Default": "V\u00fdchodzie", -"Lower Alpha": "Mal\u00e9 p\u00edsmen\u00e1", -"Circle": "Kruh", -"Disc": "Disk", -"Upper Alpha": "Ve\u013ek\u00e9 p\u00edsmen\u00e1", -"Upper Roman": "Ve\u013ek\u00e9 r\u00edmske \u010d\u00edslice", -"Lower Roman": "Mal\u00e9 r\u00edmske \u010d\u00edslice", -"Name": "N\u00e1zov", -"Anchor": "Odkaz", -"You have unsaved changes are you sure you want to navigate away?": "M\u00e1te neulo\u017een\u00e9 zmeny, naozaj chcete opusti\u0165 str\u00e1nku?", -"Restore last draft": "Obnovi\u0165 posledn\u00fd koncept", -"Special character": "\u0160peci\u00e1lny znak", -"Source code": "Zdrojov\u00fd k\u00f3d", -"Right to left": "Sprava do\u013eava", -"Left to right": "Z\u013eava doprava", -"Emoticons": "Smajl\u00edci", -"Robots": "Preh\u013ead\u00e1vacie roboty", -"Document properties": "Vlastnosti dokumentu", -"Title": "Nadpis", -"Keywords": "K\u013e\u00fa\u010dov\u00e9 slov\u00e1", -"Encoding": "K\u00f3dovanie", -"Description": "Popis", -"Author": "Autor", -"Fullscreen": "Na cel\u00fa obrazovku", -"Horizontal line": "Horizont\u00e1lna \u010diara", -"Horizontal space": "Horizont\u00e1lny priestor", -"Insert\/edit image": "Vlo\u017ei\u0165\/upravi\u0165 obr\u00e1zok", -"General": "Hlavn\u00e9", -"Advanced": "Pokro\u010dil\u00e9", -"Source": "Zdroj", -"Border": "Or\u00e1movanie", -"Constrain proportions": "Vymedzen\u00e9 proporcie", -"Vertical space": "Vertik\u00e1lny priestor", -"Image description": "Popis obr\u00e1zku", -"Style": "\u0160t\u00fdl", -"Dimensions": "Rozmery", -"Insert image": "Vlo\u017ei\u0165 obr\u00e1zok", -"Insert date\/time": "Vlo\u017ei\u0165 d\u00e1tum\/\u010das", -"Remove link": "Odstr\u00e1ni\u0165 odkaz", -"Url": "Url", -"Text to display": "Zobrazen\u00fd text", -"Anchors": "Kotvy", -"Insert link": "Vlo\u017ei\u0165 odkaz", -"New window": "Nov\u00e9 okno", -"None": "\u017diadne", -"Target": "Cie\u013e", -"Insert\/edit link": "Vlo\u017ei\u0165\/upravi\u0165 odkaz", -"Insert\/edit video": "Vlo\u017ei\u0165\/upravi\u0165 video", -"Poster": "Uk\u00e1\u017eka", -"Alternative source": "Alternat\u00edvny zdroj", -"Paste your embed code below:": "Vlo\u017ete k\u00f3d pre vlo\u017eenie na str\u00e1nku:", -"Insert video": "Vlo\u017ei\u0165 video", -"Embed": "Vlo\u017een\u00e9", -"Nonbreaking space": "Nedelite\u013en\u00e1 medzera", -"Page break": "Zalomenie str\u00e1nky", -"Preview": "N\u00e1h\u013ead", -"Print": "Tla\u010di\u0165", -"Save": "Ulo\u017ei\u0165", -"Could not find the specified string.": "Zadan\u00fd re\u0165azec sa nena\u0161iel.", -"Replace": "Nahradi\u0165", -"Next": "Nasleduj\u00face", -"Whole words": "Cel\u00e9 slov\u00e1", -"Find and replace": "Vyh\u013eada\u0165 a nahradi\u0165", -"Replace with": "Nahradi\u0165 za", -"Find": "H\u013eada\u0165", -"Replace all": "Nahradi\u0165 v\u0161etko", -"Match case": "Rozli\u0161ova\u0165 ve\u013ek\u00e9\/mal\u00e9", -"Prev": "Predch\u00e1dzaj\u00face", -"Spellcheck": "Kontrola pravopisu", -"Finish": "Dokon\u010di\u0165", -"Ignore all": "Ignorova\u0165 v\u0161etko", -"Ignore": "Ignorova\u0165", -"Insert row before": "Vlo\u017ei\u0165 nov\u00fd riadok pred", -"Rows": "Riadky", -"Height": "V\u00fd\u0161ka", -"Paste row after": "Vlo\u017ei\u0165 riadok za", -"Alignment": "Zarovnanie", -"Column group": "Skupina st\u013apcov", -"Row": "Riadok", -"Insert column before": "Prida\u0165 nov\u00fd st\u013apec pred", -"Split cell": "Rozdeli\u0165 bunku", -"Cell padding": "Odsadenie v bunk\u00e1ch", -"Cell spacing": "Priestor medzi bunkami", -"Row type": "Typ riadku", -"Insert table": "Vlo\u017ei\u0165 tabu\u013eku", -"Body": "Telo", -"Caption": "Popisok", -"Footer": "P\u00e4ti\u010dka", -"Delete row": "Zmaza\u0165 riadok", -"Paste row before": "Vlo\u017ei\u0165 riadok pred", -"Scope": "Oblas\u0165", -"Delete table": "Zmaza\u0165 tabu\u013eku", -"Header cell": "Bunka hlavi\u010dky", -"Column": "St\u013apec", -"Cell": "Bunka", -"Header": "Z\u00e1hlavie", -"Cell type": "Typ bunky", -"Copy row": "Kop\u00edrova\u0165 riadok", -"Row properties": "Vlastnosti riadku", -"Table properties": "Nastavenia tabu\u013eky", -"Row group": "Skupina riadkov", -"Right": "Vpravo", -"Insert column after": "Prida\u0165 nov\u00fd st\u013apec za", -"Cols": "St\u013apce", -"Insert row after": "Vlo\u017ei\u0165 nov\u00fd riadok za", -"Width": "\u0160\u00edrka", -"Cell properties": "Vlastnosti bunky", -"Left": "V\u013eavo", -"Cut row": "Vystrihn\u00fa\u0165 riadok", -"Delete column": "Vymaza\u0165 st\u013apec", -"Center": "Na stred", -"Merge cells": "Spoji\u0165 bunky", -"Insert template": "Vlo\u017ei\u0165 \u0161abl\u00f3nu", -"Templates": "\u0160abl\u00f3ny", -"Background color": "Farba pozadia", -"Text color": "Farba textu", -"Show blocks": "Zobrazi\u0165 bloky", -"Show invisible characters": "Zobrazi\u0165 skryt\u00e9 znaky", -"Words: {0}": "Slov: {0}", -"Insert": "Vlo\u017ei\u0165", -"File": "S\u00fabor", -"Edit": "Upravi\u0165", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Textov\u00e9 pole. Stla\u010dte ALT-F9 pre zobrazenie menu, ALT-F10 pre zobrazenie panela n\u00e1strojov, ALT-0 pre n\u00e1povedu.", -"Tools": "N\u00e1stroje", -"View": "Zobrazi\u0165", -"Table": "Tabu\u013eka", -"Format": "Form\u00e1t" -}); \ No newline at end of file +tinymce.addI18n("sk",{"Redo":"Znova","Undo":"Sp\xe4\u0165","Cut":"Vystrihn\xfa\u0165","Copy":"Kop\xedrova\u0165","Paste":"Prilepi\u0165","Select all":"Ozna\u010di\u0165 v\u0161etko","New document":"Nov\xfd dokument","Ok":"Ok","Cancel":"Zru\u0161i\u0165","Visual aids":"Vizu\xe1lne pom\xf4cky","Bold":"Tu\u010dn\xe9","Italic":"Kurz\xedva","Underline":"Pod\u010diarknut\xe9","Strikethrough":"Pre\u010diarknut\xe9","Superscript":"Horn\xfd index","Subscript":"Doln\xfd index","Clear formatting":"Vymaza\u0165 form\xe1tovanie","Remove":"Odstr\xe1ni\u0165","Align left":"Zarovna\u0165 v\u013eavo","Align center":"Zarovna\u0165 na stred","Align right":"Zarovna\u0165 vpravo","No alignment":"Bez zarovnania","Justify":"Zarovna\u0165","Bullet list":"Zoznam s odr\xe1\u017ekami","Numbered list":"\u010c\xedslovan\xfd zoznam","Decrease indent":"Zmen\u0161i\u0165 odsadenie","Increase indent":"Zv\xe4\u010d\u0161i\u0165 odsadenie","Close":"Zatvori\u0165","Formats":"Form\xe1ty","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"V\xe1\u0161 prehliada\u010d nepodporuje priamy pr\xedstup do schr\xe1nky. Pou\u017eite kl\xe1vesov\xe9 skratky Ctrl+X/C/V.","Headings":"Nadpisy","Heading 1":"Nadpis 1","Heading 2":"Nadpis 2","Heading 3":"Nadpis 3","Heading 4":"Nadpis 4","Heading 5":"Nadpis 5","Heading 6":"Nadpis 6","Preformatted":"Predform\xe1tovan\xe9","Div":"Div","Pre":"Pre","Code":"K\xf3d","Paragraph":"Odstavec","Blockquote":"Cit\xe1cia","Inline":"Vlo\u017een\xe9 \u0161t\xfdly","Blocks":"Bloky","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Vkladanie je v m\xf3de neform\xe1tovan\xe9ho textu. Vkladan\xfd obsah bude vlo\u017een\xfd ako neform\xe1tovan\xfd, a\u017e pok\xfdm t\xfato mo\u017enos\u0165 nevypnete.","Fonts":"Typy p\xedsma","Font sizes":"Ve\u013ekosti p\xedsma","Class":"Trieda","Browse for an image":"N\xe1js\u0165 obr\xe1zok","OR":"ALEBO","Drop an image here":"Pretiahnite obr\xe1zok sem","Upload":"Nahra\u0165","Uploading image":"Nahr\xe1vam obr\xe1zok","Block":"Blok","Align":"Zarovna\u0165","Default":"V\xfdchodzie","Circle":"Kruhov\xfd","Disc":"Ov\xe1lny","Square":"\u0160tvorcov\xfd","Lower Alpha":"Mal\xe9 p\xedsmen\xe1","Lower Greek":"Mal\xe9 gr\xe9cke p\xedsmen\xe1","Lower Roman":"Mal\xe9 r\xedmske \u010d\xedslice","Upper Alpha":"Ve\u013ek\xe9 p\xedsmen\xe1","Upper Roman":"Ve\u013ek\xe9 r\xedmske \u010d\xedslice","Anchor...":"Kotva...","Anchor":"Kotva","Name":"N\xe1zov","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID by sa malo za\u010d\xedna\u0165 p\xedsmenom, po ktorom nasleduj\xfa iba p\xedsmen\xe1, \u010d\xedsla, poml\u010dky, bodky, dvojbodky alebo pod\u010diarkovn\xedky.","You have unsaved changes are you sure you want to navigate away?":"M\xe1te neulo\u017een\xe9 zmeny, naozaj chcete opusti\u0165 str\xe1nku?","Restore last draft":"Obnovi\u0165 posledn\xfd koncept","Special character...":"\u0160peci\xe1lny znak...","Special Character":"\u0160peci\xe1lny znak","Source code":"Zdrojov\xfd k\xf3d","Insert/Edit code sample":"Vlo\u017ei\u0165/upravi\u0165 vzorku k\xf3du","Language":"Jazyk","Code sample...":"Vzorka k\xf3du...","Left to right":"Z\u013eava doprava","Right to left":"Sprava do\u013eava","Title":"Nadpis","Fullscreen":"Na cel\xfa obrazovku","Action":"\xdakon","Shortcut":"Odkaz","Help":"Pomocn\xedk","Address":"Adresa","Focus to menubar":"Zameranie na panel s ponukami","Focus to toolbar":"Zameranie na panel s n\xe1strojmi","Focus to element path":"Zameranie na cestu prvku","Focus to contextual toolbar":"Zameranie na kontextov\xfd panel s n\xe1strojmi","Insert link (if link plugin activated)":"Vlo\u017ei\u0165 odkaz (ak je aktivovan\xfd plugin odkazu)","Save (if save plugin activated)":"Ulo\u017ei\u0165 (ak je aktivovan\xfd plugin ulo\u017eenia)","Find (if searchreplace plugin activated)":"N\xe1js\u0165 (ak je aktivovan\xfd plugin vyh\u013ead\xe1vania)","Plugins installed ({0}):":"Nain\u0161talovan\xe9 pluginy ({0}):","Premium plugins:":"Pr\xe9miov\xe9 pluginy:","Learn more...":"Zisti viac...","You are using {0}":"Pou\u017e\xedvate {0}","Plugins":"Pluginy","Handy Shortcuts":"U\u017eito\u010dn\xe9 odkazy","Horizontal line":"Horizont\xe1lna \u010diara","Insert/edit image":"Vlo\u017ei\u0165/upravi\u0165 obr\xe1zok","Alternative description":"Alternat\xedvny popis","Accessibility":"Dostupnos\u0165","Image is decorative":"Obr\xe1zok je dekorat\xedvny","Source":"Zdroj","Dimensions":"Rozmery","Constrain proportions":"Obmedzenie proporci\xed","General":"Z\xe1kladn\xe9","Advanced":"Pokro\u010dil\xe9","Style":"\u0160t\xfdl","Vertical space":"Vertik\xe1lny priestor","Horizontal space":"Horizont\xe1lny priestor","Border":"Or\xe1movanie","Insert image":"Vlo\u017ei\u0165 obr\xe1zok","Image...":"Obr\xe1zok...","Image list":"Zoznam obr\xe1zkov","Resize":"Zmeni\u0165 ve\u013ekos\u0165","Insert date/time":"Vlo\u017ei\u0165 d\xe1tum/\u010das","Date/time":"D\xe1tum/\u010das","Insert/edit link":"Vlo\u017ei\u0165/upravi\u0165 odkaz","Text to display":"Text na zobrazenie","Url":"Url adresa","Open link in...":"Otvori\u0165 odkaz v...","Current window":"Aktu\xe1lne okno","None":"\u017diadne","New window":"Nov\xe9 okno","Open link":"Otvori\u0165 linku","Remove link":"Odstr\xe1ni\u0165 odkaz","Anchors":"Kotvy","Link...":"Odkaz...","Paste or type a link":"Prilepte alebo nap\xed\u0161te odkaz","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL adresa, ktor\xfa ste zadali je pravdepodobne emailov\xe1 adresa. \u017del\xe1te si prida\u0165 po\u017eadovan\xfa predponu mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL adresa, ktor\xfa ste zadali je pravdepodobne extern\xfd odkaz. Chcete prida\u0165 po\u017eadovan\xfa predponu http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"URL, ktor\xfa ste zadali vyzer\xe1 ako extern\xfd odkaz. Prajete si pridat po\u017eadovan\xfa predponu https://?","Link list":"Zoznam odkazov","Insert video":"Vlo\u017ei\u0165 video","Insert/edit video":"Vlo\u017ei\u0165/upravi\u0165 video","Insert/edit media":"Vlo\u017ei\u0165/upravi\u0165 m\xe9di\xe1","Alternative source":"Alternat\xedvny zdroj","Alternative source URL":"Alternat\xedvny zdroj URL","Media poster (Image URL)":"Obr\xe1zok m\xe9dia (URL obr\xe1zka)","Paste your embed code below:":"Vlo\u017ete k\xf3d pre vlo\u017eenie ni\u017e\u0161ie:","Embed":"Vlo\u017ei\u0165","Media...":"M\xe9di\xe1...","Nonbreaking space":"Pevn\xe1 medzera","Page break":"Zalomenie str\xe1nky","Paste as text":"Vlo\u017ei\u0165 ako text","Preview":"Uk\xe1\u017eka","Print":"Tla\u010d","Print...":"Tla\u010d...","Save":"Ulo\u017ei\u0165","Find":"H\u013eada\u0165","Replace with":"Nahradi\u0165 \u010d\xedm","Replace":"Nahradi\u0165","Replace all":"Nahradi\u0165 v\u0161etko","Previous":"Predch\xe1dzaj\xface","Next":"Nasleduj\xface","Find and Replace":"N\xe1js\u0165 a nahradi\u0165","Find and replace...":"N\xe1js\u0165 a nahradi\u0165...","Could not find the specified string.":"Zadan\xfd re\u0165azec sa nena\u0161iel.","Match case":"Rozli\u0161ova\u0165 ve\u013ek\xe9/mal\xe9 p\xedsmen\xe1","Find whole words only":"H\u013eada\u0165 len cel\xe9 slov\xe1","Find in selection":"N\xe1js\u0165 vo v\xfdbere","Insert table":"Vlo\u017ei\u0165 tabu\u013eku","Table properties":"Vlastnosti tabu\u013eky","Delete table":"Zmaza\u0165 tabu\u013eku","Cell":"Bunka","Row":"Riadok","Column":"St\u013apec","Cell properties":"Vlastnosti bunky","Merge cells":"Zl\xfa\u010di\u0165 bunky","Split cell":"Rozdeli\u0165 bunku","Insert row before":"Vlo\u017ei\u0165 riadok pred","Insert row after":"Vlo\u017ei\u0165 riadok za","Delete row":"Zmaza\u0165 riadok","Row properties":"Vlastnosti riadku","Cut row":"Vystrihn\xfa\u0165 riadok","Cut column":"Vystrihn\xfa\u0165 st\u013apec","Copy row":"Kop\xedrova\u0165 riadok","Copy column":"Kop\xedrova\u0165 st\u013apec","Paste row before":"Prilepi\u0165 riadok pred","Paste column before":"Vlo\u017ei\u0165 st\u013apec pred","Paste row after":"Prilepi\u0165 riadok za","Paste column after":"Vlo\u017ei\u0165 st\u013apec za","Insert column before":"Vlo\u017ei\u0165 st\u013apec pred","Insert column after":"Vlo\u017ei\u0165 st\u013apec za","Delete column":"Vymaza\u0165 st\u013apec","Cols":"St\u013apce","Rows":"Riadky","Width":"\u0160\xedrka","Height":"V\xfd\u0161ka","Cell spacing":"Rozstup buniek","Cell padding":"Odsadenie v bunk\xe1ch","Row clipboard actions":"Clipboard akcie nad riadkom","Column clipboard actions":"Clipboard akcie nad st\u013apcom","Table styles":"\u0160t\xfdly tabu\u013eky","Cell styles":"\u0160t\xfdly bunky","Column header":"Hlavi\u010dka st\u013apca","Row header":"Hlavi\u010dka riadku","Table caption":"Nadpis tabu\u013eky","Caption":"Popisok","Show caption":"Zobrazi\u0165 popis","Left":"V\u013eavo","Center":"Stred","Right":"Vpravo","Cell type":"Typ bunky","Scope":"Oblas\u0165","Alignment":"Zarovnanie","Horizontal align":"Horizont\xe1lne zarovnanie","Vertical align":"Vertik\xe1lne zarovnanie","Top":"Vrch","Middle":"Stred","Bottom":"Spodok","Header cell":"Bunka z\xe1hlavia","Row group":"Skupina riadkov","Column group":"Skupina st\u013apcov","Row type":"Typ riadku","Header":"Hlavi\u010dka","Body":"Telo","Footer":"P\xe4ta","Border color":"Farba or\xe1movania","Solid":"Pln\xe1 \u010diara","Dotted":"Bodkovan\xe9","Dashed":"\u010ciarkovan\xe9","Double":"Dvojit\xe9","Groove":"Vtla\u010den\xfd okraj","Ridge":"Vyst\xfapen\xfd okraj","Inset":"Vtla\u010den\xe9","Outset":"Vyst\xfapen\xe9","Hidden":"Skryt\xe9","Insert template...":"Vlo\u017ei\u0165 \u0161abl\xf3nu...","Templates":"\u0160abl\xf3ny","Template":"\u0160abl\xf3na","Insert Template":"Vlo\u017ei\u0165 \u0161abl\xf3nu","Text color":"Farba textu","Background color":"Farba pozadia","Custom...":"Vlastn\xe9...","Custom color":"Vlastn\xe1 farba","No color":"Bez farby","Remove color":"Odstr\xe1ni\u0165 farbu","Show blocks":"Zobrazi\u0165 bloky","Show invisible characters":"Zobrazi\u0165 skryt\xe9 znaky","Word count":"Po\u010det slov","Count":"Po\u010det","Document":"Dokument","Selection":"V\xfdber","Words":"Slov\xe1","Words: {0}":"Slov\xe1: {0}","{0} words":"{0} slov\xe1/slov","File":"S\xfabor","Edit":"Upravi\u0165","Insert":"Vlo\u017ei\u0165","View":"Zobrazi\u0165","Format":"Form\xe1t","Table":"Tabu\u013eka","Tools":"N\xe1stroje","Powered by {0}":"Pou\u017e\xedva {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Oblas\u0165 pre text vo form\xe1te RTF. Stla\u010dte ALT-F9 pre zobrazenie menu. Stla\u010dte ALT-F10 pre zobrazenie panela n\xe1strojov. Stla\u010dte ALT-0 pre n\xe1povedu.","Image title":"N\xe1zov obr\xe1zka","Border width":"\u0160\xedrka okraja","Border style":"\u0160t\xfdl okraja","Error":"Chyba","Warn":"Upozornenie","Valid":"Platn\xe9","To open the popup, press Shift+Enter":"Na otvorenie kontextovej ponuky stla\u010dte Shift+Enter","Rich Text Area":"Oblas\u0165 pre text vo form\xe1te RTF","Rich Text Area. Press ALT-0 for help.":"Oblas\u0165 pre text vo form\xe1te RTF. Stla\u010dte ALT-0 pre n\xe1povedu.","System Font":"Syst\xe9mov\xe9 p\xedsmo","Failed to upload image: {0}":"Obr\xe1zok sa nepodarilo nahra\u0165: {0}","Failed to load plugin: {0} from url {1}":"Plugin: {0} sa nepodarilo nahra\u0165 z url {1}","Failed to load plugin url: {0}":"Nepodarilo sa nahra\u0165 plugin url: {0}","Failed to initialize plugin: {0}":"Nepodarilo sa inicializova\u0165 plugin: {0}","example":"pr\xedklad","Search":"Vyh\u013eada\u0165","All":"V\u0161etko","Currency":"Mena","Text":"Text","Quotations":"Kvot\xe1cie","Mathematical":"Matematick\xe9","Extended Latin":"Roz\u0161\xedren\xe1 latinka","Symbols":"Symboly","Arrows":"\u0160\xedpky","User Defined":"Definovan\xe9 pou\u017e\xedvate\u013eom","dollar sign":"znak pre dol\xe1r","currency sign":"znak meny","euro-currency sign":"znak eura","colon sign":"znak dvojbodky","cruzeiro sign":"znak pre cruzeiro","french franc sign":"znak pre franc\xfazsky frank","lira sign":"znak pre l\xedru","mill sign":"znak pre mill","naira sign":"znak pre nairu","peseta sign":"znak pre pesetu","rupee sign":"znak pre rupiu","won sign":"znak pre won","new sheqel sign":"znak pre nov\xfd \u0161ekel","dong sign":"znak pre dong","kip sign":"znak pre kip","tugrik sign":"znak pre tugrik","drachma sign":"znak pre drachmu","german penny symbol":"znak pre nemeck\xfd pfennig","peso sign":"znak pre peso","guarani sign":"znak pre guarani","austral sign":"znak pre austral","hryvnia sign":"znak pre hrivnu","cedi sign":"znak pre cedi","livre tournois sign":"znak pre livre tournois","spesmilo sign":"znak pre spesmilo","tenge sign":"znak pre tenge","indian rupee sign":"znak pre indick\xfa rupiu","turkish lira sign":"znak pre tureck\xfa l\xedru","nordic mark sign":"znak pre nordick\xfa marku","manat sign":"znak pre manat","ruble sign":"znak pre rube\u013e","yen character":"znak pre jen","yuan character":"znak pre j\xfcan","yuan character, in hong kong and taiwan":"znak pre j\xfcan, v Hongkongu a Taiwane","yen/yuan character variant one":"znak pre jen/j\xfcan variant jedna","Emojis":"Emotikony","Emojis...":"Emotikony...","Loading emojis...":"Nahr\xe1vam emotikony...","Could not load emojis":"Nebolo mo\u017en\xe9 nahra\u0165 emotikony","People":"\u013dudia","Animals and Nature":"Zvierat\xe1 a pr\xedroda","Food and Drink":"Jedlo a n\xe1poje","Activity":"Aktivity","Travel and Places":"Cestovanie a miesta","Objects":"Objekty","Flags":"Vlajky","Characters":"Znaky","Characters (no spaces)":"Znaky (bez medzier)","{0} characters":"Znaky: {0}","Error: Form submit field collision.":"Chyba: konflikt po\u013ea odosielania formul\xe1ra.","Error: No form element found.":"Chyba: nena\u0161iel sa prvok formul\xe1ra.","Color swatch":"Vzorky farieb","Color Picker":"V\xfdber farieb","Invalid hex color code: {0}":"Nespr\xe1vny hex k\xf3d farby: {0}","Invalid input":"Chybn\xfd vstup","R":"\u010c","Red component":"\u010cerven\xe1 zlo\u017eka","G":"Z","Green component":"Zelen\xe1 zlo\u017eka","B":"M","Blue component":"Modr\xe1 zlo\u017eka","#":"#","Hex color code":"Hexa k\xf3d farby","Range 0 to 255":"Rozsah 0 a\u017e 255","Turquoise":"Tyrkysov\xe1","Green":"Zelen\xe1","Blue":"Modr\xe1","Purple":"Fialov\xe1","Navy Blue":"N\xe1morn\xedcka modr\xe1","Dark Turquoise":"Tmavotyrkysov\xe1","Dark Green":"Tmavozelen\xe1","Medium Blue":"Stredn\xe1 modr\xe1","Medium Purple":"Stredn\xe1 fialov\xe1","Midnight Blue":"Polno\u010dn\xe1 modr\xe1","Yellow":"\u017dlt\xe1","Orange":"Oran\u017eov\xe1","Red":"\u010cerven\xe1","Light Gray":"Svetlosiv\xe1","Gray":"Siv\xe1","Dark Yellow":"Tmavo\u017elt\xe1","Dark Orange":"Tmavooran\u017eov\xe1","Dark Red":"Tmavo\u010derven\xe1","Medium Gray":"Stredn\xe1 siv\xe1","Dark Gray":"Tmavosiv\xe1","Light Green":"Svetlozelen\xe1","Light Yellow":"Svetlo\u017elt\xe1","Light Red":"Svetlo\u010derven\xe1","Light Purple":"Svetlofialov\xe1","Light Blue":"Svetlomodr\xe1","Dark Purple":"Tmavofialov\xe1","Dark Blue":"Tmavomodr\xe1","Black":"\u010cierna","White":"Biela","Switch to or from fullscreen mode":"Prepn\xfa\u0165 do alebo z re\u017eimu plnej obrazovky","Open help dialog":"Otvori\u0165 okno n\xe1povedy","history":"hist\xf3ria","styles":"\u0161t\xfdly","formatting":"form\xe1tovanie","alignment":"zarovnanie","indentation":"odsadenie","Font":"P\xedsmo","Size":"Ve\u013ekos\u0165","More...":"Viac...","Select...":"Vyberte...","Preferences":"Preferencie","Yes":"\xc1no","No":"Nie","Keyboard Navigation":"Navig\xe1cia pomocou kl\xe1vesnice","Version":"Verzia","Code view":"Zobrazenie k\xf3du","Open popup menu for split buttons":"Otvorte vyskakovacie menu pre rozdelen\xe9 tla\u010didl\xe1","List Properties":"Vlastnosti Zoznamu","List properties...":"Vlastnosti Zoznamu...","Start list at number":"Za\u010da\u0165 zoznam \u010d\xedslom","Line height":"V\xfd\u0161ka riadku","Dropped file type is not supported":"Vkladan\xfd typ s\xfabora nie je podporovan\xfd","Loading...":"Nahr\xe1vam...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP chyba: Odmietnut\xe1 po\u017eiadavka","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP chyba: Nebolo n\xe1jden\xe9 Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP chyba: Chybn\xe1 Image Proxy URL adresa","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP chyba: Nezn\xe1ma ImageProxy chyba"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/sl_SI.js b/deform/static/tinymce/langs/sl_SI.js index 1ded0d06..c27cfbc6 100644 --- a/deform/static/tinymce/langs/sl_SI.js +++ b/deform/static/tinymce/langs/sl_SI.js @@ -1,152 +1 @@ -tinymce.addI18n('sl_SI',{ -"Cut": "Izre\u017ei", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Varnostne nastavitve brskalnika ne dopu\u0161\u010dajo direktnega dostopa do odlo\u017ei\u0161\u010da. Uporabite kombinacijo tipk Ctrl+X\/C\/V na tipkovnici.", -"Paste": "Prilepi", -"Close": "Zapri", -"Align right": "Desna poravnava", -"New document": "Nov dokument", -"Numbered list": "O\u0161tevil\u010den seznam", -"Increase indent": "Pove\u010daj zamik", -"Formats": "Oblika", -"Select all": "Izberi vse", -"Undo": "Razveljavi", -"Strikethrough": "Pre\u010drtano", -"Bullet list": "Ozna\u010den seznam", -"Superscript": "Nadpisano", -"Clear formatting": "Odstrani oblikovanje", -"Subscript": "Podpisano", -"Redo": "Ponovi", -"Ok": "V redu", -"Bold": "Krepko", -"Italic": "Le\u017ee\u010de", -"Align center": "Sredinska poravnava", -"Decrease indent": "Zmanj\u0161aj zamik", -"Underline": "Pod\u010drtano", -"Cancel": "Prekli\u010di", -"Justify": "Obojestranska poravnava", -"Copy": "Kopiraj", -"Align left": "Leva poravnava", -"Visual aids": "Vizualni pripomo\u010dki", -"Lower Greek": "Male gr\u0161ke \u010drke", -"Square": "Kvadratek", -"Default": "Privzeto", -"Lower Alpha": "Male tiskane \u010drke", -"Circle": "Pikica", -"Disc": "Kroglica", -"Upper Alpha": "Velike tiskane \u010drke", -"Upper Roman": "Velike rimske \u0161tevilke", -"Lower Roman": "Male rimske \u0161tevilke", -"Name": "Naziv zaznamka", -"Anchor": "Zaznamek", -"You have unsaved changes are you sure you want to navigate away?": "Imate neshranjene spremembe. Ste prepri\u010dati, da \u017eelite zapustiti stran?", -"Restore last draft": "Obnovi zadnji osnutek", -"Special character": "Posebni znaki", -"Source code": "Izvorna koda", -"Right to left": "Od desne proti levi", -"Left to right": "Od leve proti desni", -"Emoticons": "Sme\u0161ki", -"Robots": "Robotki", -"Document properties": "Lastnosti dokumenta", -"Title": "Naslov", -"Keywords": "Klju\u010dne besede", -"Encoding": "Kodiranje", -"Description": "Opis", -"Author": "Avtor", -"Fullscreen": "\u010cez cel zaslon", -"Horizontal line": "Vodoravna \u010drta", -"Source": "Pot", -"Constrain proportions": "Obdr\u017ei razmerje", -"Dimensions": "Dimenzije", -"Insert\/edit image": "Vstavi\/uredi sliko", -"Image description": "Opis slike", -"Insert date\/time": "Vstavi datum\/\u010das", -"Url": "Povezava", -"Text to display": "Prikazno besedilo", -"Insert link": "Vstavi povezavo", -"New window": "Novo okno", -"None": "Brez", -"Target": "Cilj", -"Insert\/edit link": "Vstavi\/uredi povezavo", -"Insert\/edit video": "Vstavi\/uredi video", -"General": "Splo\u0161no", -"Poster": "Poster", -"Alternative source": "Alternativni vir", -"Paste your embed code below:": "Vstavite kodo predvajalnika z videom:", -"Insert video": "Vstavi video", -"Embed": "Vdelaj", -"Nonbreaking space": "Nedeljivi presledek", -"Page break": "Prelom strani", -"Preview": "Predogled", -"Print": "Natisni", -"Save": "Shrani", -"Could not find the specified string.": "Iskanje ni vrnilo rezultatov.", -"Replace": "Zamenjaj", -"Next": "Naprej", -"Whole words": "Cele besede", -"Find and replace": "Poi\u0161\u010di in zamenjaj", -"Replace with": "Zamenjaj z", -"Find": "I\u0161\u010di", -"Replace all": "Zamenjaj vse", -"Match case": "Ujemanje malih in velikih \u010drk", -"Prev": "Nazaj", -"Spellcheck": "Preverjanje \u010drkovanja", -"Finish": "Zaklju\u010di", -"Ignore all": "Prezri vse", -"Ignore": "Prezri", -"Insert row before": "Vstavi vrstico pred", -"Rows": "Vrstice", -"Height": "Vi\u0161ina", -"Paste row after": "Prilepi vrstico za", -"Alignment": "Poravnava", -"Column group": "Grupiranje stolpcev", -"Row": "Vrstica", -"Insert column before": "Vstavi stolpec pred", -"Split cell": "Razdeli celico", -"Cell padding": "Polnilo med celicami", -"Cell spacing": "Razmik med celicami", -"Row type": "Tip vrstice", -"Insert table": "Vstavi tabelo", -"Body": "Vsebina", -"Caption": "Naslov", -"Footer": "Noga", -"Delete row": "Izbri\u0161i vrstico", -"Paste row before": "Prilepi vrstico pred", -"Scope": "Obseg", -"Delete table": "Izbri\u0161i tabelo", -"Header cell": "Celica glave", -"Column": "Stolpec", -"Cell": "Celica", -"Header": "Glava", -"Border": "Obroba", -"Cell type": "Tip celice", -"Copy row": "Kopiraj vrstico", -"Row properties": "Lastnosti vrstice", -"Table properties": "Lastnosti tabele", -"Row group": "Grupiranje vrstic", -"Right": "Desno", -"Insert column after": "Vstavi stolpec za", -"Cols": "Stolpci", -"Insert row after": "Vstavi vrstico za", -"Width": "\u0160irina", -"Cell properties": "Lastnosti celice", -"Left": "Levo", -"Cut row": "Izre\u017ei vrstico", -"Delete column": "Izbri\u0161i stolpec", -"Center": "Sredinsko", -"Merge cells": "Zdru\u017ei celice", -"Insert template": "Vstavi predlogo", -"Templates": "Predloge", -"Background color": "Barva ozadja", -"Text color": "Barva besedila", -"Show blocks": "Prika\u017ei bloke", -"Show invisible characters": "Prika\u017ei skrite znake", -"Words: {0}": "Besed: {0}", -"Insert": "Vstavi", -"File": "Datoteka", -"Edit": "Uredi", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Bogato besedilo. Pritisnite ALT-F9 za meni. Pritisnite ALT-F10 za orodno vrstico. Pritisnite ALT-0 za pomo\u010d", -"Tools": "Orodja", -"View": "Pogled", -"Table": "Tabela", -"Format": "Oblika" -}); \ No newline at end of file +tinymce.addI18n("sl_SI",{"Redo":"Ponovno uveljavi","Undo":"Razveljavi","Cut":"Izre\u017ei","Copy":"Kopiraj","Paste":"Prilepi","Select all":"Izberi vse","New document":"Nov dokument","Ok":"V redu","Cancel":"Prekli\u010di","Visual aids":"Vizualni pripomo\u010dki","Bold":"Krepko","Italic":"Po\u0161evno","Underline":"Pod\u010drtano","Strikethrough":"Pre\u010drtano","Superscript":"Nadpisano","Subscript":"Podpisano","Clear formatting":"Odstrani oblikovanje","Remove":"Odstrani","Align left":"Leva poravnava","Align center":"Sredinska poravnava","Align right":"Desna poravnava","No alignment":"Brez poravnave","Justify":"Obojestranska poravnava","Bullet list":"Ozna\u010den seznam","Numbered list":"O\u0161tevil\u010den seznam","Decrease indent":"Zmanj\u0161aj zamik","Increase indent":"Pove\u010daj zamik","Close":"Zapri","Formats":"Oblika","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Varnostne nastavitve brskalnika ne dopu\u0161\u010dajo direktnega dostopa do odlo\u017ei\u0161\u010da. Uporabite kombinacijo tipk Ctrl + X/C/V na tipkovnici.","Headings":"Naslovi","Heading 1":"Naslov 1","Heading 2":"Naslov 2","Heading 3":"Naslov 3","Heading 4":"Naslov 4","Heading 5":"Naslov 5","Heading 6":"Naslov 6","Preformatted":"Predformatirano","Div":"","Pre":"","Code":"Koda","Paragraph":"Odstavek","Blockquote":"Blok citat","Inline":"Med besedilom","Blocks":"Bloki","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Odlagali\u0161\u010de je sedaj v tekstovnem na\u010dinu. Vsebina bo preslikana kot besedilo, dokler te mo\u017enosti ne izklju\u010dite.","Fonts":"Pisave","Font sizes":"Velikost pisave","Class":"Razred","Browse for an image":"Prebrskaj za sliko","OR":"ALI","Drop an image here":"Spusti sliko sem","Upload":"Nalo\u017ei","Uploading image":"Nalaganje slike","Block":"Blok","Align":"Poravnava","Default":"Privzeto","Circle":"Krog","Disc":"Disk","Square":"Kvadrat","Lower Alpha":"Mala alfa","Lower Greek":"Male gr\u0161ke \u010drke","Lower Roman":"Male rimske \u0161tevilke","Upper Alpha":"Velika alfa","Upper Roman":"Velike rimske \u0161tevilke","Anchor...":"Sidro ...","Anchor":"Sidro","Name":"Naziv","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID se mora za\u010deti s \u010drko, ki ji sledijo samo \u010drke, \u0161tevilke, pomi\u0161ljaji, pike, dvopi\u010dje ali pod\u010drtaji.","You have unsaved changes are you sure you want to navigate away?":"Imate neshranjene spremembe. Ste prepri\u010dati, da \u017eelite zapustiti stran?","Restore last draft":"Obnovi zadnji osnutek","Special character...":"Poseben znak ...","Special Character":"Poseben znak","Source code":"Izvorna koda","Insert/Edit code sample":"Vstavi/Uredi vzor\u010dno kodo","Language":"Jezik","Code sample...":"Vzor\u010dna koda ...","Left to right":"Od leve proti desni","Right to left":"Od desne proti levi","Title":"Naslov","Fullscreen":"\u010cez cel zaslon","Action":"Dejanje","Shortcut":"Bli\u017enjica","Help":"Pomo\u010d","Address":"Naslov","Focus to menubar":"Poudarek na menijski vrstici","Focus to toolbar":"Poudarek na orodni vrstici","Focus to element path":"Poudarek na poti elementa","Focus to contextual toolbar":"Poudarek na kontekstualni orodni vrstici","Insert link (if link plugin activated)":"Vstavi povezavo (\u010de je aktiviran vti\u010dnik za povezavo)","Save (if save plugin activated)":"Shrani (\u010de je aktiviran vti\u010dnik za shranjevanje)","Find (if searchreplace plugin activated)":"I\u0161\u010di (\u010de je aktiviran vti\u010dnik za iskanje/zamenjavo)","Plugins installed ({0}):":"Name\u0161\u010deni vti\u010dniki ({0}):","Premium plugins:":"Premium vti\u010dniki:","Learn more...":"Ve\u010d ...","You are using {0}":"Uporabljate {0}","Plugins":"Vti\u010dniki","Handy Shortcuts":"Uporabne bli\u017enjice","Horizontal line":"Vodoravna \u010drta","Insert/edit image":"Vstavi/uredi sliko","Alternative description":"Nadomestni opis","Accessibility":"Dostopnost","Image is decorative":"Slika je okrasna","Source":"Pot","Dimensions":"Dimenzije","Constrain proportions":"Obdr\u017ei razmerje","General":"Splo\u0161no","Advanced":"Napredno","Style":"Slog","Vertical space":"Navpi\u010dni prostor","Horizontal space":"Vodoravni prostor","Border":"Meja","Insert image":"Vnesi sliko","Image...":"Slika ...","Image list":"Seznam slik","Resize":"Spremeni velikost","Insert date/time":"Vstavi datum/\u010das","Date/time":"Datum/\u010das","Insert/edit link":"Vstavi/uredi povezavo","Text to display":"Besedilo za prikaz","Url":"Povezava","Open link in...":"Odpri povezavo v ...","Current window":"Trenutno okno","None":"Brez","New window":"Novo okno","Open link":"Odpri povezavo","Remove link":"Odstrani povezavo","Anchors":"Sidra","Link...":"Povezava ...","Paste or type a link":"Prilepite ali vnesite povezavo","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":'Vneseni URL predstavlja e-po\u0161tni naslov. Ali \u017eelite dodati potrebno predpono "mailto:"?',"The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":'Vneseni URL predstavlja zunanjo povezavo. Ali \u017eelite dodati predpono "http://"?',"The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Vneseni URL naslov predstavlja zunanjo povezavo. Ali mu \u017eelite dodati predpono https:// ?","Link list":"Seznam povezav","Insert video":"Vstavi video","Insert/edit video":"Vstavi/uredi video","Insert/edit media":"Vstavi/uredi medij","Alternative source":"Nadomestni vir","Alternative source URL":"Nadomestni vir URL","Media poster (Image URL)":"Medijski poster (URL slike)","Paste your embed code below:":"Spodaj prilepite kodo za vdelavo:","Embed":"Vdelaj","Media...":"Mediji ...","Nonbreaking space":"Nedeljivi presledek","Page break":"Prelom strani","Paste as text":"Vnesi kot besedilo","Preview":"Predogled","Print":"Tiskaj","Print...":"Natisni ...","Save":"Shrani","Find":"Najdi","Replace with":"Zamenjaj z","Replace":"Zamenjaj","Replace all":"Zamenjaj vse","Previous":"Prej\u0161nja","Next":"Naslednja","Find and Replace":"Najdi in zamenjaj","Find and replace...":"Najdi in zamenjaj ...","Could not find the specified string.":"Iskanje ni vrnilo rezultatov.","Match case":"Ujemanje malih in velikih \u010drk","Find whole words only":"I\u0161\u010di samo cele besede","Find in selection":"I\u0161\u010di v izboru","Insert table":"Vstavi tabelo","Table properties":"Lastnosti tabele","Delete table":"Izbri\u0161i tabelo","Cell":"Celica","Row":"Vrstica","Column":"Stolpec","Cell properties":"Lastnosti celice","Merge cells":"Zdru\u017ei celice","Split cell":"Razdeli celico","Insert row before":"Vstavi vrstico pred","Insert row after":"Vstavi vrstico za","Delete row":"Izbri\u0161i vrstico","Row properties":"Lastnosti vrstice","Cut row":"Izre\u017ei vrstico","Cut column":"Izre\u017eite stolpec","Copy row":"Kopiraj vrstico","Copy column":"Kopiraj stolpec","Paste row before":"Prilepi vrstico pred","Paste column before":"Vstavi stolpec pred","Paste row after":"Prilepi vrstico za","Paste column after":"Vstavi stolpec za","Insert column before":"Vstavi stolpec pred","Insert column after":"Vstavi stolpec za","Delete column":"Izbri\u0161i stolpec","Cols":"Stolpci","Rows":"Vrstice","Width":"\u0160irina","Height":"Vi\u0161ina","Cell spacing":"Razmik med celicami","Cell padding":"Polnilo med celicami","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Naslov","Show caption":"Poka\u017ei napis","Left":"Leva","Center":"Sredinska","Right":"Desna","Cell type":"Tip celice","Scope":"Obseg","Alignment":"Poravnava","Horizontal align":"","Vertical align":"","Top":"Vrh","Middle":"Sredina","Bottom":"Dno","Header cell":"Celica glave","Row group":"Grupiranje vrstic","Column group":"Grupiranje stolpcev","Row type":"Tip vrstice","Header":"","Body":"Vsebina","Footer":"","Border color":"Barva obrobe","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Vstavi predlogo ...","Templates":"Predloge","Template":"Predloga","Insert Template":"","Text color":"Barva besedila","Background color":"Barva ozadja","Custom...":"Po meri ...","Custom color":"Barva po meri","No color":"Brezbarvno","Remove color":"Odstrani barvo","Show blocks":"Prika\u017ei bloke","Show invisible characters":"Prika\u017ei skrite znake","Word count":"\u0160tevilo besed","Count":"\u0160tevilo","Document":"Dokument","Selection":"Izbor","Words":"Besede","Words: {0}":"Besed: {0}","{0} words":"{0} besed","File":"Datoteka","Edit":"Uredi","Insert":"Vstavi","View":"Pogled","Format":"Oblika","Table":"Tabela","Tools":"Orodja","Powered by {0}":"Uporablja tehnologijo {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Bogato besedilo. Pritisnite ALT-F9 za meni. Pritisnite ALT-F10 za orodno vrstico. Pritisnite ALT-0 za pomo\u010d","Image title":"Naslov slike","Border width":"\u0160irina obrobe","Border style":"Slog obrobe","Error":"Napaka","Warn":"Opozorilo","Valid":"Veljavno","To open the popup, press Shift+Enter":"Za odpiranje pojavnega okna pritisnite Shift + Enter.","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Bogato besedilo. Pritisnite ALT-0 za pomo\u010d.","System Font":"Sistemska pisava","Failed to upload image: {0}":"Napaka nalaganja slike: {0}","Failed to load plugin: {0} from url {1}":"Napaka nalaganja vti\u010dnika: {0} z url {1}","Failed to load plugin url: {0}":"Napaka nalaganja url: {0}","Failed to initialize plugin: {0}":"Napaka inicializacije vti\u010dnika: {0}","example":"primer","Search":"Iskanje","All":"Vse","Currency":"Valuta","Text":"Besedilo","Quotations":"Citati","Mathematical":"Matemati\u010dno","Extended Latin":"Raz\u0161irjena latinica","Symbols":"Simboli","Arrows":"Pu\u0161\u010dice","User Defined":"Uporabnik dolo\u010den","dollar sign":"znak za dolar","currency sign":"znak za valuto","euro-currency sign":"znak za evro","colon sign":"znak za dvopi\u010dje","cruzeiro sign":"znak za cruzeiro","french franc sign":"znak za francoski frank","lira sign":"znak za liro","mill sign":"znak za mill","naira sign":"znak za nairo","peseta sign":"znak za peseto","rupee sign":"znak za rupijo","won sign":"znak za won","new sheqel sign":"znak za novi \u0161ekl","dong sign":"znak za dong","kip sign":"znak za kip","tugrik sign":"znak za tugrik","drachma sign":"znak za drahmo","german penny symbol":"znak za nem\u0161ki peni","peso sign":"znak za peso","guarani sign":"znak za guarani","austral sign":"znak za austral","hryvnia sign":"znak za hrivnijo","cedi sign":"znak za cedi","livre tournois sign":"znak za livre tournois","spesmilo sign":"znak za spesmilo","tenge sign":"znak za tenge","indian rupee sign":"znak za indijsko rupijo","turkish lira sign":"znak za tur\u0161ko liro","nordic mark sign":"znak za nordijsko marko","manat sign":"znak za manat","ruble sign":"znak za rubelj","yen character":"znak za jen","yuan character":"znak za yuan","yuan character, in hong kong and taiwan":"znak za yuan, v Hongkongu in na Tajvanu","yen/yuan character variant one":"znak za jen/yuan, prva razli\u010dica","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"Ljudje","Animals and Nature":"\u017divali in narava","Food and Drink":"Hrana in pija\u010da","Activity":"Dejavnost","Travel and Places":"Potovanja in kraji","Objects":"Predmeti","Flags":"Zastave","Characters":"Znaki","Characters (no spaces)":"Znaki (brez presledkov)","{0} characters":"{0} znakov","Error: Form submit field collision.":"Napaka: navzkri\u017eje polja za oddajo obrazca","Error: No form element found.":"Napaka: elementa oblike ni mogo\u010de najti","Color swatch":"Vzorec barv","Color Picker":"Izbirnik barve","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"Turkizna","Green":"Zelena","Blue":"Modra","Purple":"\u0160krlatna","Navy Blue":"Mornarsko modra","Dark Turquoise":"Temno turkizna","Dark Green":"Temno zelena","Medium Blue":"Srednje modra","Medium Purple":"Srednje \u0161krlatna","Midnight Blue":"Polno\u010dno modra","Yellow":"Rumena","Orange":"Oran\u017ena","Red":"Rde\u010da","Light Gray":"Svetlo siva","Gray":"Siva","Dark Yellow":"Temno rumena","Dark Orange":"Temno oran\u017ena","Dark Red":"Temno rde\u010da","Medium Gray":"Srednje siva","Dark Gray":"Temno siva","Light Green":"Svetlo zelena","Light Yellow":"Svetlo rumena","Light Red":"Svetlo rde\u010da","Light Purple":"Svetlo vijoli\u010dna","Light Blue":"Svetlo modra","Dark Purple":"Temno vijoli\u010dna","Dark Blue":"Temno modra","Black":"\u010crna","White":"Bela","Switch to or from fullscreen mode":"Preklopi v ali iz celozaslonskega na\u010dina","Open help dialog":"Odpri pogovorno okno za pomo\u010d","history":"zgodovina","styles":"slogi","formatting":"oblikovanje","alignment":"poravnava","indentation":"zamik","Font":"Pisava","Size":"Velikost","More...":"Ve\u010d ...","Select...":"Izberi ...","Preferences":"Preference","Yes":"Da","No":"Ne","Keyboard Navigation":"Krmarjenje s tipkovnico","Version":"Razli\u010dica","Code view":"Prikaz kode","Open popup menu for split buttons":"Odpri pojavni meni za razdeljene gumbe","List Properties":"Lastnosti seznama","List properties...":"Lastnosti seznama...","Start list at number":"Za\u010dni seznam s \u0161tevilko","Line height":"Vi\u0161ina vrstice","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/sq.js b/deform/static/tinymce/langs/sq.js new file mode 100644 index 00000000..636cf07e --- /dev/null +++ b/deform/static/tinymce/langs/sq.js @@ -0,0 +1 @@ +tinymce.addI18n("sq",{"Redo":"Rib\xebje","Undo":"Zhb\xebje","Cut":"Prije","Copy":"Kopjoje","Paste":"Ngjite","Select all":"P\xebrzgjidhe krejt","New document":"Dokument i ri","Ok":"","Cancel":"Anuloje","Visual aids":"Ndihm\xebs pamor\xeb","Bold":"T\xeb trasha","Italic":"T\xeb pjerrta","Underline":"N\xebnvij\xeb","Strikethrough":"Hequrvije","Superscript":"Sip\xebrshkrim","Subscript":"Posht\xebshkrim","Clear formatting":"Spastroju formatimin","Remove":"","Align left":"V\xebre majtas","Align center":"V\xebre n\xeb qend\xebr","Align right":"V\xebre djathtas","No alignment":"","Justify":"P\xebrligje","Bullet list":"List\xeb me toptha","Numbered list":"List\xeb e num\xebrtuara","Decrease indent":"Zvog\xebloji shmangien e kryeradh\xebs","Increase indent":"Rritja shmangien e kryeradh\xebs","Close":"Mbylle","Formats":"Formate","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Shfletuesi juaj s\u2019mbulon hyrje t\xeb drejtp\xebrdrejt\xeb n\xeb t\xeb papast\xebr. Ju lutemi, n\xeb vend t\xeb k\xebsaj, p\xebrdorni shkurtore tastiere Ctrl+X/C/V.","Headings":"Krye","Heading 1":"Krye 1","Heading 2":"Krye 2","Heading 3":"Krye 3","Heading 4":"Krye 4","Heading 5":"Krye 5","Heading 6":"Krye 6","Preformatted":"E paraformatuar","Div":"","Pre":"","Code":"Kod","Paragraph":"Paragraf","Blockquote":"Citat","Inline":"Brendazi","Blocks":"Blloqe","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Ngjitjet tani b\xebhen n\xebn m\xebnyr\xebn \u201cthjesht tekst\u201d. L\xebnda tani do t\xeb ngjitet si tekst i thjesht\xeb, derisa ta \xe7aktivizoni k\xebt\xeb mund\xebsi.","Fonts":"Shkronja","Font sizes":"","Class":"Klas\xeb","Browse for an image":"Shfletoni p\xebr nj\xeb figur\xeb","OR":"OSE","Drop an image here":"Lini k\xebtu nj\xeb figur\xeb","Upload":"Ngarkoje","Uploading image":"","Block":"Bllokoje","Align":"Vendose","Default":"Parazgjedhje","Circle":"Rreth","Disc":"Disk","Square":"Katror","Lower Alpha":"Alfa t\xeb Vogla","Lower Greek":"Greke t\xeb Vogla","Lower Roman":"Romake t\xeb Vogla","Upper Alpha":"Alfa t\xeb M\xebdha","Upper Roman":"Romake t\xeb\xa0M\xebdha","Anchor...":"Spiranc\xeb\u2026","Anchor":"","Name":"Em\xebr","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"Keni ndryshime t\xeb paruajtura, jeni i sigurt se doni t\xeb ikni prej k\xebtej?","Restore last draft":"Rikthe skic\xebn e fundit","Special character...":"Shenj\xeb speciale\u2026","Special Character":"","Source code":"Kodi burim","Insert/Edit code sample":"Futni/P\xebrpunoni shembull kodi","Language":"Gjuh\xeb","Code sample...":"Shembull kodi\u2026","Left to right":"Nga e majta n\xeb t\xeb djatht\xeb","Right to left":"Nga e djathta n\xeb t\xeb majt\xeb","Title":"Titull","Fullscreen":"Sa Krejt Ekrani","Action":"Veprim","Shortcut":"Shkurtore","Help":"Ndihm\xeb","Address":"Adres\xeb","Focus to menubar":"Fokusi te shtyll\xeb menuje","Focus to toolbar":"Fokusi te panel","Focus to element path":"Fokusi te shteg elementi","Focus to contextual toolbar":"Fokusi te panel kontekstual","Insert link (if link plugin activated)":"Futni lidhje (n\xebse \xebsht\xeb aktivizuar shtojca e lidhjeve)","Save (if save plugin activated)":"Ruaje (n\xebse \xebsht\xeb aktivizuar shtojca e ruajtjeve)","Find (if searchreplace plugin activated)":"Gjeni (n\xebse \xebsht\xeb aktivizuar shtojca p\xebr k\xebrkim dhe z\xebvend\xebsim)","Plugins installed ({0}):":"Shtojca t\xeb instaluara ({0}):","Premium plugins:":"Shtojca me pages\xeb:","Learn more...":"M\xebsoni m\xeb tep\xebr\u2026","You are using {0}":"Po p\xebrdorni {0}","Plugins":"Shtojca","Handy Shortcuts":"Shkurtore t\xeb Volitshme","Horizontal line":"Vij\xeb horizontale","Insert/edit image":"Futni/p\xebrpunoni figur\xeb","Alternative description":"P\xebrshkrim alternativ","Accessibility":"P\xebrdorim nga persona me aft\xebsi t\xeb kufizuara","Image is decorative":"Figura \xebsht\xeb p\xebr zbukurim","Source":"Burim","Dimensions":"P\xebrmasa","Constrain proportions":"Mbaji detyrimisht p\xebrpjestimet","General":"T\xeb p\xebrgjithshme","Advanced":"T\xeb m\xebtejshme","Style":"Stil","Vertical space":"Hapsir\xeb vertikale","Horizontal space":"Hapsir\xeb horizontale","Border":"An\xeb","Insert image":"Futni figur\xeb","Image...":"Figur\xeb\u2026","Image list":"List\xeb figurash","Resize":"Rip\xebrmasoje","Insert date/time":"Futni dat\xeb/koh\xeb","Date/time":"Dat\xeb/koh\xeb","Insert/edit link":"Futni/p\xebrpunoni lidhje","Text to display":"Tekst p\xebr t\u2019u shfaqur","Url":"","Open link in...":"Hape lidhje n\xeb:\u2026","Current window":"Dritaren e tanishme","None":"Asnj\xeb","New window":"Dritare e re","Open link":"Hape lidhjen","Remove link":"Hiqe lidhjen","Anchors":"Spiranca","Link...":"Lidhni\u2026","Paste or type a link":"Hidhni ose shtypni nj\xeb lidhje","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL-ja q\xeb dhat\xeb duket se \xebsht\xeb adres\xeb email. Doni t\xeb shtohet parashtesa e domosdoshme mailto: ?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL-ja q\xeb dhat\xeb duket se \xebsht\xeb lidhje e jashtme. Doni t\xeb shtohet parashtesa e domosdoshme https:// ?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"URL-ja q\xeb dhat\xeb duket t\xeb jet\xeb nj\xeb lidhje e jashtme. Doni t\u2019i shtohet parashtesa e domosdoshme https:// ?","Link list":"List\xeb lidhjesh","Insert video":"Futni video","Insert/edit video":"Futni/p\xebrpunoni video","Insert/edit media":"Futni/p\xebrpunoni media","Alternative source":"Burim alternativ","Alternative source URL":"URL burimi alternativ","Media poster (Image URL)":"Postues mediash (URL Figure)","Paste your embed code below:":"Ngjiteni kodin tuaj t\xeb trup\xebzimit m\xeb posht\xeb:","Embed":"Trup\xebzojeni","Media...":"Media\u2026","Nonbreaking space":"Hap\xebsir\xeb e pandashme","Page break":"Nd\xebrprerje faqeje","Paste as text":"Ngjite si tekst","Preview":"Paraparje","Print":"","Print...":"Shtypeni\u2026","Save":"Ruaje","Find":"Gjej","Replace with":"Z\xebvend\xebsoje me","Replace":"Z\xebvend\xebsoje","Replace all":"Z\xebvend\xebsoji krejt","Previous":"I m\xebparsh\xebmi","Next":"Pasuesi","Find and Replace":"Gjej dhe Z\xebvend\xebso","Find and replace...":"Gjeni dhe z\xebvend\xebsoni\u2026","Could not find the specified string.":"S\u2019u gjet dot vargu i dh\xebn\xeb.","Match case":"Si\xe7 \xebsht\xeb shkruar","Find whole words only":"Gjej vet\xebm fjal\xeb t\xeb plota","Find in selection":"Gjeni n\xeb p\xebrzgjedhje","Insert table":"Futni tabel\xeb","Table properties":"Veti tabele","Delete table":"Fshi tabel\xebn","Cell":"Kutiz\xeb","Row":"Rresht","Column":"Shtyll\xeb","Cell properties":"Veti kutize","Merge cells":"P\xebrzieji kutizat","Split cell":"Ndaje kutiz\xebn","Insert row before":"Futni rresht para","Insert row after":"Futni rresht pas","Delete row":"Fshije rreshtin","Row properties":"Veti rreshti","Cut row":"Prije rreshtin","Cut column":"","Copy row":"Kopjoje rreshtin","Copy column":"","Paste row before":"Ngjite rreshtin p\xebrpara","Paste column before":"","Paste row after":"Ngjite rreshtin pas","Paste column after":"","Insert column before":"Futni shtyll\xeb para","Insert column after":"Futni shtyll\xeb pas","Delete column":"Fshi shtyll\xeb","Cols":"Shtylla","Rows":"Rreshta","Width":"Gjer\xebsi","Height":"Lart\xebsi","Cell spacing":"Hap\xebsir\xeb kutize","Cell padding":"Mbushje kutize","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Legjend\xeb","Show caption":"Shfaq titull","Left":"Majtas","Center":"N\xeb qend\xebr","Right":"Djathtas","Cell type":"Lloj kutize","Scope":"Fokus","Alignment":"Drejtim","Horizontal align":"","Vertical align":"","Top":"N\xeb krye","Middle":"N\xeb mes","Bottom":"N\xeb fund","Header cell":"Kutiz\xeb kryeje","Row group":"Grup rreshtash","Column group":"Grup shtyllash","Row type":"Lloj rreshti","Header":"Kryefaqe","Body":"L\xebnd\xeb","Footer":"Fundfaqe","Border color":"Ngjyr\xeb ane","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Futni gjedhe\u2026","Templates":"Gjedhe","Template":"Gjedhe","Insert Template":"","Text color":"Ngjyr\xeb teksti","Background color":"Ngjyr\xeb sfondi","Custom...":"Vetjake\u2026","Custom color":"Ngjyr\xeb vetjake","No color":"Pa ngjyr\xeb","Remove color":"Hiqe ngjyr\xebn","Show blocks":"Shfaqi blloqet","Show invisible characters":"Shfaqi shenjat e padukshme","Word count":"Num\xebr fjal\xebsh","Count":"Num\xebr","Document":"Dokument","Selection":"P\xebrzgjedhje","Words":"Fjal\xeb","Words: {0}":"Fjal\xeb: {0}","{0} words":"{0} fjal\xeb","File":"Kartel\xeb","Edit":"P\xebrpunoni","Insert":"Futni","View":"Shihni","Format":"","Table":"Tabel\xeb","Tools":"Mjete","Powered by {0}":"Bazuar n\xeb {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Fush\xeb Teksti t\xeb Pasur. p\xebr menu, shtypni tastet ALT-F9. P\xebr panel, shtypnis tastet ALT-F10r. P\xebr ndihm\xeb, shtypni ALT-0","Image title":"Titull figure","Border width":"Gjer\xebsi an\xebsh","Border style":"Stil an\xebsh","Error":"Gabim","Warn":"Sinjalizoje","Valid":"E vlefshme","To open the popup, press Shift+Enter":"Q\xeb t\xeb hapet flluska, shtypni tastet Shift+Enter","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Fush\xeb Teksti t\xeb Pasur. P\xebr ndihm\xeb, shtypni ALT-0.","System Font":"Shkronja Sistemi","Failed to upload image: {0}":"S\u2019u arrit t\xeb ngarkohej figur\xeb: {0}","Failed to load plugin: {0} from url {1}":"S\u2019u arrit t\xeb ngarkohej shtojca: {0} prej url-je {1}","Failed to load plugin url: {0}":"S\u2019u arrit t\xeb ngarkohej URL shtojce: {0}","Failed to initialize plugin: {0}":"S\u2019u arrit t\xeb gatitej shtojca: {0}","example":"shembull","Search":"K\xebrko","All":"Krejt","Currency":"Monedh\xeb","Text":"Tekst","Quotations":"Citime","Mathematical":"Matematikore","Extended Latin":"Latinishte e Zgjeruar","Symbols":"Simbole","Arrows":"Shigjeta","User Defined":"P\xebrcaktuar Nga P\xebrdoruesi","dollar sign":"simbol dollari","currency sign":"simbol monedhe","euro-currency sign":"simbol euroje","colon sign":"shenj\xeb dy pika","cruzeiro sign":"shenj\xeb kruzeiroje","french franc sign":"shenj\xeb frangu fr\xebng","lira sign":"shenj\xeb sterline","mill sign":"shenj\xeb mili","naira sign":"shenj\xeb nairaje","peseta sign":"shenj\xeb pesete","rupee sign":"shenj\xeb rupie","won sign":"shenj\xeb uoni","new sheqel sign":"shenj\xeb shekeli t\xeb ri","dong sign":"shenj\xeb dongu","kip sign":"shenj\xeb kipi","tugrik sign":"shenj\xeb tugriku","drachma sign":"shenj\xeb drahme","german penny symbol":"shenj\xeb peni gjerman","peso sign":"shenj\xeb peso","guarani sign":"shenj\xeb guaranie","austral sign":"shenj\xeb australi","hryvnia sign":"shenj\xeb hrivniaje","cedi sign":"shenj\xeb cedi","livre tournois sign":"shenj\xeb lire Turi","spesmilo sign":"shenj\xeb spesmiloje","tenge sign":"shenj\xeb tenge","indian rupee sign":"shenj\xeb rupie indiane","turkish lira sign":"shenj\xeb lire turke","nordic mark sign":"shenj\xeb marke nordike","manat sign":"shenj\xeb manati","ruble sign":"shenj\xeb ruble","yen character":"shenj\xeb jeni","yuan character":"shenj\xeb juani","yuan character, in hong kong and taiwan":"shenja e juanit, n\xeb Hong Kong dhe Tajvan","yen/yuan character variant one":"shenja jen/juan n\xeb variantin nj\xeb","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"Persona","Animals and Nature":"Kafsh\xeb & Natyr\xeb","Food and Drink":"Ushqim dhe Pije","Activity":"Veprimtari","Travel and Places":"Udh\xebtim dhe Vende","Objects":"Objekte","Flags":"Flamuj","Characters":"Shenja","Characters (no spaces)":"Shenja (pa hap\xebsira)","{0} characters":"{0} shenja","Error: Form submit field collision.":"Gabim: P\xebrplasje fushash parashtrimi formulari.","Error: No form element found.":"Gabim: S\u2019u gjet element forme.","Color swatch":"Palet\xeb ngjyrash","Color Picker":"Zgjedh\xebs Ngjyrash","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"E bruzt\xeb","Green":"E gjelb\xebr","Blue":"E kalt\xebr","Purple":"E purpurt","Navy Blue":"Blu e err\xebt","Dark Turquoise":"E bruzt\xeb e Err\xebt","Dark Green":"E gjelb\xebr e Err\xebt","Medium Blue":"Blu e Mesme","Medium Purple":"E purpurt e Mesme","Midnight Blue":"Blu Mesnate","Yellow":"E verdh\xeb","Orange":"Portokalli","Red":"E kuqe","Light Gray":"Gri e \xc7el\xebt","Gray":"Gri","Dark Yellow":"E verdh\xeb e Err\xebt","Dark Orange":"Portokalli e Err\xebt","Dark Red":"E kuqe e Err\xebt","Medium Gray":"Gri e Mesme","Dark Gray":"Gri e Err\xebt","Light Green":"E gjelb\xebr e \xc7el\xebt","Light Yellow":"E verdh\xeb e \xc7el\xebt","Light Red":"E kuqe e \xc7el\xebt","Light Purple":"E purpur e \xc7el\xebt","Light Blue":"Blu e \xc7el\xebt","Dark Purple":"E purpurt e Err\xebt","Dark Blue":"Blu e Err\xebt","Black":"E zez\xeb","White":"E bardh\xeb","Switch to or from fullscreen mode":"Kaloni n\xeb ose dilni nga m\xebnyra \u201cSa t\xebr\xeb ekrani\u201c","Open help dialog":"Hapni dialogun e ndihm\xebs","history":"historik","styles":"stile","formatting":"formatim","alignment":"drejtim","indentation":"shmangie kryeradhe","Font":"Shkronja","Size":"Madh\xebsi","More...":"M\xeb tep\xebr\u2026","Select...":"P\xebrzgjidhni\u2026","Preferences":"Parap\xeblqime","Yes":"Po","No":"Jo","Keyboard Navigation":"L\xebvizje me Tastier\xeb","Version":"","Code view":"Parje kodi","Open popup menu for split buttons":"Hapni menu fllusk\xeb p\xebr butona ndarjeje","List Properties":"Veti Liste","List properties...":"Veti liste\u2026","Start list at number":"Fillo list\xebn me numrin","Line height":"Lart\xebsi rreshti","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/sr.js b/deform/static/tinymce/langs/sr.js index 84b05899..58f8f73f 100644 --- a/deform/static/tinymce/langs/sr.js +++ b/deform/static/tinymce/langs/sr.js @@ -1,152 +1 @@ -tinymce.addI18n('sr',{ -"Cut": "Ise\u0107i", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Va\u0161 pretra\u017eiva\u010d nepodr\u017eava direktan pristup prenosu.Koristite Ctrl+X\/C\/V pre\u010dice na tastaturi", -"Paste": "Nalepiti", -"Close": "Zatvori", -"Align right": "Poravnano desno", -"New document": "Novi dokument", -"Numbered list": "Numerisana lista", -"Increase indent": "Pove\u0107aj uvla\u010denje", -"Formats": "Forrmatiraj", -"Select all": "Obele\u017ei sve", -"Undo": "Korak unazad", -"Strikethrough": "Precrtan", -"Bullet list": "Lista nabrajanja", -"Superscript": "Natpis", -"Clear formatting": "Brisanje formatiranja", -"Subscript": "Potpisan", -"Redo": "Korak napred", -"Ok": "Ok", -"Bold": "Podebljan", -"Italic": "isko\u0161en", -"Align center": "Poravnano centar", -"Decrease indent": "Smanji uvla\u010denje", -"Underline": "Podvu\u010den", -"Cancel": "Opozovi", -"Justify": "Poravnanje", -"Copy": "kopirati", -"Align left": "Poravnano levo", -"Visual aids": "Vizuelna pomagala", -"Lower Greek": "Ni\u017ei gr\u010dki", -"Square": "Kvadrat", -"Default": "Podrazumevano", -"Lower Alpha": "Donja Alpha", -"Circle": "Krug", -"Disc": "Disk", -"Upper Alpha": "Gornji Alpha", -"Upper Roman": "Gornji Roman", -"Lower Roman": "Donji Roman", -"Name": "Ime", -"Anchor": "Sidro", -"You have unsaved changes are you sure you want to navigate away?": "Imate nesa\u010duvane promene dali ste sigurni da \u017eelite da iza\u0111ete?", -"Restore last draft": "Vrati poslednji nacrt", -"Special character": "Specijalni karakter", -"Source code": "Izvorni kod", -"Right to left": "Sa desne na levu", -"Left to right": "Sa leve na desnu", -"Emoticons": "Smajliji", -"Robots": "Roboti", -"Document properties": "Postavke dokumenta", -"Title": "Naslov", -"Keywords": "Klju\u010dne re\u010di", -"Encoding": "Kodiranje", -"Description": "Opis", -"Author": "Autor", -"Fullscreen": "Pun ekran", -"Horizontal line": "Horizontalna linija", -"Source": "Izvor", -"Constrain proportions": "Ograni\u010dene proporcije", -"Dimensions": "Dimenzije", -"Insert\/edit image": "Ubaci\/Promeni sliku", -"Image description": "Opis slike", -"Insert date\/time": "Ubaci datum\/vreme", -"Url": "Url", -"Text to display": "Tekst za prikaz", -"Insert link": "Ubaci vezu", -"New window": "Novi prozor", -"None": "Ni\u0161ta", -"Target": "Meta", -"Insert\/edit link": "Ubaci\/promeni vezu", -"Insert\/edit video": "Ubaci\/promeni video", -"General": "Op\u0161te", -"Poster": "Poster", -"Alternative source": "Alternativni izvor", -"Paste your embed code below:": "Nalepite ugra\u0111eni kod ispod:", -"Insert video": "Ubaci video", -"Embed": "Ugra\u0111eno", -"Nonbreaking space": "bez ramaka", -"Page break": "Lomljenje stranice", -"Preview": "Pregled", -"Print": "\u0160tampanje", -"Save": "Sa\u010duvati", -"Could not find the specified string.": "Nije mogu\u0107e prona\u0107i navedeni niz.", -"Replace": "Zameni", -"Next": "Slede\u0107i", -"Whole words": "Cele re\u010di", -"Find and replace": "Na\u0111i i zameni", -"Replace with": "Zameni sa", -"Find": "Na\u0111i", -"Replace all": "Zameni sve", -"Match case": "Predmet za upore\u0111ivanje", -"Prev": "Prethodni", -"Spellcheck": "Provera pravopisa", -"Finish": "Kraj", -"Ignore all": "Ignori\u0161i sve", -"Ignore": "ignori\u0161i", -"Insert row before": "Ubaci red pre", -"Rows": "Redovi", -"Height": "Visina", -"Paste row after": "Nalepi red posle", -"Alignment": "Svrstavanje", -"Column group": "Grupa kolone", -"Row": "Red", -"Insert column before": "Ubaci kolonu pre", -"Split cell": "Razdvoji \u0107elije", -"Cell padding": "Razmak \u0107elije", -"Cell spacing": "Prostor \u0107elije", -"Row type": "Tip reda", -"Insert table": "ubaci tabelu", -"Body": "Telo", -"Caption": "Natpis", -"Footer": "Podno\u017eje", -"Delete row": "Obri\u0161i red", -"Paste row before": "Nalepi red pre", -"Scope": "Obim", -"Delete table": "Obri\u0161i tabelu", -"Header cell": "Visina \u0107elije", -"Column": "Kolona", -"Cell": "\u0106elija", -"Header": "Zaglavlje", -"Border": "Okvir", -"Cell type": "Tip \u0107elije", -"Copy row": "Kopiraj red", -"Row properties": "Postavke reda", -"Table properties": "Postavke tabele", -"Row group": "Grupa reda", -"Right": "Desno", -"Insert column after": "Ubaci kolonu posle", -"Cols": "Kolone", -"Insert row after": "Ubaci red posle", -"Width": "\u0160irina", -"Cell properties": "Postavke \u0107elije", -"Left": "Levo", -"Cut row": "Iseci red", -"Delete column": "Obri\u0161i kolonu", -"Center": "Centar", -"Merge cells": "Spoji \u0107elije", -"Insert template": "Ubaci \u0161ablon", -"Templates": "\u0160abloni", -"Background color": "Boja pozadine", -"Text color": "Boja tekst", -"Show blocks": "Prikaz blokova", -"Show invisible characters": "Prika\u017ei nevidljive karaktere", -"Words: {0}": "Re\u010di:{0}", -"Insert": "Umetni", -"File": "Datoteka", -"Edit": "Ure\u0111ivanje", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Oboga\u0107en tekst. Pritisni te ALT-F9 za meni.Pritisnite ALT-F10 za traku sa alatkama.Pritisnite ALT-0 za pomo\u0107", -"Tools": "Alatke", -"View": "Prikaz", -"Table": "Tabela", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("sr",{"Redo":"Napred","Undo":"Nazad","Cut":"Iseci","Copy":"Kopiraj","Paste":"Nalepi","Select all":"Obele\u017ei sve","New document":"Novi dokument","Ok":"Ok","Cancel":"Opozovi","Visual aids":"Vizuelna pomagala","Bold":"Podebljan","Italic":"isko\u0161en","Underline":"Podvu\u010den","Strikethrough":"Precrtan","Superscript":"Natpis","Subscript":"Potpisan","Clear formatting":"Brisanje formatiranja","Remove":"","Align left":"Poravnano levo","Align center":"Poravnano centar","Align right":"Poravnano desno","No alignment":"","Justify":"Poravnanje","Bullet list":"Lista nabrajanja","Numbered list":"Numerisana lista","Decrease indent":"Smanji uvla\u010denje","Increase indent":"Pove\u0107aj uvla\u010denje","Close":"Zatvori","Formats":"Formatiraj","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Va\u0161 pretra\u017eiva\u010d nepodr\u017eava direktan pristup prenosu.Koristite Ctrl+X/C/V pre\u010dice na tastaturi","Headings":"Naslovi","Heading 1":"Naslov 1","Heading 2":"Naslov 2","Heading 3":"Naslov 3","Heading 4":"Naslov 4","Heading 5":"Naslov 5","Heading 6":"Naslov 6","Preformatted":"Formatirano","Div":"","Pre":"","Code":"Kod","Paragraph":"Paragraf","Blockquote":"Navodnici","Inline":"U liniji","Blocks":"Blokovi","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Nalepiti je sada u obi\u010dnom text modu.Sadr\u017eaj \u0107e biti nalepljen kao obi\u010dan tekst dok ne ugasite ovu opciju.","Fonts":"Pisma","Font sizes":"","Class":"Klasa","Browse for an image":"Prona\u0111i sliku","OR":"ili","Drop an image here":"Prevuci sliku ovde","Upload":"Po\u0161alji","Uploading image":"","Block":"Blok","Align":"Poravnaj","Default":"Podrazumevano","Circle":"Krug","Disc":"Disk","Square":"Kvadrat","Lower Alpha":"Donja Alpha","Lower Greek":"Ni\u017ei gr\u010dki","Lower Roman":"Donji Roman","Upper Alpha":"Gornji Alpha","Upper Roman":"Gornji Roman","Anchor...":"Sidro","Anchor":"","Name":"Ime","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"Imate nesa\u010duvane promene dali ste sigurni da \u017eelite da iza\u0111ete?","Restore last draft":"Vrati poslednji nacrt","Special character...":"Specijalan karakter","Special Character":"","Source code":"Izvorni kod","Insert/Edit code sample":"Dodaj/Izmeni primer koda","Language":"Jezik","Code sample...":"Primer koda","Left to right":"Sa leve na desnu","Right to left":"Sa desne na levu","Title":"Naslov","Fullscreen":"Pun ekran","Action":"Akcija","Shortcut":"Pre\u010dica","Help":"Pomo\u0107","Address":"Adresa","Focus to menubar":"Fokus na meni","Focus to toolbar":"Fokus na traku sa alatima","Focus to element path":"Fokus na putanju elementa","Focus to contextual toolbar":"Fokus na kontekstualnu traku alata","Insert link (if link plugin activated)":"Dodaj link (ukoliko je link dodatak aktiviran)","Save (if save plugin activated)":"Sa\u010duvaj (ukoliko je sa\u010duvaj dodatak aktiviran)","Find (if searchreplace plugin activated)":"Prona\u0111i (ako je dodatak pretrage i zamene aktiviran)","Plugins installed ({0}):":"Dodataka instalirano ({0}):","Premium plugins:":"Premium dodaci","Learn more...":"Saznaj vi\u0161e","You are using {0}":"Koristite {0}","Plugins":"Dadaci","Handy Shortcuts":"Prakti\u010dne pre\u010dice","Horizontal line":"Horizontalna linija","Insert/edit image":"Ubaci/Promeni sliku","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"Izvor","Dimensions":"Dimenzije","Constrain proportions":"Ograni\u010dene proporcije","General":"Op\u0161te","Advanced":"Napredno","Style":"Stil","Vertical space":"Vertikalni razmak","Horizontal space":"Horizontalni razmak","Border":"Okvir","Insert image":"Ubaci sliku","Image...":"Slika...","Image list":"Lista slika","Resize":"Promeni veli\u010dinu","Insert date/time":"Ubaci datum/vreme","Date/time":"Datum/vreme","Insert/edit link":"Ubaci/promeni vezu","Text to display":"Tekst za prikaz","Url":"","Open link in...":"Otvori vezu u...","Current window":"Istom prozoru","None":"Ni\u0161ta","New window":"Novi prozor","Open link":"","Remove link":"Ukloni link","Anchors":"sidro","Link...":"Veza...","Paste or type a link":"Nalepi ili ukucaj link","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Izgleda da je URL koji ste uneli email adresa. Da li \u017eelite da dodate zahtevani mailto: prefiks?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Izgleda da je URL koji ste uneli spolja\u0161nja veza. Da li \u017eelite da dodate zahtevani http:// prefiks?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"Lista veza","Insert video":"Ubaci video","Insert/edit video":"Ubaci/promeni video","Insert/edit media":"Ubaci/izmeni mediju","Alternative source":"Alternativni izvor","Alternative source URL":"Alternativni izvorni URL","Media poster (Image URL)":"Poster medije (slika URL)","Paste your embed code below:":"Nalepite ugra\u0111eni kod ispod:","Embed":"Ugra\u0111eno","Media...":"Medija...","Nonbreaking space":"bez ramaka","Page break":"Lomljenje stranice","Paste as text":"Nalepi kao tekst","Preview":"Pregled","Print":"","Print...":"\u0160tampa...","Save":"Sa\u010duvati","Find":"Na\u0111i","Replace with":"Zameni sa","Replace":"Zameni","Replace all":"Zameni sve","Previous":"Predhodno","Next":"Slede\u0107i","Find and Replace":"","Find and replace...":"Prona\u0111i i zameni...","Could not find the specified string.":"Nije mogu\u0107e prona\u0107i navedeni niz.","Match case":"Predmet za upore\u0111ivanje","Find whole words only":"Prona\u0111i samo cele re\u010di","Find in selection":"","Insert table":"ubaci tabelu","Table properties":"Postavke tabele","Delete table":"Obri\u0161i tabelu","Cell":"\u0106elija","Row":"Red","Column":"Kolona","Cell properties":"Postavke \u0107elije","Merge cells":"Spoji \u0107elije","Split cell":"Razdvoji \u0107elije","Insert row before":"Ubaci red pre","Insert row after":"Ubaci red posle","Delete row":"Obri\u0161i red","Row properties":"Postavke reda","Cut row":"Iseci red","Cut column":"","Copy row":"Kopiraj red","Copy column":"","Paste row before":"Nalepi red pre","Paste column before":"","Paste row after":"Nalepi red posle","Paste column after":"","Insert column before":"Ubaci kolonu pre","Insert column after":"Ubaci kolonu posle","Delete column":"Obri\u0161i kolonu","Cols":"Kolone","Rows":"Redovi","Width":"\u0160irina","Height":"Visina","Cell spacing":"Prostor \u0107elije","Cell padding":"Razmak \u0107elije","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"Natpis","Show caption":"Prika\u017ei naslov","Left":"Levo","Center":"Centar","Right":"Desno","Cell type":"Tip \u0107elije","Scope":"Obim","Alignment":"Svrstavanje","Horizontal align":"","Vertical align":"","Top":"Vrh","Middle":"Sredina","Bottom":"Podno\u017eje","Header cell":"Visina \u0107elije","Row group":"Grupa reda","Column group":"Grupa kolone","Row type":"Tip reda","Header":"Zaglavlje","Body":"Telo","Footer":"Podno\u017eje","Border color":"Boja ivice","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"Umetni \u0161emu...","Templates":"\u0160abloni","Template":"\u0160ablon","Insert Template":"","Text color":"Boja tekst","Background color":"Boja pozadine","Custom...":"Posebno...","Custom color":"Posebna boja","No color":"Bez boje","Remove color":"Ukloni boju","Show blocks":"Prikaz blokova","Show invisible characters":"Prika\u017ei nevidljive karaktere","Word count":"Broja\u010d re\u010di","Count":"Ra\u010dunati","Document":"Dokument","Selection":"Odabiranje","Words":"Re\u010di","Words: {0}":"Re\u010di:{0}","{0} words":"{0} re\u010di","File":"Datoteka","Edit":"Ure\u0111ivanje","Insert":"Umetni","View":"Prikaz","Format":"","Table":"Tabela","Tools":"Alatke","Powered by {0}":"Pokre\u0107e ga {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Oboga\u0107en tekst. Pritisni te ALT-F9 za meni.Pritisnite ALT-F10 za traku sa alatkama.Pritisnite ALT-0 za pomo\u0107","Image title":"Naslov slike","Border width":"\u0160irina okvira","Border style":"Stil okvira","Error":"Gre\u0161ka","Warn":"Upozorenje","Valid":"Ispravno","To open the popup, press Shift+Enter":"Da otvorite popup, pritisnite Shift+Enter","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"Podru\u010dje oboga\u0107enog teksta. Pritisnite ALT-0 za pomo\u0107.","System Font":"Sistemski font","Failed to upload image: {0}":"","Failed to load plugin: {0} from url {1}":"","Failed to load plugin url: {0}":"","Failed to initialize plugin: {0}":"","example":"","Search":"","All":"","Currency":"","Text":"","Quotations":"","Mathematical":"","Extended Latin":"","Symbols":"","Arrows":"","User Defined":"","dollar sign":"","currency sign":"","euro-currency sign":"","colon sign":"","cruzeiro sign":"","french franc sign":"","lira sign":"","mill sign":"","naira sign":"","peseta sign":"","rupee sign":"","won sign":"","new sheqel sign":"","dong sign":"","kip sign":"","tugrik sign":"","drachma sign":"","german penny symbol":"","peso sign":"","guarani sign":"","austral sign":"","hryvnia sign":"","cedi sign":"","livre tournois sign":"","spesmilo sign":"","tenge sign":"","indian rupee sign":"","turkish lira sign":"","nordic mark sign":"","manat sign":"","ruble sign":"","yen character":"","yuan character":"","yuan character, in hong kong and taiwan":"","yen/yuan character variant one":"","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"","Animals and Nature":"","Food and Drink":"","Activity":"","Travel and Places":"","Objects":"","Flags":"","Characters":"","Characters (no spaces)":"","{0} characters":"","Error: Form submit field collision.":"","Error: No form element found.":"","Color swatch":"","Color Picker":"Odabir boje","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"","Green":"","Blue":"","Purple":"","Navy Blue":"","Dark Turquoise":"","Dark Green":"","Medium Blue":"","Medium Purple":"","Midnight Blue":"","Yellow":"","Orange":"","Red":"","Light Gray":"","Gray":"","Dark Yellow":"","Dark Orange":"","Dark Red":"","Medium Gray":"","Dark Gray":"","Light Green":"","Light Yellow":"","Light Red":"","Light Purple":"","Light Blue":"","Dark Purple":"","Dark Blue":"","Black":"","White":"","Switch to or from fullscreen mode":"","Open help dialog":"","history":"","styles":"","formatting":"","alignment":"","indentation":"","Font":"","Size":"","More...":"","Select...":"","Preferences":"","Yes":"","No":"","Keyboard Navigation":"","Version":"","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/sv_SE.js b/deform/static/tinymce/langs/sv_SE.js index 5bc67568..faaafa86 100644 --- a/deform/static/tinymce/langs/sv_SE.js +++ b/deform/static/tinymce/langs/sv_SE.js @@ -1,175 +1 @@ -tinymce.addI18n('sv_SE',{ -"Cut": "Klipp ut", -"Header 2": "Rubrik 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Din browser st\u00f6der inte direkt acess till klippboken. V\u00e4nligen anv\u00e4nd Ctrl+X\/C\/V kortkomandon i st\u00e4llet.", -"Div": "Div", -"Paste": "Klistra in", -"Close": "St\u00e4ng", -"Pre": "Pre", -"Align right": "H\u00f6gerst\u00e4ll", -"New document": "Nytt dokument", -"Blockquote": "Blockcitat", -"Numbered list": "Nummerlista", -"Increase indent": "\u00d6ka indrag", -"Formats": "Format", -"Headers": "Rubriker", -"Select all": "Markera allt", -"Header 3": "Rubrik 3", -"Blocks": "Block", -"Undo": "\u00c5ngra", -"Strikethrough": "Genomstruken", -"Bullet list": "Punktlista", -"Header 1": "Rubrik 1", -"Superscript": "Upph\u00f6jd text", -"Clear formatting": "Avformattera", -"Subscript": "Neds\u00e4nkt text", -"Header 6": "Rubrik 6", -"Redo": "G\u00f6r om", -"Paragraph": "Paragraf", -"Ok": "Ok", -"Bold": "Fetstil", -"Code": "K\u00e5d", -"Italic": "Kurisvstil", -"Align center": "Centrera", -"Header 5": "Rubrik 5", -"Decrease indent": "Minska indrag", -"Header 4": "Rubrik 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "Klistra in \u00e4r nu i textl\u00e4ge. Inneh\u00e5ll kommer att konverteras till text tills du sl\u00e5r av detta l\u00e4ge.", -"Underline": "Understruken", -"Cancel": "Avbryt", -"Justify": "Justera", -"Inline": "Inline", -"Copy": "Kopiera", -"Align left": "V\u00e4nsterst\u00e4ll", -"Visual aids": "Visuella hj\u00e4lpmedel", -"Lower Greek": "Grekiska gemener", -"Square": "Fyrkant", -"Default": "Orginal", -"Lower Alpha": "Gemener", -"Circle": "Cirkel", -"Disc": "Disk", -"Upper Alpha": "Varsaler", -"Upper Roman": "Romerskaversaler", -"Lower Roman": "Romerskagemener", -"Name": "Namn", -"Anchor": "Ankare", -"You have unsaved changes are you sure you want to navigate away?": "Du har f\u00f6r\u00e4ndringar som du inte har sparat. \u00c4r du s\u00e4ker p\u00e5 att du vill navigera vidare?", -"Restore last draft": "\u00c5terst\u00e4ll senaste utkast", -"Special character": "Specialtecken", -"Source code": "K\u00e4llkod", -"Right to left": "H\u00f6ger till v\u00e4nster", -"Left to right": "V\u00e4nster till h\u00f6ger", -"Emoticons": "Emoticons", -"Robots": "Robotar", -"Document properties": "Dokumentegenskaper", -"Title": "Titel", -"Keywords": "Nyckelord", -"Encoding": "Encoding", -"Description": "Beskrivning", -"Author": "F\u00f6rfattare", -"Fullscreen": "Fullsk\u00e4rm", -"Horizontal line": "Horizontell linie", -"Horizontal space": "Horizontelltutrymme", -"Insert\/edit image": "Infoga\/redigera bild", -"General": "Generella", -"Advanced": "Avancerat", -"Source": "K\u00e4lla", -"Border": "Ram", -"Constrain proportions": "Begr\u00e4nsa proportioner", -"Vertical space": "Vertikaltutrymme", -"Image description": "Bildbeskrivning", -"Style": "Stil", -"Dimensions": "Dimensioner", -"Insert image": "Infoga bild", -"Insert date\/time": "Infoga datum\/tid", -"Remove link": "Tabort l\u00e4nk", -"Url": "Url", -"Text to display": "Text att visa", -"Anchors": "Bokm\u00e4rken", -"Insert link": "Infoga l\u00e4nk", -"New window": "Nytt f\u00f6nster", -"None": "Ingen", -"Target": "M\u00e5l", -"Insert\/edit link": "Infoga\/redigera l\u00e4nk", -"Insert\/edit video": "Infoga\/redigera video", -"Poster": "Affish", -"Alternative source": "Alternativ k\u00e4lla", -"Paste your embed code below:": "Klistra in din inb\u00e4ddningsk\u00e5d nedan:", -"Insert video": "Infoga video", -"Embed": "Inb\u00e4ddning", -"Nonbreaking space": "Avbrottsfritt mellanrum", -"Page break": "Sydbrytning", -"Paste as text": "Klistra in som text", -"Preview": "F\u00f6rhandsgranska", -"Print": "Skriv ut", -"Save": "Spara", -"Could not find the specified string.": "Kunde inte hitta den specifierade st\u00e4ngen.", -"Replace": "Ers\u00e4tt", -"Next": "N\u00e4sta", -"Whole words": "Hela ord", -"Find and replace": "S\u00f6k och ers\u00e4tt", -"Replace with": "Ers\u00e4tt med", -"Find": "S\u00f6k", -"Replace all": "Ers\u00e4tt alla", -"Match case": "Matcha gemener\/versaler", -"Prev": "F\u00f6reg\u00e5ende", -"Spellcheck": "R\u00e4ttstava", -"Finish": "Avsluta", -"Ignore all": "Ignorera alla", -"Ignore": "Ignorera", -"Insert row before": "Infoga rad f\u00f6re", -"Rows": "Rader", -"Height": "H\u00f6jd", -"Paste row after": "Klistra in rad efter", -"Alignment": "Justering", -"Column group": "Kolumngrupp", -"Row": "Rad", -"Insert column before": "Infoga kollumn f\u00f6re", -"Split cell": "Bryt is\u00e4r celler", -"Cell padding": "Cellpaddning", -"Cell spacing": "Cellmellanrum", -"Row type": "Radtyp", -"Insert table": "Infoga tabell", -"Body": "Kropp", -"Caption": "Rubrik", -"Footer": "Fot", -"Delete row": "Radera rad", -"Paste row before": "Klista in rad f\u00f6re", -"Scope": "Omf\u00e5ng", -"Delete table": "Radera tabell", -"Header cell": "Huvudcell", -"Column": "Kolumn", -"Cell": "Cell", -"Header": "Huvud", -"Cell type": "Celltyp", -"Copy row": "Kopiera rad", -"Row properties": "Radegenskaper", -"Table properties": "Tabell egenskaper", -"Row group": "Radgrupp", -"Right": "H\u00f6ger", -"Insert column after": "Infoga kolumn efter", -"Cols": "Kolumner", -"Insert row after": "Infoga rad efter", -"Width": "Bredd", -"Cell properties": "Cellegenskaper", -"Left": "V\u00e4nster", -"Cut row": "Klipp ut rad", -"Delete column": "Radera kolumn", -"Center": "Centrum", -"Merge cells": "Sammanfoga celler", -"Insert template": "Infoga mall", -"Templates": "Mallar", -"Background color": "Bakgrundsf\u00e4rg", -"Text color": "Textf\u00e4rg", -"Show blocks": "Visa block", -"Show invisible characters": "Visa onsynliga tecken", -"Words: {0}": "Ord: {0}", -"Insert": "Infoga", -"File": "Fil", -"Edit": "Redigera", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Textredigerare. Tryck ALT-F9 f\u00f6r menyn. Tryck ALT-F10 f\u00f6r verktygsrader. Tryck ALT-0 f\u00f6r hj\u00e4lp.", -"Tools": "Verktyg", -"View": "Vy", -"Table": "Tabell", -"Format": "Format" -}); \ No newline at end of file +tinymce.addI18n("sv_SE",{"Redo":"G\xf6r om","Undo":"\xc5ngra","Cut":"Klipp ut","Copy":"Kopiera","Paste":"Klistra in","Select all":"Markera allt","New document":"Nytt dokument","Ok":"Ok","Cancel":"Avbryt","Visual aids":"Visuella hj\xe4lpmedel","Bold":"Fet","Italic":"Kursiv","Underline":"Understruken","Strikethrough":"Genomstruken","Superscript":"Upph\xf6jd","Subscript":"Neds\xe4nkt","Clear formatting":"Rensa formatering","Remove":"Ta bort","Align left":"V\xe4nsterjustera","Align center":"Centrera","Align right":"H\xf6gerjustera","No alignment":"Ingen justering","Justify":"Verifiera","Bullet list":"Punktlista","Numbered list":"Nummerlista","Decrease indent":"Minska indrag","Increase indent":"\xd6ka indrag","Close":"St\xe4ng","Formats":"Format","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Din webbl\xe4sare st\xf6djer inte direkt \xe5tkomst till klippboken. Anv\xe4nd kortkommandona Ctrl\xa0+\xa0X/C/V i st\xe4llet.","Headings":"Rubriker","Heading 1":"Rubrik 1","Heading 2":"Rubrik 2","Heading 3":"Rubrik 3","Heading 4":"Rubrik 4","Heading 5":"Rubrik 5","Heading 6":"Rubrik 6","Preformatted":"F\xf6rformaterad","Div":"Div","Pre":"Pre","Code":"Kod","Paragraph":"Paragraf","Blockquote":"Citat","Inline":"Inline","Blocks":"Block","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Klistra in som oformaterad text. Inneh\xe5llet klistras in som oformaterad text tills du st\xe4nger av det h\xe4r alternativet.","Fonts":"Typsnitt","Font sizes":"Textstorlek","Class":"Klass","Browse for an image":"Bl\xe4ddra efter en bild","OR":"ELLER","Drop an image here":"Sl\xe4pp en bild h\xe4r","Upload":"Ladda upp","Uploading image":"Laddar upp bild","Block":"Block","Align":"Justera","Default":"Standard","Circle":"Cirkel","Disc":"Disk","Square":"Fyrkant","Lower Alpha":"Sm\xe5 bokst\xe4ver","Lower Greek":"Sm\xe5 grekiska","Lower Roman":"Sm\xe5 romerska","Upper Alpha":"Stora bokst\xe4ver","Upper Roman":"Stora romerska","Anchor...":"Ankare...","Anchor":"Ankare","Name":"Namn","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID b\xf6r starta med en bokstav f\xf6ljt av endast bokst\xe4ver, siffror, bindestreck, punkter, tabbar eller understreck.","You have unsaved changes are you sure you want to navigate away?":"Det finns osparade \xe4ndringar. \xc4r du s\xe4ker p\xe5 att du vill navigera vidare?","Restore last draft":"\xc5terst\xe4ll senaste utkast","Special character...":"Specialtecken...","Special Character":"Specialtecken","Source code":"K\xe4llkod","Insert/Edit code sample":"Infoga/redigera kodexempel","Language":"Spr\xe5k","Code sample...":"Kodexempel...","Left to right":"V\xe4nster till h\xf6ger","Right to left":"H\xf6ger till v\xe4nster","Title":"Titel","Fullscreen":"Helsk\xe4rm","Action":"\xc5tg\xe4rd","Shortcut":"Genv\xe4g","Help":"Hj\xe4lp","Address":"Adress","Focus to menubar":"Fokusera p\xe5 menyrad","Focus to toolbar":"Fokusera p\xe5 verktygsrad","Focus to element path":"Fokusera p\xe5 elements\xf6kv\xe4g","Focus to contextual toolbar":"Fokusera p\xe5 snabbverktygsrad","Insert link (if link plugin activated)":"Infoga l\xe4nk (om link-insticksprogram \xe4r aktiverat)","Save (if save plugin activated)":"Spara (om save-insticksprogram \xe4r aktiverat)","Find (if searchreplace plugin activated)":"S\xf6k (om searchreplace-insticksprogram \xe4r aktiverat)","Plugins installed ({0}):":"Installerade insticksprogram ({0}):","Premium plugins:":"Premium-insticksprogram","Learn more...":"L\xe4s mer...","You are using {0}":"Du anv\xe4nder {0}","Plugins":"Plugins","Handy Shortcuts":"Kortkommandon","Horizontal line":"Horisontell linje","Insert/edit image":"Infoga/redigera bild","Alternative description":"Alternativ beskrivning","Accessibility":"Tillg\xe4nglighet","Image is decorative":"Bilden \xe4r dekorativ","Source":"K\xe4lla","Dimensions":"M\xe5tt","Constrain proportions":"Bibeh\xe5ll proportioner","General":"Allm\xe4nt","Advanced":"Avancerat","Style":"Stil","Vertical space":"Lodr\xe4t yta","Horizontal space":"V\xe5gr\xe4t yta","Border":"Kantlinje","Insert image":"Infoga bild","Image...":"Bild...","Image list":"Bildlista","Resize":"\xc4ndra storlek","Insert date/time":"Infoga datum/tid","Date/time":"Datum/tid","Insert/edit link":"Infoga/redigera l\xe4nk","Text to display":"Text att visa","Url":"Webbadress","Open link in...":"\xd6ppna l\xe4nk i...","Current window":"Nuvarande f\xf6nster","None":"Ingen","New window":"Nytt f\xf6nster","Open link":"\xd6ppna l\xe4nk","Remove link":"Ta bort l\xe4nk","Anchors":"Ankare","Link...":"L\xe4nk...","Paste or type a link":"Klistra in eller skriv en l\xe4nk","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Webbadressen du angav verkar vara en e-postadress. Vill du l\xe4gga till det obligatoriska prefixet mailto:?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Webbadressen du angav verkar vara en extern l\xe4nk. Vill du l\xe4gga till det obligatoriska prefixet http://?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"URL:en du angav verkar vara en extern-l\xe4nk. Vill du l\xe4gga till det obligatoriska https:// prefixet?","Link list":"L\xe4nklista","Insert video":"Infoga video","Insert/edit video":"Infoga/redigera video","Insert/edit media":"Infoga/redigera media","Alternative source":"Alternativ k\xe4lla","Alternative source URL":"Alternativ k\xe4llwebbadress","Media poster (Image URL)":"Mediaposter (bildwebbadress)","Paste your embed code below:":"Klistra in din inb\xe4ddningskod nedan:","Embed":"B\xe4dda in","Media...":"Media...","Nonbreaking space":"H\xe5rt mellanslag","Page break":"Sidbrytning","Paste as text":"Klistra in som text","Preview":"F\xf6rhandsgranska","Print":"Skriv ut","Print...":"Skriv ut...","Save":"Spara","Find":"S\xf6k","Replace with":"Ers\xe4tt med","Replace":"Ers\xe4tt","Replace all":"Ers\xe4tt alla","Previous":"F\xf6reg\xe5ende","Next":"N\xe4sta","Find and Replace":"S\xf6k och ers\xe4tt","Find and replace...":"S\xf6k och ers\xe4tt...","Could not find the specified string.":"Kunde inte hitta den angivna str\xe4ngen.","Match case":"Matcha gemener/VERSALER","Find whole words only":"Hitta endast hela ord","Find in selection":"S\xf6k i markering","Insert table":"Infoga tabell","Table properties":"Tabellegenskaper","Delete table":"Radera tabell","Cell":"Cell","Row":"Rad","Column":"Kolumn","Cell properties":"Cellegenskaper","Merge cells":"Sammanfoga celler","Split cell":"Dela cell","Insert row before":"Infoga rad f\xf6re","Insert row after":"Infoga rad efter","Delete row":"Radera rad","Row properties":"Radegenskaper","Cut row":"Klipp ut rad","Cut column":"Klipp kolumn","Copy row":"Kopiera rad","Copy column":"Kopiera kolumn","Paste row before":"Klistra in rad f\xf6re","Paste column before":"Klistra in kolumn f\xf6re","Paste row after":"Klistra in rad efter","Paste column after":"Klistra in kolumn efter","Insert column before":"Infoga kolumn f\xf6re","Insert column after":"Infoga kolumn efter","Delete column":"Radera kolumn","Cols":"Kolumner","Rows":"Rader","Width":"Bredd","Height":"H\xf6jd","Cell spacing":"Cellmellanrum","Cell padding":"Cellutfyllnad","Row clipboard actions":"\xc5tg\xe4rder f\xf6r radurklipp","Column clipboard actions":"\xc5tg\xe4rder f\xf6r kolumnurklipp","Table styles":"Tabell stil","Cell styles":"Cell stil","Column header":"Kolumnrubrik","Row header":"Radrubrik","Table caption":"Tabelltext","Caption":"Rubrik","Show caption":"Visa bildtext","Left":"V\xe4nster","Center":"Centrera","Right":"H\xf6ger","Cell type":"Celltyp","Scope":"Omr\xe5de","Alignment":"Justering","Horizontal align":"Horisontell justering","Vertical align":"Vertikal justering","Top":"\xd6verkant","Middle":"Mitten","Bottom":"Nederkant","Header cell":"Rubrikcell","Row group":"Radgrupp","Column group":"Kolumngrupp","Row type":"Radtyp","Header":"Rubrik","Body":"Br\xf6dtext","Footer":"Sidfot","Border color":"Kantlinjef\xe4rg","Solid":"Solid","Dotted":"Prickad","Dashed":"Streckad","Double":"Dubbel","Groove":"Urholkad","Ridge":"Rygg","Inset":"Indrag","Outset":"Utst\xe4lld","Hidden":"Dold","Insert template...":"Infoga mall...","Templates":"Mallar","Template":"Mall","Insert Template":"Infoga mall","Text color":"Textf\xe4rg","Background color":"Bakgrundsf\xe4rg","Custom...":"Anpassad...","Custom color":"Anpassad f\xe4rg","No color":"Ingen f\xe4rg","Remove color":"Ta bort f\xe4rg","Show blocks":"Visa block","Show invisible characters":"Visa osynliga tecken","Word count":"Ordantal","Count":"Antal","Document":"Dokument","Selection":"Val","Words":"Ord","Words: {0}":"Ord: {0}","{0} words":"{0} ord","File":"Arkiv","Edit":"Redigera","Insert":"Infoga","View":"Visa","Format":"Format","Table":"Tabell","Tools":"Verktyg","Powered by {0}":"St\xf6ds av {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Omr\xe5de med formaterad text. Tryck p\xe5 ALT-F9 f\xf6r att \xf6ppna menyn. Tryck p\xe5 ALT-F10 f\xf6r att \xf6ppna verktygsraden. Tryck p\xe5 ALT-0 f\xf6r hj\xe4lp.","Image title":"Bildtitel","Border width":"Kantlinjebredd","Border style":"Kantlinjestil","Error":"Fel","Warn":"Varning","Valid":"Giltig","To open the popup, press Shift+Enter":"Tryck p\xe5 Shift\xa0+\xa0Enter f\xf6r att \xf6ppna popup-f\xf6nstret","Rich Text Area":"Rich Text Omr\xe5de","Rich Text Area. Press ALT-0 for help.":"Omr\xe5de med formaterad text. Tryck p\xe5 ALT-0 f\xf6r hj\xe4lp.","System Font":"Systemtypsnitt","Failed to upload image: {0}":"Kunde inte ladda upp bild: {0}","Failed to load plugin: {0} from url {1}":"Kunde inte l\xe4sa in insticksprogram: {0} fr\xe5n webbadress {1}","Failed to load plugin url: {0}":"Kunde inte l\xe4sa in webbadress f\xf6r insticksprogram: {0}","Failed to initialize plugin: {0}":"Kunde inte initiera insticksprogram: {0}","example":"exempel","Search":"S\xf6k","All":"Alla","Currency":"Valuta","Text":"Text","Quotations":"Citattecken","Mathematical":"Matematiskt","Extended Latin":"Ut\xf6kad latin","Symbols":"Symboler","Arrows":"Pilar","User Defined":"Anv\xe4ndardefinierade","dollar sign":"dollartecken","currency sign":"valutatecken","euro-currency sign":"eurotecken","colon sign":"kolon","cruzeiro sign":"cruzeirotecken","french franc sign":"franctecken","lira sign":"liratecken","mill sign":"milltecken","naira sign":"nairatecken","peseta sign":"pesetastecken","rupee sign":"rupeetecken","won sign":"wontecken","new sheqel sign":"schekeltecken","dong sign":"dongtecken","kip sign":"kiptecken","tugrik sign":"tugriktecken","drachma sign":"drachmertecken","german penny symbol":"tecken f\xf6r tysk penny","peso sign":"pesotecken","guarani sign":"guaranitecken","austral sign":"australtecken","hryvnia sign":"hryvniatecken","cedi sign":"ceditecken","livre tournois sign":"tecken f\xf6r livre tournois","spesmilo sign":"spesmilotecken","tenge sign":"tengetecken","indian rupee sign":"tecken f\xf6r indisk rupee","turkish lira sign":"tecken f\xf6r turkisk lira","nordic mark sign":"tecken f\xf6r nordisk mark","manat sign":"manattecken","ruble sign":"rubeltecken","yen character":"yentecken","yuan character":"yuantecken","yuan character, in hong kong and taiwan":"yuantecken i Hongkong och Taiwan","yen/yuan character variant one":"yen-/yuantecken variant ett","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Laddar emojis...","Could not load emojis":"Kunde inte ladda emojis","People":"M\xe4nniskor","Animals and Nature":"Djur och natur","Food and Drink":"Mat och dryck","Activity":"Aktivitet","Travel and Places":"Resa och platser","Objects":"F\xf6rem\xe5l","Flags":"Flaggor","Characters":"Tecken","Characters (no spaces)":"Tecken (inga mellanrum)","{0} characters":"{0} tecken","Error: Form submit field collision.":"Fel: Kollision f\xe4lt f\xf6r s\xe4ndning av formul\xe4r.","Error: No form element found.":"Fel: Inget formul\xe4relement hittades.","Color swatch":"F\xe4rgpalett","Color Picker":"F\xe4rgv\xe4ljare","Invalid hex color code: {0}":"Ogiltig f\xe4rgkod: {0}","Invalid input":"Ogiltig inmatning","R":"R","Red component":"R\xf6d komponent","G":"G","Green component":"Gr\xf6n komponent","B":"B","Blue component":"Bl\xe5 komponent","#":"#","Hex color code":"Hexadecimal f\xe4rgkod","Range 0 to 255":"Spann 0 till 255","Turquoise":"Turkos","Green":"Gr\xf6n","Blue":"Bl\xe5","Purple":"Lila","Navy Blue":"M\xf6rkbl\xe5","Dark Turquoise":"M\xf6rkturkos","Dark Green":"M\xf6rkgr\xf6n","Medium Blue":"Mellanbl\xe5","Medium Purple":"Mellanlila","Midnight Blue":"Midnattsbl\xe5","Yellow":"Gul","Orange":"Orange","Red":"R\xf6d","Light Gray":"Ljusgr\xe5","Gray":"Gr\xe5","Dark Yellow":"M\xf6rkgul","Dark Orange":"M\xf6rkorange","Dark Red":"M\xf6rkr\xf6d","Medium Gray":"Mellangr\xe5","Dark Gray":"M\xf6rkgr\xe5","Light Green":"Ljusgr\xf6n","Light Yellow":"Ljusgul","Light Red":"Ljusr\xf6d","Light Purple":"Ljuslila","Light Blue":"Ljusbl\xe5","Dark Purple":"M\xf6rklila","Dark Blue":"M\xf6rkbl\xe5","Black":"Svart","White":"Vit","Switch to or from fullscreen mode":"V\xe4xla till eller fr\xe5n fullsk\xe4rmsl\xe4ge","Open help dialog":"\xd6ppna hj\xe4lpdialogrutan","history":"historik","styles":"stilar","formatting":"formatering","alignment":"justering","indentation":"indragning","Font":"Teckensnitt","Size":"Storlek","More...":"Mer...","Select...":"V\xe4lj...","Preferences":"Inst\xe4llningar","Yes":"Ja","No":"Nej","Keyboard Navigation":"Tangentbordsnavigering","Version":"Version","Code view":"Kodvy","Open popup menu for split buttons":"\xd6ppna popup-meny f\xf6r delade knappar","List Properties":"Listegenskaper","List properties...":"Listegenskaper...","Start list at number":"Starta listan p\xe5 nummer","Line height":"Radavst\xe5nd","Dropped file type is not supported":"Filtypen st\xf6ds inte","Loading...":"Laddar...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP error: Avvisad beg\xe4ran","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP error: Kunde inte hitta bildproxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP error: Felaktig bildproxy URL","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP error: Ok\xe4nt Bildproxy fel"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ta.js b/deform/static/tinymce/langs/ta.js new file mode 100644 index 00000000..78a6967e --- /dev/null +++ b/deform/static/tinymce/langs/ta.js @@ -0,0 +1 @@ +tinymce.addI18n("ta",{"Redo":"\u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b9a\u0bc6\u0baf\u0bcd\u0b95","Undo":"\u0b9a\u0bc6\u0baf\u0bb2\u0bcd\u0ba4\u0bb5\u0bbf\u0bb0\u0bcd\u0b95\u0bcd\u0b95","Cut":"\u0bb5\u0bc6\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Copy":"\u0ba8\u0b95\u0bb2\u0bc6\u0b9f\u0bc1\u0b95\u0bcd\u0b95","Paste":"\u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Select all":"\u0b85\u0ba9\u0bc8\u0ba4\u0bcd\u0ba4\u0bc8\u0baf\u0bc1\u0bae\u0bcd \u0ba4\u0bc7\u0bb0\u0bcd\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0b95","New document":"\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b86\u0bb5\u0ba3\u0bae\u0bcd","Ok":"\u0b9a\u0bb0\u0bbf","Cancel":"\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0b95","Visual aids":"\u0b95\u0bbe\u0b9f\u0bcd\u0b9a\u0bbf\u0ba4\u0bcd \u0ba4\u0bc1\u0ba3\u0bc8\u0baf\u0ba9\u0bcd\u0b95\u0bb3\u0bcd","Bold":"\u0ba4\u0b9f\u0bbf\u0baa\u0bcd\u0baa\u0bc1","Italic":"\u0b9a\u0bbe\u0baf\u0bcd\u0bb5\u0bc1","Underline":"\u0b85\u0b9f\u0bbf\u0b95\u0bcd\u0b95\u0bcb\u0b9f\u0bc1","Strikethrough":"\u0ba8\u0b9f\u0bc1\u0b95\u0bcd\u0b95\u0bcb\u0b9f\u0bc1","Superscript":"\u0bae\u0bc7\u0bb2\u0bcd\u0b92\u0b9f\u0bcd\u0b9f\u0bc1","Subscript":"\u0b95\u0bc0\u0bb4\u0bcd\u0b92\u0b9f\u0bcd\u0b9f\u0bc1","Clear formatting":"\u0bb5\u0b9f\u0bbf\u0bb5\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1 \u0b85\u0bb4\u0bbf\u0b95\u0bcd\u0b95","Remove":"\u0b85\u0b95\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Align left":"\u0b87\u0b9f\u0ba4\u0bc1 \u0b9a\u0bc0\u0bb0\u0bae\u0bc8","Align center":"\u0bae\u0bc8\u0baf \u0b9a\u0bc0\u0bb0\u0bae\u0bc8","Align right":"\u0bb5\u0bb2\u0ba4\u0bc1 \u0b9a\u0bc0\u0bb0\u0bae\u0bc8","No alignment":"\u0b9a\u0bc0\u0bb0\u0bae\u0bc8\u0bb5\u0bc1 \u0b87\u0bb2\u0bcd\u0bb2\u0bc8","Justify":"\u0ba8\u0bc7\u0bb0\u0bcd\u0ba4\u0bcd\u0ba4\u0bbf \u0b9a\u0bc6\u0baf\u0bcd\u0b95","Bullet list":"\u0baa\u0bca\u0b9f\u0bcd\u0b9f\u0bbf\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bcd","Numbered list":"\u0b8e\u0ba3\u0bcd\u0ba3\u0bbf\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bcd","Decrease indent":"\u0b89\u0bb3\u0bcd\u0ba4\u0bb3\u0bcd\u0bb3\u0bc1\u0ba4\u0bb2\u0bc8 \u0b95\u0bc1\u0bb1\u0bc8\u0b95\u0bcd\u0b95","Increase indent":"\u0b89\u0bb3\u0bcd\u0ba4\u0bb3\u0bcd\u0bb3\u0bc1\u0ba4\u0bb2\u0bc8 \u0b85\u0ba4\u0bbf\u0b95\u0bb0\u0bbf\u0b95\u0bcd\u0b95","Close":"\u0bae\u0bc2\u0b9f\u0bc1\u0b95","Formats":"\u0bb5\u0b9f\u0bbf\u0bb5\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0b87\u0b9f\u0bc8\u0ba8\u0bbf\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bb2\u0b95\u0bc8\u0b95\u0bcd\u0b95\u0bc1 \u0ba8\u0bc7\u0bb0\u0b9f\u0bbf \u0b85\u0ba3\u0bc1\u0b95\u0bb2\u0bc8 \u0ba4\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0bb2\u0bbe\u0bb5\u0bbf \u0b86\u0ba4\u0bb0\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8. \u0b86\u0b95\u0bb5\u0bc7 \u0bb5\u0bbf\u0b9a\u0bc8\u0baa\u0bcd\u0baa\u0bb2\u0b95\u0bc8 \u0b95\u0bc1\u0bb1\u0bc1\u0b95\u0bcd\u0b95\u0bc1\u0bb5\u0bb4\u0bbf\u0b95\u0bb3\u0bbe\u0ba9 Ctrl+X/C/V \u0b87\u0bb5\u0bb1\u0bcd\u0bb1\u0bc8\u0ba4\u0bcd \u0ba4\u0baf\u0bb5\u0bc1\u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bc1 \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95.","Headings":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd","Heading 1":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 1","Heading 2":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 2","Heading 3":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 3","Heading 4":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 4","Heading 5":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 5","Heading 6":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 6","Preformatted":"\u0bae\u0bc1\u0ba9\u0bcd\u0bb5\u0b9f\u0bbf\u0bb5\u0bae\u0bc8\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1","Div":"\u0baa\u0bbf\u0bb0\u0bbf\u0bb5\u0bc1 (Div)","Pre":"\u0bae\u0bc1\u0ba9\u0bcd \u0bb5\u0b9f\u0bbf\u0bb5\u0bae\u0bc8\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1 (Pre)","Code":"\u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bc1","Paragraph":"\u0baa\u0ba4\u0bcd\u0ba4\u0bbf","Blockquote":"\u0ba4\u0bca\u0b95\u0bc1\u0ba4\u0bbf \u0bae\u0bc7\u0bb1\u0bcd\u0b95\u0bcb\u0bb3\u0bcd","Inline":"\u0b89\u0bb3\u0bcd\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8","Blocks":"\u0ba4\u0bca\u0b95\u0bc1\u0ba4\u0bbf\u0b95\u0bb3\u0bcd","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0b87\u0baf\u0bb2\u0bcd\u0baa\u0bc1 \u0b89\u0bb0\u0bc8 \u0bae\u0bc1\u0bb1\u0bc8\u0bae\u0bc8\u0baf\u0bbf\u0bb2\u0bcd \u0ba4\u0bb1\u0bcd\u0baa\u0bcb\u0ba4\u0bc1 \u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0ba4\u0bb2\u0bcd \u0b89\u0bb3\u0bcd\u0bb3\u0ba4\u0bc1. \u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b87\u0ba8\u0bcd\u0ba4 \u0bb5\u0bbf\u0bb0\u0bc1\u0baa\u0bcd\u0baa\u0bc8 \u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0bb5\u0bb0\u0bc8 \u0b89\u0bb3\u0bcd\u0bb3\u0b9f\u0b95\u0bcd\u0b95\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b87\u0baf\u0bb2\u0bcd\u0baa\u0bc1 \u0b89\u0bb0\u0bc8\u0baf\u0bbe\u0b95 \u0b92\u0b9f\u0bcd\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0bae\u0bcd.","Fonts":"\u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bb3\u0bcd","Font sizes":"\u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0bb0\u0bc1 \u0b85\u0bb3\u0bb5\u0bc1\u0b95\u0bb3\u0bcd","Class":"Class","Browse for an image":"\u0b92\u0bb0\u0bc1 \u0baa\u0b9f\u0ba4\u0bcd\u0ba4\u0bc1\u0b95\u0bcd\u0b95\u0bc1 \u0b89\u0bb2\u0bbe\u0bb5\u0bc1\u0b95","OR":"\u0b85\u0bb2\u0bcd\u0bb2\u0ba4\u0bc1","Drop an image here":"\u0b92\u0bb0\u0bc1 \u0baa\u0b9f\u0ba4\u0bcd\u0ba4\u0bc8 \u0b87\u0b99\u0bcd\u0b95\u0bc1 \u0b87\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0baa\u0bcd \u0baa\u0bcb\u0b9f\u0bb5\u0bc1\u0bae\u0bcd","Upload":"\u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Uploading image":"\u0baa\u0b9f\u0bae\u0bcd \u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1","Block":"\u0ba4\u0bca\u0b95\u0bc1\u0ba4\u0bbf","Align":"\u0b9a\u0bc0\u0bb0\u0bae\u0bc8","Default":"\u0b87\u0baf\u0bb2\u0bcd\u0baa\u0bc1\u0ba8\u0bbf\u0bb2\u0bc8","Circle":"\u0bb5\u0b9f\u0bcd\u0b9f\u0bae\u0bcd","Disc":"\u0bb5\u0b9f\u0bcd\u0b9f\u0bc1","Square":"\u0b9a\u0ba4\u0bc1\u0bb0\u0bae\u0bcd","Lower Alpha":"\u0b95\u0bc0\u0bb4\u0bcd \u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1","Lower Greek":"\u0b95\u0bc0\u0bb4\u0bcd \u0b95\u0bbf\u0bb0\u0bc7\u0b95\u0bcd\u0b95\u0bae\u0bcd","Lower Roman":"\u0b95\u0bc0\u0bb4\u0bcd \u0bb0\u0bcb\u0bae\u0bbe\u0ba9\u0bbf\u0baf\u0bae\u0bcd","Upper Alpha":"\u0bae\u0bc7\u0bb2\u0bcd \u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1","Upper Roman":"\u0bae\u0bc7\u0bb2\u0bcd \u0bb0\u0bcb\u0bae\u0bbe\u0ba9\u0bbf\u0baf\u0bae\u0bcd","Anchor...":"\u0ba8\u0b99\u0bcd\u0b95\u0bc2\u0bb0\u0bae\u0bcd...","Anchor":"\u0ba8\u0b99\u0bcd\u0b95\u0bc2\u0bb0\u0bae\u0bcd","Name":"\u0baa\u0bc6\u0baf\u0bb0\u0bcd","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID \u0b92\u0bb0\u0bc1 \u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0bb2\u0bcd (letter) \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd; \u0b85\u0ba4\u0bc8\u0ba4\u0bcd \u0ba4\u0bca\u0b9f\u0bb0\u0bcd\u0ba8\u0bcd\u0ba4\u0bc1 \u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95\u0bcd\u0b95\u0bb3\u0bcd, \u0b8e\u0ba3\u0bcd\u0b95\u0bb3\u0bcd, \u0b95\u0bcb\u0b9f\u0bc1\u0b95\u0bb3\u0bcd (-), \u0baa\u0bc1\u0bb3\u0bcd\u0bb3\u0bbf\u0b95\u0bb3\u0bcd (dots), \u0bae\u0bc1\u0b95\u0bcd\u0b95\u0bbe\u0bb2\u0bcd \u0baa\u0bc1\u0bb3\u0bcd\u0bb3\u0bbf\u0b95\u0bb3\u0bcd (:), \u0b85\u0bb2\u0bcd\u0bb2\u0ba4\u0bc1 \u0b85\u0b9f\u0bbf\u0b95\u0bcd\u0b95\u0bcb\u0b9f\u0bc1\u0b95\u0bb3\u0bcd (_) \u0bae\u0b9f\u0bcd\u0b9f\u0bc1\u0bae\u0bc7 \u0b87\u0bb0\u0bc1\u0b95\u0bcd\u0b95 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd.","You have unsaved changes are you sure you want to navigate away?":"\u0b9a\u0bc7\u0bae\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bbe\u0ba4 \u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0bb3\u0bcd\u0bb3\u0ba9; \u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baf\u0bbe\u0b95 \u0bb5\u0bc6\u0bb3\u0bbf\u0baf\u0bc7\u0bb1 \u0bb5\u0bbf\u0bb0\u0bc1\u0bae\u0bcd\u0baa\u0bc1\u0b95\u0bbf\u0bb1\u0bc0\u0bb0\u0bcd\u0b95\u0bbe\u0bb3\u0bbe?","Restore last draft":"\u0b95\u0b9f\u0ba8\u0bcd\u0ba4 \u0bb5\u0bb0\u0bc8\u0bb5\u0bc8 \u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bc6\u0b9f\u0bc1\u0b95\u0bcd\u0b95","Special character...":"\u0b9a\u0bbf\u0bb1\u0baa\u0bcd\u0baa\u0bc1 \u0b89\u0bb0\u0bc1...","Special Character":"\u0b9a\u0bbf\u0bb1\u0baa\u0bcd\u0baa\u0bc1 \u0b89\u0bb0\u0bc1","Source code":"\u0bae\u0bc2\u0bb2\u0b95\u0bcd \u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bc1","Insert/Edit code sample":"\u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bc1 \u0bae\u0bbe\u0ba4\u0bbf\u0bb0\u0bbf \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95/\u0ba4\u0bca\u0b95\u0bc1\u0b95\u0bcd\u0b95","Language":"\u0bae\u0bca\u0bb4\u0bbf","Code sample...":"\u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bc1 \u0bae\u0bbe\u0ba4\u0bbf\u0bb0\u0bbf...","Left to right":"\u0b87\u0b9f\u0bae\u0bbf\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bc1 \u0bb5\u0bb2\u0bae\u0bcd","Right to left":"\u0bb5\u0bb2\u0bae\u0bbf\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bc1 \u0b87\u0b9f\u0bae\u0bcd","Title":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Fullscreen":"\u0bae\u0bc1\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0bb0\u0bc8","Action":"\u0b9a\u0bc6\u0baf\u0bb2\u0bcd","Shortcut":"\u0b95\u0bc1\u0bb1\u0bc1\u0b95\u0bcd\u0b95\u0bc1\u0bb5\u0bb4\u0bbf","Help":"\u0b89\u0ba4\u0bb5\u0bbf","Address":"\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf","Focus to menubar":"\u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bbf\u0bb2\u0bcd \u0b95\u0bb5\u0ba9\u0bae\u0bcd \u0b9a\u0bc6\u0bb2\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95","Focus to toolbar":"\u0b95\u0bb0\u0bc1\u0bb5\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bbf\u0bb2\u0bcd \u0b95\u0bb5\u0ba9\u0bae\u0bcd \u0b9a\u0bc6\u0bb2\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95","Focus to element path":"\u0bae\u0bc2\u0bb2\u0b95\u0baa\u0bcd \u0baa\u0bbe\u0ba4\u0bc8\u0baf\u0bbf\u0bb2\u0bcd \u0b95\u0bb5\u0ba9\u0bae\u0bcd \u0b9a\u0bc6\u0bb2\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95","Focus to contextual toolbar":"\u0b9a\u0bc2\u0bb4\u0bcd\u0ba8\u0bbf\u0bb2\u0bc8 \u0b95\u0bb0\u0bc1\u0bb5\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bbf\u0bb2\u0bcd \u0b95\u0bb5\u0ba9\u0bae\u0bcd \u0b9a\u0bc6\u0bb2\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95","Insert link (if link plugin activated)":"\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95 (\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1 \u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf \u0b9a\u0bc6\u0baf\u0bb2\u0bbe\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0baf\u0bbf\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bbe\u0bb2\u0bcd)","Save (if save plugin activated)":"\u0b9a\u0bc7\u0bae\u0bbf\u0b95\u0bcd\u0b95 (\u0b9a\u0bc7\u0bae\u0bbf\u0baa\u0bcd\u0baa\u0bc1 \u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf \u0b9a\u0bc6\u0baf\u0bb2\u0bbe\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0baf\u0bbf\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bbe\u0bb2\u0bcd)","Find (if searchreplace plugin activated)":"\u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95 (\u0ba4\u0bc7\u0b9f\u0bbf\u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bb2\u0bcd \u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf \u0b9a\u0bc6\u0baf\u0bb2\u0bbe\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0baf\u0bbf\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bbe\u0bb2\u0bcd)","Plugins installed ({0}):":"\u0ba8\u0bbf\u0bb1\u0bc1\u0bb5\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bc1\u0bb3\u0bcd\u0bb3 \u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf\u0b95\u0bb3\u0bcd ({0}):","Premium plugins:":"\u0b89\u0baf\u0bb0\u0bcd\u0bae\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0bc1 \u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf\u0b95\u0bb3\u0bcd:","Learn more...":"\u0bae\u0bc7\u0bb2\u0bc1\u0bae\u0bcd \u0b85\u0bb1\u0bbf\u0b95...","You are using {0}":"\u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0bb5\u0ba4\u0bc1 {0}","Plugins":"\u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf\u0b95\u0bb3\u0bcd","Handy Shortcuts":"\u0b8e\u0bb3\u0bbf\u0ba4\u0bbf\u0bb2\u0bcd \u0b95\u0bc8\u0baf\u0bbe\u0bb3\u0b95\u0bcd\u0b95\u0bc2\u0b9f\u0bbf\u0baf \u0b95\u0bc1\u0bb1\u0bc1\u0b95\u0bcd\u0b95\u0bc1\u0bb5\u0bb4\u0bbf\u0b95\u0bb3\u0bcd","Horizontal line":"\u0b95\u0bbf\u0b9f\u0bc8\u0b95\u0bcd \u0b95\u0bcb\u0b9f\u0bc1","Insert/edit image":"\u0baa\u0b9f\u0bae\u0bcd \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95/\u0ba4\u0bca\u0b95\u0bc1\u0b95\u0bcd\u0b95","Alternative description":"\u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1 \u0bb5\u0bbf\u0bb5\u0bb0\u0bae\u0bcd","Accessibility":"\u0b85\u0ba3\u0bc1\u0b95\u0bb2\u0bcd\u0ba4\u0ba9\u0bcd\u0bae\u0bc8","Image is decorative":"\u0baa\u0b9f\u0bae\u0bcd \u0b85\u0bb2\u0b99\u0bcd\u0b95\u0bbe\u0bb0\u0bae\u0bbe\u0ba9\u0ba4\u0bc1","Source":"\u0bae\u0bc2\u0bb2\u0bae\u0bcd","Dimensions":"\u0baa\u0bb0\u0bbf\u0bae\u0bbe\u0ba3\u0b99\u0bcd\u0b95\u0bb3\u0bcd","Constrain proportions":"\u0bb5\u0bbf\u0b95\u0bbf\u0ba4\u0bbe\u0b9a\u0bcd\u0b9a\u0bbe\u0bb0\u0ba4\u0bcd\u0ba4\u0bbf\u0bb2\u0bcd \u0b95\u0b9f\u0bcd\u0b9f\u0bc1\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95","General":"\u0baa\u0bca\u0ba4\u0bc1","Advanced":"\u0bae\u0bc7\u0bae\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1","Style":"\u0baa\u0bbe\u0ba3\u0bbf","Vertical space":"\u0ba8\u0bc6\u0b9f\u0bc1\u0ba4\u0bb3 \u0b87\u0b9f\u0bc8\u0bb5\u0bc6\u0bb3\u0bbf","Horizontal space":"\u0b95\u0bbf\u0b9f\u0bc8\u0bae\u0b9f\u0bcd\u0b9f \u0b87\u0b9f\u0bc8\u0bb5\u0bc6\u0bb3\u0bbf","Border":"\u0b95\u0bb0\u0bc8","Insert image":"\u0baa\u0b9f\u0bae\u0bcd \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Image...":"\u0baa\u0b9f\u0bae\u0bcd...","Image list":"\u0baa\u0b9f\u0baa\u0bcd \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bcd","Resize":"\u0bae\u0bb1\u0bc1\u0b85\u0bb3\u0bb5\u0bbf\u0b9f\u0bc1","Insert date/time":"\u0ba4\u0bc7\u0ba4\u0bbf/\u0ba8\u0bc7\u0bb0\u0bae\u0bcd \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Date/time":"\u0ba4\u0bc7\u0ba4\u0bbf/\u0ba8\u0bc7\u0bb0\u0bae\u0bcd","Insert/edit link":"\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95/\u0ba4\u0bca\u0b95\u0bc1\u0b95\u0bcd\u0b95","Text to display":"\u0b95\u0bbe\u0b9f\u0bcd\u0b9a\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bbf\u0baf \u0b89\u0bb0\u0bc8","Url":"\u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf","Open link in...":"\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc8 \u0b87\u0ba4\u0bbf\u0bb2\u0bcd \u0ba4\u0bbf\u0bb1\u0b95\u0bcd\u0b95...","Current window":"\u0ba4\u0bb1\u0bcd\u0baa\u0bcb\u0ba4\u0bc8\u0baf \u0b9a\u0bbe\u0bb3\u0bb0\u0bae\u0bcd","None":"\u0b8f\u0ba4\u0bc1\u0bae\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8","New window":"\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b9a\u0bbe\u0bb3\u0bb0\u0bae\u0bcd","Open link":"\u0ba4\u0bbf\u0bb1\u0ba8\u0bcd\u0ba4 \u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Remove link":"\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc8 \u0b85\u0b95\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Anchors":"\u0ba8\u0b99\u0bcd\u0b95\u0bc2\u0bb0\u0b99\u0bcd\u0b95\u0bb3\u0bcd","Link...":"\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1...","Paste or type a link":"\u0b92\u0bb0\u0bc1 \u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1 \u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0b95 \u0b85\u0bb2\u0bcd\u0bb2\u0ba4\u0bc1 \u0ba4\u0b9f\u0bcd\u0b9f\u0b9a\u0bcd\u0b9a\u0bbf\u0b9f\u0bc1\u0b95","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0bb3\u0bcd\u0bb3\u0bbf\u0b9f\u0bcd\u0b9f \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf (URL) \u0b92\u0bb0\u0bc1 \u0bae\u0bbf\u0ba9\u0bcd-\u0b85\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf \u0baa\u0bcb\u0bb2\u0bcd \u0ba4\u0bcb\u0ba9\u0bcd\u0bb1\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1. \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 mailto: \u0bae\u0bc1\u0ba9\u0bcd-\u0b92\u0b9f\u0bcd\u0b9f\u0bc8 (prefix) \u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bc7\u0bb0\u0bcd\u0b95\u0bcd\u0b95 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bbe?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0bb3\u0bcd\u0bb3\u0bbf\u0b9f\u0bcd\u0b9f \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf (URL) \u0b92\u0bb0\u0bc1 \u0bb5\u0bc6\u0bb3\u0bbf\u0baa\u0bcd\u0baa\u0bc1\u0bb1 \u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1 (external link) \u0baa\u0bcb\u0bb2\u0bcd \u0ba4\u0bcb\u0ba9\u0bcd\u0bb1\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1. \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 http:// \u0bae\u0bc1\u0ba9\u0bcd-\u0b92\u0b9f\u0bcd\u0b9f\u0bc8 (prefix) \u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bc7\u0bb0\u0bcd\u0b95\u0bcd\u0b95 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bbe?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0bb3\u0bcd\u0bb3\u0bbf\u0b9f\u0bcd\u0b9f \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf (URL) \u0b92\u0bb0\u0bc1 \u0bb5\u0bc6\u0bb3\u0bbf\u0baa\u0bcd\u0baa\u0bc1\u0bb1 \u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1 (external link) \u0baa\u0bcb\u0bb2\u0bcd \u0ba4\u0bcb\u0ba9\u0bcd\u0bb1\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1. \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 https:// \u0bae\u0bc1\u0ba9\u0bcd-\u0b92\u0b9f\u0bcd\u0b9f\u0bc8 (prefix) \u0b9a\u0bc7\u0bb0\u0bcd\u0b95\u0bcd\u0b95 \u0ba4\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bb5\u0bbf\u0bb0\u0bc1\u0bae\u0bcd\u0baa\u0bc1\u0b95\u0bbf\u0bb1\u0bc0\u0bb0\u0bcd\u0b95\u0bb3\u0bbe?","Link list":"\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0baa\u0bcd \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bcd","Insert video":"\u0b95\u0bbe\u0ba3\u0bca\u0bb3\u0bbf \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Insert/edit video":"\u0b95\u0bbe\u0ba3\u0bca\u0bb3\u0bbf \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95/\u0ba4\u0bca\u0b95\u0bc1\u0b95\u0bcd\u0b95","Insert/edit media":"\u0b8a\u0b9f\u0b95\u0bae\u0bcd \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95/\u0ba4\u0bca\u0b95\u0bc1\u0b95\u0bcd\u0b95","Alternative source":"\u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1 \u0bae\u0bc2\u0bb2\u0bae\u0bcd","Alternative source URL":"\u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1 \u0bae\u0bc2\u0bb2 \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf","Media poster (Image URL)":"\u0b8a\u0b9f\u0b95 \u0b9a\u0bc1\u0bb5\u0bb0\u0bca\u0b9f\u0bcd\u0b9f\u0bbf (\u0b89\u0b9f \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf)","Paste your embed code below:":"\u0ba4\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0b9f\u0bcd\u0baa\u0bc6\u0bbe\u0ba4\u0bbf \u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bcd\u0b9f\u0bc8 \u0b95\u0bc0\u0bb4\u0bc7 \u0b92\u0b9f\u0bcd\u0b9f\u0bb5\u0bc1\u0bae\u0bcd:","Embed":"\u0b89\u0b9f\u0bcd\u0baa\u0bca\u0ba4\u0bbf","Media...":"\u0b8a\u0b9f\u0b95\u0bae\u0bcd...","Nonbreaking space":"\u0baa\u0bbf\u0bb0\u0bbf\u0baf\u0bbe\u0ba4 \u0b87\u0b9f\u0bc8\u0bb5\u0bc6\u0bb3\u0bbf","Page break":"\u0baa\u0b95\u0bcd\u0b95 \u0baa\u0bbf\u0bb0\u0bbf\u0baa\u0bcd\u0baa\u0bc1","Paste as text":"\u0b89\u0bb0\u0bc8\u0baf\u0bbe\u0b95 \u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Preview":"\u0bae\u0bc1\u0ba9\u0bcd\u0ba8\u0bcb\u0b95\u0bcd\u0b95\u0bc1","Print":"\u0b85\u0b9a\u0bcd\u0b9a\u0bbf\u0b9f\u0bc1\u0b95","Print...":"\u0b85\u0b9a\u0bcd\u0b9a\u0bbf\u0b9f\u0bc1\u0b95...","Save":"\u0b9a\u0bc7\u0bae\u0bbf\u0b95\u0bcd\u0b95","Find":"\u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95","Replace with":"\u0b87\u0ba4\u0ba9\u0bbe\u0bb2\u0bcd \u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Replace":"\u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Replace all":"\u0b85\u0ba9\u0bc8\u0ba4\u0bcd\u0ba4\u0bc8\u0baf\u0bc1\u0bae\u0bcd \u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Previous":"\u0bae\u0bc1\u0ba8\u0bcd\u0ba4\u0bc8\u0baf","Next":"\u0b85\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4","Find and Replace":"\u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0ba4\u0bcd\u0ba4\u0bc1 \u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Find and replace...":"\u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0ba4\u0bcd\u0ba4\u0bc1 \u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1\u0b95...","Could not find the specified string.":"\u0b95\u0bc1\u0bb1\u0bbf\u0baa\u0bcd\u0baa\u0bbf\u0b9f\u0bcd\u0b9f \u0b9a\u0bb0\u0bae\u0bcd \u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95 \u0bae\u0bc1\u0b9f\u0bbf\u0baf\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8","Match case":"\u0bb5\u0b9f\u0bbf\u0bb5\u0ba4\u0bcd\u0ba4\u0bc8 \u0baa\u0bca\u0bb0\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b95","Find whole words only":"\u0bae\u0bc1\u0bb4\u0bc1 \u0b9a\u0bca\u0bb1\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0b9f\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95","Find in selection":"\u0ba4\u0bc7\u0bb0\u0bcd\u0bb5\u0bbf\u0bb2\u0bcd \u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95","Insert table":"\u0b85\u0b9f\u0bcd\u0b9f\u0bb5\u0ba3\u0bc8 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Table properties":"\u0b85\u0b9f\u0bcd\u0b9f\u0bb5\u0ba3\u0bc8 \u0baa\u0ba3\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd","Delete table":"\u0b85\u0b9f\u0bcd\u0b9f\u0bb5\u0ba3\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0bc1\u0b95","Cell":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8","Row":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8","Column":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8","Cell properties":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8 \u0baa\u0ba3\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd","Merge cells":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8\u0b95\u0bb3\u0bcd \u0b9a\u0bc7\u0bb0\u0bcd\u0b95\u0bcd\u0b95","Split cell":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8 \u0baa\u0bbf\u0bb0\u0bbf\u0b95\u0bcd\u0b95","Insert row before":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1 \u0bae\u0bc1\u0ba9\u0bcd \u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Insert row after":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1\u0baa\u0bcd \u0baa\u0bbf\u0ba9\u0bcd \u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Delete row":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0bc1\u0b95","Row properties":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0baa\u0ba3\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd","Cut row":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0bb5\u0bc6\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Cut column":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0bb5\u0bc6\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Copy row":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0ba8\u0b95\u0bb2\u0bc6\u0b9f\u0bc1\u0b95\u0bcd\u0b95","Copy column":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0ba8\u0b95\u0bb2\u0bc6\u0b9f\u0bc1\u0b95\u0bcd\u0b95","Paste row before":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1 \u0bae\u0bc1\u0ba9\u0bcd \u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Paste column before":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1 \u0bae\u0bc1\u0ba9\u0bcd \u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Paste row after":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1\u0baa\u0bcd \u0baa\u0bbf\u0ba9\u0bcd \u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Paste column after":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1\u0baa\u0bcd \u0baa\u0bbf\u0ba9\u0bcd \u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b92\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Insert column before":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1 \u0bae\u0bc1\u0ba9\u0bcd \u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Insert column after":"\u0b87\u0ba4\u0bb1\u0bcd\u0b95\u0bc1 \u0baa\u0bbf\u0ba9\u0bcd \u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Delete column":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0bc1\u0b95","Cols":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd","Rows":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd","Width":"\u0b85\u0b95\u0bb2\u0bae\u0bcd","Height":"\u0b89\u0baf\u0bb0\u0bae\u0bcd","Cell spacing":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8 \u0b87\u0b9f\u0bc8\u0bb5\u0bc6\u0bb3\u0bbf","Cell padding":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8 \u0ba8\u0bbf\u0bb0\u0baa\u0bcd\u0baa\u0bb2\u0bcd","Row clipboard actions":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b87\u0b9f\u0bc8\u0ba8\u0bbf\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bb2\u0b95\u0bc8 \u0b9a\u0bc6\u0baf\u0bb2\u0bcd\u0b95\u0bb3\u0bcd","Column clipboard actions":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b87\u0b9f\u0bc8\u0ba8\u0bbf\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bb2\u0b95\u0bc8 \u0b9a\u0bc6\u0baf\u0bb2\u0bcd\u0b95\u0bb3\u0bcd","Table styles":"\u0b85\u0b9f\u0bcd\u0b9f\u0bb5\u0ba3\u0bc8 \u0baa\u0bbe\u0ba3\u0bbf\u0b95\u0bb3\u0bcd","Cell styles":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8 \u0baa\u0bbe\u0ba3\u0bbf\u0b95\u0bb3\u0bcd","Column header":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Row header":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Table caption":"\u0b85\u0b9f\u0bcd\u0b9f\u0bb5\u0ba3\u0bc8 \u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Caption":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Show caption":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 \u0b95\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Left":"\u0b87\u0b9f\u0bae\u0bcd","Center":"\u0bae\u0bc8\u0baf\u0bae\u0bcd","Right":"\u0bb5\u0bb2\u0bae\u0bcd","Cell type":"\u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8 \u0bb5\u0b95\u0bc8","Scope":"\u0bb5\u0bb0\u0bc8\u0baf\u0bc6\u0bb2\u0bcd\u0bb2\u0bc8","Alignment":"\u0b9a\u0bc0\u0bb0\u0bae\u0bc8\u0bb5\u0bc1","Horizontal align":"\u0b95\u0bbf\u0b9f\u0bc8 \u0b9a\u0bc0\u0bb0\u0bae\u0bc8","Vertical align":"\u0b9a\u0bc6\u0b99\u0bcd\u0b95\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1 \u0b9a\u0bc0\u0bb0\u0bae\u0bc8","Top":"\u0bae\u0bc7\u0bb2\u0bcd","Middle":"\u0ba8\u0b9f\u0bc1","Bottom":"\u0b95\u0bc0\u0bb4\u0bcd","Header cell":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1 \u0b9a\u0bbf\u0bb1\u0bcd\u0bb1\u0bb1\u0bc8","Row group":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b95\u0bc1\u0bb4\u0bc1","Column group":"\u0ba8\u0bc6\u0b9f\u0bc1\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0b95\u0bc1\u0bb4\u0bc1","Row type":"\u0bb5\u0bb0\u0bbf\u0b9a\u0bc8 \u0bb5\u0b95\u0bc8","Header":"\u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Body":"\u0b89\u0b9f\u0bb2\u0bcd","Footer":"\u0b85\u0b9f\u0bbf\u0b95\u0bcd\u0b95\u0bc1\u0bb1\u0bbf\u0baa\u0bcd\u0baa\u0bc1","Border color":"\u0b95\u0bb0\u0bc8\u0baf\u0bbf\u0ba9\u0bcd \u0ba8\u0bbf\u0bb1\u0bae\u0bcd","Solid":"\u0ba4\u0bbf\u0b9f\u0bae\u0bcd","Dotted":"\u0baa\u0bc1\u0bb3\u0bcd\u0bb3\u0bbf\u0baf\u0bbf\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1","Dashed":"\u0b95\u0bcb\u0b9f\u0bbf\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1","Double":"\u0b87\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8","Groove":"\u0bb5\u0bb0\u0bbf\u0baa\u0bcd\u0baa\u0bb3\u0bcd\u0bb3\u0bae\u0bcd","Ridge":"\u0bb5\u0bb0\u0baa\u0bcd\u0baa\u0bc1","Inset":"\u0b89\u0b9f\u0bcd\u0b95\u0bbe\u0b9f\u0bcd\u0b9a\u0bbf","Outset":"\u0baa\u0bc1\u0bb1\u0b95\u0bcd\u0b95\u0bbe\u0b9f\u0bcd\u0b9a\u0bbf","Hidden":"\u0bae\u0bb1\u0bc8\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1","Insert template...":"\u0bb5\u0bbe\u0bb0\u0bcd\u0baa\u0bcd\u0baa\u0bc1\u0bb0\u0bc1 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95...","Templates":"\u0bb5\u0bbe\u0bb0\u0bcd\u0baa\u0bcd\u0baa\u0bc1\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bb3\u0bcd","Template":"\u0bb5\u0bbe\u0bb0\u0bcd\u0baa\u0bcd\u0baa\u0bc1\u0bb0\u0bc1","Insert Template":"\u0bb5\u0bbe\u0bb0\u0bcd\u0baa\u0bcd\u0baa\u0bc1\u0bb0\u0bc1 \u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","Text color":"\u0b89\u0bb0\u0bc8\u0baf\u0bbf\u0ba9\u0bcd \u0ba8\u0bbf\u0bb1\u0bae\u0bcd","Background color":"\u0baa\u0bbf\u0ba9\u0bcd\u0ba9\u0ba3\u0bbf \u0ba8\u0bbf\u0bb1\u0bae\u0bcd","Custom...":"\u0ba4\u0ba9\u0bbf\u0baa\u0bcd\u0baa\u0baf\u0ba9\u0bcd...","Custom color":"\u0ba4\u0ba9\u0bbf\u0baa\u0bcd\u0baa\u0baf\u0ba9\u0bcd \u0ba8\u0bbf\u0bb1\u0bae\u0bcd","No color":"\u0ba8\u0bbf\u0bb1\u0bae\u0bcd \u0b87\u0bb2\u0bcd\u0bb2\u0bc8","Remove color":"\u0ba8\u0bbf\u0bb1\u0bae\u0bcd \u0b85\u0b95\u0bb1\u0bcd\u0bb1\u0bc1\u0b95","Show blocks":"\u0ba4\u0bca\u0b95\u0bc1\u0ba4\u0bbf\u0b95\u0bb3\u0bc8 \u0b95\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Show invisible characters":"\u0b95\u0ba3\u0bcd\u0ba3\u0bc1\u0b95\u0bcd\u0b95\u0bc1\u0ba4\u0bcd \u0ba4\u0bc6\u0bb0\u0bbf\u0baf\u0bbe\u0ba4 \u0b89\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bb3\u0bc8\u0b95\u0bcd \u0b95\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1\u0b95","Word count":"\u0b9a\u0bca\u0bb2\u0bcd \u0b8e\u0ba3\u0bcd\u0ba3\u0bbf\u0b95\u0bcd\u0b95\u0bc8","Count":"\u0b8e\u0ba3\u0bcd\u0ba3\u0bbf\u0b95\u0bcd\u0b95\u0bc8","Document":"\u0b86\u0bb5\u0ba3\u0bae\u0bcd","Selection":"\u0ba4\u0bc7\u0bb0\u0bcd\u0bb5\u0bc1","Words":"\u0b9a\u0bca\u0bb1\u0bcd\u0b95\u0bb3\u0bcd","Words: {0}":"\u0b9a\u0bca\u0bb1\u0bcd\u0b95\u0bb3\u0bcd: {0}","{0} words":"{0} \u0b9a\u0bca\u0bb1\u0bcd\u0b95\u0bb3\u0bcd","File":"\u0b95\u0bcb\u0baa\u0bcd\u0baa\u0bc1","Edit":"\u0ba4\u0bca\u0b95\u0bc1\u0b95\u0bcd\u0b95","Insert":"\u0b9a\u0bc6\u0bb0\u0bc1\u0b95\u0bc1\u0b95","View":"\u0ba8\u0bcb\u0b95\u0bcd\u0b95\u0bc1\u0b95","Format":"\u0bb5\u0b9f\u0bbf\u0bb5\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Table":"\u0b85\u0b9f\u0bcd\u0b9f\u0bb5\u0ba3\u0bc8","Tools":"\u0b95\u0bb0\u0bc1\u0bb5\u0bbf\u0b95\u0bb3\u0bcd","Powered by {0}":"\u0bb5\u0bb2\u0bc1\u0bb5\u0bb3\u0bbf\u0baa\u0bcd\u0baa\u0ba4\u0bc1 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0b89\u0baf\u0bb0\u0bcd \u0b89\u0bb0\u0bc8 \u0baa\u0b95\u0bc1\u0ba4\u0bbf. \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0b95\u0bcd\u0b95\u0bc1 ALT-F9 , \u0b95\u0bb0\u0bc1\u0bb5\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bc8\u0b95\u0bcd\u0b95\u0bc1 ALT-F10 , \u0b89\u0ba4\u0bb5\u0bbf\u0b95\u0bcd\u0b95\u0bc1 ALT-0","Image title":"\u0baa\u0b9f\u0ba4\u0bcd \u0ba4\u0bb2\u0bc8\u0baa\u0bcd\u0baa\u0bc1","Border width":"\u0b95\u0bb0\u0bc8 \u0b85\u0b95\u0bb2\u0bae\u0bcd","Border style":"\u0b95\u0bb0\u0bc8 \u0baa\u0bbe\u0ba3\u0bbf","Error":"\u0baa\u0bbf\u0bb4\u0bc8","Warn":"\u0b8e\u0b9a\u0bcd\u0b9a\u0bb0\u0bbf\u0b95\u0bcd\u0b95","Valid":"\u0b9a\u0bc6\u0bb2\u0bcd\u0bb2\u0ba4\u0bcd\u0ba4\u0b95\u0bcd\u0b95\u0ba4\u0bc1","To open the popup, press Shift+Enter":"\u0bae\u0bc7\u0bb2\u0bcd\u0ba4\u0bcb\u0ba9\u0bcd\u0bb1\u0bc1-\u0bb5\u0bc8\u0ba4\u0bcd \u0ba4\u0bbf\u0bb1\u0b95\u0bcd\u0b95 Shift+Enter","Rich Text Area":"\u0b89\u0baf\u0bb0\u0bcd \u0b89\u0bb0\u0bc8 (rich text) \u0baa\u0b95\u0bc1\u0ba4\u0bbf","Rich Text Area. Press ALT-0 for help.":"\u0b89\u0baf\u0bb0\u0bcd \u0b89\u0bb0\u0bc8 \u0baa\u0b95\u0bc1\u0ba4\u0bbf. \u0b89\u0ba4\u0bb5\u0bbf\u0b95\u0bcd\u0b95\u0bc1 ALT-0","System Font":"\u0ba4\u0bca\u0b95\u0bc1\u0ba4\u0bbf \u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0bb0\u0bc1","Failed to upload image: {0}":"\u0baa\u0b9f\u0bae\u0bcd \u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1: {0}","Failed to load plugin: {0} from url {1}":"\u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf \u0b8f\u0bb1\u0bcd\u0bb1\u0bc1\u0ba4\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1: {0} - {1} \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf\u0baf\u0bbf\u0bb2\u0bbf\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bc1","Failed to load plugin url: {0}":"\u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf \u0b8f\u0bb1\u0bcd\u0bb1\u0bc1\u0ba4\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1: {0}","Failed to initialize plugin: {0}":"\u0b9a\u0bca\u0bb0\u0bc1\u0b95\u0bbf \u0ba4\u0bc1\u0bb5\u0b99\u0bcd\u0b95\u0bc1\u0ba4\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1: {0}","example":"\u0b89\u0ba4\u0bbe\u0bb0\u0ba3\u0bae\u0bcd","Search":"\u0ba4\u0bc7\u0b9f\u0bc1\u0b95","All":"\u0b85\u0ba9\u0bc8\u0ba4\u0bcd\u0ba4\u0bc1\u0bae\u0bcd","Currency":"\u0b9a\u0bc6\u0bb2\u0bbe\u0bb5\u0ba3\u0bbf (Currency)","Text":"\u0b89\u0bb0\u0bc8","Quotations":"\u0bae\u0bc7\u0bb1\u0bcd\u0b95\u0bc7\u0bbe\u0bb3\u0bcd\u0b95\u0bb3\u0bcd","Mathematical":"\u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bbf\u0baf\u0bb2\u0bcd","Extended Latin":"\u0ba8\u0bc0\u0b9f\u0bcd\u0b9f\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f \u0b87\u0bb2\u0ba4\u0bcd\u0ba4\u0bc0\u0ba9\u0bcd","Symbols":"\u0b87\u0b9f\u0bc1\u0b95\u0bc1\u0bb1\u0bbf\u0b95\u0bb3\u0bcd","Arrows":"\u0b85\u0bae\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd","User Defined":"\u0baa\u0baf\u0ba9\u0bbe\u0bb3\u0bb0\u0bcd \u0bb5\u0bb0\u0bc8\u0baf\u0bb1\u0bc1\u0ba4\u0bcd\u0ba4\u0ba4\u0bc1","dollar sign":"dollar \u0b95\u0bc1\u0bb1\u0bbf","currency sign":"\u0b9a\u0bc6\u0bb2\u0bbe\u0bb5\u0ba3\u0bbf\u0b95\u0bcd \u0b95\u0bc1\u0bb1\u0bbf","euro-currency sign":"euro-currency \u0b95\u0bc1\u0bb1\u0bbf","colon sign":"colon \u0b95\u0bc1\u0bb1\u0bbf","cruzeiro sign":"cruzeiro \u0b95\u0bc1\u0bb1\u0bbf","french franc sign":"french franc \u0b95\u0bc1\u0bb1\u0bbf","lira sign":"lira \u0b95\u0bc1\u0bb1\u0bbf","mill sign":"mill \u0b95\u0bc1\u0bb1\u0bbf","naira sign":"naira \u0b95\u0bc1\u0bb1\u0bbf","peseta sign":"peseta \u0b95\u0bc1\u0bb1\u0bbf","rupee sign":"rupee \u0b95\u0bc1\u0bb1\u0bbf","won sign":"won \u0b95\u0bc1\u0bb1\u0bbf","new sheqel sign":"new sheqel \u0b95\u0bc1\u0bb1\u0bbf","dong sign":"dong \u0b95\u0bc1\u0bb1\u0bbf","kip sign":"kip \u0b95\u0bc1\u0bb1\u0bbf","tugrik sign":"tugrik \u0b95\u0bc1\u0bb1\u0bbf","drachma sign":"drachma \u0b95\u0bc1\u0bb1\u0bbf","german penny symbol":"german penny \u0b87\u0b9f\u0bc1\u0b95\u0bc1\u0bb1\u0bbf","peso sign":"peso \u0b95\u0bc1\u0bb1\u0bbf","guarani sign":"guarani \u0b95\u0bc1\u0bb1\u0bbf","austral sign":"austral \u0b95\u0bc1\u0bb1\u0bbf","hryvnia sign":"hryvnia \u0b95\u0bc1\u0bb1\u0bbf","cedi sign":"cedi \u0b95\u0bc1\u0bb1\u0bbf","livre tournois sign":"livre tournois \u0b95\u0bc1\u0bb1\u0bbf","spesmilo sign":"spesmilo \u0b95\u0bc1\u0bb1\u0bbf","tenge sign":"tenge \u0b95\u0bc1\u0bb1\u0bbf","indian rupee sign":"indian rupee \u0b95\u0bc1\u0bb1\u0bbf","turkish lira sign":"turkish lira \u0b95\u0bc1\u0bb1\u0bbf","nordic mark sign":"nordic mark \u0b95\u0bc1\u0bb1\u0bbf","manat sign":"manat \u0b95\u0bc1\u0bb1\u0bbf","ruble sign":"ruble \u0b95\u0bc1\u0bb1\u0bbf","yen character":"yen \u0b89\u0bb0\u0bc1","yuan character":"yuan \u0b89\u0bb0\u0bc1","yuan character, in hong kong and taiwan":"yuan \u0b89\u0bb0\u0bc1, \u0bb9\u0bbe\u0b99\u0bcd\u0b95\u0bbe\u0b99\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0ba4\u0bbe\u0baf\u0bcd\u0bb5\u0bbe\u0ba9\u0bcd \u0b87\u0bb2\u0bcd","yen/yuan character variant one":"yen/yuan \u0b89\u0bb0\u0bc1 \u0bae\u0bbe\u0bb1\u0bc1\u0baa\u0bbe\u0b9f\u0bc1","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"Emojis \u0b8f\u0bb1\u0bcd\u0bb1\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0b95\u0bbf\u0bb1\u0ba9...","Could not load emojis":"Emojis \u0b8f\u0bb1\u0bcd\u0bb1 \u0bae\u0bc1\u0b9f\u0bbf\u0baf\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8","People":"\u0bae\u0b95\u0bcd\u0b95\u0bb3\u0bcd","Animals and Nature":"\u0bae\u0bbf\u0bb0\u0bc1\u0b95\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b87\u0baf\u0bb1\u0bcd\u0b95\u0bc8","Food and Drink":"\u0b89\u0ba3\u0bb5\u0bc1 \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0baa\u0bbe\u0ba9\u0bae\u0bcd","Activity":"\u0b9a\u0bc6\u0baf\u0bb1\u0bcd\u0baa\u0bbe\u0b9f\u0bc1","Travel and Places":"\u0baa\u0baf\u0ba3\u0bae\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b87\u0b9f\u0b99\u0bcd\u0b95\u0bb3\u0bcd","Objects":"\u0baa\u0bca\u0bb0\u0bc1\u0b9f\u0bcd\u0b95\u0bb3\u0bcd","Flags":"\u0b95\u0bca\u0b9f\u0bbf\u0b95\u0bb3\u0bcd","Characters":"\u0b89\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bb3\u0bcd","Characters (no spaces)":"\u0b89\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bb3\u0bcd (\u0b87\u0b9f\u0bc8\u0bb5\u0bc6\u0bb3\u0bbf\u0b95\u0bb3\u0bcd \u0b87\u0bb2\u0bcd\u0bb2\u0bc8)","{0} characters":"{0} \u0b89\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bb3\u0bcd","Error: Form submit field collision.":"\u0baa\u0bbf\u0bb4\u0bc8: \u0baa\u0b9f\u0bbf\u0bb5\u0bae\u0bcd \u0b9a\u0bae\u0bb0\u0bcd\u0baa\u0bcd\u0baa\u0bbf\u0ba4\u0bcd\u0ba4\u0bb2\u0bcd \u0baa\u0bc1\u0bb2\u0bae\u0bcd \u0bae\u0bcb\u0ba4\u0bb2\u0bcd.","Error: No form element found.":"\u0baa\u0bbf\u0bb4\u0bc8: \u0baa\u0bc1\u0bb2\u0bae\u0bcd \u0bae\u0bc2\u0bb2\u0b95\u0bae\u0bcd \u0b8e\u0ba4\u0bc1\u0bb5\u0bc1\u0bae\u0bcd \u0b95\u0bbe\u0ba3\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8.","Color swatch":"\u0ba8\u0bbf\u0bb1\u0b9a\u0bcd \u0b9a\u0bcb\u0ba4\u0ba9\u0bc8\u0b95\u0bcd\u0b95\u0bb2\u0bb5\u0bc8","Color Picker":"\u0ba8\u0bbf\u0bb1\u0ba4\u0bcd \u0ba4\u0bc6\u0bb0\u0bbf\u0bb5\u0bc1","Invalid hex color code: {0}":"\u0b9a\u0bc6\u0bb2\u0bcd\u0bb2\u0bc1\u0baa\u0b9f\u0bbf\u0baf\u0bbe\u0b95\u0bbe\u0ba4 hex \u0ba8\u0bbf\u0bb1 \u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bc1: {0}","Invalid input":"\u0b9a\u0bc6\u0bb2\u0bcd\u0bb2\u0bc1\u0baa\u0b9f\u0bbf\u0baf\u0bbe\u0b95\u0bbe\u0ba4 \u0b89\u0bb3\u0bcd\u0bb3\u0bc0\u0b9f\u0bc1","R":"R","Red component":"\u0b9a\u0bbf\u0bb5\u0baa\u0bcd\u0baa\u0bc1 \u0b95\u0bb2\u0bb5\u0bc8\u0b95\u0bcd\u0b95\u0bc2\u0bb1\u0bc1","G":"G","Green component":"\u0baa\u0b9a\u0bcd\u0b9a\u0bc8 \u0b95\u0bb2\u0bb5\u0bc8\u0b95\u0bcd\u0b95\u0bc2\u0bb1\u0bc1","B":"B","Blue component":"\u0ba8\u0bc0\u0bb2\u0bae\u0bcd \u0b95\u0bb2\u0bb5\u0bc8\u0b95\u0bcd\u0b95\u0bc2\u0bb1\u0bc1","#":"#","Hex color code":"Hex \u0ba8\u0bbf\u0bb1 \u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bc1","Range 0 to 255":"\u0bb5\u0bb0\u0bae\u0bcd\u0baa\u0bc1 0 \u0bae\u0bc1\u0ba4\u0bb2\u0bcd 255 \u0bb5\u0bb0\u0bc8","Turquoise":"\u0ba8\u0bc0\u0bb2\u0baa\u0bcd\u0baa\u0b9a\u0bcd\u0b9a\u0bc8","Green":"\u0baa\u0b9a\u0bcd\u0b9a\u0bc8","Blue":"\u0ba8\u0bc0\u0bb2\u0bae\u0bcd","Purple":"\u0b8a\u0ba4\u0bbe","Navy Blue":"\u0b95\u0b9f\u0bb1\u0bcd\u0baa\u0b9f\u0bc8 \u0ba8\u0bc0\u0bb2\u0bae\u0bcd","Dark Turquoise":"\u0b85\u0b9f\u0bb0\u0bcd \u0ba8\u0bc0\u0bb2\u0baa\u0bcd\u0baa\u0b9a\u0bcd\u0b9a\u0bc8","Dark Green":"\u0b85\u0b9f\u0bb0\u0bcd \u0baa\u0b9a\u0bcd\u0b9a\u0bc8","Medium Blue":"\u0ba8\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bb0 \u0ba8\u0bc0\u0bb2\u0bae\u0bcd","Medium Purple":"\u0ba8\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bb0 \u0b8a\u0ba4\u0bbe","Midnight Blue":"\u0ba8\u0bb3\u0bcd\u0bb3\u0bbf\u0bb0\u0bb5\u0bc1 \u0ba8\u0bc0\u0bb2\u0bae\u0bcd","Yellow":"\u0bae\u0b9e\u0bcd\u0b9a\u0bb3\u0bcd","Orange":"\u0b9a\u0bbf\u0bb5\u0ba8\u0bcd\u0ba4 \u0bae\u0b9e\u0bcd\u0b9a\u0bb3\u0bcd","Red":"\u0b9a\u0bbf\u0bb5\u0baa\u0bcd\u0baa\u0bc1","Light Gray":"\u0bb5\u0bc6\u0bb3\u0bbf\u0bb0\u0bcd \u0b9a\u0bbe\u0bae\u0bcd\u0baa\u0bb2\u0bcd","Gray":"\u0b9a\u0bbe\u0bae\u0bcd\u0baa\u0bb2\u0bcd","Dark Yellow":"\u0b85\u0b9f\u0bb0\u0bcd \u0bae\u0b9e\u0bcd\u0b9a\u0bb3\u0bcd","Dark Orange":"\u0b85\u0b9f\u0bb0\u0bcd \u0b9a\u0bbf\u0bb5\u0ba8\u0bcd\u0ba4 \u0bae\u0b9e\u0bcd\u0b9a\u0bb3\u0bcd","Dark Red":"\u0b85\u0b9f\u0bb0\u0bcd \u0b9a\u0bbf\u0bb5\u0baa\u0bcd\u0baa\u0bc1","Medium Gray":"\u0ba8\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bb0 \u0b9a\u0bbe\u0bae\u0bcd\u0baa\u0bb2\u0bcd","Dark Gray":"\u0b85\u0b9f\u0bb0\u0bcd \u0b9a\u0bbe\u0bae\u0bcd\u0baa\u0bb2\u0bcd","Light Green":"\u0bb5\u0bc6\u0bb3\u0bbf\u0bb0\u0bcd \u0baa\u0b9a\u0bcd\u0b9a\u0bc8","Light Yellow":"\u0bb5\u0bc6\u0bb3\u0bbf\u0bb0\u0bcd \u0bae\u0b9e\u0bcd\u0b9a\u0bb3\u0bcd","Light Red":"\u0bb5\u0bc6\u0bb3\u0bbf\u0bb0\u0bcd\xa0\u0b9a\u0bbf\u0bb5\u0baa\u0bcd\u0baa\u0bc1","Light Purple":"\u0bb5\u0bc6\u0bb3\u0bbf\u0bb0\u0bcd \u0b8a\u0ba4\u0bbe","Light Blue":"\u0bb5\u0bc6\u0bb3\u0bbf\u0bb0\u0bcd \u0ba8\u0bc0\u0bb2\u0bae\u0bcd","Dark Purple":"\u0b85\u0b9f\u0bb0\u0bcd \u0b8a\u0ba4\u0bbe","Dark Blue":"\u0b85\u0b9f\u0bb0\u0bcd \u0ba8\u0bc0\u0bb2\u0bae\u0bcd","Black":"\u0b95\u0bb0\u0bc1\u0baa\u0bcd\u0baa\u0bc1","White":"\u0bb5\u0bc6\u0bb3\u0bcd\u0bb3\u0bc8","Switch to or from fullscreen mode":"\u0bae\u0bc1\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0bb0\u0bc8 \u0bae\u0bc1\u0bb1\u0bc8\u0bae\u0bc8\u0b95\u0bcd\u0b95\u0bc1/\u0bae\u0bc1\u0bb1\u0bc8\u0bae\u0bc8\u0baf\u0bbf\u0bb2\u0bbf\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bc1 \u0bae\u0bbe\u0bb1\u0bc1\u0b95","Open help dialog":"\u0b89\u0ba4\u0bb5\u0bbf \u0b89\u0bb0\u0bc8\u0baf\u0bbe\u0b9f\u0bb2\u0bcd \u0ba4\u0bbf\u0bb1\u0b95\u0bcd\u0b95","history":"\u0bb5\u0bb0\u0bb2\u0bbe\u0bb1\u0bc1","styles":"\u0baa\u0bbe\u0ba3\u0bbf\u0b95\u0bb3\u0bcd","formatting":"\u0bb5\u0b9f\u0bbf\u0bb5\u0bae\u0bc8\u0ba4\u0bcd\u0ba4\u0bb2\u0bcd","alignment":"\u0b9a\u0bc0\u0bb0\u0bae\u0bc8\u0bb5\u0bc1","indentation":"\u0b89\u0bb3\u0bcd\u0ba4\u0bb3\u0bcd\u0bb3\u0bc1\u0ba4\u0bb2\u0bcd","Font":"\u0b8e\u0bb4\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0bb0\u0bc1","Size":"\u0b85\u0bb3\u0bb5\u0bc1","More...":"\u0bae\u0bc7\u0bb2\u0bc1\u0bae\u0bcd...","Select...":"\u0ba4\u0bc7\u0bb0\u0bcd\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0b95...","Preferences":"\u0bb5\u0bbf\u0bb0\u0bc1\u0baa\u0bcd\u0baa\u0b99\u0bcd\u0b95\u0bb3\u0bcd","Yes":"\u0b86\u0bae\u0bcd","No":"\u0b87\u0bb2\u0bcd\u0bb2\u0bc8","Keyboard Navigation":"\u0bb5\u0bbf\u0b9a\u0bc8\u0baa\u0bcd\u0baa\u0bb2\u0b95\u0bc8 \u0bb5\u0bb4\u0bbf\u0b9a\u0bcd\u0b9a\u0bc6\u0bb2\u0bc1\u0ba4\u0bcd\u0ba4\u0bb2\u0bcd","Version":"\u0baa\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0bc1","Code view":"\u0b95\u0bc1\u0bb1\u0bbf\u0baf\u0bc0\u0b9f\u0bc1 \u0ba8\u0bcb\u0b95\u0bcd\u0b95\u0bc1","Open popup menu for split buttons":"\u0baa\u0bbf\u0bb3\u0bb5\u0bc1 \u0baa\u0bca\u0ba4\u0bcd\u0ba4\u0bbe\u0ba9\u0bcd\u0b95\u0bb3\u0bc1\u0b95\u0bcd\u0b95\u0bc1 \u0bae\u0bc7\u0bb2\u0bcd\u0ba4\u0bcb\u0ba9\u0bcd\u0bb1\u0bc1 \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bc8 \u0ba4\u0bbf\u0bb1\u0b95\u0bcd\u0b95","List Properties":"\u0baa\u0ba3\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bbf\u0b9f\u0bc1\u0b95","List properties...":"\u0baa\u0ba3\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bbf\u0b9f\u0bc1\u0b95..","Start list at number":"\u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bc8 \u0b87\u0ba8\u0bcd\u0ba4 \u0b8e\u0ba3\u0bcd\u0ba3\u0bbf\u0bb2\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bc1\u0b95","Line height":"\u0bb5\u0bb0\u0bbf \u0b89\u0baf\u0bb0\u0bae\u0bcd","Dropped file type is not supported":"\u0b95\u0bc8\u0bb5\u0bbf\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f (Dropped) \u0b95\u0bcb\u0baa\u0bcd\u0baa\u0bc1 \u0bb5\u0b95\u0bc8 \u0b86\u0ba4\u0bb0\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8","Loading...":"\u0b8f\u0bb1\u0bcd\u0bb1\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP error: \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0ba4\u0bb2\u0bcd \u0ba8\u0bbf\u0bb0\u0bbe\u0b95\u0bb0\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP error: \u0baa\u0b9f\u0baa\u0bcd \u0baa\u0ba4\u0bbf\u0bb2\u0bbf\u0baf\u0bc8 (Image Proxy) \u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95 \u0bae\u0bc1\u0b9f\u0bbf\u0baf\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP error: \u0ba4\u0bb5\u0bb1\u0bbe\u0ba9 \u0baa\u0b9f\u0baa\u0bcd \u0baa\u0ba4\u0bbf\u0bb2\u0bbf \u0b87\u0ba3\u0bc8\u0baf\u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf (Image Proxy URL)","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP error: \u0ba4\u0bc6\u0bb0\u0bbf\u0baf\u0bbe\u0ba4 ImageProxy \u0baa\u0bbf\u0bb4\u0bc8"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/tg.js b/deform/static/tinymce/langs/tg.js new file mode 100644 index 00000000..74d15a96 --- /dev/null +++ b/deform/static/tinymce/langs/tg.js @@ -0,0 +1 @@ +tinymce.addI18n("tg",{"Redo":"\u0411\u0435\u043a\u043e\u0440 \u043a\u0430\u0440\u0434\u0430\u043d","Undo":"\u0411\u043e\u0437 \u0433\u0430\u0440\u0434\u043e\u043d\u0438\u0434\u0430\u043d","Cut":"\u0411\u0443\u0440\u0438\u0434\u0430\u043d","Copy":"\u041d\u0443\u0441\u0445\u0430\u0431\u043e\u0440\u0434\u043e\u043d\u0438 \u043a\u0430\u0440\u0434\u0430\u043d","Paste":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d","Select all":"\u0418\u043d\u0442\u0438\u0445\u043e\u0431\u0438 \u043a\u0443\u043b\u043b\u0438","New document":"\u04b2\u0443\u04b7\u04b7\u0430\u0442\u0438 \u043d\u0430\u0432","Ok":"\u041e\u043a","Cancel":"\u0411\u0435\u043a\u043e\u0440 \u043a\u0430\u0440\u0434\u0430\u043d","Visual aids":"\u041a\u0443\u043c\u043c\u0430\u043a\u0438 \u0430\u0451\u043d\u04e3","Bold":"\u0492\u0430\u0444\u0441","Italic":"\u0418\u0442\u0430\u043b\u0438\u043a","Underline":"\u0414\u0430\u0440 \u0442\u0430\u0433\u0430\u0448 \u0445\u0430\u0442 \u043a\u0430\u0448\u0438\u0434\u0430\u043d","Strikethrough":"\u0410\u0437 \u043c\u043e\u0431\u0430\u0439\u043d\u0430\u0448 \u0445\u0430\u0442 \u043a\u0430\u0448\u0438\u0434\u0430\u043d","Superscript":"\u0410\u0437 \u0445\u0430\u0442 \u0431\u043e\u043b\u043e\u0442\u0430\u0440","Subscript":"\u0410\u0437 \u0445\u0430\u0442 \u043f\u043e\u0451\u043d\u0442\u0430\u0440","Clear formatting":"\u0424\u043e\u0440\u043c\u0430\u0442\u04b3\u043e\u0440\u043e \u0431\u0435\u043a\u043e\u0440 \u043a\u0430\u0440\u0434\u0430\u043d","Remove":"","Align left":"\u0420\u043e\u0441 \u043a\u0430\u0440\u0434\u0430\u043d \u0430\u0437 \u0447\u0430\u043f","Align center":"\u0420\u043e\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d \u0430\u0437 \u043c\u043e\u0431\u0430\u0439\u043d","Align right":"\u0420\u043e\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d \u0430\u0437 \u0440\u043e\u0441\u0442","No alignment":"","Justify":"\u0410\u0437 \u04b3\u0430\u0440 \u0434\u0443 \u0442\u0430\u0440\u0430\u0444 \u0440\u043e\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d","Bullet list":"\u0420\u0443\u0439\u0445\u0430\u0442\u0438 \u0431\u0435 \u0442\u0430\u0440\u0442\u0438\u0431","Numbered list":"\u0420\u0443\u0439\u0445\u0430\u0442\u0438 \u0431\u043e \u0442\u0430\u0440\u0442\u0438\u0431","Decrease indent":"\u0410\u0431\u0437\u0430\u0441\u0442\u0440\u043e \u0445\u0443\u0440\u0434 \u043a\u0430\u0440\u0434\u0430\u043d","Increase indent":"\u0410\u0431\u0437\u0430\u0441\u0442\u0440\u043e \u0432\u0430\u0441\u0435\u044a \u043a\u0430\u0440\u0434\u0430\u043d","Close":"\u041c\u0430\u04b3\u043a\u0430\u043c \u043a\u0430\u0440\u0434\u0430\u043d","Formats":"\u0424\u0430\u0440\u043c\u0430\u0442\u04b3\u043e","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0411\u0430\u0440\u0438 \u0448\u0443\u0441\u0445\u0430\u0431\u0430\u0440\u0434\u043e\u0440\u0438 \u043a\u0430\u0440\u0434\u0430\u043d Ctrl+X/C/V \u0438\u0441\u0442\u0438\u0444\u043e\u0434\u0430 \u043a\u0443\u043d\u0435\u0434","Headings":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430\u04b3\u043e","Heading 1":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430\u0438 1","Heading 2":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430\u0438 2","Heading 3":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430\u0438 3","Heading 4":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430\u0438 4","Heading 5":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430\u0438 5","Heading 6":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430\u0438 6","Preformatted":"\u0411\u0430\u0440\u043e\u0431\u0430\u0440 \u043a\u0430\u0440\u0434\u0430 \u0448\u0443\u0434\u0430","Div":"","Pre":"","Code":"","Paragraph":"\u0410\u0431\u0437\u0430\u0441\u0442","Blockquote":"\u041d\u043e\u0445\u0443\u043d\u0430\u043a","Inline":"\u0414\u0430\u0440 \u044f\u043a \u0445\u0430\u0442","Blocks":"\u0425\u0430\u0442\u0438 \u0431\u043b\u043e\u043a\u04e3","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0422\u043e \u043e\u043d \u0437\u0430\u043c\u043e\u043d\u0435, \u043a\u0438 \u0438\u043d \u0445\u043e\u043c\u0443\u0448 \u0430\u0441\u0442, \u04b3\u0430\u043c\u0447\u0443\u043d \u043c\u0430\u043d\u0442 \u0432\u043e\u0440\u0438\u0434 \u043a\u0443\u043d\u0435\u0434.","Fonts":"\u04b2\u0443\u0440\u0443\u0444\u04b3\u043e","Font sizes":"","Class":"\u041a\u043b\u0430\u0441","Browse for an image":"\u0418\u043b\u043e\u0432\u0430\u0438 \u0441\u0443\u0440\u0430\u0442","OR":"\u0401","Drop an image here":"\u0421\u0443\u0440\u0430\u0442\u0440\u043e \u0438\u043d \u04b7\u043e \u043f\u0430\u0440\u0442\u043e\u0435\u0434","Upload":"\u0411\u043e\u0440\u043a\u0443\u043d\u04e3","Uploading image":"","Block":"\u0411\u043b\u043e\u043a","Align":"\u04b2\u0430\u043c\u0432\u043e\u0440 \u043a\u0430\u0440\u0434\u0430\u043d","Default":"\u0411\u043e \u0442\u0430\u0440\u0437\u0438 \u0445\u043e\u043c\u0443\u0448\u04e3","Circle":"\u0414\u043e\u0438\u0440\u0430","Disc":"\u0414\u0438\u0441\u043a","Square":"\u0427\u043e\u0440\u043a\u0443\u043d\u04b7\u0430","Lower Alpha":"\u04b2\u0430\u0440\u0444\u04b3\u043e\u0438 \u043b\u043e\u0442\u0438\u043d\u0438\u0438 \u0445\u0443\u0440\u0434","Lower Greek":"\u04b2\u0430\u0440\u0444\u04b3\u043e\u0438 \u044e\u043d\u043e\u043d\u0438\u0438 \u0445\u0443\u0440\u0434","Lower Roman":"\u04b2\u0430\u0440\u0444\u04b3\u043e\u0438 \u0440\u0438\u043c\u0438\u0438 \u0445\u0443\u0440\u0434","Upper Alpha":"\u04b2\u0430\u0440\u0444\u04b3\u043e\u0438 \u043a\u0430\u043b\u043e\u043d\u0438 \u043b\u043e\u0442\u0438\u043d\u04e3","Upper Roman":"\u04b2\u0430\u0440\u0444\u04b3\u043e\u0438 \u043a\u0430\u043b\u043e\u043d\u0438 \u0440\u0438\u043c\u04e3","Anchor...":"\u0410\u043d\u0447\u0443\u043c\u0430\u043d","Anchor":"","Name":"\u041d\u043e\u043c","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\u0428\u0443\u043c\u043e \u0442\u0430\u0493\u0438\u0440\u043e\u0442\u04b3\u043e\u0438 \u0441\u0430\u0431\u0442 \u043d\u0430\u0448\u0443\u0434\u0430 \u0434\u043e\u0440\u0435\u0434.\n\u0428\u0443\u043c\u043e \u043c\u0443\u0442\u043c\u0430\u0438\u043d \u04b3\u0430\u0441\u0442\u0435\u0434, \u043a\u0438 \u0431\u0430 \u0434\u0438\u0433\u0430\u0440 \u049b\u0438\u0441\u043c \u0433\u0443\u0437\u0430\u0440\u0435\u0434?","Restore last draft":"\u0411\u0430\u0440\u049b\u0430\u0440\u043e\u0440\u043a\u0443\u043d\u0438\u0438 \u043b\u043e\u0438\u04b3\u0430\u0438 \u043e\u0445\u0438\u0440\u043e\u043d","Special character...":"\u0425\u0443\u0441\u0443\u0441\u0438\u044f\u0442\u0438 \u043c\u0430\u0445\u0441\u0443\u0441 ...","Special Character":"","Source code":"\u0421\u0430\u0440\u0447\u0430\u0448\u043c\u0430\u0438 \u043a\u043e\u0434","Insert/Edit code sample":"\u0418\u043b\u043e\u0432\u0430/\u0442\u0430\u0493\u0439\u0438\u0440 \u0434\u043e\u0434\u0430\u043d\u0438 \u043d\u0430\u043c\u0443\u043d\u0430\u0438 \u043a\u043e\u0434","Language":"\u0417\u0430\u0431\u043e\u043d","Code sample...":"\u041d\u0430\u043c\u0443\u043d\u0430\u0438 \u043a\u043e\u0434 ...","Left to right":"\u0421\u0430\u043c\u0442 \u0430\u0437 \u0447\u0430\u043f \u0431\u0430 \u0440\u043e\u0441\u0442","Right to left":"\u0421\u0430\u043c\u0442 \u0430\u0437 \u0440\u043e\u0441\u0442 \u0431\u0430 \u0447\u0430\u043f","Title":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430","Fullscreen":"\u041a\u0430\u043b\u043e\u043d \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u0440\u0430\u0432\u0437\u0430\u043d\u0430 (\u044d\u043a\u0440\u0430\u043d)","Action":"\u0410\u043c\u0430\u043b","Shortcut":"\u0428\u043e\u0440\u0442\u043a\u043e\u0434","Help":"\u0401\u0440\u04e3","Address":"\u0421\u0443\u0440\u043e\u0493\u0430","Focus to menubar":"\u0422\u0430\u0432\u0430\u04b7\u04b7\u04ef\u04b3 (\u0424\u043e\u043a\u0443\u0441) \u0431\u0430 \u043c\u0435\u043d\u044e","Focus to toolbar":"\u0422\u0430\u0432\u0430\u04b7\u04b7\u04ef\u04b3 (\u0424\u043e\u043a\u0443\u0441) \u0431\u0430 \u043f\u0430\u043d\u0435\u043b\u0438 \u0430\u0441\u0431\u043e\u0431\u04b3\u043e","Focus to element path":"\u0422\u0430\u0432\u0430\u04b7\u04b7\u04ef\u04b3 (\u0424\u043e\u043a\u0443\u0441) \u0431\u0430 \u0440\u043e\u04b3\u0438 \u044d\u043b\u0435\u043c\u0435\u043d\u0442","Focus to contextual toolbar":"\u0422\u0430\u0432\u0430\u04b7\u04b7\u04ef\u04b3 (\u0424\u043e\u043a\u0443\u0441) \u0431\u0430 \u043f\u0430\u043d\u0435\u043b\u0438 \u0430\u0441\u0431\u043e\u0431\u04b3\u043e\u0438 \u043a\u043e\u043d\u0442\u0435\u043a\u0441\u0442\u04e3","Insert link (if link plugin activated)":"\u0412\u043e\u0440\u0438\u0434 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u043f\u0430\u0439\u0432\u0430\u043d\u0434\u0430\u043a (\u0430\u0433\u0430\u0440 \u043f\u043b\u0430\u0433\u0438\u043d\u0438 \u043f\u0430\u0439\u0432\u0430\u043d\u0434 \u0444\u0430\u044a\u043e\u043b \u0431\u043e\u0448\u0430\u0434)","Save (if save plugin activated)":"\u0421\u0430\u0431\u0442 \u043a\u0430\u0440\u0434\u0430\u043d (\u0430\u0433\u0430\u0440 \u043f\u043b\u0430\u0433\u0438\u043d\u0438 \u0441\u0430\u0431\u0442 \u0444\u0430\u044a\u043e\u043b \u0431\u043e\u0448\u0430\u0434)","Find (if searchreplace plugin activated)":"\u04b6\u0443\u0441\u0442\u0443\u04b7\u04ef (\u0430\u0433\u0430\u0440 \u043f\u043b\u0430\u0433\u0438\u043d\u0438 \u04b7\u043e\u0438 \u04b7\u0443\u0441\u0442\u0443\u04b7\u04ef \u0444\u0430\u044a\u043e\u043b \u0431\u043e\u0448\u0430\u0434)","Plugins installed ({0}):":"\u041f\u043b\u0430\u0433\u0438\u043d\u04b3\u043e\u0438 \u043d\u0430\u0441\u0431\u0448\u0443\u0434\u0430 ({0}):","Premium plugins:":"\u041f\u043b\u0430\u0433\u0438\u043d\u04b3\u043e\u0438 \u043f\u0440\u0435\u043c\u0438\u0443\u043c:","Learn more...":"\u0411\u0435\u0448\u0442\u0430\u0440 \u0445\u043e\u043d\u0434\u0430\u043d...","You are using {0}":"\u0428\u0443\u043c\u043e {0} -\u0440\u043e \u0438\u0441\u0442\u0438\u0444\u043e\u0434\u0430 \u043c\u0435\u0431\u0430\u0440\u0435\u0434","Plugins":"\u041f\u043b\u0430\u0433\u0438\u043d\u04b3\u043e","Handy Shortcuts":"\u0428\u043e\u0440\u0442\u043a\u043e\u0434\u0438 \u0434\u0430\u0441\u0442\u04e3","Horizontal line":"\u0425\u0430\u0442\u0438 \u0443\u0444\u0443\u049b\u04e3","Insert/edit image":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438/\u0442\u0430\u0493\u0439\u0438\u0440\u0434\u043e\u0434\u0430\u043d\u0438 \u0441\u0443\u0440\u0430\u0442","Alternative description":"","Accessibility":"","Image is decorative":"","Source":"\u041c\u0430\u043d\u0431\u0430","Dimensions":"\u0427\u0435\u043d\u0430\u043a\u04b3\u043e","Constrain proportions":"\u041d\u0438\u0433\u043e\u04b3 \u0434\u043e\u0448\u0442\u0430\u043d\u0438 \u0442\u0430\u043d\u043e\u0441\u0443\u0431\u0438\u044f\u0442","General":"\u0423\u043c\u0443\u043c\u04e3","Advanced":"\u041c\u0443\u0442\u0430\u0440\u0430\u049b\u0438","Style":"\u041d\u0430\u043c\u0443\u0434","Vertical space":"\u0424\u043e\u0441\u0438\u043b\u0430\u0438 \u0430\u043c\u0443\u0434\u04e3 (\u0432\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u04e3)","Horizontal space":"\u0424\u043e\u0441\u0438\u043b\u0430\u0438 \u0443\u0444\u0443\u049b\u04e3","Border":"\u0427\u043e\u0440\u0447\u04ef\u0431\u0430","Insert image":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438 \u0441\u0443\u0440\u0430\u0442","Image...":"\u0421\u0443\u0440\u0430\u0442 ...","Image list":"\u0420\u04ef\u0439\u0445\u0430\u0442\u0438 c\u0443\u0440\u0430\u0442\u04b3\u043e","Resize":"\u0422\u0430\u0493\u0439\u0438\u0440\u0438 \u0430\u043d\u0434\u043e\u0437\u0430","Insert date/time":"\u0412\u043e\u0440\u0438\u0434\u0438 \u0420\u04ef\u0437/\u0421\u043e\u0430\u0442","Date/time":"\u0420\u04ef\u0437/\u0421\u043e\u0430\u0442","Insert/edit link":"\u0412\u043e\u0440\u0438\u0434/\u0442\u0430\u04b3\u0440\u0438\u0440 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u043f\u0430\u0439\u0432\u0430\u043d\u0434","Text to display":"\u041c\u0430\u0442\u043d \u0431\u0430\u0440\u043e\u0438 \u043d\u0430\u043c\u043e\u0438\u0448","Url":"","Open link in...":"\u041f\u0430\u0439\u0432\u0430\u043d\u0434\u0440\u043e \u043a\u0443\u0448\u043e\u0435\u0434 \u0434\u0430\u0440 ...","Current window":"\u0420\u0430\u0432\u0437\u0430\u043d\u0430\u0438 \u04b7\u043e\u0440\u04e3","None":"\u041d\u0435","New window":"\u0414\u0430\u0440 \u0440\u0430\u0432\u0437\u0430\u043d\u0430\u0438 \u043d\u0430\u0432","Open link":"","Remove link":"\u041d\u0435\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u043f\u0430\u0439\u0432\u0430\u043d\u0434","Anchors":"\u041b\u0430\u043d\u0433\u0430\u0440","Link...":"\u041f\u0430\u0439\u0432\u0430\u043d\u0434...","Paste or type a link":"\u041f\u0430\u0439\u0432\u0430\u043d\u0434\u0440\u043e \u043c\u043e\u043d\u0435\u0434 \u0451 \u043d\u0430\u0432\u0438\u0441\u0435\u0434","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL-\u0438 \u0432\u043e\u0440\u0438\u0434\u043a\u0430\u0440\u0434\u0430 \u043f\u043e\u0447\u0442\u0430\u0438 \u044d\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u0438\u0438 \u0434\u0443\u0440\u0443\u0441\u0442 \u043c\u0435\u0431\u043e\u0448\u0430\u0434. \u0428\u0443\u043c\u043e \u043c\u0435\u0445\u043e\u04b3\u0435\u0434 \u0431\u0430 \u04ef \u043f\u0440\u0435\u0444\u0438\u043a\u0441\u0438 \xabmailto:\xbb \u0438\u043b\u043e\u0432\u0430 \u043a\u0443\u043d\u0435\u0434?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL-\u0438 \u0432\u043e\u0440\u0438\u0434\u043a\u0430\u0440\u0434\u0430 \u043f\u0430\u0439\u0432\u0430\u043d\u0434\u0438 \u0431\u0435\u0440\u0443\u043d\u0430 \u043c\u0435\u0431\u043e\u0448\u0430\u0434. \u0428\u0443\u043c\u043e \u043c\u0435\u0445\u043e\u04b3\u0435\u0434 \u0431\u0430 \u04ef \u043f\u0440\u0435\u0444\u0438\u043a\u0441\u0438 \xabhttp://\xbb \u0438\u043b\u043e\u0432\u0430 \u043a\u0443\u043d\u0435\u0434?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"","Link list":"\u0420\u04ef\u0439\u0445\u0430\u0442\u0438 \u043f\u0430\u0439\u0432\u0430\u043d\u0434\u04b3\u043e","Insert video":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438 \u0432\u0438\u0434\u0435\u043e","Insert/edit video":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438/\u0442\u0430\u0493\u0439\u0438\u0440\u0434\u043e\u0434\u0430\u043d\u0438 \u0432\u0438\u0434\u0435\u043e","Insert/edit media":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d/\u0442\u0430\u04b3\u0440\u0438\u0440 \u0442\u0430\u0493\u0439\u0438\u0440\u0434\u043e\u0434\u0430\u043d\u0438 \u043c\u0435\u0434\u0438\u0430","Alternative source":"\u041c\u0430\u043d\u0431\u0430\u0438 \u0430\u043b\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u04e3","Alternative source URL":"\u041c\u0430\u043d\u0431\u0430\u0438 \u0430\u043b\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u0438\u0438 URL","Media poster (Image URL)":"\u042d\u044a\u043b\u043e\u043d\u0438 \u0440\u0430\u0441\u043e\u043d\u0430 (URL\u0438 \u0441\u0443\u0440\u0430\u0442)","Paste your embed code below:":"\u041a\u043e\u0434\u0438 \u0445\u0443\u0434\u0440\u043e \u0434\u0430\u0440 \u043f\u043e\u0451\u043d \u0433\u0443\u0437\u043e\u0440\u0435\u0434:","Embed":"\u041a\u043e\u0434 \u0431\u0430\u0440\u043e\u0438 \u0441\u0430\u0431\u0442","Media...":"\u041c\u0435\u0434\u0438\u0430..","Nonbreaking space":"\u0424\u043e\u0441\u0438\u043b\u0430\u0438 \u0431\u0435\u043a\u0430\u043d\u0434\u0430\u0448\u0430\u0432\u04e3","Page break":"\u0428\u0438\u043a\u0430\u0441\u0442\u0438 \u0432\u0430\u0440\u0430\u049b","Paste as text":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d \u04b3\u0430\u043c\u0447\u0443 \u043c\u0430\u0442\u043d","Preview":"\u041f\u0435\u0448\u043d\u0430\u043c\u043e\u0438\u0448","Print":"","Print...":"\u0427\u043e\u043f \u043a\u0430\u0440\u0434\u0430\u043d...","Save":"\u0421\u0430\u0431\u0442 \u043a\u0430\u0440\u0434\u0430\u043d","Find":"\u0401\u0444\u0442\u0430\u043d","Replace with":"\u0418\u0432\u0430\u0437 \u043a\u0430\u0440\u0434\u0430\u043d \u0431\u043e","Replace":"\u0418\u0432\u0430\u0437 \u043a\u0430\u0440\u0434\u0430\u043d","Replace all":"\u0418\u0432\u0430\u0437 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u04b3\u0430\u043c\u0430","Previous":"\u041f\u0435\u0448\u0442\u0430\u0440","Next":"\u0411\u0430\u044a\u0434\u04e3","Find and Replace":"","Find and replace...":"\u04b6\u0443\u0441\u0442\u0443\u04b7\u04ef \u0432\u0430 \u0438\u0432\u0430\u0437 ...","Could not find the specified string.":"\u0421\u0430\u0442\u0440\u0438 \u043d\u0438\u0448\u043e\u043d\u0434\u043e\u0434\u0430\u0448\u0443\u0434\u0430\u0440\u043e \u0451\u0444\u0442\u0430 \u043d\u0430\u0448\u0443\u0434.","Match case":"\u0420\u0435\u0433\u0438\u0441\u0442\u0440\u0440\u043e \u0431\u0430 \u0438\u043d\u043e\u0431\u0430\u0442 \u0433\u0438\u0440\u0438\u0444\u0442\u0430\u043d","Find whole words only":"\u0422\u0430\u043d\u04b3\u043e \u043a\u0430\u043b\u0438\u043c\u0430\u04b3\u043e\u0440\u043e \u04b7\u0443\u0441\u0442\u0430\u043d","Find in selection":"","Insert table":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438 \u04b7\u0430\u0434\u0432\u0430\u043b","Table properties":"\u0422\u0430\u043d\u0437\u0438\u043c\u043e\u0442\u0438 \u04b7\u0430\u0434\u0432\u0430\u043b","Delete table":"\u041d\u0435\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u04b7\u0430\u0434\u0432\u0430\u043b","Cell":"\u041c\u0430\u0439\u0434\u043e\u043d\u0447\u0430","Row":"\u0421\u0430\u0442\u0440","Column":"\u0421\u0443\u0442\u0443\u043d","Cell properties":"\u0422\u0430\u043d\u0437\u0438\u043c\u043e\u0442\u04b3\u043e\u0438 \u043c\u0430\u0439\u0434\u043e\u043d\u0447\u0430","Merge cells":"\u042f\u043a\u04b7\u043e\u044f \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u043c\u0430\u0439\u0434\u043e\u043d\u0447\u0430\u04b3\u043e","Split cell":"\u0422\u0430\u049b\u0441\u0438\u043c \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u043c\u0430\u0439\u0434\u043e\u043d\u0447\u0430","Insert row before":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438 \u0441\u0430\u0442\u0440\u0438 \u0445\u043e\u043b\u04e3 \u0430\u0437 \u0431\u043e\u043b\u043e","Insert row after":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438 \u0441\u0430\u0442\u0440\u0438 \u0445\u043e\u043b\u04e3 \u0430\u0437 \u043f\u043e\u0451\u043d","Delete row":"\u041d\u0435\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u0441\u0430\u0442\u0440","Row properties":"\u0422\u0430\u043d\u0437\u0438\u043c\u043e\u0442\u04b3\u043e\u0438 \u0441\u0430\u0442\u0440","Cut row":"\u0421\u0430\u0442\u0440\u0440\u043e \u0431\u0443\u0440\u0438\u0434\u0430\u043d","Cut column":"","Copy row":"\u041d\u0443\u0441\u0445\u0430\u0431\u0430\u0440\u0434\u043e\u0440\u04e3 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u0441\u0430\u0442\u0440","Copy column":"","Paste row before":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438 \u0441\u0430\u0442\u0440 \u0434\u0430\u0440 \u0431\u043e\u043b\u043e","Paste column before":"","Paste row after":"\u0413\u0443\u0437\u043e\u0448\u0442\u0430\u043d\u0438 \u0441\u0430\u0442\u0440 \u0434\u0430\u0440 \u043f\u043e\u0451\u043d","Paste column after":"","Insert column before":"\u0421\u0443\u0442\u0443\u043d\u0440\u043e \u0430\u0437 \u0442\u0430\u0440\u0430\u0444\u0438 \u0447\u0430\u043f \u0438\u043b\u043e\u0432\u0430 \u043a\u0430\u0440\u0434\u0430\u043d","Insert column after":"\u0421\u0443\u0442\u0443\u043d\u0440\u043e \u0430\u0437 \u0442\u0430\u0440\u0430\u0444\u0438 \u0440\u043e\u0441\u0442 \u0438\u043b\u043e\u0432\u0430 \u043a\u0430\u0440\u0434\u0430\u043d","Delete column":"\u041d\u0435\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u0441\u0443\u0442\u0443\u043d","Cols":"\u0421\u0443\u0442\u0443\u043d\u04b3\u043e","Rows":"\u0421\u0430\u0442\u0440\u04b3\u043e","Width":"\u041f\u0430\u04b3\u043c\u04e3","Height":"\u0411\u0430\u043b\u0430\u043d\u0434\u04e3","Cell spacing":"\u0424\u043e\u0441\u0438\u043b\u0430\u0438 \u0431\u0435\u0440\u0443\u043d\u0430","Cell padding":"\u0424\u043e\u0441\u0438\u043b\u0430\u0438 \u0434\u0430\u0440\u0443\u043d\u0430","Row clipboard actions":"","Column clipboard actions":"","Table styles":"","Cell styles":"","Column header":"","Row header":"","Table caption":"","Caption":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430","Show caption":"\u041d\u0430\u043c\u043e\u0438\u0448\u0438 \u0441\u0430\u0440\u043b\u0430\u0432\u04b3\u0430","Left":"\u0410\u0437 \u0442\u0430\u0440\u0430\u0444\u0438 \u0447\u0430\u043f","Center":"\u0410\u0437 \u043c\u0430\u0440\u043a\u0430\u0437","Right":"\u0410\u0437 \u0442\u0430\u0440\u0430\u0444\u0438 \u0440\u043e\u0441\u0442","Cell type":"\u041d\u0430\u043c\u0443\u0434\u0438 \u043c\u0430\u0439\u0434\u043e\u043d\u0447\u0430","Scope":"","Alignment":"\u041c\u0443\u0442\u043e\u0431\u0438\u049b\u043a\u0443\u043d\u04e3","Horizontal align":"","Vertical align":"","Top":"\u0410\u0437 \u0431\u043e\u043b\u043e","Middle":"\u0410\u0437 \u0431\u0430\u0439\u043d","Bottom":"\u0410\u0437 \u043f\u043e\u0451\u043d","Header cell":"\u0421\u0430\u0440\u043b\u0430\u0432\u04b3\u0430","Row group":"\u0413\u0443\u0440\u04ef\u04b3\u0438 \u0441\u0430\u0442\u0440\u04b3\u043e","Column group":"\u0413\u0443\u0440\u04ef\u04b3\u0438 \u0441\u0443\u0442\u0443\u043d\u04b3\u043e","Row type":"\u041d\u0430\u043c\u0443\u0434\u0438 \u0441\u0430\u0442\u0440","Header":"\u049a\u0438\u0441\u043c\u0438 \u0431\u043e\u043b\u043e\u04e3","Body":"\u049a\u0438\u0441\u043c\u0438 \u0430\u0441\u043b\u04e3","Footer":"\u049a\u0438\u0441\u043c\u0438 \u043f\u043e\u0451\u043d\u04e3","Border color":"\u0420\u0430\u043d\u0433\u0438 \u0447\u043e\u0440\u0447\u04ef\u0431\u0430","Solid":"","Dotted":"","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"","Insert template...":"\u0428\u0430\u0431\u043b\u043e\u043d \u0433\u0443\u0437\u043e\u0440\u0435\u0434 ...","Templates":"\u041d\u0430\u043c\u0443\u043d\u0430\u04b3\u043e","Template":"\u041d\u0430\u043c\u0443\u043d\u0430","Insert Template":"","Text color":"\u0420\u0430\u043d\u0433\u0438 \u043c\u0430\u0442\u043d","Background color":"\u0420\u0430\u043d\u0433\u0438 \u043f\u0443\u0448\u0442\u0438 \u043c\u0430\u0442\u043d","Custom...":"\u0425\u0443\u0441\u0443\u0441\u04e3...","Custom color":"\u0420\u0430\u043d\u0433\u0438 \u0445\u0443\u0441\u0443\u0441\u04e3","No color":"\u0411\u0435 \u0440\u0430\u043d\u0433","Remove color":"\u0420\u0430\u043d\u0433\u0440\u043e \u043d\u0435\u0441\u0442 \u043a\u0430\u0440\u0434\u0430\u043d","Show blocks":"\u041d\u0438\u0448\u043e\u043d \u0434\u043e\u0434\u0430\u043d\u0438 \u0431\u043b\u043e\u043a\u04b3\u043e","Show invisible characters":"\u041d\u0438\u0448\u043e\u043d \u0434\u043e\u0434\u0430\u043d\u0438 \u0430\u043b\u043e\u043c\u0430\u0442\u04b3\u043e\u0438 \u043f\u0438\u043d\u04b3\u043e\u043d\u04e3","Word count":"\u0428\u0443\u043c\u043e\u0440\u0430\u0438 \u043a\u0430\u043b\u0438\u043c\u0430\u04b3\u043e","Count":"\u0428\u0443\u043c\u043e\u0440\u0430","Document":"\u04b2\u0443\u04b7\u04b7\u0430\u0442","Selection":"\u0418\u043d\u0442\u0438\u0445\u043e\u0431\u04b3\u043e","Words":"\u041a\u0430\u043b\u0438\u043c\u0430\u04b3\u043e","Words: {0}":"\u041a\u043b\u0438\u043c\u0430\u04b3\u043e: {0}","{0} words":"{0} \u043a\u0430\u043b\u0438\u043c\u0430\u04b3\u043e","File":"\u0424\u0430\u0439\u043b","Edit":"\u0422\u0430\u0493\u0439\u0438\u0440 \u0434\u043e\u0434\u0430\u043d","Insert":"\u0421\u0430\u0431\u0442 \u043a\u0430\u0440\u0434\u0430\u043d","View":"\u041d\u0430\u043c\u0443\u0434","Format":"\u0424\u043e\u0440\u043c\u0430\u0442","Table":"\u04b6\u0430\u0434\u0432\u0430\u043b","Tools":"\u0410\u0441\u0431\u043e\u0431\u04b3\u043e","Powered by {0}":"\u041d\u0435\u0440\u04ef\u043c\u0430\u043d\u0434\u0448\u0443\u0434\u0430 \u0430\u0437 \u04b7\u043e\u043d\u0438\u0431\u0438 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u041c\u0430\u0439\u0434\u043e\u043d\u0438 \u043c\u0430\u0442\u043d\u04e3. \u0422\u0443\u0433\u043c\u0430\u04b3\u043e\u0438 ALT-F9-\u0440\u043e \u043f\u0430\u0445\u0448 \u043a\u0443\u043d\u0435\u0434, \u0430\u0433\u0430\u0440 \u0445\u043e\u04b3\u0435\u0434 \u043c\u0435\u043d\u044e\u0440\u043e \u0444\u0430\u0440\u0451\u0434 \u043a\u0430\u0440\u0434\u0430\u043d, ALT-F10 \u0431\u0430\u0441\u0442\u0430\u0438 \u0430\u0441\u0431\u043e\u0431\u04b3\u043e, ALT-0 \u0431\u0430\u0440\u043e\u0438 \u0444\u0430\u0440\u0451\u0434 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u0451\u0440\u0434\u0430\u043c.","Image title":"\u0423\u043d\u0432\u043e\u043d\u0438 \u0442\u0430\u0441\u0432\u0438\u0440","Border width":"\u041f\u0430\u04b3\u043c\u0438\u0438 \u0447\u043e\u0440\u0447\u04ef\u0431\u0430","Border style":"\u0421\u0442\u0438\u043b\u0438 \u0447\u043e\u0440\u0447\u04ef\u0431\u0430","Error":"\u0425\u0430\u0442\u043e\u0433\u04e3","Warn":"\u041e\u0433\u043e\u04b3\u04e3","Valid":"\u0414\u0443\u0440\u0443\u0441\u0442","To open the popup, press Shift+Enter":"\u0411\u0430\u0440\u043e\u0438 \u043a\u0443\u0448\u043e\u0434\u0430\u043d\u0438 \u043f\u043e\u043f-\u0430\u043f, Shift + Enter\u0440\u043e \u043f\u0430\u0445\u0448 \u043a\u0443\u043d\u0435\u0434","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"\u041c\u0438\u043d\u0442\u0430\u049b\u0430\u0438 \u0431\u043e\u0439\u0438 \u043c\u0430\u0442\u043d. \u0411\u0430\u0440\u043e\u0438 \u043a\u04ef\u043c\u0430\u043a ALT-0 -\u0440\u043e \u043f\u0430\u0445\u0448 \u043a\u0443\u043d\u0435\u0434.","System Font":"\u04b2\u0430\u0440\u0444\u0438 \u0441\u0438\u0441\u0442\u0435\u043c\u0430","Failed to upload image: {0}":"\u0421\u0443\u0440\u0430\u0442 \u0431\u043e\u0440 \u043a\u0430\u0440\u0434\u0430 \u043d\u0430\u0448\u0443\u0434: {0}","Failed to load plugin: {0} from url {1}":"\u0411\u043e\u0440 \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u043f\u043b\u0430\u0433\u0438\u043d \u0438\u043c\u043a\u043e\u043d\u043d\u043e\u043f\u0430\u0437\u0438\u0440 \u043d\u0435\u0441\u0442: {0} \u0430\u0437 URL {1}","Failed to load plugin url: {0}":"\u0425\u0430\u0442\u043e\u0433\u0438\u0438 URL, \u0431\u043e\u0440\u043a\u0443\u043d\u04e3 \u043c\u0443\u044f\u0441\u0441\u0430\u0440 \u043d\u0430\u0448\u0443\u0434: {0}","Failed to initialize plugin: {0}":"\u0422\u0430\u043d\u0437\u0438\u043c \u043a\u0430\u0440\u0434\u0430\u043d\u0438 \u043f\u043b\u0430\u0433\u0438\u043d \u043c\u0443\u044f\u0441\u0441\u0430\u0440 \u043d\u0430\u0448\u0443\u0434: {0}","example":"\u043d\u0430\u043c\u0443\u043d\u0430","Search":"\u04b6\u0443\u0441\u0442\u0443\u04b7\u04ef","All":"\u04b2\u0430\u043c\u0430","Currency":"\u0410\u0441\u044a\u043e\u0440","Text":"\u041c\u0430\u0442\u043d","Quotations":"\u0418\u049b\u0442\u0438\u0431\u043e\u0441\u04b3\u043e","Mathematical":"\u041c\u0430\u0442\u0435\u043c\u0430\u0442\u0438\u043a\u04e3","Extended Latin":"\u041b\u043e\u0442\u0438\u043d\u0438\u0438 \u0432\u0430\u0441\u0435\u044a","Symbols":"\u0410\u043b\u043e\u043c\u0430\u0442\u04b3\u043e","Arrows":"\u0422\u0438\u0440\u04b3\u043e","User Defined":"\u041a\u043e\u0440\u0431\u0430\u0440 \u043c\u0443\u0430\u0439\u044f\u043d \u043a\u0430\u0440\u0434\u0430","dollar sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0434\u043e\u043b\u043b\u0430\u0440","currency sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0430\u0441\u044a\u043e\u0440","euro-currency sign":"\u0435\u0432\u0440\u043e \u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0430\u0441\u044a\u043e\u0440","colon sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043a\u043e\u043b\u043e\u043d","cruzeiro sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 cruzeiro","french franc sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0444\u0440\u0430\u043d\u043a\u0438 \u0444\u0430\u0440\u043e\u043d\u0441\u0430\u0432\u04e3","lira sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043b\u0438\u0440\u0430","mill sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043c\u0438\u043b","naira sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043d\u0430\u0438\u0440\u0430","peseta sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043f\u0435\u0441\u0435\u0442\u0430","rupee sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0440\u0443\u043f\u0438","won sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0432\u043e\u043d","new sheqel sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0448\u0435\u043a\u0435\u043b\u0438 \u043d\u0430\u0432","dong sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0434\u043e\u043d\u0433","kip sign":"\u043d\u0438\u0448\u043e\u043d\u0438 \u043a\u0438\u043f","tugrik sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0442\u0443\u0433\u0440\u0438\u043a","drachma sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0434\u0440\u0430\u0445\u043c\u0430","german penny symbol":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0434\u0438\u043d\u043e\u0440\u0438 \u041e\u043b\u043c\u043e\u043d","peso sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043f\u0435\u0441\u043e","guarani sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0433\u0443\u0430\u0440\u0430\u043d\u0430","austral sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0430\u0432\u0441\u0442\u0440\u0430\u043b","hryvnia sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0433\u0440\u0438\u0432\u043d\u0430","cedi sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0441\u0435\u0434\u0438","livre tournois sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043b\u0438\u0432\u0440 \u0442\u0443\u0440\u043d\u043e\u0441","spesmilo sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0441\u043f\u0435\u0441\u043c\u0438\u043b\u043e","tenge sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0442\u0435\u043d\u0433\u0435","indian rupee sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0440\u0443\u043f\u0438\u0438 \u04b3\u0438\u043d\u0434\u04e3","turkish lira sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043b\u0438\u0440\u0430\u0438 \u0442\u0443\u0440\u043a\u04e3","nordic mark sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043c\u0430\u0440\u043a\u0438 \u043d\u043e\u0440\u0432\u0435\u0433\u0438","manat sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u043c\u0430\u043d\u0430\u0442","ruble sign":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0440\u0443\u0431\u043b","yen character":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0439\u0435\u043d","yuan character":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u044e\u0430\u043d","yuan character, in hong kong and taiwan":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u044e\u0430\u043d, \u0434\u0430\u0440 \u0425\u043e\u043d\u0433 \u041a\u043e\u043d\u0433 \u0432\u0430 \u0422\u0430\u0439\u0432\u0430\u043d","yen/yuan character variant one":"\u0430\u043b\u043e\u043c\u0430\u0442\u0438 \u0439\u0435\u043d/\u044e\u0430\u043d \u0432\u0430\u0440\u0438\u0430\u043d\u0442\u0438 \u044f\u043a\u0443\u043c","Emojis":"","Emojis...":"","Loading emojis...":"","Could not load emojis":"","People":"\u041c\u0430\u0440\u0434\u0443\u043c","Animals and Nature":"\u04b2\u0430\u0439\u0432\u043e\u043d\u043e\u0442 \u0432\u0430 \u0442\u0430\u0431\u0438\u0430\u0442","Food and Drink":"\u0492\u0438\u0437\u043e \u0432\u0430 \u043d\u04ef\u0448\u043e\u043a\u04e3","Activity":"\u0424\u0430\u044a\u043e\u043b\u0438\u044f\u0442","Travel and Places":"\u0421\u0430\u0444\u0430\u0440 \u0432\u0430 \u04b7\u043e\u0439\u04b3\u043e","Objects":"\u041e\u0431\u044a\u0435\u043a\u0442\u04b3\u043e","Flags":"\u041f\u0430\u0440\u0447\u0430\u043c\u04b3\u043e","Characters":"\u0410\u043b\u043e\u043c\u0430\u0442\u04b3\u043e","Characters (no spaces)":"\u0410\u043b\u043e\u043c\u0430\u0442\u04b3\u043e (\u0431\u0435 \u0444\u043e\u0441\u0438\u043b\u0430)","{0} characters":"{0} \u0430\u043b\u043e\u043c\u0430\u0442\u04b3\u043e","Error: Form submit field collision.":"\u0425\u0430\u0442\u043e\u0433\u04e3: \u0414\u0430\u0440 \u043c\u0430\u0439\u0434\u043e\u043d\u04b3\u043e\u0438 \u0434\u043e\u0445\u0438\u043b\u043a\u0443\u043d\u0438 \u0437\u0438\u0434\u0434\u0438\u044f\u0442 \u0451\u0444\u0442 \u0448\u0443\u0434.","Error: No form element found.":"\u0425\u0430\u0442\u043e\u0433\u04e3: \u042f\u0433\u043e\u043d \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0438 \u043c\u0430\u0439\u0434\u043e\u043d \u0451\u0444\u0442 \u043d\u0430\u0448\u0443\u0434.","Color swatch":"\u041a\u0430\u0448\u0438\u0448\u0438 \u0440\u0430\u043d\u0433","Color Picker":"\u0418\u043d\u0442\u0438\u0445\u043e\u0431\u043a\u0443\u043d\u0430\u043d\u0434\u0430\u0438 \u0440\u0430\u043d\u0433","Invalid hex color code: {0}":"","Invalid input":"","R":"\u0421","Red component":"","G":"\u0421","Green component":"","B":"\u041a","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"","Turquoise":"\u0422\u0443\u0440\u043a\u0443","Green":"\u0421\u0430\u0431\u0437","Blue":"\u041a\u0430\u0431\u0443\u0434","Purple":"\u0410\u0440\u0493\u0443\u0432\u043e\u043d","Navy Blue":"\u041a\u0430\u0431\u0443\u0434\u0438 \u0442\u0438\u0440\u0430","Dark Turquoise":"\u0422\u0443\u0440\u043a\u0443\u0438 \u0442\u043e\u0440\u0438\u043a","Dark Green":"\u0421\u0430\u0431\u0437\u0438 \u0442\u043e\u0440\u0438\u043a","Medium Blue":"\u041a\u0430\u0431\u0443\u0434\u0438 \u043c\u0438\u0451\u043d\u0430","Medium Purple":"\u0410\u0440\u0493\u0443\u0432\u043e\u043d\u0438 \u043c\u0438\u0451\u043d\u0430","Midnight Blue":"\u041a\u0430\u0431\u0443\u0434\u0438 \u0442\u0438\u0440\u0430","Yellow":"\u0417\u0430\u0440\u0434","Orange":"\u041d\u043e\u0440\u0438\u043d\u04b7\u04e3","Red":"\u0421\u0443\u0440\u0445","Light Gray":"\u0425\u043e\u043a\u0438\u0441\u0442\u0430\u0440\u0440\u0430\u043d\u0433\u0438 \u0445\u0438\u0440\u0430","Gray":"\u0425\u043e\u043a\u0438\u0441\u0442\u0430\u0440\u0440\u0430\u043d\u0433","Dark Yellow":"\u0417\u0430\u0440\u0434\u0438 \u0442\u0438\u0440\u0430","Dark Orange":"\u041d\u043e\u0440\u0438\u043d\u04b7\u0438\u0438 \u0442\u0438\u0440\u0430","Dark Red":"\u0421\u0443\u0440\u0445\u0438 \u0442\u043e\u0440\u0438\u043a","Medium Gray":"\u0425\u043e\u043a\u0438\u0441\u0442\u0430\u0440\u0440\u0430\u043d\u0433\u0438 \u043c\u0438\u0451\u043d\u0430","Dark Gray":"\u0425\u043e\u043a\u0438\u0441\u0442\u0430\u0440\u0440\u0430\u043d\u0433\u0438 \u0442\u0438\u0440\u0430","Light Green":"\u0421\u0430\u0431\u0437\u0438 \u0445\u0438\u0440\u0430","Light Yellow":"\u0417\u0430\u0440\u0434\u0438 \u0445\u0438\u0440\u0430","Light Red":"\u0421\u0443\u0440\u0445\u0438 \u0445\u0438\u0440\u0430","Light Purple":"\u0410\u0440\u0493\u0443\u0432\u043e\u043d\u0438 \u0445\u0438\u0440\u0430","Light Blue":"\u041a\u0430\u0431\u0443\u0434\u0438 \u0445\u0438\u0440\u0430","Dark Purple":"\u0410\u0440\u0493\u0443\u0432\u043e\u043d\u0438 \u0442\u0438\u0440\u0430","Dark Blue":"\u041a\u0430\u0431\u0443\u0434\u0438 \u0442\u043e\u0440\u0438\u043a","Black":"\u0421\u0438\u0451\u04b3","White":"\u0421\u0430\u0444\u0435\u0434","Switch to or from fullscreen mode":"\u0411\u0430 \u04b3\u043e\u043b\u0430\u0442\u0438 \u043f\u0443\u0440\u0440\u0430\u0438 \u0440\u0430\u0432\u0437\u0430\u043d\u0430 \u0433\u0443\u0437\u0430\u0440\u0435\u0434","Open help dialog":"\u041e\u0438\u043d\u0430\u0438 \u043a\u04ef\u043c\u0430\u043a\u0440\u043e \u043a\u0443\u0448\u043e\u0435\u0434","history":"\u0442\u0430\u044a\u0440\u0438\u0445","styles":"\u0443\u0441\u043b\u0443\u0431\u04b3\u043e","formatting":"\u0444\u043e\u0440\u043c\u0430\u0442\u043e\u043d\u04e3","alignment":"\u041c\u0443\u0442\u043e\u0431\u0438\u049b\u043a\u0443\u043d\u04e3","indentation":"\u0444\u043e\u0441\u0438\u043b\u0430","Font":"\u04b2\u0443\u0440\u0443\u0444","Size":"\u0410\u043d\u0434\u043e\u0437\u0430","More...":"\u0411\u0435\u0448\u0442\u0430\u0440...","Select...":"\u0418\u043d\u0442\u0438\u0445\u043e\u0431 \u043a\u0443\u043d\u0435\u0434 ...","Preferences":"\u0410\u0444\u0437\u0430\u043b\u0438\u044f\u0442\u04b3\u043e","Yes":"\u04b2a","No":"\u041d\u0435","Keyboard Navigation":"\u041d\u0430\u0432\u0438\u0433\u0430\u0442\u0441\u0438\u044f\u0438 \u043a\u043b\u0430\u0432\u0438\u0430\u0442\u0443\u0440\u0430","Version":"\u0412\u0435\u0440\u0441\u0438\u044f","Code view":"","Open popup menu for split buttons":"","List Properties":"","List properties...":"","Start list at number":"","Line height":"","Dropped file type is not supported":"","Loading...":"","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/th_TH.js b/deform/static/tinymce/langs/th_TH.js index 28d2c8b4..8b0f830a 100644 --- a/deform/static/tinymce/langs/th_TH.js +++ b/deform/static/tinymce/langs/th_TH.js @@ -1,156 +1 @@ -tinymce.addI18n('th_TH',{ -"Cut": "\u0e15\u0e31\u0e14", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0e40\u0e1a\u0e23\u0e32\u0e27\u0e4c\u0e40\u0e0b\u0e2d\u0e23\u0e4c\u0e02\u0e2d\u0e07\u0e04\u0e38\u0e13\u0e44\u0e21\u0e48\u0e2a\u0e19\u0e31\u0e1a\u0e2a\u0e19\u0e38\u0e19\u0e01\u0e32\u0e23\u0e40\u0e02\u0e49\u0e32\u0e16\u0e36\u0e07\u0e42\u0e14\u0e22\u0e15\u0e23\u0e07\u0e44\u0e1b\u0e22\u0e31\u0e07\u0e04\u0e25\u0e34\u0e1b\u0e1a\u0e2d\u0e23\u0e4c\u0e14 \u0e01\u0e23\u0e38\u0e13\u0e32\u0e43\u0e0a\u0e49\u0e41\u0e1b\u0e49\u0e19\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e25\u0e31\u0e14 Ctrl+X\/C\/V \u0e41\u0e17\u0e19", -"Paste": "\u0e27\u0e32\u0e07", -"Close": "\u0e1b\u0e34\u0e14", -"Align right": "\u0e08\u0e31\u0e14\u0e0a\u0e34\u0e14\u0e02\u0e27\u0e32", -"New document": "\u0e40\u0e2d\u0e01\u0e2a\u0e32\u0e23\u0e43\u0e2b\u0e21\u0e48", -"Numbered list": "\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23\u0e25\u0e33\u0e14\u0e31\u0e1a\u0e40\u0e25\u0e02", -"Increase indent": "\u0e40\u0e1e\u0e34\u0e48\u0e21\u0e01\u0e32\u0e23\u0e40\u0e22\u0e37\u0e49\u0e2d\u0e07", -"Formats": "\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a", -"Select all": "\u0e40\u0e25\u0e37\u0e2d\u0e01\u0e17\u0e31\u0e49\u0e07\u0e2b\u0e21\u0e14", -"Undo": "\u0e40\u0e25\u0e34\u0e01\u0e17\u0e33", -"Strikethrough": "\u0e02\u0e35\u0e14\u0e17\u0e31\u0e1a", -"Bullet list": "\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2b\u0e31\u0e27\u0e02\u0e49\u0e2d\u0e22\u0e48\u0e2d\u0e22", -"Superscript": "\u0e15\u0e31\u0e27\u0e22\u0e01", -"Clear formatting": "\u0e25\u0e49\u0e32\u0e07\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a", -"Subscript": "\u0e15\u0e31\u0e27\u0e2b\u0e49\u0e2d\u0e22", -"Redo": "\u0e17\u0e4d\u0e32\u0e0b\u0e49\u0e33", -"Ok": "\u0e15\u0e01\u0e25\u0e07", -"Bold": "\u0e15\u0e31\u0e27\u0e2b\u0e19\u0e32", -"Italic": "\u0e15\u0e31\u0e27\u0e40\u0e2d\u0e35\u0e22\u0e07", -"Align center": "\u0e08\u0e31\u0e14\u0e01\u0e36\u0e48\u0e07\u0e01\u0e25\u0e32\u0e07", -"Decrease indent": "\u0e25\u0e14\u0e01\u0e32\u0e23\u0e40\u0e22\u0e37\u0e49\u0e2d\u0e07", -"Underline": "\u0e02\u0e35\u0e14\u0e40\u0e2a\u0e49\u0e19\u0e43\u0e15\u0e49", -"Cancel": "\u0e22\u0e01\u0e40\u0e25\u0e34\u0e01", -"Justify": "\u0e40\u0e15\u0e47\u0e21\u0e41\u0e19\u0e27", -"Copy": "\u0e04\u0e31\u0e14\u0e25\u0e2d\u0e01", -"Align left": "\u0e08\u0e31\u0e14\u0e0a\u0e34\u0e14\u0e0b\u0e49\u0e32\u0e22", -"Visual aids": "\u0e17\u0e31\u0e28\u0e19\u0e39\u0e1b\u0e01\u0e23\u0e13\u0e4c", -"Lower Greek": "\u0e01\u0e23\u0e35\u0e01\u0e17\u0e35\u0e48\u0e15\u0e48\u0e33\u0e01\u0e27\u0e48\u0e32", -"Square": "\u0e08\u0e31\u0e15\u0e38\u0e23\u0e31\u0e2a", -"Default": "\u0e04\u0e48\u0e32\u0e40\u0e23\u0e34\u0e48\u0e21\u0e15\u0e49\u0e19", -"Lower Alpha": "\u0e2d\u0e31\u0e25\u0e1f\u0e32\u0e17\u0e35\u0e48\u0e15\u0e48\u0e33\u0e01\u0e27\u0e48\u0e32", -"Circle": "\u0e27\u0e07\u0e01\u0e25\u0e21", -"Disc": "\u0e14\u0e34\u0e2a\u0e01\u0e4c", -"Upper Alpha": "\u0e2d\u0e31\u0e25\u0e1f\u0e32\u0e17\u0e35\u0e48\u0e2a\u0e39\u0e07\u0e01\u0e27\u0e48\u0e32", -"Upper Roman": "\u0e42\u0e23\u0e21\u0e31\u0e19\u0e17\u0e35\u0e48\u0e2a\u0e39\u0e07\u0e01\u0e27\u0e48\u0e32", -"Lower Roman": "\u0e42\u0e23\u0e21\u0e31\u0e19\u0e17\u0e35\u0e48\u0e15\u0e48\u0e33\u0e01\u0e27\u0e48\u0e32", -"Name": "\u0e0a\u0e37\u0e48\u0e2d", -"Anchor": "\u0e08\u0e38\u0e14\u0e22\u0e36\u0e14", -"You have unsaved changes are you sure you want to navigate away?": "\u0e04\u0e38\u0e13\u0e21\u0e35\u0e01\u0e32\u0e23\u0e40\u0e1b\u0e25\u0e35\u0e48\u0e22\u0e19\u0e41\u0e1b\u0e25\u0e07\u0e17\u0e35\u0e48\u0e44\u0e21\u0e48\u0e44\u0e14\u0e49\u0e1a\u0e31\u0e19\u0e17\u0e36\u0e01 \u0e04\u0e38\u0e13\u0e15\u0e49\u0e2d\u0e07\u0e01\u0e32\u0e23\u0e17\u0e35\u0e48\u0e08\u0e30\u0e2d\u0e2d\u0e01\u0e2b\u0e23\u0e37\u0e2d\u0e44\u0e21\u0e48?", -"Restore last draft": "\u0e04\u0e37\u0e19\u0e04\u0e48\u0e32\u0e41\u0e1a\u0e1a\u0e23\u0e48\u0e32\u0e07\u0e25\u0e48\u0e32\u0e2a\u0e38\u0e14", -"Special character": "\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e1e\u0e34\u0e40\u0e28\u0e29", -"Source code": "\u0e42\u0e04\u0e49\u0e14\u0e15\u0e49\u0e19\u0e09\u0e1a\u0e31\u0e1a", -"Right to left": "\u0e02\u0e27\u0e32\u0e44\u0e1b\u0e0b\u0e49\u0e32\u0e22", -"Left to right": "\u0e0b\u0e49\u0e32\u0e22\u0e44\u0e1b\u0e02\u0e27\u0e32", -"Emoticons": "\u0e2d\u0e34\u0e42\u0e21\u0e15\u0e34\u0e04\u0e2d\u0e19", -"Robots": "\u0e2b\u0e38\u0e48\u0e19\u0e22\u0e19\u0e15\u0e4c", -"Document properties": "\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e02\u0e2d\u0e07\u0e40\u0e2d\u0e01\u0e2a\u0e32\u0e23", -"Title": "\u0e0a\u0e37\u0e48\u0e2d\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07", -"Keywords": "\u0e04\u0e33\u0e2a\u0e33\u0e04\u0e31\u0e0d", -"Encoding": "\u0e01\u0e32\u0e23\u0e40\u0e02\u0e49\u0e32\u0e23\u0e2b\u0e31\u0e2a", -"Description": "\u0e04\u0e33\u0e2d\u0e18\u0e34\u0e1a\u0e32\u0e22", -"Author": "\u0e1c\u0e39\u0e49\u0e40\u0e02\u0e35\u0e22\u0e19", -"Fullscreen": "\u0e40\u0e15\u0e47\u0e21\u0e08\u0e2d", -"Horizontal line": "\u0e40\u0e2a\u0e49\u0e19\u0e41\u0e19\u0e27\u0e19\u0e2d\u0e19", -"Horizontal space": "\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e41\u0e19\u0e27\u0e19\u0e2d\u0e19", -"Insert\/edit image": "\u0e41\u0e17\u0e23\u0e01\/\u0e41\u0e01\u0e49\u0e44\u0e02\u0e23\u0e39\u0e1b", -"General": "\u0e17\u0e31\u0e48\u0e27\u0e44\u0e1b", -"Advanced": "\u0e02\u0e31\u0e49\u0e19\u0e2a\u0e39\u0e07", -"Source": "\u0e41\u0e2b\u0e25\u0e48\u0e07\u0e17\u0e35\u0e48\u0e21\u0e32", -"Border": "\u0e40\u0e2a\u0e49\u0e19\u0e02\u0e2d\u0e1a", -"Constrain proportions": "\u0e08\u0e33\u0e01\u0e31\u0e14\u0e2a\u0e31\u0e14\u0e2a\u0e48\u0e27\u0e19", -"Vertical space": "\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e41\u0e19\u0e27\u0e15\u0e31\u0e49\u0e07", -"Image description": "\u0e04\u0e33\u0e2d\u0e18\u0e34\u0e1a\u0e32\u0e22\u0e23\u0e39\u0e1b", -"Style": "\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a", -"Dimensions": "\u0e02\u0e19\u0e32\u0e14", -"Insert date\/time": "\u0e41\u0e17\u0e23\u0e01\u0e27\u0e31\u0e19\u0e17\u0e35\u0e48\/\u0e40\u0e27\u0e25\u0e32", -"Url": "URL", -"Text to display": "\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21\u0e17\u0e35\u0e48\u0e08\u0e30\u0e41\u0e2a\u0e14\u0e07", -"Insert link": "\u0e41\u0e17\u0e23\u0e01\u0e25\u0e34\u0e07\u0e01\u0e4c", -"New window": "\u0e40\u0e1b\u0e34\u0e14\u0e2b\u0e19\u0e49\u0e32\u0e15\u0e48\u0e32\u0e07\u0e43\u0e2b\u0e21\u0e48", -"None": "\u0e44\u0e21\u0e48\u0e21\u0e35", -"Target": "\u0e40\u0e1b\u0e49\u0e32\u0e2b\u0e21\u0e32\u0e22", -"Insert\/edit link": "\u0e41\u0e17\u0e23\u0e01\/\u0e41\u0e01\u0e49\u0e44\u0e02\u0e25\u0e34\u0e07\u0e01\u0e4c", -"Insert\/edit video": "\u0e41\u0e17\u0e23\u0e01\/\u0e41\u0e01\u0e49\u0e44\u0e02\u0e27\u0e34\u0e14\u0e35\u0e42\u0e2d", -"Poster": "\u0e42\u0e1b\u0e2a\u0e40\u0e15\u0e2d\u0e23\u0e4c", -"Alternative source": "\u0e41\u0e2b\u0e25\u0e48\u0e07\u0e17\u0e35\u0e48\u0e21\u0e32\u0e2a\u0e33\u0e23\u0e2d\u0e07", -"Paste your embed code below:": "\u0e27\u0e32\u0e07\u0e42\u0e04\u0e49\u0e14\u0e1d\u0e31\u0e07\u0e15\u0e31\u0e27\u0e02\u0e2d\u0e07\u0e04\u0e38\u0e13\u0e14\u0e49\u0e32\u0e19\u0e25\u0e48\u0e32\u0e07:", -"Insert video": "\u0e41\u0e17\u0e23\u0e01\u0e27\u0e34\u0e14\u0e35\u0e42\u0e2d", -"Embed": "\u0e1d\u0e31\u0e07", -"Nonbreaking space": "\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e44\u0e21\u0e48\u0e41\u0e22\u0e01", -"Page break": "\u0e15\u0e31\u0e27\u0e41\u0e1a\u0e48\u0e07\u0e2b\u0e19\u0e49\u0e32", -"Preview": "\u0e41\u0e2a\u0e14\u0e07\u0e15\u0e31\u0e27\u0e2d\u0e22\u0e48\u0e32\u0e07", -"Print": "\u0e1e\u0e34\u0e21\u0e1e\u0e4c", -"Save": "\u0e1a\u0e31\u0e19\u0e17\u0e36\u0e01", -"Could not find the specified string.": "\u0e44\u0e21\u0e48\u0e1e\u0e1a\u0e2a\u0e15\u0e23\u0e34\u0e07\u0e17\u0e35\u0e48\u0e23\u0e30\u0e1a\u0e38", -"Replace": "\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48", -"Next": "\u0e16\u0e31\u0e14\u0e44\u0e1b", -"Whole words": "\u0e17\u0e31\u0e49\u0e07\u0e04\u0e33", -"Find and replace": "\u0e04\u0e49\u0e19\u0e2b\u0e32\u0e41\u0e25\u0e30\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48", -"Replace with": "\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48\u0e14\u0e49\u0e27\u0e22", -"Find": "\u0e04\u0e49\u0e19\u0e2b\u0e32", -"Replace all": "\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48\u0e17\u0e31\u0e49\u0e07\u0e2b\u0e21\u0e14", -"Match case": "\u0e15\u0e23\u0e07\u0e15\u0e32\u0e21\u0e15\u0e31\u0e27\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e43\u0e2b\u0e0d\u0e48-\u0e40\u0e25\u0e47\u0e01", -"Prev": "\u0e01\u0e48\u0e2d\u0e19\u0e2b\u0e19\u0e49\u0e32", -"Spellcheck": "\u0e15\u0e23\u0e27\u0e08\u0e01\u0e32\u0e23\u0e2a\u0e30\u0e01\u0e14", -"Finish": "\u0e40\u0e2a\u0e23\u0e47\u0e08\u0e2a\u0e34\u0e49\u0e19", -"Ignore all": "\u0e25\u0e30\u0e40\u0e27\u0e49\u0e19\u0e17\u0e31\u0e49\u0e07\u0e2b\u0e21\u0e14", -"Ignore": "\u0e25\u0e30\u0e40\u0e27\u0e49\u0e19", -"Insert row before": "\u0e41\u0e17\u0e23\u0e01\u0e41\u0e16\u0e27\u0e14\u0e49\u0e32\u0e19\u0e1a\u0e19", -"Rows": "\u0e41\u0e16\u0e27", -"Height": "\u0e04\u0e27\u0e32\u0e21\u0e2a\u0e39\u0e07", -"Paste row after": "\u0e27\u0e32\u0e07\u0e41\u0e16\u0e27\u0e14\u0e49\u0e32\u0e19\u0e25\u0e48\u0e32\u0e07", -"Alignment": "\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e41\u0e19\u0e27", -"Column group": "\u0e01\u0e25\u0e38\u0e48\u0e21\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c", -"Row": "\u0e41\u0e16\u0e27", -"Insert column before": "\u0e41\u0e17\u0e23\u0e01\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c\u0e02\u0e49\u0e32\u0e07\u0e2b\u0e19\u0e49\u0e32", -"Split cell": "\u0e41\u0e22\u0e01\u0e40\u0e0b\u0e25\u0e25\u0e4c", -"Cell padding": "\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e20\u0e32\u0e22\u0e43\u0e19\u0e40\u0e0b\u0e25\u0e25\u0e4c", -"Cell spacing": "\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e23\u0e30\u0e2b\u0e27\u0e48\u0e32\u0e07\u0e40\u0e0b\u0e25\u0e25\u0e4c", -"Row type": "\u0e0a\u0e19\u0e34\u0e14\u0e02\u0e2d\u0e07\u0e41\u0e16\u0e27", -"Insert table": "\u0e41\u0e17\u0e23\u0e01\u0e15\u0e32\u0e23\u0e32\u0e07", -"Body": "\u0e40\u0e19\u0e37\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21", -"Caption": "\u0e1b\u0e49\u0e32\u0e22\u0e04\u0e33\u0e2d\u0e18\u0e34\u0e1a\u0e32\u0e22", -"Footer": "\u0e2a\u0e48\u0e27\u0e19\u0e17\u0e49\u0e32\u0e22", -"Delete row": "\u0e25\u0e1a\u0e41\u0e16\u0e27", -"Paste row before": "\u0e27\u0e32\u0e07\u0e41\u0e16\u0e27\u0e14\u0e49\u0e32\u0e19\u0e1a\u0e19", -"Scope": "\u0e02\u0e2d\u0e1a\u0e40\u0e02\u0e15", -"Delete table": "\u0e25\u0e1a\u0e15\u0e32\u0e23\u0e32\u0e07", -"Header cell": "\u0e40\u0e0b\u0e25\u0e25\u0e4c\u0e2a\u0e48\u0e27\u0e19\u0e2b\u0e31\u0e27", -"Column": "\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c", -"Cell": "\u0e40\u0e0b\u0e25\u0e25\u0e4c", -"Header": "\u0e2a\u0e48\u0e27\u0e19\u0e2b\u0e31\u0e27", -"Cell type": "\u0e0a\u0e19\u0e34\u0e14\u0e02\u0e2d\u0e07\u0e40\u0e0b\u0e25\u0e25\u0e4c", -"Copy row": "\u0e04\u0e31\u0e14\u0e25\u0e2d\u0e01\u0e41\u0e16\u0e27", -"Row properties": "\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e02\u0e2d\u0e07\u0e41\u0e16\u0e27", -"Table properties": "\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e02\u0e2d\u0e07\u0e15\u0e32\u0e23\u0e32\u0e07", -"Row group": "\u0e01\u0e25\u0e38\u0e48\u0e21\u0e41\u0e16\u0e27", -"Right": "\u0e02\u0e27\u0e32", -"Insert column after": "\u0e41\u0e17\u0e23\u0e01\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c\u0e02\u0e49\u0e32\u0e07\u0e2b\u0e25\u0e31\u0e07", -"Cols": "\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c", -"Insert row after": "\u0e41\u0e17\u0e23\u0e01\u0e41\u0e16\u0e27\u0e14\u0e49\u0e32\u0e19\u0e25\u0e48\u0e32\u0e07", -"Width": "\u0e04\u0e27\u0e32\u0e21\u0e01\u0e27\u0e49\u0e32\u0e07", -"Cell properties": "\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e02\u0e2d\u0e07\u0e40\u0e0b\u0e25\u0e25\u0e4c", -"Left": "\u0e0b\u0e49\u0e32\u0e22", -"Cut row": "\u0e15\u0e31\u0e14\u0e41\u0e16\u0e27", -"Delete column": "\u0e25\u0e1a\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c", -"Center": "\u0e01\u0e36\u0e48\u0e07\u0e01\u0e25\u0e32\u0e07", -"Merge cells": "\u0e1c\u0e2a\u0e32\u0e19\u0e40\u0e0b\u0e25\u0e25\u0e4c", -"Insert template": "\u0e41\u0e17\u0e23\u0e01\u0e41\u0e21\u0e48\u0e41\u0e1a\u0e1a", -"Templates": "\u0e41\u0e21\u0e48\u0e41\u0e1a\u0e1a", -"Background color": "\u0e2a\u0e35\u0e1e\u0e37\u0e49\u0e19\u0e2b\u0e25\u0e31\u0e07", -"Text color": "\u0e2a\u0e35\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21", -"Show blocks": "\u0e41\u0e2a\u0e14\u0e07\u0e1a\u0e25\u0e47\u0e2d\u0e01", -"Show invisible characters": "\u0e41\u0e2a\u0e14\u0e07\u0e15\u0e31\u0e27\u0e2d\u0e31\u0e01\u0e29\u0e23\u0e17\u0e35\u0e48\u0e21\u0e2d\u0e07\u0e44\u0e21\u0e48\u0e40\u0e2b\u0e47\u0e19", -"Words: {0}": "\u0e04\u0e33: {0}", -"Insert": "\u0e41\u0e17\u0e23\u0e01", -"File": "\u0e44\u0e1f\u0e25\u0e4c", -"Edit": "\u0e41\u0e01\u0e49\u0e44\u0e02", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u0e1e\u0e37\u0e49\u0e19\u0e17\u0e35\u0e48 Rich Text \u0e01\u0e14 ALT-F9 \u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e40\u0e21\u0e19\u0e39 \u0e01\u0e14 ALT-F10 \u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e41\u0e16\u0e1a\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e21\u0e37\u0e2d \u0e01\u0e14 ALT-0 \u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e04\u0e27\u0e32\u0e21\u0e0a\u0e48\u0e27\u0e22\u0e40\u0e2b\u0e25\u0e37\u0e2d", -"Tools": "\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e21\u0e37\u0e2d", -"View": "\u0e21\u0e38\u0e21\u0e21\u0e2d\u0e07", -"Table": "\u0e15\u0e32\u0e23\u0e32\u0e07", -"Format": "\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a" -}); \ No newline at end of file +tinymce.addI18n("th_TH",{"Redo":"\u0e17\u0e33\u0e43\u0e2b\u0e21\u0e48\u0e2d\u0e35\u0e01","Undo":"\u0e40\u0e1b\u0e25\u0e35\u0e48\u0e22\u0e19\u0e01\u0e25\u0e31\u0e1a\u0e04\u0e37\u0e19","Cut":"\u0e15\u0e31\u0e14","Copy":"\u0e04\u0e31\u0e14\u0e25\u0e2d\u0e01","Paste":"\u0e27\u0e32\u0e07","Select all":"\u0e40\u0e25\u0e37\u0e2d\u0e01\u0e17\u0e31\u0e49\u0e07\u0e2b\u0e21\u0e14","New document":"\u0e40\u0e2d\u0e01\u0e2a\u0e32\u0e23\u0e43\u0e2b\u0e21\u0e48","Ok":"\u0e15\u0e01\u0e25\u0e07","Cancel":"\u0e22\u0e01\u0e40\u0e25\u0e34\u0e01","Visual aids":"\u0e17\u0e31\u0e28\u0e19\u0e39\u0e1b\u0e01\u0e23\u0e13\u0e4c","Bold":"\u0e15\u0e31\u0e27\u0e2b\u0e19\u0e32","Italic":"\u0e15\u0e31\u0e27\u0e40\u0e2d\u0e35\u0e22\u0e07","Underline":"\u0e02\u0e35\u0e14\u0e40\u0e2a\u0e49\u0e19\u0e43\u0e15\u0e49","Strikethrough":"\u0e02\u0e35\u0e14\u0e04\u0e23\u0e48\u0e2d\u0e21","Superscript":"\u0e15\u0e31\u0e27\u0e22\u0e01","Subscript":"\u0e15\u0e31\u0e27\u0e2b\u0e49\u0e2d\u0e22","Clear formatting":"\u0e25\u0e49\u0e32\u0e07\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a","Remove":"\u0e25\u0e1a\u0e2d\u0e2d\u0e01","Align left":"\u0e08\u0e31\u0e14\u0e0a\u0e34\u0e14\u0e0b\u0e49\u0e32\u0e22","Align center":"\u0e08\u0e31\u0e14\u0e01\u0e36\u0e48\u0e07\u0e01\u0e25\u0e32\u0e07","Align right":"\u0e08\u0e31\u0e14\u0e0a\u0e34\u0e14\u0e02\u0e27\u0e32","No alignment":"\u0e44\u0e21\u0e48\u0e08\u0e31\u0e14\u0e40\u0e23\u0e35\u0e22\u0e07","Justify":"\u0e40\u0e15\u0e47\u0e21\u0e41\u0e19\u0e27","Bullet list":"\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2b\u0e31\u0e27\u0e02\u0e49\u0e2d\u0e22\u0e48\u0e2d\u0e22","Numbered list":"\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23\u0e25\u0e33\u0e14\u0e31\u0e1a\u0e40\u0e25\u0e02","Decrease indent":"\u0e25\u0e14\u0e01\u0e32\u0e23\u0e40\u0e22\u0e37\u0e49\u0e2d\u0e07","Increase indent":"\u0e40\u0e1e\u0e34\u0e48\u0e21\u0e01\u0e32\u0e23\u0e40\u0e22\u0e37\u0e49\u0e2d\u0e07","Close":"\u0e1b\u0e34\u0e14","Formats":"\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0e40\u0e1a\u0e23\u0e32\u0e27\u0e4c\u0e40\u0e0b\u0e2d\u0e23\u0e4c\u0e02\u0e2d\u0e07\u0e04\u0e38\u0e13\u0e44\u0e21\u0e48\u0e2a\u0e19\u0e31\u0e1a\u0e2a\u0e19\u0e38\u0e19\u0e01\u0e32\u0e23\u0e40\u0e02\u0e49\u0e32\u0e16\u0e36\u0e07\u0e42\u0e14\u0e22\u0e15\u0e23\u0e07\u0e44\u0e1b\u0e22\u0e31\u0e07\u0e04\u0e25\u0e34\u0e1b\u0e1a\u0e2d\u0e23\u0e4c\u0e14 \u0e01\u0e23\u0e38\u0e13\u0e32\u0e43\u0e0a\u0e49\u0e41\u0e1b\u0e49\u0e19\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e25\u0e31\u0e14 Ctrl+X/C/V \u0e41\u0e17\u0e19","Headings":"\u0e2b\u0e31\u0e27\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07","Heading 1":"\u0e2b\u0e31\u0e27\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e17\u0e35\u0e48 1","Heading 2":"\u0e2b\u0e31\u0e27\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e17\u0e35\u0e48 2","Heading 3":"\u0e2b\u0e31\u0e27\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e17\u0e35\u0e48 3","Heading 4":"\u0e2b\u0e31\u0e27\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e17\u0e35\u0e48 4","Heading 5":"\u0e2b\u0e31\u0e27\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e17\u0e35\u0e48 5","Heading 6":"\u0e2b\u0e31\u0e27\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e17\u0e35\u0e48 6","Preformatted":"\u0e1f\u0e2d\u0e23\u0e4c\u0e41\u0e21\u0e15\u0e44\u0e27\u0e49\u0e01\u0e48\u0e2d\u0e19","Div":"div","Pre":"pre","Code":"\u0e23\u0e2b\u0e31\u0e2a","Paragraph":"\u0e22\u0e48\u0e2d\u0e2b\u0e19\u0e49\u0e32","Blockquote":"blockquote","Inline":"\u0e41\u0e1a\u0e1a\u0e2d\u0e34\u0e19\u0e44\u0e25\u0e19\u0e4c","Blocks":"\u0e1a\u0e25\u0e4a\u0e2d\u0e04","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0e15\u0e2d\u0e19\u0e19\u0e35\u0e49\u0e01\u0e32\u0e23\u0e27\u0e32\u0e07\u0e2d\u0e22\u0e39\u0e48\u0e43\u0e19\u0e42\u0e2b\u0e21\u0e14\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21\u0e18\u0e23\u0e23\u0e21\u0e14\u0e32 \u0e40\u0e19\u0e37\u0e49\u0e2d\u0e2b\u0e32\u0e08\u0e30\u0e16\u0e39\u0e01\u0e27\u0e32\u0e07\u0e40\u0e1b\u0e47\u0e19\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21\u0e18\u0e23\u0e23\u0e21\u0e14\u0e32\u0e08\u0e19\u0e01\u0e27\u0e48\u0e32\u0e04\u0e38\u0e13\u0e08\u0e30\u0e1b\u0e34\u0e14\u0e15\u0e31\u0e27\u0e40\u0e25\u0e37\u0e2d\u0e01\u0e19\u0e35\u0e49","Fonts":"\u0e41\u0e1a\u0e1a\u0e2d\u0e31\u0e01\u0e29\u0e23","Font sizes":"","Class":"\u0e0a\u0e31\u0e49\u0e19","Browse for an image":"\u0e40\u0e23\u0e35\u0e22\u0e01\u0e14\u0e39\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e","OR":"","Drop an image here":"\u0e27\u0e32\u0e07\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e\u0e17\u0e35\u0e48\u0e19\u0e35\u0e48","Upload":"\u0e2d\u0e31\u0e1b\u0e42\u0e2b\u0e25\u0e14","Uploading image":"\u0e01\u0e33\u0e25\u0e31\u0e07\u0e2d\u0e31\u0e1e\u0e42\u0e2b\u0e25\u0e14\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e","Block":"\u0e1a\u0e25\u0e47\u0e2d\u0e01","Align":"\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e40\u0e23\u0e35\u0e22\u0e07","Default":"\u0e04\u0e48\u0e32\u0e17\u0e35\u0e48\u0e40\u0e25\u0e37\u0e2d\u0e01\u0e44\u0e27\u0e49","Circle":"\u0e27\u0e07\u0e01\u0e25\u0e21","Disc":"\u0e01\u0e25\u0e21\u0e41\u0e1a\u0e19","Square":"\u0e2a\u0e35\u0e48\u0e40\u0e2b\u0e25\u0e35\u0e48\u0e22\u0e21","Lower Alpha":"\u0e15\u0e31\u0e27\u0e2b\u0e19\u0e31\u0e07\u0e2a\u0e37\u0e2d\u0e15\u0e31\u0e27\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e40\u0e25\u0e47\u0e01","Lower Greek":"\u0e20\u0e32\u0e29\u0e32\u0e01\u0e23\u0e35\u0e01\u0e15\u0e31\u0e27\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e40\u0e25\u0e47\u0e01","Lower Roman":"\u0e15\u0e31\u0e27\u0e40\u0e25\u0e02\u0e42\u0e23\u0e21\u0e31\u0e19\u0e15\u0e31\u0e27\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e40\u0e25\u0e47\u0e01","Upper Alpha":"\u0e15\u0e31\u0e27\u0e2d\u0e31\u0e2b\u0e19\u0e31\u0e07\u0e2a\u0e37\u0e2d\u0e15\u0e31\u0e27\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e43\u0e2b\u0e0d\u0e48","Upper Roman":"\u0e15\u0e31\u0e27\u0e40\u0e25\u0e02\u0e42\u0e23\u0e21\u0e31\u0e19\u0e15\u0e31\u0e27\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e43\u0e2b\u0e0d\u0e48","Anchor...":"\u0e08\u0e38\u0e14\u0e22\u0e36\u0e14...","Anchor":"","Name":"","ID":"","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"","You have unsaved changes are you sure you want to navigate away?":"\u0e04\u0e38\u0e13\u0e21\u0e35\u0e01\u0e32\u0e23\u0e40\u0e1b\u0e25\u0e35\u0e48\u0e22\u0e19\u0e41\u0e1b\u0e25\u0e07\u0e17\u0e35\u0e48\u0e44\u0e21\u0e48\u0e44\u0e14\u0e49\u0e1a\u0e31\u0e19\u0e17\u0e36\u0e01 \u0e04\u0e38\u0e13\u0e15\u0e49\u0e2d\u0e07\u0e01\u0e32\u0e23\u0e17\u0e35\u0e48\u0e08\u0e30\u0e2d\u0e2d\u0e01\u0e2b\u0e23\u0e37\u0e2d\u0e44\u0e21\u0e48?","Restore last draft":"\u0e04\u0e37\u0e19\u0e04\u0e48\u0e32\u0e41\u0e1a\u0e1a\u0e23\u0e48\u0e32\u0e07\u0e25\u0e48\u0e32\u0e2a\u0e38\u0e14","Special character...":"\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e1e\u0e34\u0e40\u0e28\u0e29...","Special Character":"\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e1e\u0e34\u0e40\u0e28\u0e29","Source code":"\u0e42\u0e04\u0e49\u0e14\u0e15\u0e49\u0e19\u0e09\u0e1a\u0e31\u0e1a","Insert/Edit code sample":"\u0e41\u0e17\u0e23\u0e01/\u0e41\u0e01\u0e49\u0e44\u0e02\u0e15\u0e31\u0e27\u0e2d\u0e22\u0e48\u0e32\u0e07\u0e42\u0e04\u0e49\u0e14","Language":"\u0e20\u0e32\u0e29\u0e32","Code sample...":"\u0e15\u0e31\u0e27\u0e2d\u0e22\u0e48\u0e32\u0e07\u0e42\u0e04\u0e49\u0e14...","Left to right":"\u0e08\u0e32\u0e01\u0e0b\u0e49\u0e32\u0e22\u0e44\u0e1b\u0e02\u0e27\u0e32","Right to left":"\u0e08\u0e32\u0e01\u0e02\u0e27\u0e32\u0e44\u0e1b\u0e0b\u0e49\u0e32\u0e22","Title":"\u0e0a\u0e37\u0e48\u0e2d\u0e40\u0e23\u0e37\u0e48\u0e2d\u0e07","Fullscreen":"\u0e40\u0e15\u0e47\u0e21\u0e08\u0e2d","Action":"\u0e41\u0e2d\u0e4a\u0e04\u0e0a\u0e31\u0e48\u0e19","Shortcut":"\u0e17\u0e32\u0e07\u0e25\u0e31\u0e14","Help":"\u0e0a\u0e48\u0e27\u0e22\u0e40\u0e2b\u0e25\u0e37\u0e2d","Address":"\u0e17\u0e35\u0e48\u0e2d\u0e22\u0e39\u0e48","Focus to menubar":"\u0e42\u0e1f\u0e01\u0e31\u0e2a\u0e44\u0e1b\u0e17\u0e35\u0e48\u0e41\u0e16\u0e1a\u0e40\u0e21\u0e19\u0e39","Focus to toolbar":"\u0e42\u0e1f\u0e01\u0e31\u0e2a\u0e44\u0e1b\u0e17\u0e35\u0e48\u0e41\u0e16\u0e1a\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e21\u0e37\u0e2d","Focus to element path":"\u0e42\u0e1f\u0e01\u0e31\u0e2a\u0e44\u0e1b\u0e17\u0e35\u0e48\u0e40\u0e2a\u0e49\u0e19\u0e17\u0e32\u0e07\u0e02\u0e2d\u0e07\u0e2d\u0e07\u0e04\u0e4c\u0e1b\u0e23\u0e30\u0e01\u0e2d\u0e1a","Focus to contextual toolbar":"\u0e42\u0e1f\u0e01\u0e31\u0e2a\u0e44\u0e1b\u0e17\u0e35\u0e48\u0e41\u0e16\u0e1a\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e21\u0e37\u0e2d\u0e15\u0e32\u0e21\u0e1a\u0e23\u0e34\u0e1a\u0e17","Insert link (if link plugin activated)":"\u0e41\u0e17\u0e23\u0e01\u0e25\u0e34\u0e07\u0e01\u0e4c (\u0e2b\u0e32\u0e01\u0e40\u0e1b\u0e34\u0e14\u0e43\u0e0a\u0e49\u0e07\u0e32\u0e19\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19\u0e25\u0e34\u0e07\u0e01\u0e4c)","Save (if save plugin activated)":"\u0e1a\u0e31\u0e19\u0e17\u0e36\u0e01 (\u0e2b\u0e32\u0e01\u0e40\u0e1b\u0e34\u0e14\u0e43\u0e0a\u0e49\u0e07\u0e32\u0e19\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19\u0e1a\u0e31\u0e19\u0e17\u0e36\u0e01)","Find (if searchreplace plugin activated)":"\u0e04\u0e49\u0e19\u0e2b\u0e32 (\u0e2b\u0e32\u0e01\u0e40\u0e1b\u0e34\u0e14\u0e43\u0e0a\u0e49\u0e07\u0e32\u0e19\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19 searchreplace)","Plugins installed ({0}):":"\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19\u0e17\u0e35\u0e48\u0e15\u0e34\u0e14\u0e15\u0e31\u0e49\u0e07\u0e41\u0e25\u0e49\u0e27 ({0}):","Premium plugins:":"\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19\u0e1e\u0e23\u0e35\u0e40\u0e21\u0e35\u0e22\u0e21:","Learn more...":"\u0e40\u0e23\u0e35\u0e22\u0e19\u0e23\u0e39\u0e49\u0e40\u0e1e\u0e34\u0e48\u0e21\u0e40\u0e15\u0e34\u0e21...","You are using {0}":"\u0e04\u0e38\u0e13\u0e01\u0e33\u0e25\u0e31\u0e07\u0e43\u0e0a\u0e49 {0}","Plugins":"\u0e42\u0e1b\u0e23\u0e41\u0e01\u0e23\u0e21\u0e0a\u0e48\u0e27\u0e22 (Plugins)","Handy Shortcuts":"\u0e17\u0e32\u0e07\u0e25\u0e31\u0e14\u0e17\u0e35\u0e48\u0e21\u0e35\u0e1b\u0e23\u0e30\u0e42\u0e22\u0e0a\u0e19\u0e4c","Horizontal line":"\u0e40\u0e2a\u0e49\u0e19\u0e41\u0e19\u0e27\u0e19\u0e2d\u0e19","Insert/edit image":"\u0e41\u0e17\u0e23\u0e01/\u0e1b\u0e23\u0e31\u0e1a\u0e1b\u0e23\u0e38\u0e07\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e","Alternative description":"\u0e04\u0e33\u0e2d\u0e18\u0e34\u0e1a\u0e32\u0e22\u0e17\u0e32\u0e07\u0e40\u0e25\u0e37\u0e2d\u0e01","Accessibility":"\u0e04\u0e27\u0e32\u0e21\u0e2a\u0e32\u0e21\u0e32\u0e23\u0e16\u0e43\u0e19\u0e01\u0e32\u0e23\u0e40\u0e02\u0e49\u0e32\u0e16\u0e36\u0e07","Image is decorative":"\u0e20\u0e32\u0e1e\u0e17\u0e35\u0e48\u0e16\u0e39\u0e01\u0e15\u0e01\u0e41\u0e15\u0e48\u0e07","Source":"\u0e41\u0e2b\u0e25\u0e48\u0e07","Dimensions":"\u0e21\u0e34\u0e15\u0e34","Constrain proportions":"\u0e01\u0e33\u0e2b\u0e19\u0e14\u0e02\u0e19\u0e32\u0e14\u0e43\u0e2b\u0e49\u0e04\u0e07\u0e2a\u0e31\u0e14\u0e2a\u0e48\u0e27\u0e19","General":"\u0e17\u0e31\u0e48\u0e27\u0e44\u0e1b","Advanced":"\u0e02\u0e31\u0e49\u0e19\u0e2a\u0e39\u0e07","Style":"\u0e41\u0e1a\u0e1a","Vertical space":"\u0e17\u0e35\u0e48\u0e27\u0e48\u0e32\u0e07\u0e41\u0e19\u0e27\u0e14\u0e34\u0e48\u0e07","Horizontal space":"\u0e17\u0e35\u0e48\u0e27\u0e48\u0e32\u0e07\u0e41\u0e19\u0e27\u0e19\u0e2d\u0e19","Border":"\u0e02\u0e2d\u0e1a","Insert image":"\u0e41\u0e17\u0e23\u0e01\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e","Image...":"\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e...","Image list":"\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e","Resize":"\u0e1b\u0e23\u0e31\u0e1a\u0e02\u0e19\u0e32\u0e14","Insert date/time":"\u0e41\u0e17\u0e23\u0e01\u0e27\u0e31\u0e19\u0e17\u0e35\u0e48/\u0e40\u0e27\u0e25\u0e32","Date/time":"\u0e27\u0e31\u0e19\u0e17\u0e35\u0e48/\u0e40\u0e27\u0e25\u0e32","Insert/edit link":"\u0e41\u0e17\u0e23\u0e01/\u0e41\u0e01\u0e49\u0e44\u0e02\u0e25\u0e34\u0e07\u0e01\u0e4c","Text to display":"\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21\u0e40\u0e1e\u0e37\u0e48\u0e2d\u0e19\u0e33\u0e44\u0e1b\u0e41\u0e2a\u0e14\u0e07","Url":"URL","Open link in...":"\u0e40\u0e1b\u0e34\u0e14\u0e25\u0e34\u0e07\u0e01\u0e4c\u0e43\u0e19...","Current window":"\u0e2b\u0e19\u0e49\u0e32\u0e15\u0e48\u0e32\u0e07\u0e1b\u0e31\u0e08\u0e08\u0e38\u0e1a\u0e31\u0e19","None":"\u0e44\u0e21\u0e48\u0e21\u0e35","New window":"\u0e2b\u0e19\u0e49\u0e32\u0e15\u0e48\u0e32\u0e07\u0e43\u0e2b\u0e21\u0e48","Open link":"\u0e40\u0e1b\u0e34\u0e14\u0e25\u0e34\u0e07\u0e01\u0e4c","Remove link":"\u0e25\u0e1a\u0e25\u0e34\u0e07\u0e01\u0e4c\u0e2d\u0e2d\u0e01","Anchors":"\u0e08\u0e38\u0e14\u0e40\u0e0a\u0e37\u0e48\u0e2d\u0e21\u0e42\u0e22\u0e07 (Anchor)","Link...":"\u0e25\u0e34\u0e07\u0e01\u0e4c...","Paste or type a link":"\u0e27\u0e32\u0e07\u0e2b\u0e23\u0e37\u0e2d\u0e1b\u0e49\u0e2d\u0e19\u0e25\u0e34\u0e07\u0e01\u0e4c","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"URL \u0e17\u0e35\u0e48\u0e04\u0e38\u0e13\u0e23\u0e30\u0e1a\u0e38\u0e14\u0e39\u0e40\u0e2b\u0e21\u0e37\u0e2d\u0e19\u0e27\u0e48\u0e32\u0e40\u0e1b\u0e47\u0e19\u0e2d\u0e35\u0e40\u0e21\u0e25\u0e41\u0e2d\u0e14\u0e40\u0e14\u0e23\u0e2a \u0e04\u0e38\u0e13\u0e15\u0e49\u0e2d\u0e07\u0e01\u0e32\u0e23\u0e43\u0e2a\u0e48 mailto: \u0e19\u0e33\u0e2b\u0e19\u0e49\u0e32\u0e2b\u0e23\u0e37\u0e2d\u0e44\u0e21\u0e48","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"URL \u0e17\u0e35\u0e48\u0e04\u0e38\u0e13\u0e23\u0e30\u0e1a\u0e38\u0e14\u0e39\u0e40\u0e2b\u0e21\u0e37\u0e2d\u0e19\u0e27\u0e48\u0e32\u0e40\u0e1b\u0e47\u0e19\u0e25\u0e34\u0e07\u0e01\u0e4c\u0e20\u0e32\u0e22\u0e19\u0e2d\u0e01 \u0e04\u0e38\u0e13\u0e15\u0e49\u0e2d\u0e07\u0e01\u0e32\u0e23\u0e43\u0e2a\u0e48 http:// \u0e19\u0e33\u0e2b\u0e19\u0e49\u0e32\u0e2b\u0e23\u0e37\u0e2d\u0e44\u0e21\u0e48","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"URL \u0e17\u0e35\u0e48\u0e04\u0e38\u0e13\u0e1b\u0e49\u0e2d\u0e19\u0e14\u0e39\u0e40\u0e2b\u0e21\u0e37\u0e2d\u0e19\u0e08\u0e30\u0e40\u0e1b\u0e47\u0e19\u0e25\u0e34\u0e07\u0e01\u0e4c\u0e20\u0e32\u0e22\u0e19\u0e2d\u0e01 \u0e04\u0e38\u0e13\u0e15\u0e49\u0e2d\u0e07\u0e01\u0e32\u0e23\u0e40\u0e1e\u0e34\u0e48\u0e21\u0e04\u0e33\u0e19\u0e33\u0e2b\u0e19\u0e49\u0e32 https:// \u0e17\u0e35\u0e48\u0e08\u0e33\u0e40\u0e1b\u0e47\u0e19\u0e2b\u0e23\u0e37\u0e2d\u0e44\u0e21\u0e48?","Link list":"\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23\u0e25\u0e34\u0e07\u0e04\u0e4c","Insert video":"\u0e41\u0e17\u0e23\u0e01\u0e27\u0e34\u0e14\u0e35\u0e42\u0e2d","Insert/edit video":"\u0e41\u0e17\u0e23\u0e01/\u0e41\u0e01\u0e49\u0e44\u0e02\u0e27\u0e34\u0e14\u0e35\u0e42\u0e2d","Insert/edit media":"\u0e41\u0e17\u0e23\u0e01/\u0e41\u0e01\u0e49\u0e44\u0e02\u0e21\u0e35\u0e40\u0e14\u0e35\u0e22","Alternative source":"\u0e41\u0e2b\u0e25\u0e48\u0e07\u0e17\u0e35\u0e48\u0e21\u0e32\u0e2a\u0e33\u0e23\u0e2d\u0e07","Alternative source URL":"URL \u0e41\u0e2b\u0e25\u0e48\u0e07\u0e17\u0e35\u0e48\u0e21\u0e32\u0e2a\u0e33\u0e23\u0e2d\u0e07","Media poster (Image URL)":"\u0e42\u0e1b\u0e2a\u0e40\u0e15\u0e2d\u0e23\u0e4c\u0e21\u0e35\u0e40\u0e14\u0e35\u0e22 (URL \u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e)","Paste your embed code below:":"\u0e27\u0e32\u0e07\u0e42\u0e04\u0e49\u0e14\u0e1d\u0e31\u0e07\u0e15\u0e31\u0e27\u0e02\u0e2d\u0e07\u0e04\u0e38\u0e13\u0e14\u0e49\u0e32\u0e19\u0e25\u0e48\u0e32\u0e07:","Embed":"\u0e1d\u0e31\u0e07","Media...":"\u0e21\u0e35\u0e40\u0e14\u0e35\u0e22...","Nonbreaking space":"\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e41\u0e1a\u0e1a\u0e44\u0e21\u0e48\u0e15\u0e31\u0e14\u0e04\u0e33","Page break":"\u0e15\u0e31\u0e27\u0e41\u0e1a\u0e48\u0e07\u0e2b\u0e19\u0e49\u0e32","Paste as text":"\u0e27\u0e32\u0e07\u0e40\u0e1b\u0e47\u0e19\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21","Preview":"\u0e0a\u0e21\u0e01\u0e48\u0e2d\u0e19","Print":"\u0e1e\u0e34\u0e21\u0e1e\u0e4c","Print...":"\u0e1e\u0e34\u0e21\u0e1e\u0e4c...","Save":"\u0e1a\u0e31\u0e19\u0e17\u0e36\u0e01","Find":"\u0e04\u0e49\u0e19\u0e2b\u0e32","Replace with":"\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48\u0e14\u0e49\u0e27\u0e22","Replace":"\u0e43\u0e2a\u0e48\u0e04\u0e48\u0e32\u0e41\u0e17\u0e19","Replace all":"\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48\u0e17\u0e31\u0e49\u0e07\u0e2b\u0e21\u0e14","Previous":"\u0e01\u0e48\u0e2d\u0e19\u0e2b\u0e19\u0e49\u0e32\u0e19\u0e35\u0e49","Next":"\u0e15\u0e48\u0e2d\u0e44\u0e1b","Find and Replace":"\u0e04\u0e49\u0e19\u0e2b\u0e32\u0e41\u0e25\u0e30\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48","Find and replace...":"\u0e04\u0e49\u0e19\u0e2b\u0e32\u0e41\u0e25\u0e30\u0e41\u0e17\u0e19\u0e17\u0e35\u0e48...","Could not find the specified string.":"\u0e44\u0e21\u0e48\u0e1e\u0e1a\u0e2a\u0e15\u0e23\u0e34\u0e07\u0e17\u0e35\u0e48\u0e23\u0e30\u0e1a\u0e38","Match case":"\u0e15\u0e31\u0e27\u0e1e\u0e34\u0e21\u0e1e\u0e4c\u0e40\u0e2b\u0e21\u0e37\u0e2d\u0e19\u0e01\u0e31\u0e19","Find whole words only":"\u0e04\u0e49\u0e19\u0e2b\u0e32\u0e17\u0e31\u0e49\u0e07\u0e04\u0e33\u0e40\u0e17\u0e48\u0e32\u0e19\u0e31\u0e49\u0e19","Find in selection":"\u0e04\u0e49\u0e19\u0e2b\u0e32\u0e08\u0e32\u0e01\u0e17\u0e35\u0e48\u0e40\u0e25\u0e37\u0e2d\u0e01","Insert table":"\u0e41\u0e17\u0e23\u0e01\u0e15\u0e32\u0e23\u0e32\u0e07","Table properties":"\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e02\u0e2d\u0e07\u0e15\u0e32\u0e23\u0e32\u0e07...","Delete table":"\u0e25\u0e1a\u0e15\u0e32\u0e23\u0e32\u0e07","Cell":"\u0e0a\u0e48\u0e2d\u0e07\u0e40\u0e0b\u0e25\u0e25\u0e4c","Row":"\u0e41\u0e16\u0e27","Column":"\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c","Cell properties":"\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e02\u0e2d\u0e07\u0e40\u0e0b\u0e25\u0e25\u0e4c","Merge cells":"\u0e1c\u0e2a\u0e32\u0e19\u0e40\u0e0b\u0e25\u0e25\u0e4c","Split cell":"\u0e41\u0e22\u0e01\u0e40\u0e0b\u0e25\u0e25\u0e4c","Insert row before":"\u0e41\u0e17\u0e23\u0e01\u0e41\u0e16\u0e27\u0e44\u0e27\u0e49\u0e01\u0e48\u0e2d\u0e19\u0e2b\u0e19\u0e49\u0e32","Insert row after":"\u0e41\u0e17\u0e23\u0e01\u0e41\u0e16\u0e27\u0e44\u0e27\u0e49\u0e20\u0e32\u0e22\u0e2b\u0e25\u0e31\u0e07","Delete row":"\u0e25\u0e1a\u0e41\u0e16\u0e27","Row properties":"\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e02\u0e2d\u0e07\u0e41\u0e16\u0e27","Cut row":"\u0e15\u0e31\u0e14\u0e41\u0e16\u0e27","Cut column":"\u0e15\u0e31\u0e14\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c","Copy row":"\u0e04\u0e31\u0e14\u0e25\u0e2d\u0e01\u0e41\u0e16\u0e27","Copy column":"\u0e04\u0e31\u0e14\u0e25\u0e2d\u0e01\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c","Paste row before":"\u0e27\u0e32\u0e07\u0e41\u0e16\u0e27\u0e14\u0e49\u0e32\u0e19\u0e1a\u0e19","Paste column before":"\u0e27\u0e32\u0e07\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c\u0e44\u0e27\u0e49\u0e01\u0e48\u0e2d\u0e19\u0e2b\u0e19\u0e49\u0e32","Paste row after":"\u0e27\u0e32\u0e07\u0e41\u0e16\u0e27\u0e14\u0e49\u0e32\u0e19\u0e25\u0e48\u0e32\u0e07","Paste column after":"\u0e27\u0e32\u0e07\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c\u0e44\u0e27\u0e49\u0e20\u0e32\u0e22\u0e2b\u0e25\u0e31\u0e07","Insert column before":"\u0e41\u0e17\u0e23\u0e01\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c\u0e44\u0e27\u0e49\u0e01\u0e48\u0e2d\u0e19\u0e2b\u0e19\u0e49\u0e32","Insert column after":"\u0e41\u0e17\u0e23\u0e01\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c\u0e44\u0e27\u0e49\u0e20\u0e32\u0e22\u0e2b\u0e25\u0e31\u0e07","Delete column":"\u0e25\u0e1a\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c","Cols":"\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c","Rows":"\u0e41\u0e16\u0e27","Width":"\u0e04\u0e27\u0e32\u0e21\u0e01\u0e27\u0e49\u0e32\u0e07","Height":"\u0e04\u0e27\u0e32\u0e21\u0e2a\u0e39\u0e07","Cell spacing":"\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e23\u0e30\u0e2b\u0e27\u0e48\u0e32\u0e07\u0e40\u0e0b\u0e25\u0e25\u0e4c","Cell padding":"\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07\u0e20\u0e32\u0e22\u0e43\u0e19\u0e40\u0e0b\u0e25\u0e25\u0e4c","Row clipboard actions":"","Column clipboard actions":"","Table styles":"\u0e25\u0e31\u0e01\u0e29\u0e13\u0e30\u0e15\u0e32\u0e23\u0e32\u0e07","Cell styles":"\u0e25\u0e31\u0e01\u0e29\u0e13\u0e30\u0e0a\u0e48\u0e2d\u0e07","Column header":"","Row header":"","Table caption":"\u0e04\u0e33\u0e2d\u0e18\u0e34\u0e1a\u0e32\u0e22\u0e15\u0e32\u0e23\u0e32\u0e07","Caption":"\u0e1b\u0e49\u0e32\u0e22\u0e04\u0e33\u0e2d\u0e18\u0e34\u0e1a\u0e32\u0e22","Show caption":"\u0e41\u0e2a\u0e14\u0e07\u0e04\u0e33\u0e1a\u0e23\u0e23\u0e22\u0e32\u0e22","Left":"\u0e0b\u0e49\u0e32\u0e22","Center":"\u0e01\u0e25\u0e32\u0e07","Right":"\u0e02\u0e27\u0e32","Cell type":"\u0e1b\u0e23\u0e30\u0e40\u0e20\u0e17\u0e0a\u0e48\u0e2d\u0e07\u0e15\u0e32\u0e23\u0e32\u0e07","Scope":"\u0e02\u0e2d\u0e1a\u0e02\u0e48\u0e32\u0e22","Alignment":"\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e41\u0e19\u0e27","Horizontal align":"\u0e08\u0e31\u0e14\u0e40\u0e23\u0e35\u0e22\u0e07\u0e41\u0e19\u0e27\u0e19\u0e2d\u0e19","Vertical align":"\u0e08\u0e31\u0e14\u0e40\u0e23\u0e35\u0e22\u0e07\u0e41\u0e19\u0e27\u0e15\u0e31\u0e49\u0e07","Top":"\u0e1a\u0e19","Middle":"\u0e01\u0e25\u0e32\u0e07","Bottom":"\u0e25\u0e48\u0e32\u0e07","Header cell":"\u0e40\u0e0b\u0e25\u0e25\u0e4c\u0e2a\u0e48\u0e27\u0e19\u0e2b\u0e31\u0e27","Row group":"\u0e01\u0e25\u0e38\u0e48\u0e21\u0e41\u0e16\u0e27","Column group":"\u0e01\u0e25\u0e38\u0e48\u0e21\u0e04\u0e2d\u0e25\u0e31\u0e21\u0e19\u0e4c","Row type":"\u0e0a\u0e19\u0e34\u0e14\u0e02\u0e2d\u0e07\u0e41\u0e16\u0e27","Header":"\u0e2b\u0e31\u0e27\u0e15\u0e32\u0e23\u0e32\u0e07","Body":"\u0e40\u0e19\u0e37\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21","Footer":"\u0e43\u0e15\u0e49\u0e15\u0e32\u0e23\u0e32\u0e07","Border color":"\u0e2a\u0e35\u0e40\u0e2a\u0e49\u0e19\u0e02\u0e2d\u0e1a","Solid":"\u0e40\u0e2a\u0e49\u0e19\u0e17\u0e36\u0e1a","Dotted":"\u0e40\u0e2a\u0e49\u0e19\u0e1b\u0e23\u0e30","Dashed":"\u0e40\u0e2a\u0e49\u0e19\u0e02\u0e35\u0e14","Double":"\u0e40\u0e2a\u0e49\u0e19\u0e04\u0e39\u0e48","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"\u0e0b\u0e48\u0e2d\u0e19","Insert template...":"\u0e40\u0e1e\u0e34\u0e48\u0e21\u0e41\u0e21\u0e48\u0e41\u0e1a\u0e1a...","Templates":"\u0e41\u0e21\u0e48\u0e41\u0e1a\u0e1a","Template":"\u0e41\u0e21\u0e48\u0e41\u0e1a\u0e1a","Insert Template":"\u0e41\u0e17\u0e23\u0e01\u0e41\u0e21\u0e48\u0e41\u0e1a\u0e1a","Text color":"\u0e2a\u0e35\u0e02\u0e2d\u0e07\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21","Background color":"\u0e2a\u0e35\u0e09\u0e32\u0e01\u0e2b\u0e25\u0e31\u0e07","Custom...":"\u0e01\u0e33\u0e2b\u0e19\u0e14\u0e40\u0e2d\u0e07...","Custom color":"\u0e2a\u0e35\u0e17\u0e35\u0e48\u0e01\u0e33\u0e2b\u0e19\u0e14\u0e40\u0e2d\u0e07","No color":"\u0e44\u0e21\u0e48\u0e21\u0e35\u0e2a\u0e35","Remove color":"\u0e25\u0e1a\u0e2a\u0e35","Show blocks":"\u0e41\u0e2a\u0e14\u0e07\u0e1a\u0e25\u0e47\u0e2d\u0e01","Show invisible characters":"\u0e41\u0e2a\u0e14\u0e07\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e17\u0e35\u0e48\u0e21\u0e2d\u0e07\u0e44\u0e21\u0e48\u0e40\u0e2b\u0e47\u0e19","Word count":"\u0e19\u0e31\u0e1a\u0e08\u0e33\u0e19\u0e27\u0e19\u0e04\u0e33","Count":"\u0e19\u0e31\u0e1a","Document":"\u0e40\u0e2d\u0e01\u0e2a\u0e32\u0e23","Selection":"\u0e01\u0e32\u0e23\u0e40\u0e25\u0e37\u0e2d\u0e01","Words":"\u0e04\u0e33","Words: {0}":"\u0e04\u0e33: {0}","{0} words":"{0} \u0e04\u0e33","File":"\u0e44\u0e1f\u0e25\u0e4c","Edit":"\u0e1b\u0e23\u0e31\u0e1a\u0e1b\u0e23\u0e38\u0e07\u0e41\u0e01\u0e49\u0e44\u0e02","Insert":"\u0e41\u0e17\u0e23\u0e01","View":"\u0e21\u0e38\u0e21\u0e21\u0e2d\u0e07","Format":"\u0e41\u0e1a\u0e1a","Table":"\u0e15\u0e32\u0e23\u0e32\u0e07","Tools":"\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e21\u0e37\u0e2d","Powered by {0}":"\u0e02\u0e31\u0e1a\u0e40\u0e04\u0e25\u0e37\u0e48\u0e2d\u0e19\u0e42\u0e14\u0e22 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0e1e\u0e37\u0e49\u0e19\u0e17\u0e35\u0e48 Rich Text \u0e01\u0e14 ALT-F9 \u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e40\u0e21\u0e19\u0e39 \u0e01\u0e14 ALT-F10 \u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e41\u0e16\u0e1a\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e21\u0e37\u0e2d \u0e41\u0e25\u0e30\u0e01\u0e14 ALT-0 \u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e04\u0e27\u0e32\u0e21\u0e0a\u0e48\u0e27\u0e22\u0e40\u0e2b\u0e25\u0e37\u0e2d","Image title":"\u0e0a\u0e37\u0e48\u0e2d\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e","Border width":"\u0e04\u0e27\u0e32\u0e21\u0e01\u0e27\u0e49\u0e32\u0e07\u0e40\u0e2a\u0e49\u0e19\u0e02\u0e2d\u0e1a","Border style":"\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a\u0e40\u0e2a\u0e49\u0e19\u0e02\u0e2d\u0e1a","Error":"\u0e04\u0e27\u0e32\u0e21\u0e1c\u0e34\u0e14\u0e1e\u0e25\u0e32\u0e14","Warn":"\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21\u0e40\u0e15\u0e37\u0e2d\u0e19","Valid":"\u0e16\u0e39\u0e01\u0e15\u0e49\u0e2d\u0e07","To open the popup, press Shift+Enter":"\u0e01\u0e14 Shift+Enter \u0e40\u0e1e\u0e37\u0e48\u0e2d\u0e40\u0e1b\u0e34\u0e14\u0e1b\u0e4a\u0e2d\u0e1a\u0e2d\u0e31\u0e1e","Rich Text Area":"","Rich Text Area. Press ALT-0 for help.":"\u0e1e\u0e37\u0e49\u0e19\u0e17\u0e35\u0e48 Rich Text \u0e01\u0e14 ALT-0 \u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e04\u0e27\u0e32\u0e21\u0e0a\u0e48\u0e27\u0e22\u0e40\u0e2b\u0e25\u0e37\u0e2d","System Font":"\u0e41\u0e1a\u0e1a\u0e2d\u0e31\u0e01\u0e29\u0e23\u0e02\u0e2d\u0e07\u0e23\u0e30\u0e1a\u0e1a","Failed to upload image: {0}":"\u0e44\u0e21\u0e48\u0e2a\u0e32\u0e21\u0e32\u0e23\u0e16\u0e2d\u0e31\u0e1b\u0e42\u0e2b\u0e25\u0e14\u0e23\u0e39\u0e1b\u0e20\u0e32\u0e1e: {0}","Failed to load plugin: {0} from url {1}":"\u0e44\u0e21\u0e48\u0e2a\u0e32\u0e21\u0e32\u0e23\u0e16\u0e42\u0e2b\u0e25\u0e14\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19: {0} \u0e08\u0e32\u0e01 url {1}","Failed to load plugin url: {0}":"\u0e44\u0e21\u0e48\u0e2a\u0e32\u0e21\u0e32\u0e23\u0e16\u0e42\u0e2b\u0e25\u0e14 url \u0e02\u0e2d\u0e07\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19: {0}","Failed to initialize plugin: {0}":"\u0e44\u0e21\u0e48\u0e2a\u0e32\u0e21\u0e32\u0e23\u0e16\u0e40\u0e23\u0e34\u0e48\u0e21\u0e15\u0e49\u0e19\u0e1b\u0e25\u0e31\u0e4a\u0e01\u0e2d\u0e34\u0e19: {0}","example":"\u0e15\u0e31\u0e27\u0e2d\u0e22\u0e48\u0e32\u0e07","Search":"\u0e04\u0e49\u0e19\u0e2b\u0e32","All":"\u0e17\u0e31\u0e49\u0e07\u0e2b\u0e21\u0e14","Currency":"\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19","Text":"\u0e02\u0e49\u0e2d\u0e04\u0e27\u0e32\u0e21","Quotations":"\u0e43\u0e1a\u0e40\u0e2a\u0e19\u0e2d\u0e23\u0e32\u0e04\u0e32","Mathematical":"\u0e40\u0e01\u0e35\u0e48\u0e22\u0e27\u0e01\u0e31\u0e1a\u0e04\u0e13\u0e34\u0e15\u0e28\u0e32\u0e2a\u0e15\u0e23\u0e4c","Extended Latin":"\u0e20\u0e32\u0e29\u0e32\u0e25\u0e32\u0e15\u0e34\u0e19\u0e2a\u0e48\u0e27\u0e19\u0e02\u0e22\u0e32\u0e22","Symbols":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c","Arrows":"\u0e25\u0e39\u0e01\u0e28\u0e23","User Defined":"\u0e1c\u0e39\u0e49\u0e43\u0e0a\u0e49\u0e01\u0e33\u0e2b\u0e19\u0e14\u0e40\u0e2d\u0e07","dollar sign":"\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e2b\u0e21\u0e32\u0e22\u0e14\u0e2d\u0e25\u0e25\u0e48\u0e32\u0e23\u0e4c","currency sign":"\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e2b\u0e21\u0e32\u0e22\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19","euro-currency sign":"\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e2b\u0e21\u0e32\u0e22\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e22\u0e39\u0e42\u0e23","colon sign":"\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e2b\u0e21\u0e32\u0e22\u0e08\u0e38\u0e14\u0e04\u0e39\u0e48","cruzeiro sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e04\u0e23\u0e39\u0e40\u0e0b\u0e42\u0e35\u0e23","french franc sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e1f\u0e23\u0e31\u0e07\u0e01\u0e4c\u0e1d\u0e23\u0e31\u0e48\u0e07\u0e40\u0e28\u0e2a","lira sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e25\u0e35\u0e23\u0e32","mill sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e21\u0e34\u0e25\u0e25\u0e4c","naira sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e44\u0e19\u0e23\u0e32","peseta sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e40\u0e1b\u0e40\u0e0b\u0e15\u0e32","rupee sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e23\u0e39\u0e1b\u0e35","won sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e27\u0e2d\u0e19","new sheqel sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e19\u0e34\u0e27\u0e40\u0e0a\u0e40\u0e01\u0e25","dong sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e14\u0e2d\u0e07","kip sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e01\u0e35\u0e1a","tugrik sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e17\u0e39\u0e01\u0e23\u0e34\u0e01","drachma sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e14\u0e23\u0e31\u0e04\u0e21\u0e32","german penny symbol":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e40\u0e1e\u0e19\u0e19\u0e35\u0e40\u0e22\u0e2d\u0e23\u0e21\u0e31\u0e19","peso sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e40\u0e1b\u0e42\u0e0b","guarani sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e01\u0e27\u0e32\u0e23\u0e32\u0e19\u0e35","austral sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e2d\u0e2d\u0e2a\u0e15\u0e23\u0e31\u0e25","hryvnia sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e2e\u0e23\u0e34\u0e1f\u0e40\u0e19\u0e35\u0e22","cedi sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e40\u0e0b\u0e14\u0e35","livre tournois sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e1b\u0e2d\u0e19\u0e14\u0e4c\u0e15\u0e39\u0e23\u0e4c","spesmilo sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e2a\u0e40\u0e1b\u0e2a\u0e21\u0e34\u0e42\u0e25","tenge sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e40\u0e17\u0e07\u0e40\u0e08","indian rupee sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e23\u0e39\u0e1b\u0e35\u0e2d\u0e34\u0e19\u0e40\u0e14\u0e35\u0e22","turkish lira sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e25\u0e35\u0e23\u0e32\u0e15\u0e38\u0e23\u0e01\u0e35","nordic mark sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e21\u0e32\u0e23\u0e4c\u0e04\u0e19\u0e2d\u0e23\u0e4c\u0e14\u0e34\u0e01","manat sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e21\u0e32\u0e19\u0e31\u0e15","ruble sign":"\u0e2a\u0e31\u0e0d\u0e25\u0e31\u0e01\u0e29\u0e13\u0e4c\u0e2a\u0e01\u0e38\u0e25\u0e40\u0e07\u0e34\u0e19\u0e23\u0e39\u0e40\u0e1a\u0e34\u0e25","yen character":"\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e40\u0e07\u0e34\u0e19\u0e40\u0e22\u0e19","yuan character":"\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e40\u0e07\u0e34\u0e19\u0e2b\u0e22\u0e27\u0e19","yuan character, in hong kong and taiwan":"\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e40\u0e07\u0e34\u0e19\u0e2b\u0e22\u0e27\u0e19 \u0e43\u0e19\u0e2e\u0e48\u0e2d\u0e07\u0e01\u0e07\u0e41\u0e25\u0e30\u0e44\u0e15\u0e49\u0e2b\u0e27\u0e31\u0e19","yen/yuan character variant one":"\u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30\u0e40\u0e07\u0e34\u0e19\u0e40\u0e22\u0e19/\u0e2b\u0e22\u0e27\u0e19 \u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a\u0e17\u0e35\u0e48 1","Emojis":"\u0e2d\u0e34\u0e42\u0e21\u0e08\u0e34","Emojis...":"\u0e2d\u0e34\u0e42\u0e21\u0e08\u0e34...","Loading emojis...":"\u0e01\u0e33\u0e25\u0e31\u0e07\u0e42\u0e2b\u0e25\u0e14 \u0e2d\u0e34\u0e42\u0e21\u0e08\u0e34...","Could not load emojis":"","People":"\u0e1c\u0e39\u0e49\u0e04\u0e19","Animals and Nature":"\u0e2a\u0e31\u0e15\u0e27\u0e4c\u0e41\u0e25\u0e30\u0e18\u0e23\u0e23\u0e21\u0e0a\u0e32\u0e15\u0e34","Food and Drink":"\u0e2d\u0e32\u0e2b\u0e32\u0e23\u0e41\u0e25\u0e30\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e14\u0e37\u0e48\u0e21","Activity":"\u0e01\u0e34\u0e08\u0e01\u0e23\u0e23\u0e21","Travel and Places":"\u0e01\u0e32\u0e23\u0e17\u0e48\u0e2d\u0e07\u0e40\u0e17\u0e35\u0e48\u0e22\u0e27\u0e41\u0e25\u0e30\u0e2a\u0e16\u0e32\u0e19\u0e17\u0e35\u0e48","Objects":"\u0e27\u0e31\u0e15\u0e16\u0e38","Flags":"\u0e40\u0e04\u0e23\u0e37\u0e48\u0e2d\u0e07\u0e2b\u0e21\u0e32\u0e22","Characters":"\u0e15\u0e31\u0e27\u0e2d\u0e31\u0e01\u0e29\u0e23","Characters (no spaces)":"\u0e15\u0e31\u0e27\u0e2d\u0e31\u0e01\u0e29\u0e23 (\u0e44\u0e21\u0e48\u0e21\u0e35\u0e0a\u0e48\u0e2d\u0e07\u0e27\u0e48\u0e32\u0e07)","{0} characters":"{0} \u0e2d\u0e31\u0e01\u0e02\u0e23\u0e30","Error: Form submit field collision.":"\u0e02\u0e49\u0e2d\u0e1c\u0e34\u0e14\u0e1e\u0e25\u0e32\u0e14: \u0e0a\u0e48\u0e2d\u0e07\u0e2a\u0e48\u0e07\u0e41\u0e1a\u0e1a\u0e1f\u0e2d\u0e23\u0e4c\u0e21\u0e02\u0e31\u0e14\u0e41\u0e22\u0e49\u0e07\u0e01\u0e31\u0e19","Error: No form element found.":"\u0e02\u0e49\u0e2d\u0e1c\u0e34\u0e14\u0e1e\u0e25\u0e32\u0e14: \u0e44\u0e21\u0e48\u0e1e\u0e1a\u0e2d\u0e07\u0e04\u0e4c\u0e1b\u0e23\u0e30\u0e01\u0e2d\u0e1a\u0e02\u0e2d\u0e07\u0e1f\u0e2d\u0e23\u0e4c\u0e21","Color swatch":"\u0e41\u0e16\u0e1a\u0e2a\u0e35","Color Picker":"\u0e15\u0e31\u0e27\u0e40\u0e25\u0e37\u0e2d\u0e01\u0e2a\u0e35","Invalid hex color code: {0}":"","Invalid input":"","R":"","Red component":"","G":"","Green component":"","B":"","Blue component":"","#":"","Hex color code":"","Range 0 to 255":"\u0e04\u0e48\u0e32 0 \u0e16\u0e36\u0e07 255","Turquoise":"\u0e19\u0e49\u0e33\u0e40\u0e07\u0e34\u0e19\u0e2d\u0e21\u0e40\u0e02\u0e35\u0e22\u0e27","Green":"\u0e40\u0e02\u0e35\u0e22\u0e27","Blue":"\u0e19\u0e49\u0e33\u0e40\u0e07\u0e34\u0e19","Purple":"\u0e21\u0e48\u0e27\u0e07","Navy Blue":"\u0e19\u0e49\u0e33\u0e40\u0e07\u0e34\u0e19\u0e40\u0e02\u0e49\u0e21","Dark Turquoise":"\u0e2a\u0e35\u0e1f\u0e49\u0e32\u0e04\u0e23\u0e32\u0e21\u0e40\u0e02\u0e49\u0e21","Dark Green":"\u0e40\u0e02\u0e35\u0e22\u0e27\u0e40\u0e02\u0e49\u0e21","Medium Blue":"\u0e19\u0e49\u0e33\u0e40\u0e07\u0e34\u0e19\u0e1b\u0e32\u0e19\u0e01\u0e25\u0e32\u0e07","Medium Purple":"\u0e2a\u0e35\u0e21\u0e48\u0e27\u0e07\u0e01\u0e25\u0e32\u0e07\u0e46","Midnight Blue":"\u0e2a\u0e35\u0e1f\u0e49\u0e32\u0e40\u0e02\u0e49\u0e21","Yellow":"\u0e40\u0e2b\u0e25\u0e37\u0e2d\u0e07","Orange":"\u0e2a\u0e49\u0e21","Red":"\u0e41\u0e14\u0e07","Light Gray":"\u0e2a\u0e35\u0e40\u0e17\u0e32\u0e2d\u0e48\u0e2d\u0e19","Gray":"\u0e40\u0e17\u0e32","Dark Yellow":"\u0e2a\u0e35\u0e40\u0e2b\u0e25\u0e37\u0e2d\u0e07\u0e40\u0e02\u0e49\u0e21","Dark Orange":"\u0e2a\u0e49\u0e21\u0e40\u0e02\u0e49\u0e21","Dark Red":"\u0e41\u0e14\u0e07\u0e40\u0e02\u0e49\u0e21","Medium Gray":"\u0e2a\u0e35\u0e40\u0e17\u0e32\u0e01\u0e25\u0e32\u0e07\u0e46","Dark Gray":"\u0e2a\u0e35\u0e40\u0e17\u0e32\u0e40\u0e02\u0e49\u0e21","Light Green":"\u0e40\u0e02\u0e35\u0e22\u0e27\u0e2d\u0e48\u0e2d\u0e19","Light Yellow":"\u0e40\u0e2b\u0e25\u0e37\u0e2d\u0e07\u0e2d\u0e48\u0e2d\u0e19","Light Red":"\u0e41\u0e14\u0e07\u0e2d\u0e48\u0e2d\u0e19","Light Purple":"\u0e21\u0e48\u0e27\u0e07\u0e2d\u0e48\u0e2d\u0e19","Light Blue":"\u0e19\u0e49\u0e33\u0e40\u0e07\u0e34\u0e19\u0e2d\u0e48\u0e2d\u0e19","Dark Purple":"\u0e21\u0e48\u0e27\u0e07\u0e40\u0e02\u0e49\u0e21","Dark Blue":"\u0e19\u0e49\u0e33\u0e40\u0e07\u0e34\u0e19\u0e40\u0e02\u0e49\u0e21","Black":"\u0e14\u0e33","White":"\u0e02\u0e32\u0e27","Switch to or from fullscreen mode":"\u0e2a\u0e25\u0e31\u0e1a\u0e44\u0e1b\u0e22\u0e31\u0e07\u0e2b\u0e23\u0e37\u0e2d\u0e08\u0e32\u0e01\u0e42\u0e2b\u0e21\u0e14\u0e40\u0e15\u0e47\u0e21\u0e2b\u0e19\u0e49\u0e32\u0e08\u0e2d","Open help dialog":"\u0e40\u0e1b\u0e34\u0e14\u0e2b\u0e19\u0e49\u0e32\u0e01\u0e32\u0e23\u0e0a\u0e48\u0e27\u0e22\u0e40\u0e2b\u0e25\u0e37\u0e2d","history":"\u0e1b\u0e23\u0e30\u0e27\u0e31\u0e15\u0e34","styles":"\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a","formatting":"\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e23\u0e39\u0e1b\u0e41\u0e1a\u0e1a","alignment":"\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e41\u0e19\u0e27","indentation":"\u0e01\u0e32\u0e23\u0e08\u0e31\u0e14\u0e22\u0e48\u0e2d\u0e2b\u0e19\u0e49\u0e32","Font":"\u0e15\u0e31\u0e27\u0e2d\u0e31\u0e01\u0e29\u0e23","Size":"\u0e02\u0e19\u0e32\u0e14","More...":"\u0e40\u0e1e\u0e34\u0e48\u0e21\u0e40\u0e15\u0e34\u0e21...","Select...":"\u0e40\u0e25\u0e37\u0e2d\u0e01...","Preferences":"\u0e04\u0e48\u0e32\u0e01\u0e33\u0e2b\u0e19\u0e14","Yes":"\u0e43\u0e0a\u0e48","No":"\u0e44\u0e21\u0e48\u0e43\u0e0a\u0e48","Keyboard Navigation":"\u0e01\u0e32\u0e23\u0e19\u0e33\u0e17\u0e32\u0e07\u0e14\u0e49\u0e27\u0e22\u0e41\u0e1b\u0e49\u0e19\u0e1e\u0e34\u0e21\u0e1e\u0e4c","Version":"\u0e23\u0e38\u0e48\u0e19","Code view":"\u0e21\u0e38\u0e21\u0e21\u0e2d\u0e07\u0e42\u0e04\u0e49\u0e14","Open popup menu for split buttons":"\u0e40\u0e1b\u0e34\u0e14\u0e40\u0e21\u0e19\u0e39\u0e1b\u0e4a\u0e2d\u0e1b\u0e2d\u0e31\u0e1b\u0e2a\u0e33\u0e2b\u0e23\u0e31\u0e1a\u0e1b\u0e38\u0e48\u0e21\u0e41\u0e22\u0e01","List Properties":"\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23","List properties...":"\u0e04\u0e38\u0e13\u0e2a\u0e21\u0e1a\u0e31\u0e15\u0e34\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23...","Start list at number":"\u0e40\u0e23\u0e34\u0e48\u0e21\u0e23\u0e32\u0e22\u0e01\u0e32\u0e23\u0e14\u0e49\u0e27\u0e22\u0e2b\u0e21\u0e32\u0e22\u0e40\u0e25\u0e02","Line height":"\u0e04\u0e27\u0e32\u0e21\u0e2a\u0e39\u0e07\u0e02\u0e2d\u0e07\u0e1a\u0e23\u0e23\u0e17\u0e31\u0e14","Dropped file type is not supported":"","Loading...":"\u0e01\u0e33\u0e25\u0e31\u0e07\u0e42\u0e2b\u0e25\u0e14...","ImageProxy HTTP error: Rejected request":"","ImageProxy HTTP error: Could not find Image Proxy":"","ImageProxy HTTP error: Incorrect Image Proxy URL":"","ImageProxy HTTP error: Unknown ImageProxy error":""}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/tr.js b/deform/static/tinymce/langs/tr.js new file mode 100644 index 00000000..21928e4b --- /dev/null +++ b/deform/static/tinymce/langs/tr.js @@ -0,0 +1 @@ +tinymce.addI18n("tr",{"Redo":"Yinele","Undo":"Geri al","Cut":"Kes","Copy":"Kopyala","Paste":"Yap\u0131\u015ft\u0131r","Select all":"T\xfcm\xfcn\xfc se\xe7","New document":"Yeni dok\xfcman","Ok":"Tamam","Cancel":"\u0130ptal","Visual aids":"G\xf6rsel ara\xe7lar","Bold":"Kal\u0131n","Italic":"\u0130talik","Underline":"Alt\u0131 \xe7izili","Strikethrough":"\xdcst\xfc \xe7izgili","Superscript":"\xdcst simge","Subscript":"Alt simge","Clear formatting":"Bi\xe7imi temizle","Remove":"Kald\u0131r","Align left":"Sola hizala","Align center":"Ortala","Align right":"Sa\u011fa hizala","No alignment":"Hizalama yok","Justify":"\u0130ki yana yasla","Bullet list":"S\u0131ras\u0131z liste","Numbered list":"S\u0131ral\u0131 liste","Decrease indent":"Girintiyi azalt","Increase indent":"Girintiyi art\u0131r","Close":"Kapat","Formats":"Bi\xe7imler","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Taray\u0131c\u0131n\u0131z panoya direk eri\u015fimi desteklemiyor. L\xfctfen Ctrl+X/C/V klavye k\u0131sayollar\u0131n\u0131 kullan\u0131n.","Headings":"Ba\u015fl\u0131klar","Heading 1":"Ba\u015fl\u0131k 1","Heading 2":"Ba\u015fl\u0131k 2","Heading 3":"Ba\u015fl\u0131k 3","Heading 4":"Ba\u015fl\u0131k 4","Heading 5":"Ba\u015fl\u0131k 5","Heading 6":"Ba\u015fl\u0131k 6","Preformatted":"\xd6nceden bi\xe7imlendirilmi\u015f","Div":"Div","Pre":"Pre","Code":"Kod","Paragraph":"Paragraf","Blockquote":"Blockquote","Inline":"Sat\u0131r i\xe7i","Blocks":"Bloklar","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"D\xfcz metin modunda yap\u0131\u015ft\u0131r. Bu se\xe7ene\u011fi kapatana kadar i\xe7erikler d\xfcz metin olarak yap\u0131\u015ft\u0131r\u0131l\u0131r.","Fonts":"Yaz\u0131 Tipleri","Font sizes":"Yaz\u0131 tipi boyutu","Class":"S\u0131n\u0131f","Browse for an image":"Bir resim aray\u0131n","OR":"VEYA","Drop an image here":"Buraya bir resim koyun","Upload":"Y\xfckle","Uploading image":"Resim y\xfckleniyor","Block":"Blok","Align":"Hizala","Default":"Varsay\u0131lan","Circle":"Daire","Disc":"Disk","Square":"Kare","Lower Alpha":"K\xfc\xe7\xfck Harf","Lower Greek":"K\xfc\xe7\xfck Yunan alfabesi","Lower Roman":"K\xfc\xe7\xfck Roman","Upper Alpha":"B\xfcy\xfck Harf","Upper Roman":"B\xfcy\xfck Roman","Anchor...":"\xc7apa...","Anchor":"\xc7apa","Name":"\u0130sim","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID bir harfle ba\u015flamal\u0131, ard\u0131ndan yaln\u0131zca harf, say\u0131, tire, nokta, iki nokta \xfcst \xfcste veya alt \xe7izgi gelmelidir.","You have unsaved changes are you sure you want to navigate away?":"Kaydedilmemi\u015f de\u011fi\u015fiklikler var, sayfadan ayr\u0131lmak istedi\u011finize emin misiniz?","Restore last draft":"Son tasla\u011f\u0131 kurtar","Special character...":"\xd6zel karakter...","Special Character":"\xd6zel karakter","Source code":"Kaynak kodu","Insert/Edit code sample":"Kod \xf6rne\u011fini Kaydet/D\xfczenle","Language":"Dil","Code sample...":"Kod \xf6rne\u011fi...","Left to right":"Soldan sa\u011fa","Right to left":"Sa\u011fdan sola","Title":"Ba\u015fl\u0131k","Fullscreen":"Tam ekran","Action":"\u0130\u015flem","Shortcut":"K\u0131sayol","Help":"Yard\u0131m","Address":"Adres","Focus to menubar":"Men\xfc \xe7ubu\u011funa odaklan","Focus to toolbar":"Ara\xe7 \xe7ubu\u011funa odaklan","Focus to element path":"Eleman yoluna odaklan","Focus to contextual toolbar":"Ba\u011flamsal ara\xe7 \xe7ubu\u011funa odaklan","Insert link (if link plugin activated)":"Link ekle (Link eklentisi aktif ise)","Save (if save plugin activated)":"Kaydet (Kay\u0131t eklentisi aktif ise)","Find (if searchreplace plugin activated)":"Bul (SearchReplace eklentisi aktif ise)","Plugins installed ({0}):":"Y\xfckl\xfc eklenti ({0}):","Premium plugins:":"Premium eklentileri","Learn more...":"Daha fazla bilgi edinin...","You are using {0}":"{0} kullan\u0131yorsun.","Plugins":"Eklentiler","Handy Shortcuts":"Kullan\u0131\u015fl\u0131 K\u0131sayollar","Horizontal line":"Yatay \xe7izgi","Insert/edit image":"Resim ekle/d\xfczenle","Alternative description":"Alternatif a\xe7\u0131klama","Accessibility":"Eri\u015filebilirlik","Image is decorative":"Resim dekoratif","Source":"Kaynak","Dimensions":"Boyutlar","Constrain proportions":"En - Boy oran\u0131n\u0131 koru","General":"Genel","Advanced":"Geli\u015fmi\u015f","Style":"Stil","Vertical space":"Dikey bo\u015fluk","Horizontal space":"Yatay bo\u015fluk","Border":"Kenar","Insert image":"Resim ekle","Image...":"Resim...","Image list":"Resim listesi","Resize":"Yeniden Boyutland\u0131r","Insert date/time":"Tarih / Zaman ekle","Date/time":"Tarih/zaman","Insert/edit link":"Ba\u011flant\u0131 ekle/d\xfczenle","Text to display":"G\xf6r\xfcnt\xfclenecek metin","Url":"Url","Open link in...":"Ba\u011flant\u0131y\u0131 a\xe7...","Current window":"Mevcut pencere","None":"Yok","New window":"Yeni pencere","Open link":"Linki a\xe7","Remove link":"Ba\u011flant\u0131y\u0131 kald\u0131r","Anchors":"\xc7apalar","Link...":"Ba\u011flant\u0131...","Paste or type a link":"Bir ba\u011flant\u0131 yap\u0131\u015ft\u0131r\u0131n ya da yaz\u0131n.","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"Girdi\u011finiz URL bir e-posta adresi gibi g\xf6z\xfck\xfcyor. Gerekli olan mailto: \xf6nekini eklemek ister misiniz?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"Girdi\u011finiz URL bir d\u0131\u015f ba\u011flant\u0131 gibi g\xf6z\xfck\xfcyor. Gerekli olan http:// \xf6nekini eklemek ister misiniz?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Girdi\u011finiz URL bir d\u0131\u015f ba\u011flant\u0131 gibi g\xf6z\xfck\xfcyor. Gerekli olan https:// \xf6nekini eklemek ister misiniz?","Link list":"Link listesi","Insert video":"Video ekle","Insert/edit video":"Video ekle/d\xfczenle","Insert/edit media":"Medya ekle/d\xfczenle","Alternative source":"Alternatif kaynak","Alternative source URL":"Alternatif kaynak URL","Media poster (Image URL)":"Medya posteri (Resim URL)","Paste your embed code below:":"Medya g\xf6mme kodunu buraya yap\u0131\u015ft\u0131r:","Embed":"G\xf6mme","Media...":"Medya...","Nonbreaking space":"B\xf6l\xfcnemez bo\u015fluk","Page break":"Sayfa sonu","Paste as text":"Metin olarak yap\u0131\u015ft\u0131r","Preview":"\xd6nizleme","Print":"Yazd\u0131r","Print...":"Yazd\u0131r...","Save":"Kaydet","Find":"Bul","Replace with":"Bununla de\u011fi\u015ftir","Replace":"De\u011fi\u015ftir","Replace all":"T\xfcm\xfcn\xfc de\u011fi\u015ftir","Previous":"Geri","Next":"\u0130leri","Find and Replace":"Bul ve De\u011fi\u015ftir","Find and replace...":"Bul ve de\u011fi\u015ftir...","Could not find the specified string.":"Belirtilen dizin bulunamad\u0131.","Match case":"B\xfcy\xfck / K\xfc\xe7\xfck harfe duyarl\u0131","Find whole words only":"Sadece t\xfcm kelimeyi ara","Find in selection":"Se\xe7im i\xe7inde bul","Insert table":"Tablo ekle","Table properties":"Tablo \xf6zellikleri","Delete table":"Tabloyu sil","Cell":"H\xfccre","Row":"Sat\u0131r","Column":"S\xfctun","Cell properties":"H\xfccre \xf6zellikleri","Merge cells":"H\xfccreleri birle\u015ftir","Split cell":"H\xfccreleri ay\u0131r","Insert row before":"\xd6ncesine yeni sat\u0131r ekle","Insert row after":"Sonras\u0131na yeni sat\u0131r ekle","Delete row":"Sat\u0131r\u0131 sil","Row properties":"Sat\u0131r \xf6zellikleri","Cut row":"Sat\u0131r\u0131 kes","Cut column":"S\xfctunu kes","Copy row":"Sat\u0131r\u0131 kopyala","Copy column":"S\xfctunu kopyala","Paste row before":"\xd6ncesine sat\u0131r yap\u0131\u015ft\u0131r","Paste column before":"S\xfctun\xfc \xf6ncesine yap\u0131\u015ft\u0131r","Paste row after":"Sonras\u0131na sat\u0131r yap\u0131\u015ft\u0131r","Paste column after":"S\xfctun\xfc sonras\u0131na yap\u0131\u015ft\u0131r","Insert column before":"\xd6ncesine yeni s\xfctun ekle","Insert column after":"Sonras\u0131na yeni s\xfctun ekle","Delete column":"S\xfctunu sil","Cols":"S\xfctunlar","Rows":"Sat\u0131rlar","Width":"Geni\u015flik","Height":"Y\xfckseklik","Cell spacing":"H\xfccre aral\u0131\u011f\u0131","Cell padding":"H\xfccre i\xe7 bo\u015flu\u011fu","Row clipboard actions":"Sat\u0131r panosu eylemleri","Column clipboard actions":"S\xfctun panosu eylemleri","Table styles":"Tablo stilleri","Cell styles":"H\xfccre stilleri","Column header":"S\xfct\xfcn ba\u015fl\u0131\u011f\u0131","Row header":"Sat\u0131r ba\u015fl\u0131\u011f\u0131","Table caption":"Tablo altyaz\u0131s\u0131","Caption":"Ba\u015fl\u0131k","Show caption":"Ba\u015fl\u0131\u011f\u0131 g\xf6ster","Left":"Sol","Center":"Orta","Right":"Sa\u011f","Cell type":"H\xfccre tipi","Scope":"Kapsam","Alignment":"Hizalama","Horizontal align":"Yatay hizalama","Vertical align":"Dikey hizalama","Top":"\xdcst","Middle":"Orta","Bottom":"Alt","Header cell":"Ba\u015fl\u0131k h\xfccresi","Row group":"Sat\u0131r grubu","Column group":"S\xfctun grubu","Row type":"Sat\u0131r tipi","Header":"Header","Body":"G\xf6vde","Footer":"Footer","Border color":"Kenarl\u0131k Rengi","Solid":"Kat\u0131","Dotted":"Noktal\u0131","Dashed":"Kesikli","Double":"\xc7ift","Groove":"Oluk","Ridge":"\xc7\u0131k\u0131nt\u0131","Inset":"\u0130\xe7 metin","Outset":"D\u0131\u015f Metin","Hidden":"Gizli","Insert template...":"\u015eablon ekle...","Templates":"\u015eablonlar","Template":"Tema","Insert Template":"\u015eablon Ekle","Text color":"Yaz\u0131 rengi","Background color":"Arkaplan rengi","Custom...":"\xd6zel...","Custom color":"\xd6zel Renk","No color":"Renk Yok","Remove color":"Rengi kald\u0131r","Show blocks":"Bloklar\u0131 g\xf6r\xfcnt\xfcle","Show invisible characters":"G\xf6r\xfcnmez karakterleri g\xf6ster","Word count":"Kelime say\u0131s\u0131","Count":"Say\u0131m","Document":"Belge","Selection":"Se\xe7im","Words":"S\xf6zc\xfck","Words: {0}":"Kelime: {0}","{0} words":"{0} kelime","File":"Dosya","Edit":"D\xfczenle","Insert":"Ekle","View":"G\xf6r\xfcnt\xfcle","Format":"Bi\xe7im","Table":"Tablo","Tools":"Ara\xe7lar","Powered by {0}":"Sa\u011flay\u0131c\u0131 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Zengin Metin Alan\u0131. Men\xfc i\xe7in ALT-F9 k\u0131sayolunu kullan\u0131n. Ara\xe7 \xe7ubu\u011fu i\xe7in ALT-F10 k\u0131sayolunu kullan\u0131n. Yard\u0131m i\xe7in ALT-0 k\u0131sayolunu kullan\u0131n.","Image title":"Resim ba\u015fl\u0131\u011f\u0131","Border width":"Kenar geni\u015fli\u011fi","Border style":"Kenar sitili","Error":"Hata","Warn":"Uyar\u0131","Valid":"Ge\xe7erli","To open the popup, press Shift+Enter":"Popup'\u0131 a\xe7mak i\xe7in Shift+Enter'a bas\u0131n","Rich Text Area":"Zengin Metin Alan\u0131","Rich Text Area. Press ALT-0 for help.":"Zengin Metin Alan\u0131. Yard\u0131m i\xe7in Alt-0'a bas\u0131n.","System Font":"Sistem Yaz\u0131 Tipi","Failed to upload image: {0}":"Resim y\xfcklenemedi: {0}","Failed to load plugin: {0} from url {1}":"Eklenti y\xfcklenemedi: {1} url\u2019sinden {0}","Failed to load plugin url: {0}":"Url eklentisi y\xfcklenemedi: {0}","Failed to initialize plugin: {0}":"Eklenti ba\u015flat\u0131lamad\u0131: {0}","example":"\xf6rnek","Search":"Ara","All":"T\xfcm\xfc","Currency":"Para birimi","Text":"Metin","Quotations":"Al\u0131nt\u0131","Mathematical":"Matematik","Extended Latin":"Uzat\u0131lm\u0131\u015f Latin","Symbols":"Semboller","Arrows":"Oklar","User Defined":"Kullan\u0131c\u0131 Tan\u0131ml\u0131","dollar sign":"dolar i\u015fareti","currency sign":"para birimi i\u015fareti","euro-currency sign":"euro para birimi i\u015fareti","colon sign":"colon i\u015fareti","cruzeiro sign":"cruzeiro i\u015fareti","french franc sign":"frans\u0131z frang\u0131 i\u015fareti","lira sign":"lira i\u015fareti","mill sign":"mill i\u015fareti","naira sign":"naira i\u015fareti","peseta sign":"peseta i\u015fareti","rupee sign":"rupi i\u015fareti","won sign":"won i\u015fareti","new sheqel sign":"yeni \u015fekel i\u015fareti","dong sign":"dong i\u015fareti","kip sign":"kip i\u015fareti","tugrik sign":"tugrik i\u015fareti","drachma sign":"drahma i\u015fareti","german penny symbol":"alman kuru\u015f sembol\xfc","peso sign":"peso i\u015fareti","guarani sign":"guarani i\u015fareti","austral sign":"austral i\u015fareti","hryvnia sign":"hrivniya i\u015fareti","cedi sign":"cedi i\u015fareti","livre tournois sign":"livre tournois i\u015fareti","spesmilo sign":"spesmilo i\u015fareti","tenge sign":"tenge i\u015fareti","indian rupee sign":"hindistan rupisi i\u015fareti","turkish lira sign":"t\xfcrk liras\u0131 i\u015fareti","nordic mark sign":"nordic i\u015fareti","manat sign":"manat i\u015fareti","ruble sign":"ruble i\u015fareti","yen character":"yen karakteri","yuan character":"yuan karakteri","yuan character, in hong kong and taiwan":"yuan karakteri, hong kong ve tayvan'da kullan\u0131lan","yen/yuan character variant one":"yen/yuan karakter de\u011fi\u015fkeni","Emojis":"Emojiler","Emojis...":"Emojiler...","Loading emojis...":"Emojiler y\xfckleniyor...","Could not load emojis":"Emojiler y\xfcklenemedi","People":"\u0130nsan","Animals and Nature":"Hayvanlar ve Do\u011fa","Food and Drink":"Yiyecek ve \u0130\xe7ecek","Activity":"Etkinlik","Travel and Places":"Gezi ve Yerler","Objects":"Nesneler","Flags":"Bayraklar","Characters":"Karakter","Characters (no spaces)":"Karakter (bo\u015fluksuz)","{0} characters":"{0} karakter","Error: Form submit field collision.":"Hata: Form g\xf6nderme alan\u0131 \xe7at\u0131\u015fmas\u0131.","Error: No form element found.":"Hata: Form eleman\u0131 bulunamad\u0131.","Color swatch":"Renk \xf6rne\u011fi","Color Picker":"Renk Se\xe7ici","Invalid hex color code: {0}":"Ge\xe7ersiz hex renk kodu: {0}","Invalid input":"Ge\xe7ersiz input","R":"K","Red component":"K\u0131rm\u0131z\u0131 par\xe7a","G":"Y","Green component":"Ye\u015fil par\xe7a","B":"M","Blue component":"Mavi par\xe7a","#":"#","Hex color code":"Hex renk kodu","Range 0 to 255":"0 ile 255 aral\u0131\u011f\u0131","Turquoise":"Turkuaz","Green":"Ye\u015fil","Blue":"Mavi","Purple":"Mor","Navy Blue":"Lacivert","Dark Turquoise":"Koyu Turkuaz","Dark Green":"Koyu Ye\u015fil","Medium Blue":"Donuk Mavi","Medium Purple":"Orta Mor","Midnight Blue":"Gece Yar\u0131s\u0131 Mavisi","Yellow":"Sar\u0131","Orange":"Turuncu","Red":"K\u0131rm\u0131z\u0131","Light Gray":"A\xe7\u0131k Gri","Gray":"Gri","Dark Yellow":"Koyu Sar\u0131","Dark Orange":"Koyu Turuncu","Dark Red":"Koyu K\u0131rm\u0131z\u0131","Medium Gray":"Orta Gri","Dark Gray":"Koyu Gri","Light Green":"A\xe7\u0131k Ye\u015fil","Light Yellow":"A\xe7\u0131k Sar\u0131","Light Red":"A\xe7\u0131k K\u0131rm\u0131z\u0131","Light Purple":"A\xe7\u0131k Mor","Light Blue":"A\xe7\u0131k Mavi","Dark Purple":"Koyu Mor","Dark Blue":"Lacivert","Black":"Siyah","White":"Beyaz","Switch to or from fullscreen mode":"Tam ekran moduna ge\xe7 veya \xe7\u0131k","Open help dialog":"Yard\u0131m penceresini a\xe7","history":"ge\xe7mi\u015f","styles":"stiller","formatting":"bi\xe7imlendirme","alignment":"hizalanma","indentation":"girinti","Font":"Yaz\u0131 Tipi","Size":"Boyut","More...":"Devam\u0131...","Select...":"Se\xe7...","Preferences":"Tercihler","Yes":"Evet","No":"Hay\u0131r","Keyboard Navigation":"Klavye Tu\u015flar\u0131","Version":"S\xfcr\xfcm","Code view":"Kod g\xf6r\xfcn\xfcm\xfc","Open popup menu for split buttons":"\xc7ok i\u015flevli butonlar i\xe7in a\xe7\u0131l\u0131r men\xfc a\xe7","List Properties":"\xd6zellikleri listele","List properties...":"Liste \xf6zellikleri","Start list at number":"Listeyi \u015fu say\u0131dan ba\u015flat","Line height":"Sat\u0131r y\xfcksekli\u011fi","Dropped file type is not supported":"S\xfcr\xfcklenen dosya tipi desteklenmiyor","Loading...":"Y\xfckleniyor...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP hatas\u0131: \u0130stek reddedildi","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP hatas\u0131: G\xf6rsel Proxy bulunamad\u0131","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP hatas\u0131: Ge\xe7ersiz G\xf6rsel Proxy URL'i","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP hatas\u0131: Bilinmeyen ImageProxy hatas\u0131"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/tr_TR.js b/deform/static/tinymce/langs/tr_TR.js deleted file mode 100644 index 9ca6142d..00000000 --- a/deform/static/tinymce/langs/tr_TR.js +++ /dev/null @@ -1,174 +0,0 @@ -tinymce.addI18n('tr_TR',{ -"Cut": "Kes", -"Header 2": "Ba\u015fl\u0131k 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Taray\u0131c\u0131n\u0131z panoya direk eri\u015fimi desteklemiyor. L\u00fctfen Ctrl+X\/C\/V klavye k\u0131sayollar\u0131n\u0131 kullan\u0131n.", -"Div": "Div", -"Paste": "Yap\u0131\u015ft\u0131r", -"Close": "Kapat", -"Pre": "\u00d6n", -"Align right": "Sa\u011fa hizala", -"New document": "Yeni dok\u00fcman", -"Blockquote": "Al\u0131nt\u0131", -"Numbered list": "S\u0131ral\u0131 liste", -"Increase indent": "Girintiyi art\u0131r", -"Formats": "Bi\u00e7imler", -"Headers": "Ba\u015fl\u0131klar", -"Select all": "T\u00fcm\u00fcn\u00fc se\u00e7", -"Header 3": "Ba\u015fl\u0131k 3", -"Blocks": "Engeller", -"Undo": "Geri Al", -"Strikethrough": "\u00dcst\u00fc \u00e7izili", -"Bullet list": "S\u0131ras\u0131z liste", -"Header 1": "Ba\u015fl\u0131k 1", -"Superscript": "\u00dcst simge", -"Clear formatting": "Bi\u00e7imi temizle", -"Subscript": "Alt simge", -"Header 6": "Ba\u015fl\u0131k 6", -"Redo": "Yinele", -"Paragraph": "Paragraf", -"Ok": "Tamam", -"Bold": "Kal\u0131n", -"Code": "Kod", -"Italic": "\u0130talik", -"Align center": "Ortala", -"Header 5": "Ba\u015fl\u0131k 5", -"Decrease indent": "Girintiyi azalt", -"Header 4": "Ba\u015fl\u0131k 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "D\u00fcz metin modunda yap\u0131\u015ft\u0131r. Bu se\u00e7ene\u011fi kapatana kadar i\u00e7erikler d\u00fcz metin olarak yap\u0131\u015ft\u0131r\u0131l\u0131r.", -"Underline": "Alt\u0131 \u00e7izili", -"Cancel": "\u0130ptal", -"Justify": "\u0130ki yana yasla", -"Inline": "Sat\u0131r i\u00e7i", -"Copy": "Kopyala", -"Align left": "Sola hizala", -"Visual aids": "G\u00f6rsel ara\u00e7lar", -"Lower Greek": "K\u00fc\u00e7\u00fck Yunan alfabesi", -"Square": "Kare", -"Default": "Varsay\u0131lan", -"Lower Alpha": "K\u00fc\u00e7\u00fck ABC", -"Circle": "Daire", -"Disc": "Disk", -"Upper Alpha": "B\u00fcy\u00fck ABC", -"Upper Roman": "B\u00fcy\u00fck Roman alfabesi", -"Lower Roman": "K\u00fc\u00e7\u00fck Roman alfabesi", -"Name": "\u0130sim", -"Anchor": "\u00c7apa", -"You have unsaved changes are you sure you want to navigate away?": "Kaydedilmemi\u015f de\u011fi\u015fiklikler var, sayfadan ayr\u0131lmak istedi\u011finize emin misiniz?", -"Restore last draft": "Son tasla\u011f\u0131 kurtar", -"Special character": "\u00d6zel karakter", -"Source code": "Kaynak kodu", -"Right to left": "Sa\u011fdan sola", -"Left to right": "Soldan sa\u011fa", -"Emoticons": "G\u00fcl\u00fcc\u00fckler", -"Robots": "Robotlar", -"Document properties": "Dok\u00fcman \u00f6zellikleri", -"Title": "Ba\u015fl\u0131k", -"Keywords": "Anahtar kelimeler", -"Encoding": "Kodlama", -"Description": "A\u00e7\u0131klama", -"Author": "Yazar", -"Fullscreen": "Tam ekran", -"Horizontal line": "Yatay \u00e7izgi", -"Horizontal space": "Yatay bo\u015fluk", -"Insert\/edit image": "Resim ekle\/d\u00fczenle", -"General": "Genel", -"Advanced": "Geli\u015fmi\u015f", -"Source": "Kaynak", -"Border": "\u00c7er\u00e7eve", -"Constrain proportions": "En - Boy oran\u0131n\u0131 koru", -"Vertical space": "Dikey bo\u015fluk", -"Image description": "Resim a\u00e7\u0131klamas\u0131", -"Style": "Stil", -"Dimensions": "Boyutlar", -"Insert image": "Resim ekle", -"Insert date\/time": "Tarih \/ Zaman ekle", -"Remove link": "Ba\u011flant\u0131y\u0131 kald\u0131r", -"Url": "Url", -"Text to display": "G\u00f6r\u00fcnen yaz\u0131", -"Anchors": "\u00c7apalar", -"Insert link": "Ba\u011flant\u0131 ekle", -"New window": "Yeni pencere", -"None": "Hi\u00e7biri", -"Target": "Hedef", -"Insert\/edit link": "Ba\u011flant\u0131 ekle\/d\u00fczenle", -"Insert\/edit video": "Video ekle\/d\u00fczenle", -"Poster": "Poster", -"Alternative source": "Alternatif kaynak", -"Paste your embed code below:": "Medya g\u00f6mme kodunu buraya yap\u0131\u015ft\u0131r:", -"Insert video": "Video ekle", -"Embed": "G\u00f6mme", -"Nonbreaking space": "B\u00f6l\u00fcnemez bo\u015fluk", -"Page break": "Sayfa sonu", -"Preview": "\u00d6nizleme", -"Print": "Yazd\u0131r", -"Save": "Kaydet", -"Could not find the specified string.": "Herhangi bir sonu\u00e7 bulunamad\u0131.", -"Replace": "De\u011fi\u015ftir", -"Next": "Sonraki", -"Whole words": "Tam s\u00f6zc\u00fckler", -"Find and replace": "Bul ve de\u011fi\u015ftir", -"Replace with": "Bununla de\u011fi\u015ftir", -"Find": "Bul", -"Replace all": "T\u00fcm\u00fcn\u00fc de\u011fi\u015ftir", -"Match case": "B\u00fcy\u00fck \/ K\u00fc\u00e7\u00fck harfe duyarl\u0131", -"Prev": "\u00d6nceki", -"Spellcheck": "Yaz\u0131m denetimi", -"Finish": "Bitir", -"Ignore all": "T\u00fcm\u00fcn\u00fc yoksay", -"Ignore": "Yoksay", -"Insert row before": "\u00d6ncesine yeni sat\u0131r ekle", -"Rows": "Sat\u0131rlar", -"Height": "Y\u00fckseklik", -"Paste row after": "Sonras\u0131na sat\u0131r yap\u0131\u015ft\u0131r", -"Alignment": "Hizalama", -"Column group": "S\u00fctun grubu", -"Row": "Sat\u0131r", -"Insert column before": "\u00d6ncesine yeni s\u00fctun ekle", -"Split cell": "H\u00fccreleri ay\u0131r", -"Cell padding": "H\u00fccre i\u00e7 bo\u015flu\u011fu", -"Cell spacing": "H\u00fccre aral\u0131\u011f\u0131", -"Row type": "Sat\u0131r tipi", -"Insert table": "Tablo ekle", -"Body": "G\u00f6vde", -"Caption": "Ba\u015fl\u0131k", -"Footer": "Alt", -"Delete row": "Sat\u0131r\u0131 sil", -"Paste row before": "\u00d6ncesine sat\u0131r yap\u0131\u015ft\u0131r", -"Scope": "Kapsam", -"Delete table": "Tabloyu sil", -"Header cell": "Ba\u015fl\u0131k h\u00fccresi", -"Column": "S\u00fctun", -"Cell": "H\u00fccre", -"Header": "Ba\u015fl\u0131k", -"Cell type": "H\u00fccre tipi", -"Copy row": "Sat\u0131r\u0131 kopyala", -"Row properties": "Sat\u0131r \u00f6zellikleri", -"Table properties": "Tablo \u00f6zellikleri", -"Row group": "Sat\u0131r grubu", -"Right": "Sa\u011f", -"Insert column after": "Sonras\u0131na yeni s\u00fctun ekle", -"Cols": "S\u00fctunlar", -"Insert row after": "Sonras\u0131na yeni sat\u0131r ekle", -"Width": "Geni\u015flik", -"Cell properties": "H\u00fccre \u00f6zellikleri", -"Left": "Sol", -"Cut row": "Sat\u0131r\u0131 kes", -"Delete column": "S\u00fctunu sil", -"Center": "Orta", -"Merge cells": "H\u00fccreleri birle\u015ftir", -"Insert template": "\u015eablon ekle", -"Templates": "\u015eablonlar", -"Background color": "Arkaplan rengi", -"Text color": "Yaz\u0131 rengi", -"Show blocks": "Bloklar\u0131 g\u00f6r\u00fcnt\u00fcle", -"Show invisible characters": "G\u00f6r\u00fcnmez karakterleri g\u00f6ster", -"Words: {0}": "Kelime: {0}", -"Insert": "Ekle", -"File": "Dosya", -"Edit": "D\u00fczenle", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Zengin Metin Alan\u0131. Men\u00fc i\u00e7in ALT-F9 k\u0131sayolunu kullan\u0131n. Ara\u00e7 \u00e7ubu\u011fu i\u00e7in ALT-F10 k\u0131sayolunu kullan\u0131n. Yard\u0131m i\u00e7in ALT-0 k\u0131sayolunu kullan\u0131n.", -"Tools": "Ara\u00e7lar", -"View": "G\u00f6r\u00fcnt\u00fcle", -"Table": "Tablo", -"Format": "Bi\u00e7im" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/ug.js b/deform/static/tinymce/langs/ug.js index b4bd955f..22b64a3c 100644 --- a/deform/static/tinymce/langs/ug.js +++ b/deform/static/tinymce/langs/ug.js @@ -1,156 +1 @@ -tinymce.addI18n('ug',{ -"Cut": "\u0643\u06d0\u0633\u0649\u0634", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0633\u0649\u0632\u0646\u0649\u06ad \u062a\u0648\u0631 \u0643\u06c6\u0631\u06af\u06c8\u0686\u0649\u06ad\u0649\u0632 \u0642\u0649\u064a\u0649\u067e \u0686\u0627\u067e\u0644\u0627\u0634 \u062a\u0627\u062e\u062a\u0649\u0633\u0649 \u0632\u0649\u064a\u0627\u0631\u06d5\u062a \u0642\u0649\u0644\u0649\u0634\u0646\u0649 \u0642\u0648\u0644\u0644\u0649\u0645\u0627\u064a\u062f\u06c7. Ctrl+X\/C\/V \u062a\u06d0\u0632\u0644\u06d5\u062a\u0645\u06d5 \u0643\u0648\u0646\u06c7\u067e\u0643\u0649\u0633\u0649 \u0626\u0627\u0631\u0642\u0649\u0644\u0649\u0642 \u0643\u06d0\u0633\u0649\u067e \u0686\u0627\u067e\u0644\u0627\u0634 \u0645\u06d5\u0634\u063a\u06c7\u0644\u0627\u062a\u0649 \u0642\u0649\u0644\u0649\u06ad.", -"Paste": "\u0686\u0627\u067e\u0644\u0627\u0634", -"Close": "\u062a\u0627\u0642\u0627\u0634", -"Align right": "\u0626\u0648\u06ad\u063a\u0627 \u062a\u0648\u063a\u06c7\u0631\u0644\u0627\u0634", -"New document": "\u064a\u06d0\u06ad\u0649 \u06be\u06c6\u062c\u062c\u06d5\u062a \u0642\u06c7\u0631\u06c7\u0634", -"Numbered list": "\u0633\u0627\u0646\u0644\u0649\u0642 \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643", -"Increase indent": "\u0643\u06d5\u064a\u0646\u0649\u06af\u06d5 \u0633\u06c8\u0631\u06c8\u0634", -"Formats": "\u0641\u0648\u0631\u0645\u0627\u062a", -"Select all": "\u06be\u06d5\u0645\u0645\u0649\u0646\u0649 \u062a\u0627\u0644\u0644\u0627\u0634", -"Undo": "\u0626\u0627\u0631\u0642\u0649\u063a\u0627 \u064a\u06d0\u0646\u0649\u0634", -"Strikethrough": "\u0626\u06c6\u0686\u06c8\u0631\u06c8\u0634 \u0633\u0649\u0632\u0649\u0642\u0649", -"Bullet list": "\u0628\u06d5\u0644\u06af\u06d5 \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643", -"Superscript": "\u0626\u06c8\u0633\u062a\u06c8\u0646\u0643\u0649 \u0628\u06d5\u0644\u06af\u06d5", -"Clear formatting": "\u0641\u0648\u0631\u0645\u0627\u062a\u0646\u0649 \u062a\u0627\u0632\u0644\u0627\u0634", -"Subscript": "\u0626\u0627\u0633\u062a\u0649\u0646\u0642\u0649 \u0628\u06d5\u0644\u06af\u06d5", -"Redo": "\u0642\u0627\u064a\u062a\u0627 \u0642\u0649\u0644\u0649\u0634", -"Ok": "\u062c\u06d5\u0632\u0649\u0645\u0644\u06d5\u0634", -"Bold": "\u062a\u0648\u0645", -"Italic": "\u064a\u0627\u0646\u062a\u06c7", -"Align center": "\u0645\u06d5\u0631\u0643\u06d5\u0632\u06af\u06d5 \u062a\u0648\u063a\u06c7\u0631\u0644\u0627\u0634", -"Decrease indent": "\u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0633\u06c8\u0631\u06c8\u0634", -"Underline": "\u0626\u0627\u0633\u062a\u0649 \u0633\u0649\u0632\u0649\u0642", -"Cancel": "\u0642\u0627\u0644\u062f\u06c7\u0631\u06c7\u0634", -"Justify": "\u0626\u0649\u0643\u0643\u0649 \u064a\u0627\u0646\u063a\u0627 \u062a\u0648\u063a\u06c7\u0631\u0644\u0627\u0634", -"Copy": "\u0643\u06c6\u0686\u06c8\u0631\u06c8\u0634", -"Align left": "\u0633\u0648\u0644\u063a\u0627 \u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634", -"Visual aids": "\u0626\u06d5\u0633\u0643\u06d5\u0631\u062a\u0649\u0634", -"Lower Greek": "\u06af\u0631\u06d0\u062a\u0633\u0649\u064a\u0649\u0686\u06d5 \u0643\u0649\u0686\u0649\u0643 \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649", -"Square": "\u0643\u06cb\u0627\u062f\u0631\u0627\u062a", -"Default": "\u0633\u06c8\u0643\u06c8\u062a", -"Lower Alpha": "\u0626\u0649\u0646\u06af\u0649\u0644\u0649\u0632\u0686\u06d5 \u0643\u0649\u0686\u0649\u0643 \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649", -"Circle": "\u0686\u06d5\u0645\u0628\u06d5\u0631", -"Disc": "\u062f\u06d0\u0633\u0643\u0627", -"Upper Alpha": "\u0626\u0649\u0646\u06af\u0649\u0644\u0649\u0632\u0686\u06d5 \u0686\u0648\u06ad \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649", -"Upper Roman": "\u0631\u0649\u0645\u0686\u06d5 \u0686\u0648\u06ad \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649", -"Lower Roman": "\u0631\u0649\u0645\u0686\u06d5 \u0643\u0649\u0686\u0649\u0643 \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649", -"Name": "\u0646\u0627\u0645\u0649", -"Anchor": "\u0626\u06c7\u0644\u0627\u0646\u0645\u0627", -"You have unsaved changes are you sure you want to navigate away?": "\u0633\u0649\u0632 \u062a\u06d0\u062e\u0649 \u0645\u06d5\u0632\u0645\u06c7\u0646\u0646\u0649 \u0633\u0627\u0642\u0644\u0649\u0645\u0649\u062f\u0649\u06ad\u0649\u0632\u060c \u0626\u0627\u064a\u0631\u0649\u0644\u0627\u0645\u0633\u0649\u0632\u061f", -"Restore last draft": "\u0626\u0627\u062e\u0649\u0631\u0642\u0649 \u0643\u06c7\u067e\u0649\u064a\u0649\u06af\u06d5 \u0642\u0627\u064a\u062a\u0649\u0634", -"Special character": "\u0626\u0627\u0644\u0627\u06be\u0649\u062f\u06d5 \u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0631", -"Source code": "\u0626\u06d5\u0633\u0644\u0649 \u0643\u0648\u062f\u0649", -"Right to left": "\u0626\u0648\u06ad\u062f\u0649\u0646 \u0633\u0648\u0644\u063a\u0627", -"Left to right": "\u0633\u0648\u0644\u062f\u0649\u0646 \u0626\u0648\u06ad\u063a\u0627 ", -"Emoticons": "\u0686\u0649\u0631\u0627\u064a \u0626\u0649\u067e\u0627\u062f\u06d5", -"Robots": "\u0645\u0627\u0634\u0649\u0646\u0627 \u0626\u0627\u062f\u06d5\u0645", -"Document properties": "\u06be\u06c6\u062c\u062c\u06d5\u062a \u062e\u0627\u0633\u0644\u0649\u0642\u0649", -"Title": "\u062a\u06d0\u0645\u0627", -"Keywords": "\u06be\u0627\u0644\u0642\u0649\u0644\u0649\u0642 \u0633\u06c6\u0632", -"Encoding": "\u0643\u0648\u062f\u0644\u0627\u0634", -"Description": "\u062a\u06d5\u0633\u0649\u06cb\u0649\u0631", -"Author": "\u0626\u06c7\u0644\u0627\u0646\u0645\u0627", -"Fullscreen": "\u067e\u06c8\u062a\u06c8\u0646 \u0626\u06d0\u0643\u0631\u0627\u0646", -"Horizontal line": "\u06af\u0648\u0631\u0632\u0649\u0646\u062a\u0627\u0644 \u0642\u06c7\u0631", -"Horizontal space": "\u06af\u0648\u0631\u0632\u0649\u0646\u062a\u0627\u0644 \u0628\u0648\u0634\u0644\u06c7\u0642", -"Insert\/edit image": "\u0631\u06d5\u0633\u0649\u0645 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634 \u064a\u0627\u0643\u0649 \u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634", -"General": "\u0626\u0627\u062f\u06d5\u062a\u062a\u0649\u0643\u0649", -"Advanced": "\u0626\u0627\u0644\u0627\u06be\u0649\u062f\u06d5", -"Source": "\u0645\u06d5\u0646\u0628\u06d5", -"Border": "\u064a\u0627\u0642\u0627", -"Constrain proportions": "\u0626\u06d0\u06af\u0649\u0632\u0644\u0649\u0643-\u0643\u06d5\u06ad\u0644\u0649\u0643 \u0646\u0649\u0633\u067e\u0649\u062a\u0649\u0646\u0649 \u0633\u0627\u0642\u0644\u0627\u0634", -"Vertical space": "\u06cb\u06d0\u0631\u062a\u0649\u0643\u0627\u0644 \u0628\u0648\u0634\u0644\u06c7\u0642", -"Image description": "\u0631\u06d5\u0633\u0649\u0645 \u062a\u06d5\u0633\u06cb\u0649\u0631\u0649", -"Style": "\u0626\u06c7\u0633\u0644\u06c7\u067e", -"Dimensions": "\u0686\u0648\u06ad-\u0643\u0649\u0686\u0649\u0643", -"Insert date\/time": "\u0686\u0649\u0633\u0644\u0627\/\u06cb\u0627\u0642\u0649\u062a \u0643\u0649\u0631\u06af\u06c8\u0632\u06c8\u0634", -"Url": "\u0626\u0627\u062f\u0631\u0649\u0633", -"Text to display": "\u0643\u06c6\u0631\u06c8\u0646\u0649\u062f\u0649\u063a\u0627\u0646 \u0645\u06d5\u0632\u0645\u06c7\u0646", -"Insert link": "\u0626\u06c7\u0644\u0649\u0646\u0649\u0634 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"New window": "\u064a\u06d0\u06ad\u0649 \u0643\u06c6\u0632\u0646\u06d5\u0643", -"None": "\u064a\u0648\u0642", -"Target": "\u0646\u0649\u0634\u0627\u0646", -"Insert\/edit link": "\u0626\u06c7\u0644\u0649\u0646\u0649\u0634 \u0642\u06c7\u0633\u062a\u06c7\u0631\u06c7\u0634\/\u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634", -"Insert\/edit video": "\u0633\u0649\u0646 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634\/\u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634", -"Poster": "\u064a\u0648\u0644\u0644\u0649\u063a\u06c7\u0686\u0649", -"Alternative source": "\u062a\u06d5\u0633\u06cb\u0649\u0631\u0649", -"Paste your embed code below:": "\u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0627\u0642\u0686\u0649 \u0628\u0648\u0644\u063a\u0627\u0646 \u0643\u0648\u062f\u0646\u0649 \u0686\u0627\u067e\u0644\u0627\u06ad", -"Insert video": "\u0633\u0649\u0646 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Embed": "\u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Nonbreaking space": "\u0628\u0648\u0634\u0644\u06c7\u0642", -"Page break": "\u0628\u06d5\u062a \u0626\u0627\u062e\u0649\u0631\u0644\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634", -"Preview": "\u0643\u06c6\u0631\u06c8\u0634", -"Print": "\u0628\u0627\u0633\u0645\u0627\u0642 ", -"Save": "\u0633\u0627\u0642\u0644\u0627\u0634", -"Could not find the specified string.": "\u0626\u0649\u0632\u062f\u0649\u0645\u06d5\u0643\u0686\u0649 \u0628\u0648\u0644\u063a\u0627\u0646 \u0645\u06d5\u0632\u0645\u06c7\u0646\u0646\u0649 \u062a\u0627\u067e\u0627\u0644\u0645\u0649\u062f\u0649.", -"Replace": "\u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634", -"Next": "\u0643\u06d0\u064a\u0649\u0646\u0643\u0649\u0633\u0649", -"Whole words": "\u062a\u0648\u0644\u06c7\u0642 \u0645\u0627\u0633\u0644\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634", -"Find and replace": "\u0626\u0649\u0632\u062f\u06d5\u0634 \u06cb\u06d5 \u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634", -"Replace with": "\u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634", -"Find": "\u0626\u0649\u0632\u062f\u06d5\u0634", -"Replace all": "\u06be\u06d5\u0645\u0645\u0649\u0646\u0649 \u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634", -"Match case": "\u0686\u0648\u06ad \u0643\u0649\u0686\u0649\u0643 \u06be\u06d5\u0631\u0649\u067e\u0646\u0649 \u067e\u06d5\u0631\u0649\u0642\u0644\u06d5\u0646\u062f\u06c8\u0631\u06c8\u0634", -"Prev": "\u0626\u0627\u0644\u062f\u0649\u0646\u0642\u0649\u0633\u0649", -"Spellcheck": "\u0626\u0649\u0645\u0644\u0627 \u062a\u06d5\u0643\u0634\u06c8\u0631\u06c8\u0634", -"Finish": "\u0626\u0627\u062e\u0649\u0631\u0644\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634", -"Ignore all": "\u06be\u06d5\u0645\u0645\u0649\u0646\u0649 \u0626\u06c6\u062a\u0643\u06c8\u0632\u06c8\u0634", -"Ignore": "\u0626\u06c6\u062a\u0643\u06c8\u0632\u06c8\u0634", -"Insert row before": "\u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0642\u06c7\u0631 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Rows": "\u0642\u06c7\u0631", -"Height": "\u0626\u06d0\u06af\u0649\u0632\u0644\u0649\u0643\u0649", -"Paste row after": "\u0642\u06c7\u0631 \u0643\u06d5\u064a\u0646\u0649\u06af\u06d5 \u0686\u0627\u067e\u0644\u0627\u0634", -"Alignment": "\u064a\u06c6\u0644\u0649\u0646\u0649\u0634\u0649", -"Column group": "\u0631\u06d5\u062a \u06af\u06c7\u0631\u06c7\u067e\u067e\u0649\u0633\u0649", -"Row": "\u0642\u06c7\u0631", -"Insert column before": "\u0631\u06d5\u062a \u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Split cell": "\u0643\u0627\u062a\u06d5\u0643 \u067e\u0627\u0631\u0686\u0649\u0644\u0627\u0634", -"Cell padding": "\u0643\u0627\u062a\u06d5\u0643 \u0626\u0649\u0686\u0643\u0649 \u0626\u0627\u0631\u0649\u0644\u0649\u0642\u0649", -"Cell spacing": "\u0643\u0627\u062a\u06d5\u0643 \u0633\u0649\u0631\u062a\u0642\u0649 \u0626\u0627\u0631\u0649\u0644\u0649\u0642\u0649", -"Row type": "\u0642\u06c7\u0631 \u062a\u0649\u067e\u0649", -"Insert table": "\u062c\u06d5\u062f\u06cb\u06d5\u0644 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Body": "\u0628\u06d5\u062f\u0649\u0646\u0649", -"Caption": "\u0686\u06c8\u0634\u06d5\u0646\u062f\u06c8\u0631\u06c8\u0634", -"Footer": "\u067e\u06c7\u062a\u0649", -"Delete row": "\u0642\u06c7\u0631 \u0626\u06c6\u0686\u06c8\u0631\u06c8\u0634", -"Paste row before": "\u0642\u06c7\u0631 \u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0686\u0627\u067e\u0644\u0627\u0634", -"Scope": "\u062f\u0627\u0626\u0649\u0631\u06d5", -"Delete table": "\u062c\u06d5\u062f\u06cb\u06d5\u0644 \u0626\u06c6\u0686\u06c8\u0631\u0634", -"Header cell": "\u0628\u0627\u0634 \u0643\u0627\u062a\u06d5\u0643", -"Column": "\u0631\u06d5\u062a", -"Cell": "\u0643\u0627\u062a\u06d5\u0643", -"Header": "\u0628\u06d0\u0634\u0649", -"Cell type": "\u0643\u0627\u062a\u06d5\u0643 \u062a\u0649\u067e\u0649", -"Copy row": "\u0642\u06c7\u0631 \u0643\u06c6\u0686\u06c8\u0631\u06c8\u0634", -"Row properties": "\u0642\u06c7\u0631 \u062e\u0627\u0633\u0644\u0649\u0642\u0649", -"Table properties": "\u062c\u06d5\u062f\u06cb\u06d5\u0644 \u062e\u0627\u0633\u0644\u0649\u0642\u0649", -"Row group": "\u0642\u06c7\u0631 \u06af\u06c7\u0631\u06c7\u067e\u067e\u0649\u0633\u0649", -"Right": "\u0626\u0648\u06ad", -"Insert column after": "\u0631\u06d5\u062a \u0643\u06d5\u064a\u0646\u0649\u06af\u06d5 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Cols": "\u0631\u06d5\u062a", -"Insert row after": "\u0626\u0627\u0631\u0642\u0649\u063a\u0627 \u0642\u06c7\u0631 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Width": "\u0643\u06d5\u06ad\u0644\u0649\u0643\u0649", -"Cell properties": "\u0643\u0627\u062a\u06d5\u0643 \u062e\u0627\u0633\u0644\u0649\u0642\u0649", -"Left": "\u0633\u0648\u0644", -"Cut row": "\u0642\u06c7\u0631 \u0643\u06d0\u0633\u0649\u0634", -"Delete column": "\u0631\u06d5\u062a \u0626\u06c6\u0686\u06c8\u0631\u06c8\u0634", -"Center": "\u0645\u06d5\u0631\u0643\u06d5\u0632", -"Merge cells": "\u0643\u0627\u062a\u06d5\u0643 \u0628\u0649\u0631\u0644\u06d5\u0634\u062a\u06c8\u0631\u06c8\u0634", -"Insert template": "\u0626\u06c8\u0644\u06af\u06d5 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"Templates": "\u0626\u06c8\u0644\u06af\u0649\u0644\u06d5\u0631", -"Background color": "\u0626\u0627\u0631\u0642\u0627 \u0631\u06d5\u06ad\u06af\u0649", -"Text color": "\u062e\u06d5\u062a \u0631\u06d5\u06ad\u06af\u0649", -"Show blocks": "\u0631\u0627\u064a\u0648\u0646 \u0643\u06c6\u0631\u0633\u0649\u062a\u0649\u0634", -"Show invisible characters": "\u0643\u06c6\u0631\u06c8\u0646\u0645\u06d5\u064a\u062f\u0649\u063a\u0627\u0646 \u06be\u06d5\u0631\u0649\u067e\u0644\u06d5\u0631\u0646\u0649 \u0643\u06c6\u0631\u0633\u0649\u062a\u0649\u0634", -"Words: {0}": "\u0633\u06c6\u0632: {0}", -"Insert": "\u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634", -"File": "\u06be\u06c6\u062c\u062c\u06d5\u062a", -"Edit": "\u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help", -"Tools": "\u0642\u06c7\u0631\u0627\u0644", -"View": "\u0643\u06c6\u0631\u06c8\u0634", -"Table": "\u062c\u06d5\u062f\u06cb\u06d5\u0644", -"Format": "\u0641\u0648\u0631\u0645\u0627\u062a" -}); \ No newline at end of file +tinymce.addI18n("ug",{"Redo":"\u062a\u06d5\u0643\u0631\u0627\u0631\u0644\u0627\u0634","Undo":"\u064a\u06d0\u0646\u0649\u06cb\u06d0\u0644\u0649\u0634","Cut":"\u0643\u06d0\u0633\u0649\u0634","Copy":"\u0643\u06c6\u0686\u06c8\u0631\u06c8\u0634","Paste":"\u0686\u0627\u067e\u0644\u0627\u0634","Select all":"\u06be\u06d5\u0645\u0645\u0649\u0646\u0649 \u062a\u0627\u0644\u0644\u0627\u0634","New document":"\u064a\u06d0\u06ad\u0649 \u06be\u06c6\u062c\u062c\u06d5\u062a","Ok":"\u0645\u0627\u0642\u06c7\u0644","Cancel":"\u0626\u0649\u0646\u0627\u06cb\u06d5\u062a\u0633\u0649\u0632","Visual aids":"\u0643\u06c6\u0631\u06c8\u0646\u0645\u06d5 \u0642\u0648\u0631\u0627\u0644\u0644\u0627\u0631","Bold":"\u062a\u0648\u0645","Italic":"\u064a\u0627\u0646\u062a\u06c7","Underline":"\u0626\u0627\u0633\u062a\u0649 \u0633\u0649\u0632\u0649\u0642","Strikethrough":"\u0626\u06c6\u0686\u06c8\u0631\u06c8\u0634 \u0633\u0649\u0632\u0649\u0642\u0649","Superscript":"\u0626\u06c8\u0633\u062a\u0628\u06d5\u0644\u06af\u06d5","Subscript":"\u0626\u0627\u0633\u062a\u0628\u06d5\u0644\u06af\u06d5","Clear formatting":"\u0641\u0648\u0631\u0645\u0627\u062a \u062a\u0627\u0632\u0649\u0644\u0627\u0634","Remove":"\u0686\u0649\u0642\u0649\u0631\u0649\u06cb\u06d0\u062a\u0649\u0634","Align left":"\u0633\u0648\u0644\u063a\u0627 \u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","Align center":"\u0626\u0648\u062a\u062a\u06c7\u0631\u0649\u063a\u0627 \u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","Align right":"\u0626\u0648\u06ad\u063a\u0627 \u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","No alignment":"\u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0646\u0645\u0649\u063a\u0627\u0646","Justify":"\u062a\u06d5\u0643\u0634\u0649\u0644\u06d5\u0634","Bullet list":"\u0628\u06d5\u0644\u06af\u06d5 \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643","Numbered list":"\u0646\u0648\u0645\u06c7\u0631\u0644\u06c7\u0642 \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643","Decrease indent":"\u062a\u0627\u0631\u0627\u064a\u062a\u0649\u0634\u0646\u0649 \u0626\u0627\u0632\u0627\u064a\u062a\u0649\u0634","Increase indent":"\u062a\u0627\u0631\u0627\u064a\u062a\u0649\u0634\u0646\u0649 \u0626\u0627\u0634\u06c7\u0631\u06c7\u0634","Close":"\u062a\u0627\u0642\u0627\u0634","Formats":"\u0641\u0648\u0631\u0645\u0627\u062a\u0644\u0627\u0631","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u062a\u0648\u0631 \u0643\u06c6\u0631\u06af\u06c8\u0686\u0649\u06ad\u0649\u0632 \u0643\u06d0\u0633\u0649\u0634 \u062a\u0627\u062e\u062a\u0649\u0633\u0649\u0646\u0649 \u0628\u0649\u06cb\u0627\u0633\u0649\u062a\u06d5 \u0632\u0649\u064a\u0627\u0631\u06d5\u062a \u0642\u0649\u0644\u0627\u0644\u0645\u0627\u064a\u062f\u06c7. \u0626\u06c7\u0646\u0649\u06ad \u0626\u0648\u0631\u0646\u0649\u063a\u0627 Ctrl+X/C/V \u062a\u06d0\u0632\u0644\u06d5\u062a\u0645\u06d5 \u0643\u06c7\u0646\u06c7\u067e\u0643\u0649\u0644\u0649\u0631\u0649\u0646\u0649 \u0626\u0649\u0634\u0644\u0649\u062a\u0649\u06ad.","Headings":"\u0645\u0627\u06cb\u0632\u06c7\u0644\u0627\u0631","Heading 1":"\u0645\u0627\u06cb\u0632\u06c7 1","Heading 2":"\u0645\u0627\u06cb\u0632\u06c7 2","Heading 3":"\u0645\u0627\u06cb\u0632\u06c7 3","Heading 4":"\u0645\u0627\u06cb\u0632\u06c7 4","Heading 5":"\u0645\u0627\u06cb\u0632\u06c7 5","Heading 6":"\u0645\u0627\u06cb\u0632\u06c7 6","Preformatted":"\u0626\u0627\u0644\u062f\u0649\u0646 \u0641\u0648\u0631\u0645\u0627\u062a\u0644\u0627\u0646\u063a\u0627\u0646","Div":"Div","Pre":"Pre","Code":"\u0643\u0648\u062f","Paragraph":"\u0626\u0627\u0628\u0632\u0627\u0633","Blockquote":"\u0646\u06d5\u0642\u0649\u0644","Inline":"\u0626\u0649\u0686\u0643\u0649","Blocks":"\u0628\u06c6\u0644\u06d5\u0643\u0644\u06d5\u0631","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0686\u0627\u067e\u0644\u0627\u0634 \u06be\u0627\u0632\u0649\u0631 \u0633\u0627\u067e \u062a\u06d0\u0643\u0649\u0633\u062a \u06be\u0627\u0644\u0649\u062a\u0649\u062f\u06d5. \u0628\u06c7 \u062a\u0627\u0644\u0644\u0627\u0646\u0645\u0649\u0646\u0649 \u0626\u06d0\u062a\u0649\u06cb\u06d5\u062a\u0643\u0649\u0686\u06d5 \u0645\u06d5\u0632\u0645\u06c7\u0646\u0644\u0627\u0631 \u0633\u0627\u067e \u062a\u06d0\u0643\u0649\u0633\u062a \u0628\u0648\u064a\u0649\u0686\u06d5 \u0686\u0627\u067e\u0644\u0649\u0646\u0649\u062f\u06c7.","Fonts":"\u062e\u06d5\u062a \u0646\u06c7\u0633\u062e\u0649\u0644\u0649\u0631\u0649","Font sizes":"\u062e\u06d5\u062a \u0686\u0648\u06ad\u0644\u06c7\u0642\u0649","Class":"\u062a\u06c8\u0631","Browse for an image":"\u0631\u06d5\u0633\u0649\u0645\u0649\u0646\u0649 \u0643\u06c6\u0631\u06c8\u0634","OR":"\u064a\u0627\u0643\u0649","Drop an image here":"\u0631\u06d5\u0633\u0649\u0645\u0646\u0649 \u0628\u06c7 \u064a\u06d5\u0631\u06af\u06d5 \u062a\u0627\u0634\u0644\u0627\u06ad","Upload":"\u064a\u06c8\u0643\u0644\u06d5\u0634","Uploading image":"\u0631\u06d5\u0633\u0649\u0645 \u064a\u06c8\u0643\u0644\u06d5\u06cb\u0627\u062a\u0649\u062f\u06c7","Block":"\u0628\u06c6\u0644\u06d5\u0643","Align":"\u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","Default":"\u0633\u06c8\u0643\u06c8\u062a\u062a\u0649\u0643\u0649","Circle":"\u0686\u06d5\u0645\u0628\u06d5\u0631","Disc":"\u062f\u0649\u0633\u0643\u0627","Square":"\u0643\u0649\u06cb\u0627\u062f\u0631\u0627\u062a","Lower Alpha":"\u0626\u0649\u0646\u06af\u0644\u0649\u0632\u0686\u06d5 \u0643\u0649\u0686\u0649\u0643 \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649","Lower Greek":"\u06af\u0649\u0631\u06d0\u0643\u0686\u06d5 \u0643\u0649\u0686\u0649\u0643 \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649","Lower Roman":"\u0631\u0649\u0645\u0686\u06d5 \u0643\u0649\u0686\u0649\u0643 \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649","Upper Alpha":"\u0626\u0649\u0646\u06af\u0644\u0649\u0632\u0686\u06d5 \u0686\u0648\u06ad \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649","Upper Roman":"\u0631\u0649\u0645\u0686\u06d5 \u0686\u0648\u06ad \u064a\u06d0\u0632\u0649\u0644\u0649\u0634\u0649","Anchor...":"\u0644\u06d5\u06ad\u06af\u06d5\u0631...","Anchor":"\u0644\u06d5\u06ad\u06af\u06d5\u0631","Name":"\u0646\u0627\u0645\u0649","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID \u06be\u06d5\u0631\u067e \u0628\u0649\u0644\u06d5\u0646 \u0628\u0627\u0634\u0644\u0649\u0646\u0649\u067e\u060c \u0626\u0627\u0631\u0642\u0649\u0633\u0649 \u067e\u06d5\u0642\u06d5\u062a \u06be\u06d5\u0631\u067e\u060c \u0633\u0627\u0646\u060c \u0633\u0649\u0632\u0649\u0642\u060c \u0686\u06d0\u0643\u0649\u062a\u060c \u0642\u0648\u0634 \u0686\u06d0\u0643\u0649\u062a \u06cb\u06d5 \u0626\u0627\u0633\u062a\u0649 \u0633\u0649\u0632\u0649\u0642\u0644\u0627\u0631 \u0628\u0648\u0644\u0633\u0627 \u0628\u0648\u0644\u0649\u062f\u06c7.","You have unsaved changes are you sure you want to navigate away?":"\u0633\u0627\u0642\u0644\u0627\u0646\u0645\u0649\u063a\u0627\u0646 \u0626\u06c6\u0632\u06af\u06d5\u0631\u062a\u0649\u0634\u0644\u0649\u0631\u0649\u06ad\u0649\u0632 \u0628\u0627\u0631\u060c \u0631\u0627\u0633\u062a\u062a\u0649\u0646\u0644\u0627 \u0626\u0627\u064a\u0631\u0649\u0644\u0627\u0645\u0633\u0649\u0632\u061f","Restore last draft":"\u0626\u0627\u062e\u0649\u0631\u0642\u0649 \u0626\u0627\u0631\u06af\u0649\u0646\u0627\u0644\u0646\u0649 \u0626\u06d5\u0633\u0644\u0649\u06af\u06d5 \u0643\u06d5\u0644\u062a\u06c8\u0631\u06c8\u0634","Special character...":"\u0626\u0627\u0644\u0627\u06be\u0649\u062f\u06d5 \u06be\u06d5\u0631\u067e-\u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0631...","Special Character":"\u0626\u0627\u0644\u0627\u06be\u0649\u062f\u06d5 \u06be\u06d5\u0631\u067e-\u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0631","Source code":"\u0645\u06d5\u0646\u0628\u06d5 \u0643\u0648\u062f\u0649","Insert/Edit code sample":"\u0626\u06c8\u0644\u06af\u06d5 \u0643\u0648\u062f \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634 \u064a\u0627\u0643\u0649 \u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634","Language":"\u062a\u0649\u0644","Code sample...":"\u0626\u06c8\u0644\u06af\u06d5 \u0643\u0648\u062f...","Left to right":"\u0633\u0648\u0644\u062f\u0649\u0646 \u0626\u0648\u06ad\u063a\u0627","Right to left":"\u0626\u0648\u06ad\u062f\u0649\u0646 \u0633\u0648\u0644\u063a\u0627","Title":"\u062a\u06d0\u0645\u0649\u0633\u0649","Fullscreen":"\u062a\u0648\u0644\u06c7\u0642 \u0626\u06d0\u0643\u0631\u0627\u0646","Action":"\u0645\u06d5\u0634\u063a\u06c7\u0644\u0627\u062a","Shortcut":"\u0642\u0649\u0633\u0642\u0627 \u064a\u0648\u0644","Help":"\u064a\u0627\u0631\u062f\u06d5\u0645","Address":"\u0626\u0627\u062f\u0631\u06d0\u0633\u0649","Focus to menubar":"\u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643 \u0628\u0627\u0644\u062f\u0649\u0642\u0649\u0646\u0649 \u0641\u0648\u0643\u06c7\u0633\u0644\u0627\u0634","Focus to toolbar":"\u0642\u0648\u0631\u0627\u0644\u0628\u0627\u0644\u062f\u0627\u0642\u0646\u0649 \u0641\u0648\u0643\u06c7\u0633\u0644\u0627\u0634","Focus to element path":"\u0626\u06d0\u0644\u06d0\u0645\u06d0\u0646\u062a \u064a\u0648\u0644\u0649\u0646\u0649 \u0641\u0648\u0643\u06c7\u0633\u0644\u0627\u0634","Focus to contextual toolbar":"\u0643\u0648\u0646\u062a\u06d0\u0643\u0649\u0633\u062a\u0644\u0649\u0642 \u0642\u0648\u0631\u0627\u0644\u0628\u0627\u0644\u062f\u0627\u0642\u0646\u0649 \u0641\u0648\u0643\u06c7\u0633\u0644\u0627\u0634","Insert link (if link plugin activated)":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0627 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634 (\u0626\u06c7\u0644\u0627\u0646\u0645\u0627 \u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0633\u0649 \u0626\u0627\u0643\u062a\u0649\u067e\u0644\u0627\u0646\u063a\u0627\u0646 \u0628\u0648\u0644\u0633\u0627)","Save (if save plugin activated)":"\u0633\u0627\u0642\u0644\u0627\u0634 (\u0633\u0627\u0642\u0644\u0627\u0634 \u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0633\u0649 \u0626\u0627\u0643\u062a\u0649\u067e\u0644\u0627\u0646\u063a\u0627\u0646 \u0628\u0648\u0644\u0633\u0627)","Find (if searchreplace plugin activated)":"\u0626\u0649\u0632\u062f\u06d5\u0634 (\u0626\u0649\u0632\u062f\u06d5\u0634 \u06cb\u06d5 \u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634 \u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0633\u0649 \u0626\u0627\u0643\u062a\u0649\u067e\u0644\u0627\u0646\u063a\u0627\u0646 \u0628\u0648\u0644\u0633\u0627)","Plugins installed ({0}):":"\u0642\u0627\u0686\u0649\u0644\u0627\u0646\u063a\u0627\u0646 \u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0644\u0627\u0631 ({0}):","Premium plugins:":"\u0626\u0627\u0644\u0649\u064a \u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0644\u0627\u0631:","Learn more...":"\u062a\u06d5\u067e\u0633\u0649\u0644\u0627\u062a\u0649...","You are using {0}":"\u0626\u0649\u0634\u0644\u0649\u062a\u0649\u06cb\u0627\u062a\u0642\u0649\u0646\u0649\u06ad\u0649\u0632 {0}","Plugins":"\u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0644\u0627\u0631","Handy Shortcuts":"\u0642\u0648\u0644\u0627\u064a\u0644\u0649\u0642 \u0642\u0649\u0633\u0642\u0627 \u064a\u0648\u0644\u0644\u0627\u0631","Horizontal line":"\u06af\u0648\u0631\u0649\u0632\u0648\u0646\u062a\u0627\u0644 \u0633\u0649\u0632\u0649\u0642","Insert/edit image":"\u0631\u06d5\u0633\u0649\u0645 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634 \u064a\u0627\u0643\u0649 \u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634","Alternative description":"\u062a\u0627\u0644\u0644\u0627\u0646\u0645\u0627 \u0686\u06c8\u0634\u06d5\u0646\u062f\u06c8\u0631\u06c8\u0634\u0649","Accessibility":"\u064a\u0627\u0631\u062f\u06d5\u0645\u0686\u06d5 \u0626\u0649\u0642\u062a\u0649\u062f\u0627\u0631","Image is decorative":"\u0628\u06d0\u0632\u06d5\u0643 \u0631\u06d5\u0633\u0649\u0645","Source":"\u0645\u06d5\u0646\u0628\u06d5","Dimensions":"\u0626\u06c6\u0644\u0686\u0649\u0645\u0649","Constrain proportions":"\u0646\u0649\u0633\u0628\u06d5\u062a\u0646\u0649 \u0686\u06d5\u0643\u0644\u06d5\u0634","General":"\u062f\u0627\u0626\u0649\u0645\u0649\u064a","Advanced":"\u0626\u0627\u0644\u0649\u064a","Style":"\u0626\u06c7\u0633\u0644\u06c7\u0628","Vertical space":"\u06cb\u06d0\u0631\u062a\u0649\u0643\u0627\u0644 \u0628\u0648\u0634\u0644\u06c7\u0642","Horizontal space":"\u06af\u0648\u0631\u0649\u0632\u0648\u0646\u062a\u0627\u0644 \u0628\u0648\u0634\u0644\u06c7\u0642","Border":"\u06af\u0649\u0631\u06cb\u06d5\u0643","Insert image":"\u0631\u06d5\u0633\u0649\u0645 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Image...":"\u0631\u06d5\u0633\u0649\u0645...","Image list":"\u0631\u06d5\u0633\u0649\u0645 \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643\u0649","Resize":"\u0686\u0648\u06ad\u0644\u06c7\u0642\u0649\u0646\u0649 \u0626\u06c6\u0632\u06af\u06d5\u0631\u062a\u0649\u0634","Insert date/time":"\u0686\u06d0\u0633\u0644\u0627 \u064a\u0627\u0643\u0649 \u06cb\u0627\u0642\u0649\u062a \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Date/time":"\u0686\u06d0\u0633\u0644\u0627 \u064a\u0627\u0643\u0649 \u06cb\u0627\u0642\u0649\u062a","Insert/edit link":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0627 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634 \u064a\u0627\u0643\u0649 \u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634","Text to display":"\u0643\u06c6\u0631\u0633\u0649\u062a\u0649\u062f\u0649\u063a\u0627\u0646 \u062a\u06d0\u0643\u0649\u0633\u062a","Url":"\u0626\u0627\u062f\u0631\u06d0\u0633\u0649","Open link in...":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0627 \u0626\u06d0\u0686\u0649\u0634 \u0626\u0648\u0631\u0646\u0649...","Current window":"\u0646\u06c6\u06cb\u06d5\u062a\u062a\u0649\u0643\u0649 \u0643\u06c6\u0632\u0646\u06d5\u0643","None":"\u064a\u0648\u0642","New window":"\u064a\u06d0\u06ad\u0649 \u0643\u06c6\u0632\u0646\u06d5\u0643","Open link":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0627 \u0626\u06d0\u0686\u0649\u0634","Remove link":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0649\u0646\u0649 \u0686\u0649\u0642\u0649\u0631\u0649\u06cb\u06d0\u062a\u0649\u0634","Anchors":"\u0644\u06d5\u06ad\u06af\u06d5\u0631\u0644\u06d5\u0631","Link...":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0627...","Paste or type a link":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0627 \u0686\u0627\u067e\u0644\u0627\u06ad \u064a\u0627\u0643\u0649 \u0643\u0649\u0631\u06af\u06c8\u0632\u06c8\u06ad","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0633\u0649\u0632 \u0643\u0649\u0631\u06af\u06c8\u0632\u06af\u06d5\u0646 \u0626\u0627\u062f\u0631\u06d0\u0633 \u062a\u0648\u0631\u062e\u06d5\u062a \u0626\u0627\u062f\u0631\u06d0\u0633\u0649\u062f\u06d5\u0643 \u062a\u06c7\u0631\u0649\u062f\u06c7. \u062a\u06d5\u0644\u06d5\u067e \u0642\u0649\u0644\u0649\u0646\u063a\u0627\u0646 mailto: \u0626\u0627\u0644\u062f\u0649 \u0642\u0648\u0634\u06c7\u0645\u0686\u0649\u0633\u0649\u0646\u0649 \u0642\u0648\u0634\u0627\u0645\u0633\u0649\u0632\u061f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0633\u0649\u0632 \u0643\u0649\u0631\u06af\u06c8\u0632\u06af\u06d5\u0646 \u0626\u0627\u062f\u0631\u06d0\u0633 \u0633\u0649\u0631\u062a\u0642\u0649 \u0626\u06c7\u0644\u0627\u0646\u0645\u0649\u062f\u06d5\u0643 \u062a\u06c7\u0631\u0649\u062f\u06c7. \u062a\u06d5\u0644\u06d5\u067e \u0642\u0649\u0644\u0649\u0646\u063a\u0627\u0646 http:// \u0626\u0627\u0644\u062f\u0649 \u0642\u0648\u0634\u06c7\u0645\u0686\u0649\u0633\u0649\u0646\u0649 \u0642\u0648\u0634\u0627\u0645\u0633\u0649\u0632\u061f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u0633\u0649\u0632 \u0643\u0649\u0631\u06af\u06c8\u0632\u06af\u06d5\u0646 \u0626\u0627\u062f\u0631\u06d0\u0633 \u0633\u0649\u0631\u062a\u0642\u0649 \u0626\u06c7\u0644\u0627\u0646\u0645\u0649\u062f\u06d5\u0643 \u062a\u06c7\u0631\u0649\u062f\u06c7. \u062a\u06d5\u0644\u06d5\u067e \u0642\u0649\u0644\u0649\u0646\u063a\u0627\u0646 https:// \u0626\u0627\u0644\u062f\u0649 \u0642\u0648\u0634\u06c7\u0645\u0686\u0649\u0633\u0649\u0646\u0649 \u0642\u0648\u0634\u0627\u0645\u0633\u0649\u0632\u061f","Link list":"\u0626\u06c7\u0644\u0627\u0646\u0645\u0627 \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643\u0649","Insert video":"\u0633\u0649\u0646 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Insert/edit video":"\u0633\u0649\u0646 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634 \u064a\u0627\u0643\u0649 \u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634","Insert/edit media":"\u0645\u06d0\u062f\u0649\u064a\u0627 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634 \u064a\u0627\u0643\u0649 \u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634","Alternative source":"\u062a\u0627\u0644\u0644\u0627\u0646\u0645\u0627 \u0645\u06d5\u0646\u0628\u06d5","Alternative source URL":"\u062a\u0627\u0644\u0644\u0627\u0646\u0645\u0627 \u0645\u06d5\u0646\u0628\u06d5 \u0626\u0627\u062f\u0631\u06d0\u0633\u0649","Media poster (Image URL)":"\u0645\u06d0\u062f\u0649\u064a\u0627 \u0645\u06c7\u0642\u0627\u06cb\u0649\u0633\u0649 (\u0631\u06d5\u0633\u0649\u0645 \u0626\u0627\u062f\u0631\u06d0\u0633\u0649)","Paste your embed code below:":"\u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0627 \u0643\u0648\u062f\u0649\u06ad\u0649\u0632\u0646\u0649 \u0626\u0627\u0633\u062a\u0649\u063a\u0627 \u0686\u0627\u067e\u0644\u0627\u06ad:","Embed":"\u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Media...":"\u0645\u06d0\u062f\u0649\u064a\u0627...","Nonbreaking space":"\u0626\u06c8\u0632\u06c8\u0644\u0645\u06d5\u0633 \u0628\u0648\u0634\u0644\u06c7\u0642","Page break":"\u0628\u06d5\u062a \u0626\u0627\u064a\u0631\u0649\u0634","Paste as text":"\u062a\u06d0\u0643\u0649\u0633\u062a \u0634\u06d5\u0643\u0644\u0649\u062f\u06d5 \u0686\u0627\u067e\u0644\u0627\u0634","Preview":"\u0643\u06c6\u0631\u06c8\u067e \u0628\u06d0\u0642\u0649\u0634","Print":"\u0628\u06d0\u0633\u0649\u0634","Print...":"\u0628\u06d0\u0633\u0649\u0634...","Save":"\u0633\u0627\u0642\u0644\u0627\u0634","Find":"\u0626\u0649\u0632\u062f\u06d5\u0634","Replace with":"\u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634 \u0645\u06d5\u0632\u0645\u06c7\u0646\u0649","Replace":"\u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634","Replace all":"\u06be\u06d5\u0645\u0645\u0649\u0646\u0649 \u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634","Previous":"\u0626\u0627\u0644\u062f\u0649\u0646\u0642\u0649","Next":"\u0643\u06d0\u064a\u0649\u0646\u0643\u0649","Find and Replace":"\u0626\u0649\u0632\u062f\u06d5\u0634 \u06cb\u06d5 \u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634","Find and replace...":"\u0626\u0649\u0632\u062f\u06d5\u0634 \u06cb\u06d5 \u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634...","Could not find the specified string.":"\u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0646\u06af\u06d5\u0646 \u0645\u06d5\u0632\u0645\u06c7\u0646 \u062a\u06d0\u067e\u0649\u0644\u0645\u0649\u062f\u0649.","Match case":"\u0686\u0648\u06ad\u0644\u06c7\u0642\u0649 \u0645\u0627\u0633 \u0643\u06d0\u0644\u0649\u0634","Find whole words only":"\u067e\u06c8\u062a\u06c8\u0646 \u0633\u06c6\u0632\u0646\u0649\u0644\u0627 \u0626\u0649\u0632\u062f\u06d5\u0634","Find in selection":"\u062a\u0627\u0644\u0644\u0627\u0646\u063a\u0627\u0646\u062f\u0649\u0646 \u0626\u0649\u0632\u062f\u06d5\u0634","Insert table":"\u062c\u06d5\u062f\u06cb\u06d5\u0644 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Table properties":"\u062c\u06d5\u062f\u06cb\u06d5\u0644 \u062e\u0627\u0633\u0644\u0649\u0642\u0644\u0649\u0631\u0649","Delete table":"\u062c\u06d5\u062f\u06cb\u06d5\u0644\u0646\u0649 \u0626\u06c6\u0686\u06c8\u0631\u06c8\u0634","Cell":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5","Row":"\u0642\u06c7\u0631","Column":"\u0626\u0649\u0633\u062a\u0648\u0646","Cell properties":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5 \u062e\u0627\u0633\u0644\u0649\u0642\u0644\u0649\u0631\u0649","Merge cells":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5 \u0628\u0649\u0631\u0644\u06d5\u0634\u062a\u06c8\u0631\u06c8\u0634","Split cell":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5 \u067e\u0627\u0631\u0686\u0649\u0644\u0627\u0634","Insert row before":"\u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0642\u06c7\u0631 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Insert row after":"\u0626\u0627\u0631\u0642\u0649\u063a\u0627 \u0642\u06c7\u0631 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Delete row":"\u0642\u06c7\u0631\u0646\u0649 \u0626\u06c6\u0686\u06c8\u0631\u06c8\u0634","Row properties":"\u0642\u06c7\u0631 \u062e\u0627\u0633\u0644\u0649\u0642\u0644\u0649\u0631\u0649","Cut row":"\u0642\u06c7\u0631 \u0643\u06d0\u0633\u0649\u0634","Cut column":"\u0626\u0649\u0633\u062a\u0648\u0646 \u0643\u06d0\u0633\u0649\u0634","Copy row":"\u0642\u06c7\u0631 \u0643\u06c6\u0686\u06c8\u0631\u06c8\u0634","Copy column":"\u0626\u0649\u0633\u062a\u0648\u0646 \u0643\u06c6\u0686\u06c8\u0631\u06c8\u0634","Paste row before":"\u0642\u06c7\u0631 \u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0686\u0627\u067e\u0644\u0627\u0634","Paste column before":"\u0626\u0649\u0633\u062a\u0648\u0646 \u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0686\u0627\u067e\u0644\u0627\u0634","Paste row after":"\u0642\u06c7\u0631 \u0626\u0627\u0631\u0642\u0649\u063a\u0627 \u0686\u0627\u067e\u0644\u0627\u0634","Paste column after":"\u0626\u0649\u0633\u062a\u0648\u0646 \u0626\u0627\u0631\u0642\u0649\u063a\u0627 \u0686\u0627\u067e\u0644\u0627\u0634","Insert column before":"\u0626\u0627\u0644\u062f\u0649\u063a\u0627 \u0626\u0649\u0633\u062a\u0648\u0646 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Insert column after":"\u0626\u0627\u0631\u0642\u0649\u063a\u0627 \u0626\u0649\u0633\u062a\u0648\u0646 \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Delete column":"\u0626\u0649\u0633\u062a\u0648\u0646\u0646\u0649 \u0626\u06c6\u0686\u06c8\u0631\u06c8\u0634","Cols":"\u0626\u0649\u0633\u062a\u0648\u0646\u0644\u0627\u0631","Rows":"\u0642\u06c7\u0631\u0644\u0627\u0631","Width":"\u0643\u06d5\u06ad\u0644\u0649\u0643\u0649","Height":"\u0626\u06d0\u06af\u0649\u0632\u0644\u0649\u0643\u0649","Cell spacing":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5 \u0626\u0627\u0631\u0649\u0644\u0649\u0642\u0649","Cell padding":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5 \u0626\u0649\u0686\u0643\u0649 \u0626\u0627\u0631\u0649\u0644\u0649\u0642\u0649","Row clipboard actions":"\u0642\u06c7\u0631 \u0643\u06c6\u0686\u06c8\u0631\u06c8\u0634 \u0645\u06d5\u0634\u063a\u06c7\u0644\u0627\u062a\u0649","Column clipboard actions":"\u0626\u0649\u0633\u062a\u0648\u0646 \u0643\u06c6\u0686\u06c8\u0631\u06c8\u0634 \u0645\u06d5\u0634\u063a\u06c7\u0644\u0627\u062a\u0649","Table styles":"\u062c\u06d5\u062f\u06cb\u06d5\u0644 \u0626\u06c7\u0633\u0644\u06c7\u0628\u0644\u0649\u0631\u0649","Cell styles":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5 \u0626\u06c7\u0633\u0644\u06c7\u0628\u0644\u0649\u0631\u0649","Column header":"\u0626\u0649\u0633\u062a\u0648\u0646 \u0642\u06d0\u0634\u0649","Row header":"\u0642\u06c7\u0631 \u0642\u06d0\u0634\u0649","Table caption":"\u062c\u06d5\u062f\u06cb\u06d5\u0644 \u062a\u06d0\u0645\u0649\u0633\u0649","Caption":"\u062a\u06d0\u0645\u0649\u0633\u0649","Show caption":"\u062a\u06d0\u0645\u0649\u0633\u0649\u0646\u0649 \u0643\u06c6\u0631\u0633\u0649\u062a\u0649\u0634","Left":"\u0633\u0648\u0644\u063a\u0627","Center":"\u0626\u0648\u062a\u062a\u06c7\u0631\u0649\u063a\u0627","Right":"\u0626\u0648\u06ad\u063a\u0627","Cell type":"\u0643\u0627\u062a\u06d5\u0643\u0686\u06d5 \u062a\u0649\u067e\u0649","Scope":"\u062f\u0627\u0626\u0649\u0631\u06d5","Alignment":"\u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","Horizontal align":"\u06af\u0648\u0631\u0649\u0632\u0648\u0646\u062a\u0627\u0644 \u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","Vertical align":"\u06cb\u06d0\u0631\u062a\u0649\u0643\u0627\u0644 \u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","Top":"\u0626\u06c8\u0633\u062a\u0649\u06af\u06d5","Middle":"\u0626\u0648\u062a\u062a\u06c7\u0631\u0649\u063a\u0627","Bottom":"\u0626\u0627\u0633\u062a\u0649\u063a\u0627","Header cell":"\u0628\u06d5\u062a \u0642\u06d0\u0634\u0649 \u0643\u0627\u062a\u06d5\u0643\u0686\u0649\u0633\u0649","Row group":"\u0642\u06c7\u0631 \u06af\u06c7\u0631\u06c7\u067e\u067e\u0649\u0633\u0649","Column group":"\u0626\u0649\u0633\u062a\u0648\u0646 \u06af\u06c7\u0631\u06c7\u067e\u067e\u0649\u0633\u0649","Row type":"\u0642\u06c7\u0631 \u062a\u0649\u067e\u0649","Header":"\u0628\u06d5\u062a \u0642\u06d0\u0634\u0649","Body":"\u0628\u06d5\u062a \u06af\u06d5\u06cb\u062f\u0649\u0633\u0649","Footer":"\u0628\u06d5\u062a \u0626\u0627\u0633\u062a\u0649","Border color":"\u06af\u0649\u0631\u06cb\u06d5\u0643 \u0631\u06d5\u06ad\u06af\u0649","Solid":"\u067e\u06c8\u062a\u06c8\u0646 \u0633\u0649\u0632\u0649\u0642","Dotted":"\u0686\u06d0\u0643\u0649\u062a\u0644\u0649\u0643","Dashed":"\u0626\u06c8\u0632\u06c8\u0643 \u0633\u0649\u0632\u0649\u0642","Double":"\u0642\u0648\u0634 \u0633\u0649\u0632\u0649\u0642","Groove":"\u0626\u0648\u0642\u06c7\u0631","Ridge":"\u0642\u0649\u064a\u0627","Inset":"\u0626\u0649\u0686\u0643\u0649","Outset":"\u0633\u0649\u0631\u062a\u0642\u0649","Hidden":"\u064a\u0648\u0634\u06c7\u0631\u06c7\u0646","Insert template...":"\u0642\u06d0\u0644\u0649\u067e \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634...","Templates":"\u0642\u06d0\u0644\u0649\u067e\u0644\u0627\u0631","Template":"\u0642\u06d0\u0644\u0649\u067e","Insert Template":"\u0642\u06d0\u0644\u0649\u067e \u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","Text color":"\u062a\u06d0\u0643\u0649\u0633\u062a \u0631\u06d5\u06ad\u06af\u0649","Background color":"\u062a\u06d5\u06af\u0644\u0649\u0643 \u0631\u06d5\u06ad\u06af\u0649","Custom...":"\u0626\u0649\u062e\u062a\u0649\u064a\u0627\u0631\u0649\u064a...","Custom color":"\u0626\u0649\u062e\u062a\u0649\u064a\u0627\u0631\u0649\u064a \u0631\u06d5\u06ad","No color":"\u0631\u06d5\u06ad \u064a\u0648\u0642","Remove color":"\u0631\u06d5\u06ad\u0646\u0649 \u0686\u0649\u0642\u0649\u0631\u0649\u06cb\u06d0\u062a\u0649\u0634","Show blocks":"\u0628\u06c6\u0644\u06d5\u0643\u0644\u06d5\u0631\u0646\u0649 \u0643\u06c6\u0631\u0633\u0649\u062a\u0649\u0634","Show invisible characters":"\u064a\u0648\u0634\u06c7\u0631\u06c7\u0646 \u06be\u06d5\u0631\u067e-\u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0631\u0646\u0649 \u0643\u06c6\u0631\u0633\u0649\u062a\u0649\u0634","Word count":"\u0633\u06c6\u0632 \u0633\u0627\u0646\u0649","Count":"\u0633\u0627\u0646\u0627\u0634","Document":"\u06be\u06c6\u062c\u062c\u06d5\u062a","Selection":"\u062a\u0627\u0644\u0644\u0627\u0646\u063a\u0627\u0646","Words":"\u0633\u06c6\u0632\u0644\u06d5\u0631","Words: {0}":"\u0633\u06c6\u0632\u0644\u06d5\u0631: {0}","{0} words":"{0} \u0633\u06c6\u0632","File":"\u06be\u06c6\u062c\u062c\u06d5\u062a","Edit":"\u062a\u06d5\u06be\u0631\u0649\u0631\u0644\u06d5\u0634","Insert":"\u0642\u0649\u0633\u062a\u06c7\u0631\u06c7\u0634","View":"\u0643\u06c6\u0631\u06c8\u0646\u06c8\u0634","Format":"\u0641\u0648\u0631\u0645\u0627\u062a","Table":"\u062c\u06d5\u062f\u06cb\u06d5\u0644","Tools":"\u0642\u0648\u0631\u0627\u0644\u0644\u0627\u0631","Powered by {0}":"{0} \u062a\u06d5\u0645\u0649\u0646\u0644\u0649\u06af\u06d5\u0646","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u0641\u0648\u0631\u0645\u0627\u062a\u0644\u0649\u0642 \u062a\u06d0\u0643\u0649\u0633\u062a \u0631\u0627\u064a\u0648\u0646\u0649. \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643 \u0626\u06c8\u0686\u06c8\u0646 ALT-F9 \u0646\u0649 \u0628\u06d0\u0633\u0649\u06ad. \u0642\u0648\u0631\u0627\u0644\u0628\u0627\u0644\u062f\u0627\u0642 \u0626\u06c8\u0686\u06c8\u0646 ALT-F10 \u0646\u0649 \u0628\u06d0\u0633\u0649\u06ad. \u064a\u0627\u0631\u062f\u06d5\u0645 \u0626\u06c8\u0686\u06c8\u0646 ALT-0 \u0646\u0649 \u0628\u06d0\u0633\u0649\u06ad","Image title":"\u0631\u06d5\u0633\u0649\u0645 \u062a\u06d0\u0645\u0649\u0633\u0649","Border width":"\u06af\u0649\u0631\u06cb\u06d5\u0643 \u0643\u06d5\u06ad\u0644\u0649\u0643\u0649","Border style":"\u06af\u0649\u0631\u06cb\u06d5\u0643 \u0626\u06c7\u0633\u0644\u06c7\u0628\u0649","Error":"\u062e\u0627\u062a\u0627\u0644\u0649\u0642","Warn":"\u0626\u0627\u06af\u0627\u06be\u0644\u0627\u0646\u062f\u06c7\u0631\u06c7\u0634","Valid":"\u0626\u06c8\u0646\u06c8\u0645\u0644\u06c8\u0643","To open the popup, press Shift+Enter":"\u0633\u06d5\u0643\u0631\u0649\u0645\u06d5 \u0643\u06c6\u0632\u0646\u06d5\u0643\u0646\u0649 \u0626\u06d0\u0686\u0649\u0634 \u0626\u06c8\u0686\u06c8\u0646 Shift+Enter \u0646\u0649 \u0628\u06d0\u0633\u0649\u06ad","Rich Text Area":"\u0641\u0648\u0631\u0645\u0627\u062a\u0644\u0649\u0642 \u062a\u06d0\u0643\u0649\u0633\u062a \u0631\u0627\u064a\u0648\u0646\u0649","Rich Text Area. Press ALT-0 for help.":"\u0641\u0648\u0631\u0645\u0627\u062a\u0644\u0649\u0642 \u062a\u06d0\u0643\u0649\u0633\u062a \u0631\u0627\u064a\u0648\u0646\u0649. \u064a\u0627\u0631\u062f\u06d5\u0645 \u0626\u06c8\u0686\u06c8\u0646 ALT-0 \u0646\u0649 \u0628\u06d0\u0633\u0649\u06ad.","System Font":"\u0633\u0649\u0633\u062a\u06d0\u0645\u0627 \u062e\u06d5\u062a \u0646\u06c7\u0633\u062e\u0649\u0633\u0649","Failed to upload image: {0}":"\u0631\u06d5\u0633\u0649\u0645\u0646\u0649 \u064a\u06c8\u0643\u0644\u0649\u064a\u06d5\u0644\u0645\u0649\u062f\u0649: {0}","Failed to load plugin: {0} from url {1}":"\u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0646\u0649 \u064a\u06c8\u0643\u0644\u0649\u064a\u06d5\u0644\u0645\u0649\u062f\u0649: {0} \u0646\u0649\u06ad \u0645\u06d5\u0646\u0628\u06d5 \u0626\u0627\u062f\u0631\u06d0\u0633\u0649 {1}","Failed to load plugin url: {0}":"\u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0646\u0649 \u064a\u06c8\u0643\u0644\u0649\u064a\u06d5\u0644\u0645\u0649\u062f\u0649 \u0626\u0627\u062f\u0631\u06d0\u0633\u0649: {0}","Failed to initialize plugin: {0}":"\u0642\u0649\u0633\u062a\u06c7\u0631\u0645\u0649\u0646\u0649 \u062f\u06d5\u0633\u0644\u06d5\u067e\u0644\u06d5\u0634\u062a\u06c8\u0631\u06d5\u0644\u0645\u0649\u062f\u0649: {0}","example":"\u0645\u06d5\u0633\u0649\u0644\u06d5\u0646","Search":"\u0626\u0649\u0632\u062f\u06d5\u0634","All":"\u06be\u06d5\u0645\u0645\u06d5","Currency":"\u067e\u06c7\u0644","Text":"\u062a\u06d0\u0643\u0649\u0633\u062a","Quotations":"\u0646\u06d5\u0642\u0649\u0644\u0644\u06d5\u0631","Mathematical":"\u0645\u0627\u062a\u06d0\u0645\u0627\u062a\u0649\u0643\u0649\u0644\u0649\u0642","Extended Latin":"\u0643\u06d0\u06ad\u06d5\u064a\u062a\u0649\u0644\u06af\u06d5\u0646 \u0644\u0627\u062a\u0649\u0646 \u06be\u06d5\u0631\u067e\u0644\u0649\u0631\u0649","Symbols":"\u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0631","Arrows":"\u0626\u0649\u0633\u062a\u0631\u06d0\u0644\u0643\u0649\u0644\u0627\u0631","User Defined":"\u0626\u0649\u0634\u0644\u06d5\u062a\u0643\u06c8\u0686\u0649 \u0628\u06d5\u0644\u06af\u0649\u0644\u0649\u06af\u06d5\u0646","dollar sign":"\u062f\u0648\u0644\u0644\u0627\u0631 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","currency sign":"\u067e\u06c7\u0644 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","euro-currency sign":"\u064a\u0627\u06cb\u0631\u0648 \u067e\u06c7\u0644 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","colon sign":"\u0642\u0648\u0634 \u0686\u06d0\u0643\u0649\u062a \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","cruzeiro sign":"\u0643\u0631\u06c7 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","french franc sign":"\u0641\u0649\u0631\u0627\u0646\u0633\u0649\u064a\u06d5 \u0641\u0649\u0631\u0627\u0646\u0643 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","lira sign":"\u0644\u0649\u0631\u0627 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","mill sign":"\u0645\u0649\u0644 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","naira sign":"\u0646\u0627\u064a\u0631\u0627 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","peseta sign":"\u067e\u06d0\u0633\u06d0\u062a\u0627 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","rupee sign":"\u0631\u06c7\u067e\u0649\u064a\u06d5 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","won sign":"\u06cb\u0648\u0646 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","new sheqel sign":"\u064a\u06d0\u06ad\u0649 \u0634\u0649\u0643\u0649\u0644 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","dong sign":"\u06cb\u0649\u064a\u06d0\u062a\u0646\u0627\u0645 \u062f\u0648\u06ad\u0649 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","kip sign":"\u0643\u0649\u067e \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","tugrik sign":"\u062a\u06c8\u06af\u0631\u0649\u0643 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","drachma sign":"\u062f\u0649\u0631\u0627\u062e\u0645\u0627 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","german penny symbol":"\u06af\u06d0\u0631\u0645\u0627\u0646\u0649\u064a\u06d5 \u067e\u06d0\u0646\u0646\u0649 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","peso sign":"\u067e\u06d0\u0633\u0648 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","guarani sign":"\u06af\u06c7\u0626\u0627\u0631\u0627\u0646\u0649 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","austral sign":"\u0626\u0627\u06cb\u0633\u062a\u0631\u0627\u0644\u0649\u064a\u06d5 \u067e\u06c7\u0644 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","hryvnia sign":"hryvnia \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","cedi sign":"\u0633\u06d0\u062f\u0649 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","livre tournois sign":"livre tournois \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","spesmilo sign":"spesmilo \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","tenge sign":"tenge \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","indian rupee sign":"\u06be\u0649\u0646\u062f\u0649\u0633\u062a\u0627\u0646 \u0631\u06c7\u067e\u0649\u064a\u06d5 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","turkish lira sign":"\u062a\u06c8\u0631\u0643\u0649\u064a\u06d5 \u0644\u0649\u0631\u0627 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","nordic mark sign":"\u0634\u0649\u0645\u0627\u0644\u0649\u064a \u064a\u0627\u06cb\u0631\u0648\u067e\u0627 \u0645\u0627\u0631\u0643 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","manat sign":"manat \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","ruble sign":"\u0631\u06c7\u0628\u0644\u0649 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","yen character":"\u064a\u06d0\u0646 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","yuan character":"\u064a\u06c8\u06d5\u0646 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","yuan character, in hong kong and taiwan":"\u064a\u06c8\u06d5\u0646 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649 (\u0634\u064a\u0627\u06ad\u06af\u0627\u06ad \u06cb\u06d5 \u062a\u06d5\u064a\u06cb\u06d5\u0646)","yen/yuan character variant one":"\u064a\u06d0\u0646 \u06cb\u06d5 \u064a\u06c8\u06d5\u0646 \u0628\u06d5\u0644\u06af\u0649\u0633\u0649","Emojis":"\u0686\u0649\u0631\u0627\u064a \u0626\u0649\u067e\u0627\u062f\u0649\u0644\u0649\u0631\u0649","Emojis...":"\u0686\u0649\u0631\u0627\u064a \u0626\u0649\u067e\u0627\u062f\u0649\u0644\u0649\u0631\u0649...","Loading emojis...":"\u0686\u0649\u0631\u0627\u064a \u0626\u0649\u067e\u0627\u062f\u0649\u0644\u0649\u0631\u0649 \u064a\u06c8\u0643\u0644\u0649\u0646\u0649\u06cb\u0627\u062a\u0649\u062f\u06c7...","Could not load emojis":"\u0686\u0649\u0631\u0627\u064a \u0626\u0649\u067e\u0627\u062f\u0649\u0644\u0649\u0631\u0649 \u064a\u06c8\u0643\u0644\u06d5\u0646\u0645\u0649\u062f\u0649","People":"\u0626\u0627\u062f\u06d5\u0645\u0644\u06d5\u0631","Animals and Nature":"\u06be\u0627\u064a\u06cb\u0627\u0646\u0644\u0627\u0631 \u06cb\u06d5 \u062a\u06d5\u0628\u0649\u0626\u06d5\u062a","Food and Drink":"\u064a\u06d0\u0645\u06d5\u0643-\u0626\u0649\u0686\u0645\u06d5\u0643","Activity":"\u067e\u0627\u0626\u0627\u0644\u0649\u064a\u06d5\u062a","Travel and Places":"\u0633\u0627\u064a\u0627\u06be\u06d5\u062a \u06cb\u06d5 \u062c\u0627\u064a\u0644\u0627\u0631","Objects":"\u0646\u06d5\u0631\u0633\u0649\u0644\u06d5\u0631","Flags":"\u0628\u0627\u064a\u0631\u0627\u0642\u0644\u0627\u0631","Characters":"\u06be\u06d5\u0631\u067e-\u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0631","Characters (no spaces)":"\u06be\u06d5\u0631\u067e-\u0628\u06d5\u0644\u06af\u0649\u0644\u06d5\u0631 (\u0628\u0648\u0634\u0644\u06c7\u0642\u0646\u0649 \u0626\u06c6\u0632 \u0626\u0649\u0686\u0649\u06af\u06d5 \u0626\u0627\u0644\u0645\u0627\u064a\u062f\u06c7)","{0} characters":"{0} \u06be\u06d5\u0631\u067e-\u0628\u06d5\u0644\u06af\u06d5","Error: Form submit field collision.":"\u062e\u0627\u062a\u0627\u0644\u0649\u0642: \u0631\u0627\u0645\u0643\u0627 (form) \u064a\u0648\u0644\u0644\u0627\u0634 \u0628\u06c6\u0644\u0649\u0643\u0649 \u062a\u0648\u0642\u06c7\u0646\u06c7\u0634\u062a\u0649.","Error: No form element found.":"\u062e\u0627\u062a\u0627\u0644\u0649\u0642: \u0631\u0627\u0645\u0643\u0627 (form) \u0626\u06d0\u0644\u06d0\u0645\u06d0\u0646\u062a\u0649 \u062a\u06d0\u067e\u0649\u0644\u0645\u0649\u062f\u0649.","Color swatch":"\u0631\u06d5\u06ad \u0626\u06c8\u0644\u06af\u0649\u0633\u0649","Color Picker":"\u0631\u06d5\u06ad \u062a\u0627\u0644\u0644\u0649\u063a\u06c7\u0686","Invalid hex color code: {0}":"\u0626\u06c8\u0646\u06c8\u0645\u0633\u0649\u0632 \u0626\u0648\u0646 \u0626\u0627\u0644\u062a\u0649\u0644\u0649\u0643 \u0631\u06d5\u06ad \u0643\u0648\u062f\u0649: {0}","Invalid input":"\u0643\u0649\u0631\u06af\u06c8\u0632\u06c8\u0634 \u0626\u06c8\u0646\u06c8\u0645\u0633\u0649\u0632","R":"R","Red component":"\u0642\u0649\u0632\u0649\u0644 \u0628\u0649\u0631\u0649\u0643\u0645\u06d5","G":"G","Green component":"\u064a\u06d0\u0634\u0649\u0644 \u0628\u0649\u0631\u0649\u0643\u0645\u06d5","B":"B","Blue component":"\u0643\u06c6\u0643 \u0628\u0649\u0631\u0649\u0643\u0645\u06d5","#":"#","Hex color code":"\u0626\u0648\u0646 \u0626\u0627\u0644\u062a\u0649\u0644\u0649\u0643 \u0631\u06d5\u06ad \u0643\u0648\u062f\u0649","Range 0 to 255":"\u062f\u0627\u0626\u0649\u0631\u0649\u0633\u0649 0 \u062f\u0649\u0646 255 \u06af\u0649\u0686\u06d5","Turquoise":"\u0643\u06c6\u0643\u06c8\u0686 \u064a\u06d0\u0634\u0649\u0644","Green":"\u064a\u06d0\u0634\u0649\u0644","Blue":"\u0643\u06c6\u0643","Purple":"\u0628\u0649\u0646\u06d5\u067e\u0634\u06d5","Navy Blue":"\u062f\u06d0\u06ad\u0649\u0632 \u0643\u06c6\u0643","Dark Turquoise":"\u062a\u0648\u0642 \u0643\u06c6\u0643\u06c8\u0686 \u064a\u06d0\u0634\u0649\u0644","Dark Green":"\u062a\u0648\u0642 \u064a\u06d0\u0634\u0649\u0644","Medium Blue":"\u0626\u0627\u0631\u0627 \u0643\u06c6\u0643","Medium Purple":"\u0626\u0627\u0631\u0627 \u0628\u0649\u0646\u06d5\u067e\u0634\u06d5","Midnight Blue":"\u0642\u0627\u0631\u0627 \u0643\u06c6\u0643","Yellow":"\u0633\u06d0\u0631\u0649\u0642","Orange":"\u0642\u0649\u0632\u063a\u06c7\u0686 \u0633\u06d0\u0631\u0649\u0642","Red":"\u0642\u0649\u0632\u0649\u0644","Light Gray":"\u0626\u0627\u0686 \u0643\u06c8\u0644\u0631\u06d5\u06ad","Gray":"\u0643\u06c8\u0644\u0631\u06d5\u06ad","Dark Yellow":"\u062a\u0648\u0642 \u0633\u06d0\u0631\u0649\u0642","Dark Orange":"\u062a\u0648\u0642 \u0642\u0649\u0632\u063a\u06c7\u0686","Dark Red":"\u062a\u0648\u0642 \u0642\u0649\u0632\u0649\u0644","Medium Gray":"\u0626\u0648\u062a\u062a\u06c7\u0631\u06be\u0627\u0644 \u0643\u06c8\u0644\u0631\u06d5\u06ad","Dark Gray":"\u062a\u0648\u0642 \u0643\u06c8\u0644\u0631\u06d5\u06ad","Light Green":"\u0626\u0627\u0686 \u064a\u06d0\u0634\u0649\u0644","Light Yellow":"\u0626\u0627\u0686 \u0633\u06d0\u0631\u0649\u0642","Light Red":"\u0626\u0627\u0686 \u0642\u0649\u0632\u0649\u0644","Light Purple":"\u0626\u0627\u0686 \u0628\u0649\u0646\u06d5\u067e\u0634\u06d5","Light Blue":"\u0626\u0627\u0686 \u0643\u06c6\u0643","Dark Purple":"\u062a\u0648\u0642 \u0628\u0649\u0646\u06d5\u067e\u0634\u06d5","Dark Blue":"\u062a\u0648\u0642 \u0643\u06c6\u0643","Black":"\u0642\u0627\u0631\u0627","White":"\u0626\u0627\u0642","Switch to or from fullscreen mode":"\u062a\u0648\u0644\u06c7\u0642 \u0626\u06d0\u0643\u0631\u0627\u0646 \u06be\u0627\u0644\u0649\u062a\u0649\u0646\u0649 \u0626\u0627\u0644\u0645\u0627\u0634\u062a\u06c7\u0631\u06c7\u0634","Open help dialog":"\u064a\u0627\u0631\u062f\u06d5\u0645 \u062f\u0649\u064a\u0627\u0644\u0648\u06af\u0649\u0646\u0649 \u0626\u06d0\u0686\u0649\u0634","history":"\u062a\u0627\u0631\u0649\u062e\u0649\u064a \u0626\u06c7\u0686\u06c7\u0631","styles":"\u0626\u06c7\u0633\u0644\u06c7\u0628\u0644\u0627\u0631","formatting":"\u0641\u0648\u0631\u0645\u0627\u062a\u0644\u0627\u0634","alignment":"\u062a\u0648\u063a\u0631\u0649\u0644\u0627\u0634","indentation":"\u062a\u0627\u0631\u0627\u064a\u062a\u0649\u0634","Font":"\u062e\u06d5\u062a \u0646\u06c7\u0633\u062e\u0649\u0633\u0649","Size":"\u0686\u0648\u06ad\u0644\u06c7\u0642\u0649","More...":"\u062a\u06d0\u062e\u0649\u0645\u06c7 \u0643\u06c6\u067e...","Select...":"\u062a\u0627\u0644\u0644\u0627\u0634...","Preferences":"\u0645\u0627\u064a\u0649\u0644\u0644\u0649\u0642\u0644\u0649\u0631\u0649","Yes":"\u06be\u06d5\u0626\u06d5","No":"\u064a\u0627\u0642","Keyboard Navigation":"\u064a\u06c6\u062a\u0643\u0649\u0644\u0649\u0634\u0686\u0627\u0646 \u0643\u06c7\u0646\u06c7\u067e\u0643\u0627 \u062a\u0627\u062e\u062a\u0649\u0633\u0649","Version":"\u0646\u06d5\u0634\u0631\u0649","Code view":"\u0643\u0648\u062f \u0643\u06c6\u0631\u06c8\u0646\u06c8\u0634\u0649","Open popup menu for split buttons":"\u0628\u06c6\u0644\u06c8\u0646\u0645\u06d5 \u0643\u06c7\u0646\u06c7\u067e\u0643\u0649\u0644\u0627\u0631 \u0626\u06c8\u0686\u06c8\u0646 \u0633\u06d5\u0643\u0631\u0649\u0645\u06d5 \u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643 \u0626\u06d0\u0686\u0649\u0634","List Properties":"\u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643 \u062e\u0627\u0633\u0644\u0649\u0642\u0644\u0649\u0631\u0649","List properties...":"\u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643 \u062e\u0627\u0633\u0644\u0649\u0642\u0644\u0649\u0631\u0649...","Start list at number":"\u062a\u0649\u0632\u0649\u0645\u0644\u0649\u0643\u0646\u0649 \u0633\u0627\u0646 \u0628\u0649\u0644\u06d5\u0646 \u0628\u0627\u0634\u0644\u0627\u0634","Line height":"\u0642\u06c7\u0631 \u0626\u0627\u0631\u0649\u0644\u0649\u0642\u0649","Dropped file type is not supported":"\u062a\u0627\u0634\u0644\u0627\u0646\u063a\u0627\u0646 \u06be\u06c6\u062c\u062c\u06d5\u062a \u062a\u0649\u067e\u0649\u0646\u0649 \u0642\u0648\u0644\u0644\u0649\u0645\u0627\u064a\u062f\u06c7","Loading...":"\u064a\u06c8\u0643\u0644\u0649\u0646\u0649\u06cb\u0627\u062a\u0649\u062f\u06c7...","ImageProxy HTTP error: Rejected request":"\u0631\u06d5\u0633\u0649\u0645 \u06cb\u0627\u0643\u0627\u0644\u06d5\u062a\u0686\u0649 HTTP \u062e\u0627\u062a\u0627\u0644\u0649\u0642\u0649: \u0626\u0649\u0644\u062a\u0649\u0645\u0627\u0633 \u0631\u06d5\u062a \u0642\u0649\u0644\u0649\u0646\u062f\u0649","ImageProxy HTTP error: Could not find Image Proxy":"\u0631\u06d5\u0633\u0649\u0645 \u06cb\u0627\u0643\u0627\u0644\u06d5\u062a\u0686\u0649 HTTP \u062e\u0627\u062a\u0627\u0644\u0649\u0642\u0649: \u0631\u06d5\u0633\u0649\u0645 \u06cb\u0627\u0643\u0627\u0644\u06d5\u062a\u0686\u0649\u0633\u0649\u0646\u0649 \u062a\u0627\u067e\u0627\u0644\u0645\u0649\u062f\u0649","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u0631\u06d5\u0633\u0649\u0645 \u06cb\u0627\u0643\u0627\u0644\u06d5\u062a\u0686\u0649 HTTP \u062e\u0627\u062a\u0627\u0644\u0649\u0642\u0649: \u0631\u06d5\u0633\u0649\u0645 \u06cb\u0627\u0643\u0627\u0644\u06d5\u062a\u0686\u0649 \u0626\u0627\u062f\u0631\u06d0\u0633\u0649 \u062e\u0627\u062a\u0627","ImageProxy HTTP error: Unknown ImageProxy error":"\u0631\u06d5\u0633\u0649\u0645 \u06cb\u0627\u0643\u0627\u0644\u06d5\u062a\u0686\u0649 HTTP \u062e\u0627\u062a\u0627\u0644\u0649\u0642\u0649: \u0646\u0627\u0645\u06d5\u0644\u06c7\u0645 \u0631\u06d5\u0633\u0649\u0645 \u06cb\u0627\u0643\u0627\u0644\u06d5\u062a\u0686\u0649 \u062e\u0627\u062a\u0627\u0644\u0649\u0642\u0649"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/uk.js b/deform/static/tinymce/langs/uk.js index d8fccd33..7f4e7ed9 100644 --- a/deform/static/tinymce/langs/uk.js +++ b/deform/static/tinymce/langs/uk.js @@ -1,159 +1 @@ -tinymce.addI18n('uk',{ -"Cut": "\u0412\u0438\u0440\u0456\u0437\u0430\u0442\u0438", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0412\u0430\u0448 \u0431\u0440\u0430\u0443\u0437\u0435\u0440 \u043d\u0435 \u043f\u0456\u0434\u0442\u0440\u0438\u043c\u0443\u0454 \u043f\u0440\u044f\u043c\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u0434\u043e \u0431\u0443\u0444\u0435\u0440\u0443 \u043e\u0431\u043c\u0456\u043d\u0443. \u0411\u0443\u0434\u044c \u043b\u0430\u0441\u043a\u0430, \u0432\u0438\u043a\u043e\u0440\u0438\u0441\u0442\u043e\u0432\u0443\u0439\u0442\u0435 Ctrl+X\/C\/V \u0437\u0430\u043c\u0456\u0441\u0442\u044c \u0441\u043f\u043e\u043b\u0443\u0447\u0435\u043d\u043d\u044f \u043a\u043b\u0430\u0432\u0456\u0448.", -"Paste": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438", -"Close": "\u0417\u0430\u043a\u0440\u0438\u0442\u0438", -"Align right": "\u041f\u043e \u043f\u0440\u0430\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"New document": "\u041d\u043e\u0432\u0438\u0439 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442", -"Numbered list": "\u041d\u0443\u043c\u0435\u0440\u043e\u0432\u0430\u043d\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a", -"Increase indent": "\u0417\u0431\u0456\u043b\u044c\u0448\u0438\u0442\u0438 \u0432\u0456\u0434\u0441\u0442\u0443\u043f", -"Formats": "\u0424\u043e\u0440\u043c\u0430\u0442\u0438", -"Select all": "\u0412\u0438\u0434\u0456\u043b\u0438\u0442\u0438 \u0432\u0441\u0435", -"Undo": "\u0412\u0456\u0434\u043c\u0456\u043d\u0438\u0442\u0438", -"Strikethrough": "\u0417\u0430\u043a\u0440\u0435\u0441\u043b\u0435\u043d\u0438\u0439", -"Bullet list": "\u041d\u0435\u043d\u0443\u043c\u0435\u0440\u043e\u0432\u0430\u043d\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a", -"Superscript": "\u0412\u0435\u0440\u0445\u043d\u0456\u0439 \u0456\u043d\u0434\u0435\u043a\u0441", -"Clear formatting": "\u041e\u0447\u0438\u0441\u0442\u0438\u0442\u0438 \u0444\u043e\u0440\u043c\u0430\u0442\u0443\u0432\u0430\u043d\u043d\u044f", -"Subscript": "\u041d\u0438\u0436\u043d\u0456\u0439 \u0456\u043d\u0434\u0435\u043a\u0441", -"Redo": "\u041f\u043e\u0432\u0435\u0440\u043d\u0443\u0442\u0438", -"Ok": "\u0413\u0430\u0440\u0430\u0437\u0434", -"Bold": "\u0416\u0438\u0440\u043d\u0438\u0439", -"Italic": "\u041a\u0443\u0440\u0441\u0438\u0432", -"Align center": "\u041f\u043e \u0446\u0435\u043d\u0442\u0440\u0443", -"Decrease indent": "\u0417\u043c\u0435\u043d\u0448\u0438\u0442\u0438\u0442\u0438 \u0432\u0456\u0434\u0441\u0442\u0443\u043f", -"Underline": "\u041f\u0456\u0434\u043a\u0440\u0435\u0441\u043b\u0435\u043d\u0438\u0439", -"Cancel": "\u0412\u0456\u0434\u043c\u0456\u043d\u0438\u0442\u0438", -"Justify": "\u0412\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f", -"Copy": "\u041a\u043e\u043f\u0456\u044e\u0432\u0430\u0442\u0438", -"Align left": "\u041f\u043e \u043b\u0456\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"Visual aids": "\u041d\u0430\u043e\u0447\u043d\u0456 \u043f\u0440\u0438\u043b\u0430\u0434\u0434\u044f", -"Lower Greek": "\u041c\u0430\u043b\u0456 \u0433\u0440\u0435\u0446\u044c\u043a\u0456 \u0431\u0443\u043a\u0432\u0438", -"Square": "\u041a\u0432\u0430\u0434\u0440\u0430\u0442\u0438", -"Default": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u0438\u0439", -"Lower Alpha": "\u041c\u0430\u043b\u0456 \u043b\u0430\u0442\u0438\u043d\u0441\u044c\u043a\u0456 \u0431\u0443\u043a\u0432\u0438", -"Circle": "\u041e\u043a\u0440\u0443\u0436\u043d\u043e\u0441\u0442\u0456", -"Disc": "\u041a\u0440\u0443\u0433\u0438", -"Upper Alpha": "\u0412\u0435\u043b\u0438\u043a\u0456 \u043b\u0430\u0442\u0438\u043d\u0441\u044c\u043a\u0456 \u0431\u0443\u043a\u0432\u0438", -"Upper Roman": "\u0420\u0438\u043c\u0441\u044c\u043a\u0456 \u0446\u0438\u0444\u0440\u0438", -"Lower Roman": "\u041c\u0430\u043b\u0456 \u0440\u0438\u043c\u0441\u044c\u043a\u0456 \u0446\u0438\u0444\u0440\u0438", -"Name": "\u041d\u0430\u0437\u0432\u0430", -"Anchor": "\u042f\u043a\u0456\u0440", -"You have unsaved changes are you sure you want to navigate away?": "\u0423 \u0412\u0430\u0441 \u0454 \u043d\u0435\u0437\u0431\u0435\u0440\u0435\u0436\u0435\u043d\u0456 \u0437\u043c\u0456\u043d\u0438. \u0412\u0438 \u0432\u043f\u0435\u0432\u043d\u0435\u043d\u0456, \u0449\u043e \u0445\u043e\u0447\u0435\u0442\u0435 \u043f\u0456\u0442\u0438?", -"Restore last draft": "\u0412\u0456\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u043d\u044f \u043e\u0441\u0442\u0430\u043d\u043d\u044c\u043e\u0433\u043e \u0432\u0430\u0440\u0456\u0430\u043d\u0442\u0443", -"Special character": "\u0421\u043f\u0435\u0446\u0456\u0430\u043b\u044c\u043d\u0456 \u0441\u0438\u043c\u0432\u043e\u043b\u0438", -"Source code": "\u0412\u0438\u0445\u0456\u0434\u043d\u0438\u0439 \u043a\u043e\u0434", -"Right to left": "\u0421\u043f\u0440\u0430\u0432\u0430 \u043d\u0430\u043b\u0456\u0432\u043e", -"Left to right": "\u0417\u043b\u0456\u0432\u0430 \u043d\u0430\u043f\u0440\u0430\u0432\u043e", -"Emoticons": "\u0415\u043c\u043e\u0446\u0456\u0457", -"Robots": "\u0420\u043e\u0431\u043e\u0442\u0438", -"Document properties": "\u0412\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0456 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430", -"Title": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Keywords": "\u041a\u043b\u044e\u0447\u043e\u0432\u0456 \u0441\u043b\u043e\u0432\u0430", -"Encoding": "\u041a\u043e\u0434\u0443\u0432\u0430\u043d\u043d\u044f", -"Description": "\u041e\u043f\u0438\u0441", -"Author": "\u0410\u0432\u0442\u043e\u0440", -"Fullscreen": "\u041f\u043e\u0432\u043d\u043e\u0435\u043a\u0440\u0430\u043d\u043d\u0438\u0439 \u0440\u0435\u0436\u0438\u043c", -"Horizontal line": "\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0430 \u043b\u0456\u043d\u0456\u044f", -"Horizontal space": "\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0438\u0439 \u0456\u043d\u0442\u0435\u0440\u0432\u0430\u043b", -"Insert\/edit image": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438\/\u0437\u043c\u0456\u043d\u0438\u0442\u0438 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"General": "\u0417\u0430\u0433\u0430\u043b\u044c\u043d\u0456", -"Advanced": "\u0420\u043e\u0437\u0448\u0438\u0440\u0435\u043d\u0456", -"Source": "\u0414\u0436\u0435\u0440\u0435\u043b\u043e", -"Border": "\u041c\u0435\u0436\u0430", -"Constrain proportions": "\u0417\u0431\u0435\u0440\u0456\u0433\u0430\u0442\u0438 \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0456\u0457", -"Vertical space": "\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u044c\u043d\u0438\u0439 \u0456\u043d\u0442\u0435\u0440\u0432\u0430\u043b", -"Image description": "\u041e\u043f\u0438\u0441 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"Style": "\u0421\u0442\u0438\u043b\u044c", -"Dimensions": "\u0420\u043e\u0437\u043c\u0456\u0440", -"Insert image": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"Insert date\/time": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0434\u0430\u0442\u0443\/\u0447\u0430\u0441", -"Url": "\u0410\u0434\u0440\u0435\u0441\u0430 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f", -"Text to display": "\u0422\u0435\u043a\u0441\u0442 \u0434\u043b\u044f \u0432\u0456\u0434\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"Insert link": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f", -"New window": "\u0423 \u043d\u043e\u0432\u043e\u043c\u0443 \u0432\u0456\u043a\u043d\u0456", -"None": "\u041d\u0456", -"Target": "\u0412\u0456\u0434\u043a\u0440\u0438\u0432\u0430\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f", -"Insert\/edit link": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438\/\u0440\u0435\u0434\u0430\u0433\u0443\u0432\u0430\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f", -"Insert\/edit video": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438\/\u0440\u0435\u0434\u0430\u0433\u0443\u0432\u0430\u0442\u0438 \u0432\u0456\u0434\u0435\u043e", -"Poster": "\u0417\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"Alternative source": "\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u0435 \u0434\u0436\u0435\u0440\u0435\u043b\u043e", -"Paste your embed code below:": "\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0432\u0430\u0448 \u043a\u043e\u0434 \u043d\u0438\u0436\u0447\u0435:", -"Insert video": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0432\u0456\u0434\u0435\u043e", -"Embed": "\u041a\u043e\u0434 \u0434\u043b\u044f \u0432\u0441\u0442\u0430\u0432\u043a\u0438", -"Nonbreaking space": "\u041d\u0435\u0440\u043e\u0437\u0440\u0438\u0432\u043d\u0438\u0439 \u043f\u0440\u043e\u0431\u0456\u043b", -"Page break": "\u0420\u043e\u0437\u0440\u0438\u0432 \u0441\u0442\u043e\u0440\u0456\u043d\u043a\u0438", -"Paste as text": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u044f\u043a \u0442\u0435\u043a\u0441\u0442", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u0412\u0441\u0442\u0430\u0432\u043a\u0430 \u0437\u0430\u0440\u0430\u0437 \u0432 \u0440\u0435\u0436\u0438\u043c\u0456 \u0437\u0432\u0438\u0447\u0430\u0439\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0443. \u0417\u043c\u0456\u0441\u0442 \u0431\u0443\u0434\u0435 \u0432\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0439 \u044f\u043a \u043f\u0440\u043e\u0441\u0442\u0438\u0439 \u0442\u0435\u043a\u0441\u0442, \u043f\u043e\u043a\u0438 \u0412\u0438 \u043d\u0435 \u0432\u0438\u043c\u043a\u043d\u0435\u0442\u0435 \u0446\u044e \u043e\u043f\u0446\u0456\u044e.", -"Preview": "\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0456\u0439 \u043f\u0435\u0440\u0435\u0433\u043b\u044f\u0434", -"Print": "\u0414\u0440\u0443\u043a\u0443\u0432\u0430\u0442\u0438", -"Save": "\u0417\u0431\u0435\u0440\u0435\u0433\u0442\u0438", -"Could not find the specified string.": "\u0412\u043a\u0430\u0437\u0430\u043d\u0438\u0439 \u0440\u044f\u0434\u043e\u043a \u043d\u0435 \u0437\u043d\u0430\u0439\u0434\u0435\u043d\u043e", -"Replace": "\u0417\u0430\u043c\u0456\u043d\u0438\u0442\u0438", -"Next": "\u0412\u043d\u0438\u0437", -"Whole words": "\u0426\u0456\u043b\u0456 \u0441\u043b\u043e\u0432\u0430", -"Find and replace": "\u041f\u043e\u0448\u0443\u043a \u0456 \u0437\u0430\u043c\u0456\u043d\u0430", -"Replace with": "\u0417\u0430\u043c\u0456\u043d\u0438\u0442\u0438 \u043d\u0430", -"Find": "\u0417\u043d\u0430\u0439\u0442\u0438", -"Replace all": "\u0417\u0430\u043c\u0456\u043d\u0438\u0442\u0438 \u0432\u0441\u0435", -"Match case": "\u0412\u0440\u0430\u0445\u043e\u0432\u0443\u0432\u0430\u0442\u0438 \u0440\u0435\u0433\u0456\u0441\u0442\u0440", -"Prev": "\u0412\u0433\u043e\u0440\u0443", -"Spellcheck": "\u041f\u0435\u0440\u0435\u0432\u0456\u0440\u043a\u0430 \u043e\u0440\u0444\u043e\u0433\u0440\u0430\u0444\u0456\u0457", -"Finish": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u0438", -"Ignore all": "\u0406\u0433\u043d\u043e\u0440\u0443\u0432\u0430\u0442\u0438 \u0432\u0441\u0435", -"Ignore": "\u0406\u0433\u043d\u043e\u0440\u0443\u0432\u0430\u0442\u0438", -"Insert row before": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u043f\u043e\u0440\u043e\u0436\u043d\u0456\u0439 \u0440\u044f\u0434\u043e\u043a \u0437\u0432\u0435\u0440\u0445\u0443", -"Rows": "\u0420\u044f\u0434\u043a\u0438", -"Height": "\u0412\u0438\u0441\u043e\u0442\u0430", -"Paste row after": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0440\u044f\u0434\u043e\u043a \u0437\u043d\u0438\u0437\u0443", -"Alignment": "\u0412\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f", -"Column group": "\u0413\u0440\u0443\u043f\u0430 \u0441\u0442\u043e\u0432\u043f\u0446\u0456\u0432", -"Row": "\u0420\u044f\u0434\u043e\u043a", -"Insert column before": "\u0414\u043e\u0434\u0430\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u043b\u0456\u0432\u043e\u0440\u0443\u0447", -"Split cell": "\u0420\u043e\u0437\u0431\u0438\u0442\u0438 \u043a\u043e\u043c\u0456\u0440\u043a\u0443", -"Cell padding": "\u041f\u043e\u043b\u044f \u043a\u043e\u043c\u0456\u0440\u043e\u043a", -"Cell spacing": "\u0412\u0456\u0434\u0441\u0442\u0430\u043d\u044c \u043c\u0456\u0436 \u043a\u043e\u043c\u0456\u0440\u043a\u0430\u043c\u0438", -"Row type": "\u0422\u0438\u043f \u0440\u044f\u0434\u043a\u0430", -"Insert table": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u044e", -"Body": "\u0422\u0456\u043b\u043e", -"Caption": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Footer": "\u041d\u0438\u0436\u043d\u0456\u0439 \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b", -"Delete row": "\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0440\u044f\u0434\u043e\u043a", -"Paste row before": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0440\u044f\u0434\u043e\u043a \u0437\u0432\u0435\u0440\u0445\u0443", -"Scope": "\u0421\u0444\u0435\u0440\u0430", -"Delete table": "\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u044e", -"Header cell": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Column": "\u0421\u0442\u043e\u0432\u043f\u0435\u0446\u044c", -"Cell": "\u041a\u043e\u043c\u0456\u0440\u043a\u0430", -"Header": "\u0428\u0430\u043f\u043a\u0430", -"Cell type": "\u0422\u0438\u043f \u043a\u043e\u043c\u0456\u0440\u043a\u0438", -"Copy row": "\u041a\u043e\u043f\u0456\u044e\u0432\u0430\u0442\u0438 \u0440\u044f\u0434\u043e\u043a", -"Row properties": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0438 \u0440\u044f\u0434\u043a\u0430", -"Table properties": "\u0412\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0456 \u0442\u0430\u0431\u043b\u0438\u0446\u0456", -"Row group": "\u0413\u0440\u0443\u043f\u0430 \u0440\u044f\u0434\u043a\u0456\u0432", -"Right": "\u041f\u043e \u043f\u0440\u0430\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"Insert column after": "\u0414\u043e\u0434\u0430\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u043f\u0440\u0430\u0432\u043e\u0440\u0443\u0447", -"Cols": "\u0421\u0442\u043e\u0432\u043f\u0446\u0456", -"Insert row after": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u043f\u043e\u0440\u043e\u0436\u043d\u0456\u0439 \u0440\u044f\u0434\u043e\u043a \u0437\u043d\u0438\u0437\u0443", -"Width": "\u0428\u0438\u0440\u0438\u043d\u0430", -"Cell properties": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0438 \u043a\u043e\u043c\u0456\u0440\u043a\u0438", -"Left": "\u041f\u043e \u043b\u0456\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e", -"Cut row": "\u0412\u0438\u0440\u0456\u0437\u0430\u0442\u0438 \u0440\u044f\u0434\u043e\u043a", -"Delete column": "\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c", -"Center": "\u041f\u043e \u0446\u0435\u043d\u0442\u0440\u0443", -"Merge cells": "\u041e\u0431'\u0454\u0434\u043d\u0430\u0442\u0438 \u043a\u043e\u043c\u0456\u0440\u043a\u0438", -"Insert template": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0448\u0430\u0431\u043b\u043e\u043d", -"Templates": "\u0428\u0430\u0431\u043b\u043e\u043d\u0438", -"Background color": "\u041a\u043e\u043b\u0456\u0440 \u0444\u043e\u043d\u0443", -"Text color": "\u041a\u043e\u043b\u0456\u0440 \u0442\u0435\u043a\u0441\u0442\u0443", -"Show blocks": "\u041f\u043e\u043a\u0430\u0437\u0443\u0432\u0430\u0442\u0438 \u0431\u043b\u043e\u043a\u0438", -"Show invisible characters": "\u041f\u043e\u043a\u0430\u0437\u0443\u0432\u0430\u0442\u0438 \u043d\u0435\u0432\u0438\u0434\u0438\u043c\u0456 \u0441\u0438\u043c\u0432\u043e\u043b\u0438", -"Words: {0}": "\u041a\u0456\u043b\u044c\u043a\u0456\u0441\u0442\u044c \u0441\u043b\u0456\u0432: {0}", -"Insert": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438", -"File": "\u0424\u0430\u0439\u043b", -"Edit": "\u0417\u043c\u0456\u043d\u0438\u0442\u0438", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u0422\u0435\u043a\u0441\u0442\u043e\u0432\u0435 \u043f\u043e\u043b\u0435. \u041d\u0430\u0442\u0438\u0441\u043d\u0456\u0442\u044c ALT-F9 \u0449\u043e\u0431 \u0432\u0438\u043a\u043b\u0438\u043a\u0430\u0442\u0438 \u043c\u0435\u043d\u044e, ALT-F10 \u043f\u0430\u043d\u0435\u043b\u044c \u0456\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0456\u0432, ALT-0 \u0434\u043b\u044f \u0432\u0438\u043a\u043b\u0438\u043a\u0443 \u0434\u043e\u043f\u043e\u043c\u043e\u0433\u0438.", -"Tools": "\u0406\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438", -"View": "\u0412\u0438\u0433\u043b\u044f\u0434", -"Table": "\u0422\u0430\u0431\u043b\u0438\u0446\u044f", -"Format": "\u0424\u043e\u0440\u043c\u0430\u0442" -}); \ No newline at end of file +tinymce.addI18n("uk",{"Redo":"\u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0438","Undo":"\u0421\u043a\u0430\u0441\u0443\u0432\u0430\u0442\u0438","Cut":"\u0412\u0438\u0440\u0456\u0437\u0430\u0442\u0438","Copy":"\u041a\u043e\u043f\u0456\u044e\u0432\u0430\u0442\u0438","Paste":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438","Select all":"\u0412\u0438\u0434\u0456\u043b\u0438\u0442\u0438 \u0432\u0441\u0435","New document":"\u0421\u0442\u0432\u043e\u0440\u0438\u0442\u0438 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442","Ok":"\u0413\u0430\u0440\u0430\u0437\u0434","Cancel":"\u0421\u043a\u0430\u0441\u0443\u0432\u0430\u0442\u0438","Visual aids":"\u041d\u0430\u043e\u0447\u043d\u0456 \u043f\u0440\u0438\u043b\u0430\u0434\u0434\u044f","Bold":"\u0416\u0438\u0440\u043d\u0438\u0439","Italic":"\u041a\u0443\u0440\u0441\u0438\u0432","Underline":"\u041f\u0456\u0434\u043a\u0440\u0435\u0441\u043b\u0435\u043d\u043d\u044f","Strikethrough":"\u041f\u0435\u0440\u0435\u043a\u0440\u0435\u0441\u043b\u0435\u043d\u043d\u044f","Superscript":"\u041d\u0430\u0434\u0440\u044f\u0434\u043a\u043e\u0432\u0438\u0439 \u0441\u0438\u043c\u0432\u043e\u043b","Subscript":"\u041f\u0456\u0434\u0440\u044f\u0434\u043a\u043e\u0432\u0438\u0439 \u0441\u0438\u043c\u0432\u043e\u043b","Clear formatting":"\u041e\u0447\u0438\u0441\u0442\u0438\u0442\u0438 \u0444\u043e\u0440\u043c\u0430\u0442\u0443\u0432\u0430\u043d\u043d\u044f","Remove":"\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438","Align left":"\u041f\u043e \u043b\u0456\u0432\u043e\u043c\u0443 \u043a\u0440\u0430\u044e","Align center":"\u0412\u0438\u0440\u0456\u0432\u043d\u044f\u0442\u0438 \u043f\u043e \u0446\u0435\u043d\u0442\u0440\u0443","Align right":"\u0412\u0438\u0440\u0456\u0432\u043d\u044f\u0442\u0438 \u0437\u0430 \u043f\u0440\u0430\u0432\u0438\u043c \u043a\u0440\u0430\u0454\u043c","No alignment":"\u0411\u0435\u0437 \u0432\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f","Justify":"\u0412\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f","Bullet list":"\u041d\u0435\u043d\u0443\u043c\u0435\u0440\u043e\u0432\u0430\u043d\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a","Numbered list":"\u041d\u0443\u043c\u0435\u0440\u043e\u0432\u0430\u043d\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a","Decrease indent":"\u0417\u043c\u0435\u043d\u0448\u0438\u0442\u0438 \u0432\u0456\u0434\u0441\u0442\u0443\u043f","Increase indent":"\u0417\u0431\u0456\u043b\u044c\u0448\u0438\u0442\u0438 \u0432\u0456\u0434\u0441\u0442\u0443\u043f","Close":"\u0417\u0430\u043a\u0440\u0438\u0442\u0438","Formats":"\u0424\u043e\u0440\u043c\u0430\u0442\u0438","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u0412\u0430\u0448 \u0431\u0440\u0430\u0443\u0437\u0435\u0440 \u043d\u0435 \u043f\u0456\u0434\u0442\u0440\u0438\u043c\u0443\u0454 \u043f\u0440\u044f\u043c\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u0434\u043e \u0431\u0443\u0444\u0435\u0440\u0430 \u043e\u0431\u043c\u0456\u043d\u0443. \u0412\u0438\u043a\u043e\u0440\u0438\u0441\u0442\u043e\u0432\u0443\u0439\u0442\u0435 \u043d\u0430\u0442\u043e\u043c\u0456\u0441\u0442\u044c \u0441\u043f\u043e\u043b\u0443\u0447\u0435\u043d\u043d\u044f \u043a\u043b\u0430\u0432\u0456\u0448 Ctrl\xa0+\xa0C/V/X.","Headings":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0438","Heading 1":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 1","Heading 2":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 2","Heading 3":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 3","Heading 4":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 4","Heading 5":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 5","Heading 6":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 6","Preformatted":"\u0424\u043e\u0440\u043c\u0430\u0442\u043e\u0432\u0430\u043d\u0438\u0439","Div":"\u0420\u043e\u0437\u0434\u0456\u043b","Pre":"\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0454 \u0444\u043e\u0440\u043c\u0430\u0442\u0443\u0432\u0430\u043d\u043d\u044f","Code":"\u041a\u043e\u0434","Paragraph":"\u0410\u0431\u0437\u0430\u0446","Blockquote":"\u0411\u043b\u043e\u043a \u0446\u0438\u0442\u0443\u0432\u0430\u043d\u043d\u044f","Inline":"\u0420\u044f\u0434\u043a\u043e\u0432\u0438\u0439","Blocks":"\u0411\u043b\u043e\u043a\u0438","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u0412\u0441\u0442\u0430\u0432\u043a\u0430 \u0437\u0434\u0456\u0439\u0441\u043d\u044e\u0454\u0442\u044c\u0441\u044f \u0443 \u0432\u0438\u0433\u043b\u044f\u0434\u0456 \u043f\u0440\u043e\u0441\u0442\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0443, \u043f\u043e\u043a\u0438 \u0434\u0430\u043d\u0443 \u043e\u043f\u0446\u0456\u044e \u043d\u0435 \u0432\u0438\u043c\u043a\u043d\u0435\u043d\u043e.","Fonts":"\u0428\u0440\u0438\u0444\u0442\u0438","Font sizes":"\u0420\u043e\u0437\u043c\u0456\u0440\u0438 \u0448\u0440\u0438\u0444\u0442\u0456\u0432","Class":"\u041a\u043b\u0430\u0441","Browse for an image":"\u0412\u0438\u0431\u0435\u0440\u0456\u0442\u044c \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f","OR":"\u0410\u0411\u041e","Drop an image here":"\u041f\u0435\u0440\u0435\u043c\u0456\u0441\u0442\u0456\u0442\u044c \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f \u0441\u044e\u0434\u0438","Upload":"\u0417\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0438\u0442\u0438","Uploading image":"\u0417\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0435\u043d\u043d\u044f \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f","Block":"\u0411\u043b\u043e\u043a","Align":"\u0412\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f","Default":"\u0417\u0430 \u0437\u0430\u043c\u043e\u0432\u0447\u0443\u0432\u0430\u043d\u043d\u044f\u043c","Circle":"\u041a\u043e\u043b\u043e","Disc":"\u0414\u0438\u0441\u043a","Square":"\u041a\u0432\u0430\u0434\u0440\u0430\u0442","Lower Alpha":"\u041c\u0430\u043b\u0456 \u043b\u0456\u0442\u0435\u0440\u0438","Lower Greek":"\u041c\u0430\u043b\u0456 \u0433\u0440\u0435\u0446\u044c\u043a\u0456 \u043b\u0456\u0442\u0435\u0440\u0438","Lower Roman":"\u041c\u0430\u043b\u0456 \u0440\u0438\u043c\u0441\u044c\u043a\u0456 \u043b\u0456\u0442\u0435\u0440\u0438","Upper Alpha":"\u0412\u0435\u043b\u0438\u043a\u0456 \u043b\u0456\u0442\u0435\u0440\u0438","Upper Roman":"\u0412\u0435\u043b\u0438\u043a\u0456 \u0440\u0438\u043c\u0441\u044c\u043a\u0456 \u043b\u0456\u0442\u0435\u0440\u0438","Anchor...":"\u042f\u043a\u0456\u0440\u2026","Anchor":"\u042f\u043a\u0456\u0440","Name":"\u041d\u0430\u0437\u0432\u0430","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"\u0406\u0434\u0435\u043d\u0442\u0438\u0444\u0456\u043a\u0430\u0442\u043e\u0440 \u043c\u0430\u0454 \u043f\u043e\u0447\u0438\u043d\u0430\u0442\u0438\u0441\u044f \u0437 \u043b\u0456\u0442\u0435\u0440\u0438, \u0437\u0430 \u044f\u043a\u043e\u044e \u0439\u0434\u0443\u0442\u044c \u043b\u0438\u0448\u0435 \u043b\u0456\u0442\u0435\u0440\u0438, \u0446\u0438\u0444\u0440\u0438, \u0442\u0438\u0440\u0435, \u043a\u0440\u0430\u043f\u043a\u0438, \u0434\u0432\u043e\u043a\u0440\u0430\u043f\u043a\u0438 \u0430\u0431\u043e \u043f\u0456\u0434\u043a\u0440\u0435\u0441\u043b\u0435\u043d\u043d\u044f.","You have unsaved changes are you sure you want to navigate away?":"\u0423 \u0432\u0430\u0441 \u0454 \u043d\u0435\u0437\u0431\u0435\u0440\u0435\u0436\u0435\u043d\u0456 \u0437\u043c\u0456\u043d\u0438. \u0412\u0438 \u0432\u043f\u0435\u0432\u043d\u0435\u043d\u0456, \u0449\u043e \u0445\u043e\u0447\u0435\u0442\u0435 \u043f\u0456\u0442\u0438?","Restore last draft":"\u0412\u0456\u0434\u043d\u043e\u0432\u043b\u0435\u043d\u043d\u044f \u043e\u0441\u0442\u0430\u043d\u043d\u044c\u043e\u0433\u043e \u043f\u0440\u043e\u0435\u043a\u0442\u0443","Special character...":"\u0421\u043f\u0435\u0446\u0456\u0430\u043b\u044c\u043d\u0438\u0439 \u0441\u0438\u043c\u0432\u043e\u043b\u2026","Special Character":"\u0421\u043f\u0435\u0446\u0456\u0430\u043b\u044c\u043d\u0438\u0439 \u0441\u0438\u043c\u0432\u043e\u043b","Source code":"\u0412\u0438\u0445\u0456\u0434\u043d\u0438\u0439 \u043a\u043e\u0434","Insert/Edit code sample":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438/\u0437\u043c\u0456\u043d\u0438\u0442\u0438 \u043f\u0440\u0438\u043a\u043b\u0430\u0434 \u043a\u043e\u0434\u0443","Language":"\u041c\u043e\u0432\u0430","Code sample...":"\u041f\u0440\u0438\u043a\u043b\u0430\u0434 \u043a\u043e\u0434\u0443\u2026","Left to right":"\u0417\u043b\u0456\u0432\u0430 \u043d\u0430\u043f\u0440\u0430\u0432\u043e","Right to left":"\u0421\u043f\u0440\u0430\u0432\u0430 \u043d\u0430\u043b\u0456\u0432\u043e","Title":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a","Fullscreen":"\u041d\u0430 \u0432\u0435\u0441\u044c \u0435\u043a\u0440\u0430\u043d","Action":"\u0414\u0456\u044f","Shortcut":"\u042f\u0440\u043b\u0438\u043a","Help":"\u0414\u043e\u0432\u0456\u0434\u043a\u0430","Address":"\u0410\u0434\u0440\u0435\u0441\u0430","Focus to menubar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043f\u0430\u043d\u0435\u043b\u044c \u043c\u0435\u043d\u044e","Focus to toolbar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043f\u0430\u043d\u0435\u043b\u0456 \u0456\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0456\u0432","Focus to element path":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u0448\u043b\u044f\u0445\u0443 \u0434\u043e \u0435\u043b\u0435\u043c\u0435\u043d\u0442\u0430","Focus to contextual toolbar":"\u0424\u043e\u043a\u0443\u0441 \u043d\u0430 \u043a\u043e\u043d\u0442\u0435\u043a\u0441\u0442\u043d\u0456\u0439 \u043f\u0430\u043d\u0435\u043b\u0456","Insert link (if link plugin activated)":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f (\u044f\u043a\u0449\u043e \u043f\u043b\u0430\u0491\u0456\u043d \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u044c \u0430\u043a\u0442\u0438\u0432\u043e\u0432\u0430\u043d\u043e)","Save (if save plugin activated)":"\u0417\u0431\u0435\u0440\u0435\u0433\u0442\u0438 (\u044f\u043a\u0449\u043e \u043f\u043b\u0430\u0491\u0456\u043d \u0437\u0431\u0435\u0440\u0435\u0436\u0435\u043d\u043d\u044f \u0430\u043a\u0442\u0438\u0432\u043e\u0432\u0430\u043d\u043e)","Find (if searchreplace plugin activated)":"\u0417\u043d\u0430\u0439\u0442\u0438 (\u044f\u043a\u0449\u043e \u043f\u043b\u0430\u0491\u0456\u043d \u043f\u043e\u0448\u0443\u043a\u0443 \u0430\u043a\u0442\u0438\u0432\u043e\u0432\u0430\u043d\u043e)","Plugins installed ({0}):":"\u0412\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u0456 \u043f\u043b\u0430\u0491\u0456\u043d\u0438 ({0}):","Premium plugins:":"\u041f\u0440\u0435\u043c\u0456\u0443\u043c \u043f\u043b\u0430\u0491\u0456\u043d\u0438:","Learn more...":"\u0414\u043e\u0434\u0430\u0442\u043a\u043e\u0432\u043e\u2026","You are using {0}":"\u0412\u0438 \u0432\u0438\u043a\u043e\u0440\u0438\u0441\u0442\u043e\u0432\u0443\u0454\u0442\u0435 {0}","Plugins":"\u041f\u043b\u0430\u0491\u0456\u043d\u0438","Handy Shortcuts":"\u0421\u043f\u043e\u043b\u0443\u0447\u0435\u043d\u043d\u044f \u043a\u043b\u0430\u0432\u0456\u0448","Horizontal line":"\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0430 \u043b\u0456\u043d\u0456\u044f","Insert/edit image":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438/\u0440\u0435\u0434\u0430\u0433\u0443\u0432\u0430\u0442\u0438 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f","Alternative description":"\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u0438\u0439 \u043e\u043f\u0438\u0441","Accessibility":"\u0414\u043e\u0441\u0442\u0443\u043f\u043d\u0456\u0441\u0442\u044c","Image is decorative":"\u0417\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f \u0434\u0435\u043a\u043e\u0440\u0430\u0442\u0438\u0432\u043d\u0435","Source":"\u0414\u0436\u0435\u0440\u0435\u043b\u043e","Dimensions":"\u0420\u043e\u0437\u043c\u0456\u0440\u0438","Constrain proportions":"\u0417\u0431\u0435\u0440\u0456\u0433\u0430\u0442\u0438 \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0456\u0457","General":"\u0417\u0430\u0433\u0430\u043b\u044c\u043d\u0456","Advanced":"\u0414\u043e\u0434\u0430\u0442\u043a\u043e\u0432\u043e","Style":"\u0421\u0442\u0438\u043b\u044c","Vertical space":"\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u044c\u043d\u0438\u0439 \u0456\u043d\u0442\u0435\u0440\u0432\u0430\u043b","Horizontal space":"\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0438\u0439 \u0456\u043d\u0442\u0435\u0440\u0432\u0430\u043b","Border":"\u041c\u0435\u0436\u0430","Insert image":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f","Image...":"\u0417\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f\u2026","Image list":"\u0421\u043f\u0438\u0441\u043e\u043a \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u044c","Resize":"\u0417\u043c\u0456\u043d\u0438\u0442\u0438 \u0440\u043e\u0437\u043c\u0456\u0440","Insert date/time":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0434\u0430\u0442\u0443/\u0447\u0430\u0441","Date/time":"\u0414\u0430\u0442\u0430/\u0447\u0430\u0441","Insert/edit link":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438/\u0440\u0435\u0434\u0430\u0433\u0443\u0432\u0430\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f","Text to display":"\u0412\u0456\u0434\u043e\u0431\u0440\u0430\u0436\u0443\u0432\u0430\u043d\u0438\u0439 \u0442\u0435\u043a\u0441\u0442","Url":"\u0410\u0434\u0440\u0435\u0441\u0430 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f","Open link in...":"\u0412\u0456\u0434\u043a\u0440\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f \u0432\u2026","Current window":"\u0423 \u043f\u043e\u0442\u043e\u0447\u043d\u043e\u043c\u0443 \u0432\u0456\u043a\u043d\u0456","None":"\u041d\u0435\u043c\u0430\u0454","New window":"\u0423 \u043d\u043e\u0432\u043e\u043c\u0443 \u0432\u0456\u043a\u043d\u0456","Open link":"\u0412\u0456\u0434\u043a\u0440\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f","Remove link":"\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f","Anchors":"\u042f\u043a\u043e\u0440\u0456","Link...":"\u041f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f\u2026","Paste or type a link":"\u0412\u0432\u0435\u0434\u0456\u0442\u044c \u0430\u0431\u043e \u0432\u0441\u0442\u0430\u0432\u0442\u0435 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0421\u0445\u043e\u0436\u0435, \u0449\u043e \u0432\u0438 \u0432\u0432\u0435\u043b\u0438 \u0430\u0434\u0440\u0435\u0441\u0443 \u0435\u043b\u0435\u043a\u0442\u0440\u043e\u043d\u043d\u043e\u0457 \u043f\u043e\u0448\u0442\u0438. \u0411\u0430\u0436\u0430\u0454\u0442\u0435 \u0434\u043e\u0434\u0430\u0442\u0438 \u043f\u0440\u0435\u0444\u0456\u043a\u0441 \xabmailto:\xbb?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0421\u0445\u043e\u0436\u0435, \u0449\u043e \u0432\u0438 \u0432\u0432\u0435\u043b\u0438 \u0437\u043e\u0432\u043d\u0456\u0448\u043d\u0454 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f. \u0411\u0430\u0436\u0430\u0454\u0442\u0435 \u0434\u043e\u0434\u0430\u0442\u0438 \u043f\u0440\u0435\u0444\u0456\u043a\u0441 \xabhttp://\xbb?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":'\u0421\u0445\u043e\u0436\u0435, \u0449\u043e \u0412\u0438 \u0432\u0432\u0435\u043b\u0438 \u0437\u043e\u0432\u043d\u0456\u0448\u043d\u0454 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f. \u0411\u0430\u0436\u0430\u0454\u0442\u0435 \u0434\u043e\u0434\u0430\u0442\u0438 \u043f\u0440\u0435\u0444\u0456\u043a\u0441 "https://"?',"Link list":"\u0421\u043f\u0438\u0441\u043e\u043a \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u044c","Insert video":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0432\u0456\u0434\u0435\u043e","Insert/edit video":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438/\u0440\u0435\u0434\u0430\u0433\u0443\u0432\u0430\u0442\u0438 \u0432\u0456\u0434\u0435\u043e","Insert/edit media":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438/\u0440\u0435\u0434\u0430\u0433\u0443\u0432\u0430\u0442\u0438 \u043c\u0435\u0434\u0456\u0430","Alternative source":"\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u0435 \u0434\u0436\u0435\u0440\u0435\u043b\u043e","Alternative source URL":"\u041f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f \u043d\u0430 \u0430\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u0435 \u0434\u0436\u0435\u0440\u0435\u043b\u043e","Media poster (Image URL)":"\u0421\u0432\u0456\u0442\u043b\u0438\u043d\u0430 \u043c\u0435\u0434\u0456\u0430 (\u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f \u043d\u0430 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f)","Paste your embed code below:":"\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0432\u0430\u0448 \u043a\u043e\u0434 \u043d\u0438\u0436\u0447\u0435:","Embed":"\u041a\u043e\u0434 \u0434\u043b\u044f \u0432\u0441\u0442\u0430\u0432\u043a\u0438","Media...":"\u041c\u0435\u0434\u0456\u0430\u2026","Nonbreaking space":"\u041d\u0435\u0440\u043e\u0437\u0440\u0438\u0432\u043d\u0438\u0439 \u043f\u0440\u043e\u0431\u0456\u043b","Page break":"\u0420\u043e\u0437\u0440\u0438\u0432 \u0441\u0442\u043e\u0440\u0456\u043d\u043a\u0438","Paste as text":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u044f\u043a \u0442\u0435\u043a\u0441\u0442","Preview":"\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0456\u0439 \u043f\u0435\u0440\u0435\u0433\u043b\u044f\u0434","Print":"\u0414\u0440\u0443\u043a","Print...":"\u0414\u0440\u0443\u043a\u0443\u0432\u0430\u0442\u0438\u2026","Save":"\u0417\u0431\u0435\u0440\u0435\u0433\u0442\u0438","Find":"\u0417\u043d\u0430\u0439\u0442\u0438","Replace with":"\u0417\u0430\u043c\u0456\u043d\u0438\u0442\u0438 \u043d\u0430","Replace":"\u0417\u0430\u043c\u0456\u043d\u0438\u0442\u0438","Replace all":"\u0417\u0430\u043c\u0456\u043d\u0438\u0442\u0438 \u0432\u0441\u0435","Previous":"\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0456\u0439","Next":"\u041d\u0430\u0441\u0442\u0443\u043f\u043d\u0438\u0439","Find and Replace":"\u0417\u043d\u0430\u0439\u0442\u0438 \u0456 \u0437\u0430\u043c\u0456\u043d\u0438\u0442\u0438","Find and replace...":"\u041f\u043e\u0448\u0443\u043a \u0456 \u0437\u0430\u043c\u0456\u043d\u0430\u2026","Could not find the specified string.":"\u0412\u043a\u0430\u0437\u0430\u043d\u0438\u0439 \u0440\u044f\u0434\u043e\u043a \u043d\u0435 \u0437\u043d\u0430\u0439\u0434\u0435\u043d\u043e.","Match case":"\u0412\u0440\u0430\u0445\u043e\u0432\u0443\u0432\u0430\u0442\u0438 \u0440\u0435\u0433\u0456\u0441\u0442\u0440","Find whole words only":"\u0428\u0443\u043a\u0430\u0442\u0438 \u0442\u0456\u043b\u044c\u043a\u0438 \u0446\u0456\u043b\u0456 \u0441\u043b\u043e\u0432\u0430","Find in selection":"\u0417\u043d\u0430\u0439\u0442\u0438 \u0443 \u0432\u0438\u0434\u0456\u043b\u0435\u043d\u043e\u043c\u0443","Insert table":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u044e","Table properties":"\u0412\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0456 \u0442\u0430\u0431\u043b\u0438\u0446\u0456","Delete table":"\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u044e","Cell":"\u041a\u043e\u043c\u0456\u0440\u043a\u0430","Row":"\u0420\u044f\u0434\u043e\u043a","Column":"\u0421\u0442\u043e\u0432\u043f\u0435\u0446\u044c","Cell properties":"\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0438 \u043a\u043e\u043c\u0456\u0440\u043a\u0438","Merge cells":"\u041e\u0431\u2019\u0454\u0434\u043d\u0430\u0442\u0438 \u043a\u043e\u043c\u0456\u0440\u043a\u0438","Split cell":"\u0420\u043e\u0437\u0434\u0456\u043b\u0438\u0442\u0438 \u043a\u043e\u043c\u0456\u0440\u043a\u0443","Insert row before":"\u0414\u043e\u0434\u0430\u0442\u0438 \u043f\u043e\u0440\u043e\u0436\u043d\u0456\u0439 \u0440\u044f\u0434\u043e\u043a \u0437\u0432\u0435\u0440\u0445\u0443","Insert row after":"\u0414\u043e\u0434\u0430\u0442\u0438 \u043f\u043e\u0440\u043e\u0436\u043d\u0456\u0439 \u0440\u044f\u0434\u043e\u043a \u0437\u043d\u0438\u0437\u0443","Delete row":"\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0440\u044f\u0434\u043e\u043a","Row properties":"\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0438 \u0440\u044f\u0434\u043a\u0430","Cut row":"\u0412\u0438\u0440\u0456\u0437\u0430\u0442\u0438 \u0440\u044f\u0434\u043e\u043a","Cut column":"\u0412\u0438\u0440\u0456\u0437\u0430\u0442\u0438 \u043a\u043e\u043b\u043e\u043d\u043a\u0443","Copy row":"\u041a\u043e\u043f\u0456\u044e\u0432\u0430\u0442\u0438 \u0440\u044f\u0434\u043e\u043a","Copy column":"\u041a\u043e\u043f\u0456\u044e\u0432\u0430\u0442\u0438 \u043a\u043e\u043b\u043e\u043d\u043a\u0443","Paste row before":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0440\u044f\u0434\u043e\u043a \u0437 \u0431\u0443\u0444\u0435\u0440\u0430 \u0437\u0432\u0435\u0440\u0445\u0443","Paste column before":"\u0414\u043e\u0434\u0430\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u043b\u0456\u0432\u043e\u0440\u0443\u0447","Paste row after":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0440\u044f\u0434\u043e\u043a \u0437 \u0431\u0443\u0444\u0435\u0440\u0430 \u0437\u043d\u0438\u0437\u0443","Paste column after":"\u0414\u043e\u0434\u0430\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u043f\u0440\u0430\u0432\u043e\u0440\u0443\u0447","Insert column before":"\u0414\u043e\u0434\u0430\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u043b\u0456\u0432\u043e\u0440\u0443\u0447","Insert column after":"\u0414\u043e\u0434\u0430\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u043f\u0440\u0430\u0432\u043e\u0440\u0443\u0447","Delete column":"\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c","Cols":"\u0421\u0442\u043e\u0432\u043f\u0446\u0456","Rows":"\u0420\u044f\u0434\u043a\u0438","Width":"\u0428\u0438\u0440\u0438\u043d\u0430","Height":"\u0412\u0438\u0441\u043e\u0442\u0430","Cell spacing":"\u0412\u0456\u0434\u0441\u0442\u0430\u043d\u044c \u043c\u0456\u0436 \u043a\u043e\u043c\u0456\u0440\u043a\u0430\u043c\u0438","Cell padding":"\u041f\u043e\u043b\u044f \u043a\u043e\u043c\u0456\u0440\u043e\u043a","Row clipboard actions":"\u0414\u0456\u0457 \u0437 \u0431\u0443\u0444\u0435\u0440\u043e\u043c \u043e\u0431\u043c\u0456\u043d\u0443 \u0440\u044f\u0434\u043a\u0456\u0432","Column clipboard actions":"\u0414\u0456\u0457 \u0437 \u0431\u0443\u0444\u0435\u0440\u043e\u043c \u043e\u0431\u043c\u0456\u043d\u0443 \u0441\u0442\u043e\u0432\u043f\u0446\u0456\u0432","Table styles":"\u0421\u0442\u0438\u043b\u0456 \u0442\u0430\u0431\u043b\u0438\u0446\u0456","Cell styles":"\u0421\u0442\u0438\u043b\u0456 \u043a\u043e\u043c\u0456\u0440\u043a\u0438","Column header":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0441\u0442\u043e\u0432\u043f\u0446\u044f","Row header":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0440\u044f\u0434\u043a\u0430","Table caption":"\u041f\u0456\u0434\u043f\u0438\u0441 \u0442\u0430\u0431\u043b\u0438\u0446\u0456","Caption":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a","Show caption":"\u041f\u043e\u043a\u0430\u0437\u0443\u0432\u0430\u0442\u0438 \u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a","Left":"\u041b\u0456\u0432\u043e\u0440\u0443\u0447","Center":"\u041f\u043e \u0446\u0435\u043d\u0442\u0440\u0443","Right":"\u041f\u0440\u0430\u0432\u043e\u0440\u0443\u0447","Cell type":"\u0422\u0438\u043f \u043a\u043e\u043c\u0456\u0440\u043a\u0438","Scope":"\u041e\u0431\u043b\u0430\u0441\u0442\u044c","Alignment":"\u0412\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f","Horizontal align":"\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0435 \u0432\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f","Vertical align":"\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u044c\u043d\u0435 \u0432\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f","Top":"\u0412\u0433\u043e\u0440\u0456","Middle":"\u041f\u043e\u0441\u0435\u0440\u0435\u0434\u0438\u043d\u0456","Bottom":"\u0417\u043d\u0438\u0437\u0443","Header cell":"\u041a\u043b\u0456\u0442\u0438\u043d\u043a\u0430 \u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0430","Row group":"\u0413\u0440\u0443\u043f\u0430 \u0440\u044f\u0434\u043a\u0456\u0432","Column group":"\u0413\u0440\u0443\u043f\u0430 \u0441\u0442\u043e\u0432\u043f\u0446\u0456\u0432","Row type":"\u0422\u0438\u043f \u0440\u044f\u0434\u043a\u0430","Header":"\u0412\u0435\u0440\u0445\u043d\u0456\u0439 \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b","Body":"\u0422\u0456\u043b\u043e","Footer":"\u041d\u0438\u0436\u043d\u0456\u0439 \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b","Border color":"\u041a\u043e\u043b\u0456\u0440 \u043c\u0435\u0436\u0456","Solid":"\u0421\u0443\u0446\u0456\u043b\u044c\u043d\u0430","Dotted":"\u041f\u0443\u043d\u043a\u0442\u0438\u0440\u043d\u0430","Dashed":"\u0428\u0442\u0440\u0438\u0445\u043e\u0432\u0430","Double":"\u041f\u043e\u0434\u0432\u0456\u0439\u043d\u0430","Groove":"\u041a\u0430\u043d\u0430\u0432\u043a\u0430","Ridge":"\u0412\u0438\u0441\u0442\u0443\u043f","Inset":"\u0412\u043a\u043b\u0430\u0434\u043a\u0430","Outset":"\u041d\u0430 \u043f\u043e\u0447\u0430\u0442\u043a\u0443","Hidden":"\u041f\u0440\u0438\u0445\u043e\u0432\u0430\u043d\u043e","Insert template...":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0448\u0430\u0431\u043b\u043e\u043d\u2026","Templates":"\u0428\u0430\u0431\u043b\u043e\u043d\u0438","Template":"\u0428\u0430\u0431\u043b\u043e\u043d","Insert Template":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0448\u0430\u0431\u043b\u043e\u043d","Text color":"\u041a\u043e\u043b\u0456\u0440 \u0442\u0435\u043a\u0441\u0442\u0443","Background color":"\u041a\u043e\u043b\u0456\u0440 \u0442\u043b\u0430","Custom...":"\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0446\u044c\u043a\u0438\u0439\u2026","Custom color":"\u041a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0446\u044c\u043a\u0438\u0439 \u043a\u043e\u043b\u0456\u0440","No color":"\u0411\u0435\u0437 \u043a\u043e\u043b\u044c\u043e\u0440\u0443","Remove color":"\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u043a\u043e\u043b\u0456\u0440","Show blocks":"\u041f\u043e\u043a\u0430\u0437\u0443\u0432\u0430\u0442\u0438 \u0431\u043b\u043e\u043a\u0438","Show invisible characters":"\u041f\u043e\u043a\u0430\u0437\u0443\u0432\u0430\u0442\u0438 \u043d\u0435\u0432\u0438\u0434\u0438\u043c\u0456 \u0441\u0438\u043c\u0432\u043e\u043b\u0438","Word count":"\u041a\u0456\u043b\u044c\u043a\u0456\u0441\u0442\u044c \u0441\u043b\u0456\u0432","Count":"\u041b\u0456\u0447\u0438\u043b\u044c\u043d\u0438\u043a","Document":"\u0414\u043e\u043a\u0443\u043c\u0435\u043d\u0442","Selection":"\u0412\u0438\u0434\u0456\u043b\u0435\u043d\u043d\u044f","Words":"\u0421\u043b\u043e\u0432\u0430","Words: {0}":"\u041a\u0456\u043b\u044c\u043a\u0456\u0441\u0442\u044c \u0441\u043b\u0456\u0432: {0}","{0} words":"{0} \u0441\u043b\u0456\u0432","File":"\u0424\u0430\u0439\u043b","Edit":"\u0420\u0435\u0434\u0430\u0433\u0443\u0432\u0430\u0442\u0438","Insert":"\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438","View":"\u0412\u0438\u0433\u043b\u044f\u0434","Format":"\u0424\u043e\u0440\u043c\u0430\u0442","Table":"\u0422\u0430\u0431\u043b\u0438\u0446\u044f","Tools":"\u0406\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438","Powered by {0}":"\u0417\u0430\u0441\u043d\u043e\u0432\u0430\u043d\u043e \u043d\u0430 {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u041e\u0431\u043b\u0430\u0441\u0442\u044c \u0444\u043e\u0440\u043c\u0430\u0442\u043e\u0432\u0430\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0443. \u041d\u0430\u0442\u0438\u0441\u043d\u0456\u0442\u044c ALT\xa0+\xa0F9, \u0449\u043e\u0431 \u0432\u0438\u043a\u043b\u0438\u043a\u0430\u0442\u0438 \u043c\u0435\u043d\u044e, ALT\xa0+\xa0F10 \u2014 \u043f\u0430\u043d\u0435\u043b\u044c \u0456\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0456\u0432, ALT\xa0+\xa00 \u2014 \u0434\u043e\u0432\u0456\u0434\u043a\u0443.","Image title":"\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f","Border width":"\u0428\u0438\u0440\u0438\u043d\u0430 \u043c\u0435\u0436\u0456","Border style":"\u0421\u0442\u0438\u043b\u044c \u043c\u0435\u0436\u0456","Error":"\u041f\u043e\u043c\u0438\u043b\u043a\u0430","Warn":"\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u0436\u0435\u043d\u043d\u044f","Valid":"\u0412\u0456\u0440\u043d\u0438\u0439","To open the popup, press Shift+Enter":"\u0429\u043e\u0431 \u0432\u0456\u0434\u043a\u0440\u0438\u0442\u0438 \u0441\u043f\u043b\u0438\u0432\u043d\u0435 \u0432\u0456\u043a\u043d\u043e, \u043d\u0430\u0442\u0438\u0441\u043d\u0456\u0442\u044c Shift\xa0+\xa0Enter","Rich Text Area":"\u041e\u0431\u043b\u0430\u0441\u0442\u044c \u0440\u043e\u0437\u0448\u0438\u0440\u0435\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0443","Rich Text Area. Press ALT-0 for help.":"\u041e\u0431\u043b\u0430\u0441\u0442\u044c \u0444\u043e\u0440\u043c\u0430\u0442\u043e\u0432\u0430\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0443. \u041d\u0430\u0442\u0438\u0441\u043d\u0456\u0442\u044c ALT\xa0+\xa00, \u0449\u043e\u0431 \u0432\u0456\u0434\u043a\u0440\u0438\u0442\u0438 \u0434\u043e\u0432\u0456\u0434\u043a\u0443.","System Font":"\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u0438\u0439 \u0448\u0440\u0438\u0444\u0442","Failed to upload image: {0}":"\u041d\u0435 \u0432\u0434\u0430\u043b\u043e\u0441\u044f \u0432\u0456\u0434\u0432\u0430\u043d\u0442\u0430\u0436\u0438\u0442\u0438 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f: {0}","Failed to load plugin: {0} from url {1}":"\u041d\u0435 \u0432\u0434\u0430\u043b\u043e\u0441\u044f \u0437\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0438\u0442\u0438 \u043f\u043b\u0430\u0491\u0456\u043d: {0} \u0437\u0430 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f\u043c {1}","Failed to load plugin url: {0}":"\u041d\u0435 \u0432\u0434\u0430\u043b\u043e\u0441\u044f \u0437\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f \u043d\u0430 \u043f\u043b\u0430\u0491\u0456\u043d: {0}","Failed to initialize plugin: {0}":"\u041d\u0435 \u0432\u0434\u0430\u043b\u043e\u0441\u044f \u0456\u043d\u0456\u0446\u0456\u0430\u043b\u0456\u0437\u0443\u0432\u0430\u0442\u0438 \u043f\u043b\u0430\u0491\u0456\u043d: {0}","example":"\u043f\u0440\u0438\u043a\u043b\u0430\u0434","Search":"\u041f\u043e\u0448\u0443\u043a","All":"\u0412\u0441\u0435","Currency":"\u0412\u0430\u043b\u044e\u0442\u0430","Text":"\u0422\u0435\u043a\u0441\u0442","Quotations":"\u0426\u0438\u0442\u0443\u0432\u0430\u043d\u043d\u044f","Mathematical":"\u041c\u0430\u0442\u0435\u043c\u0430\u0442\u0438\u0447\u043d\u0456 \u0441\u0438\u043c\u0432\u043e\u043b\u0438","Extended Latin":"\u0420\u043e\u0437\u0448\u0438\u0440\u0435\u043d\u0430 \u043b\u0430\u0442\u0438\u043d\u0438\u0446\u044f","Symbols":"\u0421\u0438\u043c\u0432\u043e\u043b\u0438","Arrows":"\u0421\u0442\u0440\u0456\u043b\u043a\u0438","User Defined":"\u0412\u0438\u0437\u043d\u0430\u0447\u0435\u043d\u0456 \u043a\u043e\u0440\u0438\u0441\u0442\u0443\u0432\u0430\u0447\u0435\u043c","dollar sign":"\u0437\u043d\u0430\u043a \u0434\u043e\u043b\u0430\u0440\u0430","currency sign":"\u0437\u043d\u0430\u043a \u0432\u0430\u043b\u044e\u0442\u0438","euro-currency sign":"\u0437\u043d\u0430\u043a \u0454\u0432\u0440\u043e","colon sign":"\u0437\u043d\u0430\u043a \u0434\u0432\u043e\u043a\u0440\u0430\u043f\u043a\u0438","cruzeiro sign":"\u0437\u043d\u0430\u043a \u043a\u0440\u0443\u0437\u0435\u0439\u0440\u043e","french franc sign":"\u0437\u043d\u0430\u043a \u0444\u0440\u0430\u043d\u0446\u0443\u0437\u044c\u043a\u043e\u0433\u043e \u0444\u0440\u0430\u043d\u043a\u0443","lira sign":"\u0437\u043d\u0430\u043a \u043b\u0456\u0440\u0438","mill sign":"\u0437\u043d\u0430\u043a \u043c\u0456\u043b\u044e","naira sign":"\u0437\u043d\u0430\u043a \u043d\u0430\u0439\u0440\u0438","peseta sign":"\u0437\u043d\u0430\u043a \u043f\u0435\u0441\u0435\u0442\u0438","rupee sign":"\u0437\u043d\u0430\u043a \u0440\u0443\u043f\u0456\u0457","won sign":"\u0437\u043d\u0430\u043a \u0432\u043e\u043d\u0438","new sheqel sign":"\u0437\u043d\u0430\u043a \u043d\u043e\u0432\u043e\u0433\u043e \u0448\u0435\u043a\u0435\u043b\u044f","dong sign":"\u0437\u043d\u0430\u043a \u0434\u043e\u043d\u0433\u0443","kip sign":"\u0437\u043d\u0430\u043a \u043a\u0456\u043f\u0443","tugrik sign":"\u0437\u043d\u0430\u043a \u0442\u0443\u0433\u0440\u0438\u043a\u0430","drachma sign":"\u0437\u043d\u0430\u043a \u0434\u0440\u0430\u0445\u043c\u0438","german penny symbol":"\u0417\u043d\u0430\u043a \u043d\u0456\u043c\u0435\u0446\u044c\u043a\u043e\u0433\u043e \u043f\u0435\u043d\u043d\u0456","peso sign":"\u0417\u043d\u0430\u043a \u043f\u0435\u0441\u043e","guarani sign":"\u0417\u043d\u0430\u043a \u0433\u0443\u0430\u0440\u0430\u043d\u0456","austral sign":"\u0437\u043d\u0430\u043a \u0430\u0443\u0441\u0442\u0440\u0430\u043b\u044e","hryvnia sign":"\u0437\u043d\u0430\u043a \u0433\u0440\u0438\u0432\u043d\u0456","cedi sign":"\u0437\u043d\u0430\u043a \u0441\u0435\u0434\u0456","livre tournois sign":"\u0437\u043d\u0430\u043a \u0442\u0443\u0440\u0441\u044c\u043a\u043e\u0433\u043e \u043b\u0456\u0432\u0440\u0443","spesmilo sign":"\u0437\u043d\u0430\u043a \u0441\u043f\u0435\u0441\u043c\u0456\u043b\u043e","tenge sign":"\u0437\u043d\u0430\u043a \u0442\u0435\u043d\u0433\u0435","indian rupee sign":"\u0437\u043d\u0430\u043a \u0456\u043d\u0434\u0456\u0439\u0441\u044c\u043a\u043e\u0457 \u0440\u0443\u043f\u0456\u0457","turkish lira sign":"\u0437\u043d\u0430\u043a \u0442\u0443\u0440\u0435\u0446\u044c\u043a\u043e\u0457 \u043b\u0456\u0440\u0438","nordic mark sign":"\u0437\u043d\u0430\u043a \u043f\u0456\u0432\u043d\u0456\u0447\u043d\u043e\u0457 \u043c\u0430\u0440\u043a\u0438","manat sign":"\u0437\u043d\u0430\u043a \u043c\u0430\u043d\u0430\u0442\u0443","ruble sign":"\u0437\u043d\u0430\u043a \u0440\u0443\u0431\u043b\u044f","yen character":"\u0441\u0438\u043c\u0432\u043e\u043b \u0454\u043d\u0438","yuan character":"\u0441\u0438\u043c\u0432\u043e\u043b \u044e\u0430\u043d\u044e","yuan character, in hong kong and taiwan":"\u0441\u0438\u043c\u0432\u043e\u043b \u044e\u0430\u043d\u044e \u0432 \u0413\u043e\u043d\u043a\u043e\u043d\u0437\u0456 \u0456 \u0422\u0430\u0439\u0432\u0430\u043d\u0456","yen/yuan character variant one":"\u0441\u0438\u043c\u0432\u043e\u043b \u0454\u043d\u0438/\u044e\u0430\u043d\u044e, \u043f\u0435\u0440\u0448\u0438\u0439 \u0432\u0430\u0440\u0456\u0430\u043d\u0442","Emojis":"\u0415\u043c\u043e\u0434\u0436\u0456","Emojis...":"\u0415\u043c\u043e\u0434\u0436\u0456...","Loading emojis...":"\u0415\u043c\u043e\u0434\u0436\u0456 \u0437\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0443\u044e\u0442\u044c\u0441\u044f...","Could not load emojis":"\u041d\u0435 \u043c\u043e\u0436\u0443 \u0437\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0438\u0442\u0438 \u0435\u043c\u043e\u0434\u0436\u0456","People":"\u041b\u044e\u0434\u0438","Animals and Nature":"\u0422\u0432\u0430\u0440\u0438\u043d\u0438 \u0442\u0430 \u043f\u0440\u0438\u0440\u043e\u0434\u0430","Food and Drink":"\u0407\u0436\u0430 \u0442\u0430 \u043d\u0430\u043f\u043e\u0457","Activity":"\u0410\u043a\u0442\u0438\u0432\u043d\u0456\u0441\u0442\u044c","Travel and Places":"\u041f\u043e\u0434\u043e\u0440\u043e\u0436\u0456 \u0456 \u043c\u0456\u0441\u0446\u044f","Objects":"\u041e\u0431\u2019\u0454\u043a\u0442\u0438","Flags":"\u041f\u0440\u0430\u043f\u043e\u0440\u0438","Characters":"\u0421\u0438\u043c\u0432\u043e\u043b\u0438","Characters (no spaces)":"\u0421\u0438\u043c\u0432\u043e\u043b\u0438 (\u0431\u0435\u0437 \u043f\u0440\u043e\u0431\u0456\u043b\u0456\u0432)","{0} characters":"\u041a\u0456\u043b\u044c\u043a\u0456\u0441\u0442\u044c \u0441\u0438\u043c\u0432\u043e\u043b\u0456\u0432: {0}","Error: Form submit field collision.":"\u041f\u043e\u043c\u0438\u043b\u043a\u0430: \u043a\u043e\u043b\u0456\u0437\u0456\u044f \u043f\u043e\u043b\u044f \u0432\u0456\u0434\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u043d\u044f \u0444\u043e\u0440\u043c\u0438.","Error: No form element found.":"\u041f\u043e\u043c\u0438\u043b\u043a\u0430: \u043d\u0435 \u0437\u043d\u0430\u0439\u0434\u0435\u043d\u043e \u0435\u043b\u0435\u043c\u0435\u043d\u0442\u0430 \u0444\u043e\u0440\u043c\u0438.","Color swatch":"\u0417\u0440\u0430\u0437\u043e\u043a \u043a\u043e\u043b\u044c\u043e\u0440\u0443","Color Picker":"\u041f\u0456\u043f\u0435\u0442\u043a\u0430 \u043a\u043e\u043b\u044c\u043e\u0440\u0443","Invalid hex color code: {0}":"\u041d\u0435\u043f\u0440\u0430\u0432\u0438\u043b\u044c\u043d\u0438\u0439 hex-\u043a\u043e\u0434 \u043a\u043e\u043b\u044c\u043e\u0440\u0443: {0}","Invalid input":"\u041d\u0435\u043f\u0440\u0430\u0432\u0438\u043b\u044c\u043d\u0438\u0439 \u0432\u0432\u0456\u0434","R":"\u0427\u0435\u0440\u0432\u043e\u043d\u0438\u0439","Red component":"\u0427\u0435\u0440\u0432\u043e\u043d\u0438\u0439 \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442","G":"\u0417\u0435\u043b\u0435\u043d\u0438\u0439","Green component":"\u0417\u0435\u043b\u0435\u043d\u0438\u0439 \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442","B":"\u0421\u0438\u043d\u0456\u0439","Blue component":"\u0421\u0438\u043d\u0456\u0439 \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442","#":"#","Hex color code":"\u041a\u043e\u043b\u0456\u0440\u043d\u0438\u0439 \u043a\u043e\u0434","Range 0 to 255":"\u0414\u0456\u0430\u043f\u0430\u0437\u043e\u043d \u0432\u0456\u0434 0 \u0434\u043e 255","Turquoise":"\u0411\u0456\u0440\u044e\u0437\u043e\u0432\u0438\u0439","Green":"\u0417\u0435\u043b\u0435\u043d\u0438\u0439","Blue":"\u0421\u0438\u043d\u0456\u0439","Purple":"\u0424\u0456\u043e\u043b\u0435\u0442\u043e\u0432\u0438\u0439","Navy Blue":"\u0422\u0435\u043c\u043d\u043e-\u0441\u0438\u043d\u0456\u0439","Dark Turquoise":"\u0422\u0435\u043c\u043d\u043e-\u0431\u0456\u0440\u044e\u0437\u043e\u0432\u0438\u0439","Dark Green":"\u0422\u0435\u043c\u043d\u043e-\u0437\u0435\u043b\u0435\u043d\u0438\u0439","Medium Blue":"\u0421\u0435\u0440\u0435\u0434\u043d\u044c\u043e-\u0441\u0438\u043d\u0456\u0439","Medium Purple":"\u0421\u0435\u0440\u0435\u0434\u043d\u044c\u043e-\u0444\u0456\u043e\u043b\u0435\u0442\u043e\u0432\u0438\u0439","Midnight Blue":"\u041e\u043f\u0456\u0432\u043d\u0456\u0447\u043d\u0430 \u0431\u043b\u0430\u043a\u0438\u0442\u044c","Yellow":"\u0416\u043e\u0432\u0442\u0438\u0439","Orange":"\u041f\u043e\u043c\u0430\u0440\u0430\u043d\u0447\u0435\u0432\u0438\u0439","Red":"\u0427\u0435\u0440\u0432\u043e\u043d\u0438\u0439","Light Gray":"\u0421\u0432\u0456\u0442\u043b\u043e-\u0441\u0456\u0440\u0438\u0439","Gray":"\u0421\u0456\u0440\u0438\u0439","Dark Yellow":"\u0422\u0435\u043c\u043d\u043e-\u0436\u043e\u0432\u0442\u0438\u0439","Dark Orange":"\u0422\u0435\u043c\u043d\u043e-\u043f\u043e\u043c\u0430\u0440\u0430\u043d\u0447\u0435\u0432\u0438\u0439","Dark Red":"\u0422\u0435\u043c\u043d\u043e-\u0447\u0435\u0440\u0432\u043e\u043d\u0438\u0439","Medium Gray":"\u0421\u0435\u0440\u0435\u0434\u043d\u044c\u043e-\u0441\u0456\u0440\u0438\u0439","Dark Gray":"\u0422\u0435\u043c\u043d\u043e-\u0441\u0456\u0440\u0438\u0439","Light Green":"\u0421\u0432\u0456\u0442\u043b\u043e-\u0437\u0435\u043b\u0435\u043d\u0438\u0439","Light Yellow":"\u0421\u0432\u0456\u0442\u043b\u043e-\u0436\u043e\u0432\u0442\u0438\u0439","Light Red":"\u0421\u0432\u0456\u0442\u043b\u043e-\u0447\u0435\u0440\u0432\u043e\u043d\u0438\u0439","Light Purple":"\u0421\u0432\u0456\u0442\u043b\u043e-\u0444\u0456\u043e\u043b\u0435\u0442\u043e\u0432\u0438\u0439","Light Blue":"\u0421\u0432\u0456\u0442\u043b\u043e-\u0441\u0438\u043d\u0456\u0439","Dark Purple":"\u0422\u0435\u043c\u043d\u043e-\u0444\u0456\u043e\u043b\u0435\u0442\u043e\u0432\u0438\u0439","Dark Blue":"\u0422\u0435\u043c\u043d\u043e-\u0433\u043e\u043b\u0443\u0431\u0438\u0439","Black":"\u0427\u043e\u0440\u043d\u0438\u0439","White":"\u0411\u0456\u043b\u0438\u0439","Switch to or from fullscreen mode":"\u041f\u0435\u0440\u0435\u043c\u0438\u043a\u0430\u043d\u043d\u044f \u043f\u043e\u0432\u043d\u043e\u0435\u043a\u0440\u0430\u043d\u043d\u043e\u0433\u043e \u0440\u0435\u0436\u0438\u043c\u0443","Open help dialog":"\u0412\u0456\u0434\u043a\u0440\u0438\u0442\u0438 \u0432\u0456\u043a\u043d\u043e \u0434\u043e\u0432\u0456\u0434\u043a\u0438","history":"\u0456\u0441\u0442\u043e\u0440\u0456\u044f","styles":"\u0441\u0442\u0438\u043b\u0456","formatting":"\u0444\u043e\u0440\u043c\u0430\u0442\u0443\u0432\u0430\u043d\u043d\u044f","alignment":"\u0432\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f","indentation":"\u0432\u0456\u0434\u0441\u0442\u0443\u043f","Font":"\u0428\u0440\u0438\u0444\u0442","Size":"\u0420\u043e\u0437\u043c\u0456\u0440","More...":"\u0411\u0456\u043b\u044c\u0448\u0435\u2026","Select...":"\u0412\u0438\u0431\u0440\u0430\u0442\u0438\u2026","Preferences":"\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0438","Yes":"\u0422\u0430\u043a","No":"\u041d\u0456","Keyboard Navigation":"\u041a\u0435\u0440\u0443\u0432\u0430\u043d\u043d\u044f \u0437\u0430 \u0434\u043e\u043f\u043e\u043c\u043e\u0433\u043e\u044e \u043a\u043b\u0430\u0432\u0456\u0430\u0442\u0443\u0440\u0438","Version":"\u0412\u0435\u0440\u0441\u0456\u044f","Code view":"\u041f\u0435\u0440\u0435\u0433\u043b\u044f\u0434 \u043a\u043e\u0434\u0443","Open popup menu for split buttons":"\u0412\u0456\u0434\u043a\u0440\u0438\u0442\u0438 \u0441\u043f\u043b\u0438\u0432\u0430\u044e\u0447\u0435 \u043c\u0435\u043d\u044e \u0434\u043b\u044f \u0440\u043e\u0437\u0434\u0456\u043b\u0435\u043d\u0438\u0445 \u043a\u043d\u043e\u043f\u043e\u043a","List Properties":"\u0421\u043f\u0438\u0441\u043e\u043a \u0432\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0435\u0439","List properties...":"\u0421\u043f\u0438\u0441\u043e\u043a \u0432\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0435\u0439...","Start list at number":"\u041f\u043e\u0447\u0430\u0442\u0438 \u0441\u043f\u0438\u0441\u043e\u043a \u0437 \u043d\u043e\u043c\u0435\u0440\u0430","Line height":"\u0412\u0438\u0441\u043e\u0442\u0430 \u0440\u044f\u0434\u043a\u0430","Dropped file type is not supported":"\u041d\u0435 \u043f\u0456\u0434\u0442\u0440\u0438\u043c\u0443\u0454\u0442\u044c\u0441\u044f \u0441\u043a\u0438\u043d\u0443\u0442\u0438\u0439 \u0442\u0438\u043f \u0444\u0430\u0439\u043b\u0443","Loading...":"\u0417\u0430\u0432\u0430\u043d\u0442\u0430\u0436\u0435\u043d\u043d\u044f...","ImageProxy HTTP error: Rejected request":"\u041f\u043e\u043c\u0438\u043b\u043a\u0430 HTTP ImageProxy: \u0412\u0456\u0434\u0445\u0438\u043b\u0435\u043d\u043e \u0437\u0430\u043f\u0438\u0442","ImageProxy HTTP error: Could not find Image Proxy":"\u041f\u043e\u043c\u0438\u043b\u043a\u0430 HTTP ImageProxy: \u041d\u0435 \u0432\u0434\u0430\u043b\u043e\u0441\u044f \u0437\u043d\u0430\u0439\u0442\u0438 Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u041f\u043e\u043c\u0438\u043b\u043a\u0430 HTTP Image Proxy: \u041d\u0435\u043f\u0440\u0430\u0432\u0438\u043b\u044c\u043d\u0430 URL-\u0430\u0434\u0440\u0435\u0441\u0430 \u043f\u0440\u043e\u043a\u0441\u0456-\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u044c","ImageProxy HTTP error: Unknown ImageProxy error":"\u041f\u043e\u043c\u0438\u043b\u043a\u0430 HTTP ImageProxy: \u041d\u0435\u0432\u0456\u0434\u043e\u043c\u0430 \u043f\u043e\u043c\u0438\u043b\u043a\u0430 ImageProxy"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/uk_UA.js b/deform/static/tinymce/langs/uk_UA.js deleted file mode 100644 index e10a5f5c..00000000 --- a/deform/static/tinymce/langs/uk_UA.js +++ /dev/null @@ -1,175 +0,0 @@ -tinymce.addI18n('uk_UA',{ -"Cut": "\u0412\u0438\u0440\u0456\u0437\u0430\u0442\u0438", -"Header 2": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u0412\u0430\u0448 \u0431\u0440\u0430\u0443\u0437\u0435\u0440 \u043d\u0435 \u043f\u0456\u0434\u0442\u0440\u0438\u043c\u0443\u0454 \u043f\u0440\u044f\u043c\u0438\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u0434\u043e \u0431\u0443\u0444\u0435\u0440\u0430 \u043e\u0431\u043c\u0456\u043d\u0443. \u0417\u0430\u043c\u0456\u0441\u0442\u044c \u0446\u044c\u043e\u0433\u043e \u0432\u0438\u043a\u043e\u0440\u0438\u0441\u0442\u043e\u0432\u0443\u0439\u0442\u0435 \u043f\u043e\u0454\u0434\u043d\u0430\u043d\u043d\u044f \u043a\u043b\u0430\u0432\u0456\u0448 Ctrl + X\/C\/V.", -"Div": "Div", -"Paste": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438", -"Close": "\u0417\u0430\u043a\u0440\u0438\u0442\u0438", -"Pre": "Pre", -"Align right": "\u041f\u0440\u0430\u0432\u043e\u0440\u0443\u0447", -"New document": "\u041d\u043e\u0432\u0438\u0439 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442", -"Blockquote": "\u0426\u0438\u0442\u0430\u0442\u0430", -"Numbered list": "\u041f\u0440\u043e\u043d\u0443\u043c\u0435\u0440\u043e\u0432\u0430\u043d\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a", -"Increase indent": "\u0417\u0431\u0456\u043b\u044c\u0448\u0438\u0442\u0438 \u0432\u0456\u0434\u0441\u0442\u0443\u043f", -"Formats": "\u0424\u043e\u0440\u043c\u0430\u0442\u0438", -"Headers": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0438", -"Select all": "\u0412\u0438\u0431\u0435\u0440\u0456\u0442\u044c \u0443\u0441\u0435", -"Header 3": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 3", -"Blocks": "\u0411\u043b\u043e\u043a\u0438", -"Undo": "\u0412\u0456\u0434\u043c\u0456\u043d\u0438\u0442\u0438", -"Strikethrough": "\u041f\u0435\u0440\u0435\u043a\u0440\u0435\u0441\u043b\u0435\u043d\u0438\u0439", -"Bullet list": "\u041c\u0430\u0440\u043a\u0456\u0440\u043e\u0432\u0430\u043d\u0438\u0439 \u0441\u043f\u0438\u0441\u043e\u043a", -"Header 1": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 1", -"Superscript": "\u0412\u0435\u0440\u0445\u043d\u0456\u0439 \u0456\u043d\u0434\u0435\u043a\u0441", -"Clear formatting": "\u041e\u0447\u0438\u0441\u0442\u0438\u0442\u0438 \u0444\u043e\u0440\u043c\u0430\u0442\u0443\u0432\u0430\u043d\u043d\u044f", -"Subscript": "\u0406\u043d\u0434\u0435\u043a\u0441", -"Header 6": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 6", -"Redo": "\u0412\u0456\u0434\u043d\u043e\u0432\u0438\u0442\u0438", -"Paragraph": "\u0410\u0431\u0437\u0430\u0446", -"Ok": "Ok", -"Bold": "\u0416\u0438\u0440\u043d\u0438\u0439", -"Code": "\u041a\u043e\u0434", -"Italic": "\u041a\u0443\u0440\u0441\u0438\u0432", -"Align center": "\u041f\u043e \u0446\u0435\u043d\u0442\u0440\u0443", -"Header 5": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 5", -"Decrease indent": "\u0417\u043c\u0435\u043d\u0448\u0438\u0442\u0438 \u0432\u0456\u0434\u0441\u0442\u0443\u043f", -"Header 4": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u0412\u0441\u0442\u0430\u0432\u043a\u0430 \u0437\u0430\u0440\u0430\u0437 \u0432 \u0440\u0435\u0436\u0438\u043c\u0456 \u0437\u0432\u0438\u0447\u0430\u0439\u043d\u043e\u0433\u043e \u0442\u0435\u043a\u0441\u0442\u0443. \u0417\u043c\u0456\u0441\u0442 \u0431\u0443\u0434\u0435 \u0432\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0439 \u044f\u043a \u043f\u0440\u043e\u0441\u0442\u0438\u0439 \u0442\u0435\u043a\u0441\u0442, \u043f\u043e\u043a\u0438 \u0412\u0438 \u043d\u0435 \u0432\u0438\u043c\u043a\u043d\u0435\u0442\u0435 \u0446\u044e \u043e\u043f\u0446\u0456\u044e.", -"Underline": "\u041f\u0456\u0434\u043a\u0440\u0435\u0441\u043b\u0435\u043d\u0438\u0439", -"Cancel": "\u0412\u0456\u0434\u043c\u0456\u043d\u0438\u0442\u0438", -"Justify": "\u0412\u0438\u0440\u0456\u0432\u043d\u044f\u0442\u0438", -"Inline": "\u0412\u0431\u0443\u0434\u043e\u0432\u0430\u043d\u0438\u0439", -"Copy": "\u041a\u043e\u043f\u0456\u044e\u0432\u0430\u0442\u0438", -"Align left": "\u041b\u0456\u0432\u043e\u0440\u0443\u0447", -"Visual aids": "\u0412\u0456\u0437\u0443\u0430\u043b\u044c\u043d\u0456 \u0437\u0430\u0441\u043e\u0431\u0438", -"Lower Greek": "\u041d\u0438\u0436\u043d\u044f \u0433\u0440\u0435\u0446\u044c\u043a\u0430", -"Square": "\u041a\u0432\u0430\u0434\u0440\u0430\u0442", -"Default": "\u0423\u043c\u043e\u0432\u0447\u0430\u043d\u043d\u044f", -"Lower Alpha": "\u041d\u0438\u0436\u0447\u0430 \u0410\u043b\u044c\u0444\u0430", -"Circle": "\u041a\u0440\u0443\u0433", -"Disc": "\u0414\u0438\u0441\u043a", -"Upper Alpha": "\u0412\u0435\u0440\u0445\u043d\u044f \u0410\u043b\u044c\u0444\u0430", -"Upper Roman": "\u0412\u0435\u0440\u0445\u043d\u0456\u0439 \u0440\u0438\u043c\u0441\u044c\u043a\u0430", -"Lower Roman": "\u041d\u0438\u0436\u043d\u044f \u0440\u0438\u043c\u0441\u044c\u043a\u0430", -"Name": "\u0406\u043c'\u044f", -"Anchor": "\u041f\u0440\u0438\u0432'\u044f\u0437\u043a\u0430", -"You have unsaved changes are you sure you want to navigate away?": "\u0423 \u0432\u0430\u0441 \u0454 \u043d\u0435\u0437\u0431\u0435\u0440\u0435\u0436\u0435\u043d\u0456 \u0437\u043c\u0456\u043d\u0438, \u0412\u0438 \u0443\u043f\u0435\u0432\u043d\u0435\u043d\u0456, \u0449\u043e \u0445\u043e\u0447\u0435\u0442\u0435 \u043f\u0456\u0442\u0438 ?", -"Restore last draft": "\u0412\u0456\u0434\u043d\u043e\u0432\u0438\u0442\u0438 \u043e\u0441\u0442\u0430\u043d\u043d\u0456\u0439 \u043f\u0440\u043e\u0435\u043a\u0442", -"Special character": "\u0421\u043f\u0435\u0446\u0456\u0430\u043b\u044c\u043d\u0438\u0439 \u0441\u0438\u043c\u0432\u043e\u043b", -"Source code": "\u041f\u043e\u0447\u0430\u0442\u043a\u043e\u0432\u0438\u0439 \u043a\u043e\u0434", -"Right to left": "\u0421\u043f\u0440\u0430\u0432\u0430 \u043d\u0430\u043b\u0456\u0432\u043e", -"Left to right": "\u0417\u043b\u0456\u0432\u0430 \u043d\u0430\u043f\u0440\u0430\u0432\u043e", -"Emoticons": "\u0421\u043c\u0430\u0439\u043b\u0438\u043a\u0438", -"Robots": "\u0420\u043e\u0431\u043e\u0442\u0438", -"Document properties": "\u0412\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0456 \u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0443", -"Title": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Keywords": "\u041a\u043b\u044e\u0447\u043e\u0432\u0456 \u0441\u043b\u043e\u0432\u0430", -"Encoding": "\u041a\u043e\u0434\u0443\u0432\u0430\u043d\u043d\u044f", -"Description": "\u041e\u043f\u0438\u0441", -"Author": "\u0410\u0432\u0442\u043e\u0440", -"Fullscreen": "\u041f\u043e\u0432\u043d\u043e\u0435\u043a\u0440\u0430\u043d\u043d\u0438\u0439", -"Horizontal line": "\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c", -"Horizontal space": "\u0413\u043e\u0440\u0438\u0437\u043e\u043d\u0442\u0430\u043b\u044c\u043d\u0438\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a", -"Insert\/edit image": "\u0412\u0441\u0442\u0430\u0432\u043a\u0430\/\u043f\u0440\u0430\u0432\u043a\u0430 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"General": "\u0417\u0430\u0433\u0430\u043b\u044c\u043d\u0435", -"Advanced": "\u0414\u043e\u0434\u0430\u0442\u043a\u043e\u0432\u043e", -"Source": "\u0414\u0436\u0435\u0440\u0435\u043b\u043e", -"Border": "\u041c\u0435\u0436\u0430", -"Constrain proportions": "\u0421\u0442\u0440\u0438\u043c\u0430\u0442\u0438 \u043f\u0440\u043e\u043f\u043e\u0440\u0446\u0456\u0457", -"Vertical space": "\u0412\u0435\u0440\u0442\u0438\u043a\u0430\u043b\u044c\u043d\u0438\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a", -"Image description": "\u041e\u043f\u0438\u0441 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"Style": "\u0421\u0442\u0438\u043b\u044c", -"Dimensions": "\u0412\u0438\u043c\u0456\u0440\u0438", -"Insert image": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"Insert date\/time": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0434\u0430\u0442\u0443\/\u0447\u0430\u0441", -"Remove link": "\u0412\u0438\u0434\u0430\u043b\u0456\u0442\u044c \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f", -"Url": "Url", -"Text to display": "\u0422\u0435\u043a\u0441\u0442 \u0434\u043b\u044f \u0432\u0456\u0434\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u043d\u044f", -"Anchors": "\u042f\u043a\u043e\u0440\u044f", -"Insert link": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f", -"New window": "\u041d\u043e\u0432\u0435 \u0432\u0456\u043a\u043d\u043e", -"None": "\u041d\u0456", -"Target": "\u041c\u0435\u0442\u0430", -"Insert\/edit link": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438\/\u043f\u0440\u0430\u0432\u0438\u0442\u0438 \u043f\u043e\u0441\u0438\u043b\u0430\u043d\u043d\u044f", -"Insert\/edit video": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438\/\u043f\u0440\u0430\u0432\u0438\u0442\u0438 \u0432\u0456\u0434\u0435\u043e", -"Poster": "\u0410\u0444\u0456\u0448\u0430", -"Alternative source": "\u0410\u043b\u044c\u0442\u0435\u0440\u043d\u0430\u0442\u0438\u0432\u043d\u0435 \u0434\u0436\u0435\u0440\u0435\u043b\u043e", -"Paste your embed code below:": "\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0432\u0430\u0448 \u0432\u043f\u0440\u043e\u0432\u0430\u0434\u0436\u0435\u043d\u0438\u0439 \u043a\u043e\u0434 \u043d\u0438\u0436\u0447\u0435:", -"Insert video": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0432\u0456\u0434\u0435\u043e", -"Embed": "\u0412\u043f\u0440\u043e\u0432\u0430\u0434\u0438\u0442\u0438", -"Nonbreaking space": "\u041d\u0435\u0440\u043e\u0437\u0440\u0438\u0432\u043d\u0438\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a", -"Page break": "\u0420\u043e\u0437\u0440\u0438\u0432 \u0441\u0442\u043e\u0440\u0456\u043d\u043a\u0438", -"Paste as text": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u044f\u043a \u0442\u0435\u043a\u0441\u0442", -"Preview": "\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0456\u0439 \u043f\u0435\u0440\u0435\u0433\u043b\u044f\u0434", -"Print": "\u0414\u0440\u0443\u043a", -"Save": "\u0417\u0431\u0435\u0440\u0435\u0433\u0442\u0438", -"Could not find the specified string.": "\u041d\u0435 \u0437\u043c\u0456\u0433 \u0437\u043d\u0430\u0439\u0442\u0438 \u0432\u043a\u0430\u0437\u0430\u043d\u0438\u0439 \u0440\u044f\u0434\u043e\u043a.", -"Replace": "\u0417\u0430\u043c\u0456\u043d\u0430", -"Next": "\u041d\u0430\u0441\u0442\u0443\u043f\u043d\u0438\u0439", -"Whole words": "\u0426\u0456\u043b\u0456 \u0441\u043b\u043e\u0432\u0430", -"Find and replace": "\u0417\u043d\u0430\u0439\u0442\u0438 \u0456 \u0437\u0430\u043c\u0456\u043d\u0438\u0442\u0438", -"Replace with": "\u0417\u0430\u043c\u0456\u043d\u0430 \u043d\u0430", -"Find": "\u0417\u043d\u0430\u0439\u0442\u0438", -"Replace all": "\u0417\u0430\u043c\u0456\u043d\u0456\u0442\u044c \u0443\u0441\u0435", -"Match case": "\u0417 \u0443\u0440\u0430\u0445\u0443\u0432\u0430\u043d\u043d\u044f\u043c \u0440\u0435\u0433\u0456\u0441\u0442\u0440\u0430", -"Prev": "\u041f\u043e\u043f\u0435\u0440\u0435\u0434\u043d\u0456\u0439", -"Spellcheck": "\u041f\u0435\u0440\u0435\u0432\u0456\u0440\u043a\u0430 \u043e\u0440\u0444\u043e\u0433\u0440\u0430\u0444\u0456\u0457", -"Finish": "\u0424\u0456\u043d\u0456\u0448", -"Ignore all": "\u0406\u0433\u043d\u043e\u0440\u0443\u0432\u0430\u0442\u0438 \u0443\u0441\u0435", -"Ignore": "\u0406\u0433\u043d\u043e\u0440\u0443\u0432\u0430\u0442\u0438", -"Insert row before": "\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0440\u044f\u0434\u043e\u043a \u0440\u0430\u043d\u0456\u0448\u0435", -"Rows": "\u0420\u044f\u0434\u0438", -"Height": "\u0412\u0438\u0441\u043e\u0442\u0430", -"Paste row after": "\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0440\u044f\u0434\u043e\u043a \u043f\u0456\u0441\u043b\u044f", -"Alignment": "\u0412\u0438\u0440\u0456\u0432\u043d\u044e\u0432\u0430\u043d\u043d\u044f", -"Column group": "\u0413\u0440\u0443\u043f\u0430 \u0441\u0442\u043e\u0432\u043f\u0446\u0456\u0432", -"Row": "\u0420\u044f\u0434\u043e\u043a", -"Insert column before": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u0440\u0430\u043d\u0456\u0448\u0435", -"Split cell": "\u0420\u043e\u0437\u0431\u0438\u0439\u0442\u0435 \u043e\u0441\u0435\u0440\u0435\u0434\u043e\u043a", -"Cell padding": "\u0417\u0430\u043f\u043e\u0432\u043d\u0435\u043d\u043d\u044f \u043e\u0441\u0435\u0440\u0435\u0434\u043a\u0456\u0432", -"Cell spacing": "\u0406\u043d\u0442\u0435\u0440\u0432\u0430\u043b \u043c\u0456\u0436 \u043e\u0441\u0435\u0440\u0435\u0434\u043a\u0430\u043c\u0438", -"Row type": "\u0422\u0438\u043f \u0440\u044f\u0434\u0443", -"Insert table": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u044e", -"Body": "\u0422\u0456\u043b\u043e", -"Caption": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a", -"Footer": "\u041d\u0438\u0436\u043d\u0456\u0439 \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b", -"Delete row": "\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0440\u044f\u0434\u043e\u043a", -"Paste row before": "\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0440\u044f\u0434\u043e\u043a \u0440\u0430\u043d\u0456\u0448\u0435", -"Scope": "\u0423 \u043c\u0435\u0436\u0430\u0445", -"Delete table": "\u0412\u0438\u0434\u0430\u043b\u0438\u0442\u0438 \u0442\u0430\u0431\u043b\u0438\u0446\u044e", -"Header cell": "\u041e\u0441\u0435\u0440\u0435\u0434\u043e\u043a \u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043a\u0430", -"Column": "\u0421\u0442\u043e\u0432\u043f\u0435\u0446\u044c", -"Cell": "\u041e\u0441\u0435\u0440\u0435\u0434\u043e\u043a", -"Header": "\u0412\u0435\u0440\u0445\u043d\u0456\u0439 \u043a\u043e\u043b\u043e\u043d\u0442\u0438\u0442\u0443\u043b", -"Cell type": "\u0422\u0438\u043f \u043e\u0441\u0435\u0440\u0435\u0434\u043a\u0443", -"Copy row": "\u041a\u043e\u043f\u0456\u044e\u0432\u0430\u0442\u0438 \u0440\u044f\u0434\u043e\u043a", -"Row properties": "\u0412\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0456 \u0440\u044f\u0434\u043a\u0430", -"Table properties": "\u0412\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0456 \u0442\u0430\u0431\u043b\u0438\u0446\u0456", -"Row group": "\u0413\u0440\u0443\u043f\u0430 \u0440\u044f\u0434\u0456\u0432", -"Right": "\u041f\u0440\u0430\u0432\u043e\u0440\u0443\u0447", -"Insert column after": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438 \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c \u043f\u0456\u0441\u043b\u044f", -"Cols": "\u0421\u0442\u043e\u0432\u043f\u0446\u0456", -"Insert row after": "\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0440\u044f\u0434\u043e\u043a \u043f\u0456\u0441\u043b\u044f", -"Width": "\u0428\u0438\u0440\u0438\u043d\u0430", -"Cell properties": "\u0412\u043b\u0430\u0441\u0442\u0438\u0432\u043e\u0441\u0442\u0456 \u043e\u0441\u0435\u0440\u0435\u0434\u043a\u0443", -"Left": "\u041b\u0456\u0432\u043e\u0440\u0443\u0447", -"Cut row": "\u0412\u0438\u0440\u0456\u0437\u0430\u0442\u0438 \u0440\u044f\u0434\u043e\u043a", -"Delete column": "\u0412\u0438\u0434\u0430\u043b\u0456\u0442\u044c \u0441\u0442\u043e\u0432\u043f\u0435\u0446\u044c", -"Center": "\u0426\u0435\u043d\u0442\u0440", -"Merge cells": "\u041e\u0431'\u0454\u0434\u043d\u0430\u0439\u0442\u0435 \u043e\u0441\u0435\u0440\u0435\u0434\u043a\u0438", -"Insert template": "\u0412\u0441\u0442\u0430\u0432\u0442\u0435 \u0448\u0430\u0431\u043b\u043e\u043d", -"Templates": "\u0428\u0430\u0431\u043b\u043e\u043d\u0438", -"Background color": "\u041a\u043e\u043b\u0456\u0440 \u0444\u043e\u043d\u0443", -"Text color": "\u041a\u043e\u043b\u0456\u0440 \u0442\u0435\u043a\u0441\u0442\u0443", -"Show blocks": "\u041f\u043e\u043a\u0430\u0437\u0430\u0442\u0438 \u0431\u043b\u043e\u043a\u0438", -"Show invisible characters": "\u041f\u043e\u043a\u0430\u0437\u0430\u0442\u0438 \u043d\u0435\u0432\u0438\u0434\u0438\u043c\u0456 \u0441\u0438\u043c\u0432\u043e\u043b\u0438", -"Words: {0}": "\u0421\u043b\u043e\u0432\u0430: {0}", -"Insert": "\u0412\u0441\u0442\u0430\u0432\u0438\u0442\u0438", -"File": "\u0424\u0430\u0439\u043b", -"Edit": "\u041f\u0440\u0430\u0432\u043a\u0430", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u041e\u0431\u043b\u0430\u0441\u0442\u044c Rich \u0442\u0435\u043a\u0441\u0442\u0443. \u041d\u0430\u0442\u0438\u0441\u043d\u0456\u0442\u044c ALT-F9 - \u043c\u0435\u043d\u044e. \u041d\u0430\u0442\u0438\u0441\u043d\u0456\u0442\u044c ALT-F10 - \u043f\u0430\u043d\u0435\u043b\u044c \u0456\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0456\u0432. \u041d\u0430\u0442\u0438\u0441\u043d\u0456\u0442\u044c ALT-0 - \u0434\u043e\u0432\u0456\u0434\u043a\u0430", -"Tools": "\u0406\u043d\u0441\u0442\u0440\u0443\u043c\u0435\u043d\u0442\u0438", -"View": "\u0412\u0438\u0434", -"Table": "\u0422\u0430\u0431\u043b\u0438\u0446\u044f", -"Format": "\u0424\u043e\u0440\u043c\u0430\u0442" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/uz.js b/deform/static/tinymce/langs/uz.js new file mode 100644 index 00000000..50c1371d --- /dev/null +++ b/deform/static/tinymce/langs/uz.js @@ -0,0 +1 @@ +tinymce.addI18n("uz",{"Redo":"Bekor qilish","Undo":"Orqaga qaytarish","Cut":"Kesib olish","Copy":"Nusxa olish","Paste":"Qo\u2018yish","Select all":"Barchasini belgilash","New document":"Yangi hujjat","Ok":"Ok","Cancel":"Bekor qilish","Visual aids":"Ko\u2018rgazmali o\u2018quv qurollar","Bold":"Qalin","Italic":"Yotiq","Underline":"Tagi chizilgan","Strikethrough":"O'chirilgan yozuv","Superscript":"Yuqori yozuv","Subscript":"Quyi yozuv","Clear formatting":"Formatlashni tozalash","Remove":"Olib tashlash","Align left":"Chapga tekislash","Align center":"Markazga tekislash","Align right":"O'ngga tekislash","No alignment":"","Justify":"Ikki tomondan tekislash","Bullet list":"Nuqtali ro\u2018yxat","Numbered list":"Raqamli ro\u2018yxat","Decrease indent":"Satr boshini kamaytirish","Increase indent":"Satr boshini oshirish","Close":"Yopish","Formats":"Formatlar","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Sizning brauzeringiz buferga to\u2018g\u2018ridan-to\u2018g\u2018ri kirish qo\u2018llab-quvvatlamaydi. O\u2018rniga klaviaturaning Ctrl+X/C/V qisqartirishlarni foydalaning.","Headings":"Sarlavhalar","Heading 1":"Sarlavha 1","Heading 2":"Sarlavha 2","Heading 3":"Sarlavha 3","Heading 4":"Sarlavha 4","Heading 5":"Sarlavha 5","Heading 6":"Sarlavha 6","Preformatted":"","Div":"Div","Pre":"Pre","Code":"Kod","Paragraph":"Paragraf","Blockquote":"Matn blok parchasi","Inline":"Bir qator ketma-ketlikda","Blocks":"Bloklar","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"Joylashtirish oddiy matn rejimida amalga oshiriladi. Ushbu hususiyatni o'chirmaguningizcha, kontent oddiy matn sifatida joylashtiriladi.","Fonts":"Shriftlar","Font sizes":"Shrift o'lchamlari","Class":"Klass","Browse for an image":"Rasmni yuklash","OR":"YOKI","Drop an image here":"Bu erga rasmni olib o'ting","Upload":"Yuklash","Uploading image":"Rasm yuklanmoqda","Block":"Blok","Align":"Saflamoq","Default":"Standart","Circle":"Doira","Disc":"Disk","Square":"Kvadrat","Lower Alpha":"Kichik lotincha","Lower Greek":"Pastki yunon","Lower Roman":"Kichik kirilcha","Upper Alpha":"Katta lotincha","Upper Roman":"Katta kirilcha","Anchor...":"","Anchor":"","Name":"Nomi","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID harf bilan boshlanishi kerak, faqat harflar, raqamlar, tire, nuqta, ikki nuqta yoki pastki chiziqdan iborat bo'lishi kerak.","You have unsaved changes are you sure you want to navigate away?":"Sizda saqlanmagan o'zgartirishlar bor. Boshqa yerga chiqib ketish uchun ishonchingiz komilmi?","Restore last draft":"Oxirgi ","Special character...":"Mahsus belgi...","Special Character":"Mahsus Belgi","Source code":"Manba kodi","Insert/Edit code sample":"Kod namunasini qo'shish / tahrirlash","Language":"Til","Code sample...":"Kod namunasi...","Left to right":"Chapdan o'ngga","Right to left":"O'ngdan chapga","Title":"Nomi","Fullscreen":"Butun ekran rejimi","Action":"Harakat","Shortcut":"Yorliq","Help":"Yordam","Address":"Manzil","Focus to menubar":"Menubarga e'tibor qaratish","Focus to toolbar":"Vositalar paneliga e'tibor qaratish","Focus to element path":"Elementlar manziliga e'tibor qaratish","Focus to contextual toolbar":"Kontekstli vositalar paneliga e'tibor qaratish","Insert link (if link plugin activated)":"Havolani qo'shish (havola plagini o'rnatilgan bo'lsa)","Save (if save plugin activated)":"Saqlash (saqlash plagini o'rnatilgan bo'lsa)","Find (if searchreplace plugin activated)":"Qidirish (qidirish plagini o'rnatilgan bo'lsa)","Plugins installed ({0}):":"O'rnatilgan plaginlar ({0})","Premium plugins:":"Premium plaginlar:","Learn more...":"Batafsil ma'lumot...","You are using {0}":"Siz {0} ishlatmoqdasiz","Plugins":"Plaginlar","Handy Shortcuts":"Foydalanadigan yorliqlar","Horizontal line":"Gorizontal chiziq","Insert/edit image":"Rasmni qo'shish / tahrirlash","Alternative description":"Muqobil tavsif","Accessibility":"Maxsus qobiliyatlar","Image is decorative":"Dekorativ rasm","Source":"Manba","Dimensions":"O'lchamlari","Constrain proportions":"Nisbatlarni cheklash","General":"Umumiy","Advanced":"Ilg'or","Style":"Uslub","Vertical space":"Vertikal o'lchov","Horizontal space":"Gorizontal o'lchov","Border":"Chegara","Insert image":"Rasm qo'shish","Image...":"Rasm...","Image list":"Rasmlar ro'yhati","Resize":"O'lchamini o'zgartirish","Insert date/time":"Kun / vaqtni qo'shish","Date/time":"Kun/vaqt","Insert/edit link":"Havola qo'shish / tahrirlash","Text to display":"Ko'rsatiladigan matn","Url":"URL","Open link in...":"Havolani ...da ochish","Current window":"Joriy oyna","None":"Hech bir","New window":"Yangi oyna","Open link":"Havolani ochish","Remove link":"Havolani olib tashlash","Anchors":"Langarlar","Link...":"Havola...","Paste or type a link":"Havolani joylashtirish yoki kiritish","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":'Siz kiritgan URL elektron pochta manziliga oxshayapti. "mailto:" prefiksi qo\'shilsinmi?',"The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":'Siz kiritgan URL tashqi havolaga oxshayapti. "http://" prefiksi qo\'shilsinmi?',"The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Siz kiritgan URL tashqi havolaga o'xshaydi. Kerakli https:// prefiksini qo'shmoqchimisiz?","Link list":"Havolalar ro'yhati","Insert video":"Video qo'shish","Insert/edit video":"Videoni qo'shish / tahrirlash","Insert/edit media":"Media qo'shish / tahrirlash","Alternative source":"Muqobil manba","Alternative source URL":"Muqobil manba URL manzili","Media poster (Image URL)":"Media poster (Rasm URL)","Paste your embed code below:":"Kodni quyiga joylashtiring:","Embed":"Ichiga olgan","Media...":"Media...","Nonbreaking space":"Buzilmas bo'sh joy","Page break":"Yangi bet","Paste as text":"Tekst qo'shish","Preview":"Tahrirni avvaldan ko'rish","Print":"Chop etish","Print...":"Chop etish...","Save":"Saqlash","Find":"Qidirish","Replace with":"bilan almashtirish","Replace":"Almashtirish","Replace all":"Barchasini almashtirish","Previous":"Oldingi","Next":"Keyingisi","Find and Replace":"Qidirish va O'zgartirish","Find and replace...":"Qidirish va o'zgartirish...","Could not find the specified string.":"Belgilangan satr topilmadi.","Match case":"O'xshashliklar","Find whole words only":"Faqat to'liq so'zni topish","Find in selection":"Belgilangandan topish","Insert table":"Jadvalni qo'shish","Table properties":"Jadval xususiyatlari","Delete table":"Jadvalni o'chirib tashlash","Cell":"Katak","Row":"Satr","Column":"Ustun","Cell properties":"Katak hususiyatlari","Merge cells":"Kataklarni birlashtirish","Split cell":"Kataklarni bo'lish","Insert row before":"Yuqorisiga satr qo'shish","Insert row after":"Ketidan satr qo'shish","Delete row":"Satrni olib tashlash","Row properties":"Satr hususiyatlari","Cut row":"Satrni kesib olish","Cut column":"Ustunni kesib olish","Copy row":"Satrdan nusxa ko'chirish","Copy column":"Ustunni nusxalash","Paste row before":"Yuqorisiga satrni joylashtirish","Paste column before":"Oldinga ustun qo'yish","Paste row after":"Ketidan satrni joylashtirish","Paste column after":"Keyingi ustun qo'yish","Insert column before":"Ustunni oldi tomoniga qo'shish","Insert column after":"Ustunni ketidan qo'shish","Delete column":"Ustunni olib tashlash","Cols":"Ustunlar","Rows":"Satrlar","Width":"Kengligi","Height":"Balandligi","Cell spacing":"Kataklar orasi","Cell padding":"Kataklar chegarasidan bo'sh joy","Row clipboard actions":"Qatorning almashish buferini harakatlari","Column clipboard actions":"Ustunning almashish buferini harakatlari","Table styles":"Jadval stillari","Cell styles":"Katak stillari","Column header":"Ustun sarlavhasi","Row header":"Qator sarlavhasi","Table caption":"Jadval sarlavhasi","Caption":"Taglavha","Show caption":"Sarlavhani ko'rish","Left":"Chapga","Center":"Markazga","Right":"O'ngga","Cell type":"Katak turi","Scope":"Muhit","Alignment":"Tekislash","Horizontal align":"Gorizontal tekislash","Vertical align":"Vertikal tekislash","Top":"Yuqoriga","Middle":"Markaziga","Bottom":"Tagiga","Header cell":"Sarlavha katagi","Row group":"Satrlar guruhi","Column group":"Ustunlar guruhi","Row type":"Satr turi","Header":"Sarlavha","Body":"Tanasi","Footer":"Tag qismi","Border color":"Chegara rangi","Solid":"","Dotted":"Nuqtali","Dashed":"","Double":"","Groove":"","Ridge":"","Inset":"","Outset":"","Hidden":"Yashirin","Insert template...":"Shablon joylashtirish...","Templates":"Andozalar","Template":"Andoza","Insert Template":"Shablon Joylashtirish","Text color":"Matn rangi","Background color":"Orqa fon rangi","Custom...":"O'zgacha...","Custom color":"O'zgacha rang","No color":"Rangsiz","Remove color":"Rangni olib tashlash","Show blocks":"Bloklarni ko'rsatish","Show invisible characters":"Ko'rinmas belgilarni ko'rsatish","Word count":"So'zlar soni","Count":"Son","Document":"Hujjat","Selection":"Tanlangan","Words":"So'zlar","Words: {0}":"So'zlar soni: {0}","{0} words":"{0} so`z","File":"Fayl","Edit":"Tahrirlash","Insert":"Qo'shish","View":"Ko'rish","Format":"Shakllar","Table":"Jadval","Tools":"Vositalar","Powered by {0}":"{0} bilan ishlaydi","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Murakkab matn maydoni. Menyu uchun ALT-F9 tugmalarini bosing. Vositalar paneli uchun ALT-F10 tugmasini bosing. Yordamni chaqirish uchun ALT-0-ni bosing","Image title":"Rasm nomi","Border width":"Chegara qalinligi","Border style":"Chegara stili","Error":"Xatolik","Warn":"Ogohlantirish","Valid":"Yaroqli","To open the popup, press Shift+Enter":"Menuni ochish uchun Shift+Enter bosing","Rich Text Area":"Boy Matn Maydoni","Rich Text Area. Press ALT-0 for help.":"Boy Matn Maydoni. Yordam olish uchun ALT-0 bosing.","System Font":"Tizim shrifti","Failed to upload image: {0}":"{0}ni yuklashda xatolik yuz berdi","Failed to load plugin: {0} from url {1}":"Plaginni yuklab bo\u2018lmadi: {0} {1} urldan","Failed to load plugin url: {0}":"Url plaginni yuklab bo\u2018lmadi: {0}","Failed to initialize plugin: {0}":"Plaginni ishga tushirib bo\u2018lmadi: {0}","example":"namuna","Search":"Qidirish","All":"Hammasi","Currency":"Valyuta","Text":"Matn","Quotations":"Iqtiboslar","Mathematical":"Matematik","Extended Latin":"Kengaytirilgan Lotin","Symbols":"Belgilar","Arrows":"Strelkalar","User Defined":"Foydalanuvchi aniqlangan","dollar sign":"dollar belgisi","currency sign":"valyuta belgisi","euro-currency sign":"yevro-valyuta belgisi","colon sign":"colon belgisi","cruzeiro sign":"cruzeiro belgisi","french franc sign":"fransiya franc belgisi","lira sign":"lira belgisi","mill sign":"mill belgisi","naira sign":"naira belgisi","peseta sign":"paseta belgisi","rupee sign":"rupiy belgisi","won sign":"von belgisi","new sheqel sign":"sheqel belgisi","dong sign":"dong belgisi","kip sign":"kip belgisi","tugrik sign":"tugrik belgisi","drachma sign":"drachma belgisi","german penny symbol":"nemis pennisi belgisi","peso sign":"peso belgisi","guarani sign":"guarani belgisi","austral sign":"austral belgisi","hryvnia sign":"hryvnia belgisi","cedi sign":"cedi belgisi","livre tournois sign":"livre tournois belgisi","spesmilo sign":"spesmilo belgisi","tenge sign":"tenge belgisi","indian rupee sign":"hind rupiysi belgisi","turkish lira sign":"turkiya lirasi belgisi","nordic mark sign":"shimoliy belgi belgisi","manat sign":"manat belgisi","ruble sign":"rubl belgisi","yen character":"yen belgisi","yuan character":"yuan belgisi","yuan character, in hong kong and taiwan":"yuan belgisi, hong kong va tayvandagi","yen/yuan character variant one":"yen/yuan belgisi, 1 variantda","Emojis":"Emojilar","Emojis...":"Emojilar...","Loading emojis...":"Emojilar yuklanmoqda...","Could not load emojis":"Emojilar yuklanmadi","People":"Odamlar","Animals and Nature":"Hayvonlar va Tabiat","Food and Drink":"Ovqatlar va Ichimliklar","Activity":"Harakatlar","Travel and Places":"Sayohat va Joylar","Objects":"Obyektlar","Flags":"Bayroqlar","Characters":"Belgilar","Characters (no spaces)":"Belgilar (bosh joylarsiz)","{0} characters":"{0} belgi","Error: Form submit field collision.":"Xato: Formani yuborish maydonidagi konflikt.","Error: No form element found.":"Xato: Form elementi topilmadi.","Color swatch":"Rang namunasi","Color Picker":"Rang tanlovchi","Invalid hex color code: {0}":"Hex rang kodi noto\u2018g\u2018ri: {0}","Invalid input":"Noto'g'ri kiritish","R":"R","Red component":"Qizil komponent","G":"G","Green component":"Yashil komponent","B":"B","Blue component":"Ko'k komponent","#":"#","Hex color code":"Hex rang kodi","Range 0 to 255":"0 dan 255 gacha","Turquoise":"","Green":"Yashil","Blue":"Ko'k","Purple":"Siyohrang","Navy Blue":"To'q ko'k rang","Dark Turquoise":"","Dark Green":"To'q yashil","Medium Blue":"O\u02bbrtacha ko\u02bbk","Medium Purple":"O\u02bbrtacha siyohrang","Midnight Blue":"Yarim tun ko'k","Yellow":"Sariq","Orange":"Oranjiviy","Red":"Qizil","Light Gray":"Och kulrang","Gray":"Kulrang","Dark Yellow":"To'q sariq","Dark Orange":"To'q oranjiviy","Dark Red":"To'q qizil","Medium Gray":"O'rtacha kulrang","Dark Gray":"To'q kulrang","Light Green":"Och yashil","Light Yellow":"Och sariq","Light Red":"Och qizil","Light Purple":"Och siyohrang","Light Blue":"Och ko'k","Dark Purple":"To'q siyohrang","Dark Blue":"To'q ko'k","Black":"Qora","White":"Oq","Switch to or from fullscreen mode":"To\u02bbliq ekran rejimiga o\u02bbtish","Open help dialog":"Yordamni ochish","history":"tarix","styles":"stillar","formatting":"formatlash","alignment":"tekislash","indentation":"","Font":"Shrift","Size":"O'lcham","More...":"Ko'proq...","Select...":"Tanlash...","Preferences":"Afzalliklar","Yes":"Ha","No":"Yo'q","Keyboard Navigation":"Klaviatura Navigatsiyasi","Version":"Versiya","Code view":"Kod ko'rinishi","Open popup menu for split buttons":"Ajratish tugmalari uchun menyuni ochsh","List Properties":"Ro'yxat Xususiyatlari","List properties...":"Ro'yxat xususiyatlari...","Start list at number":"Ro'yxatni raqamdan boshlash","Line height":"Chiziq balandligi","Dropped file type is not supported":"Fayl turi qo'llab-quvvatlanmaydi","Loading...":"Yuklanmoqda...","ImageProxy HTTP error: Rejected request":"ImageProxy HTTP xato: So'rov rad etildi","ImageProxy HTTP error: Could not find Image Proxy":"ImageProxy HTTP xato: Image Proxy topilmadi","ImageProxy HTTP error: Incorrect Image Proxy URL":"ImageProxy HTTP xato: Image Proxy URL noto'g'ri","ImageProxy HTTP error: Unknown ImageProxy error":"ImageProxy HTTP xato: Aniqlanmagan ImageProxy xato"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/vi.js b/deform/static/tinymce/langs/vi.js index cc860c0e..21b779f2 100644 --- a/deform/static/tinymce/langs/vi.js +++ b/deform/static/tinymce/langs/vi.js @@ -1,96 +1 @@ -tinymce.addI18n('vi',{ -"Cut": "C\u1eaft", -"Header 2": "Ti\u00eau \u0111\u1ec1 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Tr\u00ecnh duy\u1ec7t c\u1ee7a b\u1ea1n kh\u00f4ng h\u1ed7 tr\u1ee3 truy c\u1eadp truy c\u1eadp b\u1ed9 nh\u1edb \u1ea3o, vui l\u00f2ng s\u1eed d\u1ee5ng c\u00e1c t\u1ed5 h\u1ee3p ph\u00edm Ctrl + X, C, V.", -"Div": "Khung", -"Paste": "D\u00e1n", -"Close": "\u0110\u00f3ng L\u1ea1i", -"Pre": "\u0110\u1ecbnh d\u1ea1ng", -"Align right": "Canh ph\u1ea3i", -"New document": "T\u1ea1o t\u00e0i li\u1ec7u m\u1edbi", -"Blockquote": "\u0110o\u1ea1n Tr\u00edch D\u1eabn", -"Numbered list": "Danh s\u00e1ch d\u1ea1ng s\u1ed1", -"Increase indent": "T\u0103ng kho\u1ea3ng c\u00e1ch d\u00f2ng", -"Formats": "\u0110\u1ecbnh d\u1ea1ng", -"Headers": "\u0110\u1ea7u trang", -"Select all": "Ch\u1ecdn t\u1ea5t c\u1ea3", -"Header 3": "Ti\u00eau \u0111\u1ec1 3", -"Blocks": "Bao", -"Undo": "H\u1ee7y thao t\u00e1c", -"Strikethrough": "G\u1ea1ch ngang", -"Bullet list": "Danh s\u00e1ch d\u1ea1ng bi\u1ec3u t\u01b0\u1ee3ng", -"Header 1": "Ti\u00eau \u0111\u1ec1 1", -"Superscript": "K\u00fd t\u1ef1 m\u0169", -"Clear formatting": "L\u01b0\u1ee3c b\u1ecf ph\u1ea7n hi\u1ec7u \u1ee9ng", -"Subscript": "K\u00fd t\u1ef1 th\u1ea5p", -"Header 6": "Ti\u00eau \u0111\u1ec1 6", -"Redo": "L\u00e0m l\u1ea1i", -"Paragraph": "\u0110o\u1ea1n v\u0103n", -"Ok": "\u0110\u1ed3ng \u00dd", -"Bold": "In \u0111\u1eadm", -"Code": "M\u00e3", -"Italic": "In nghi\u00eang", -"Align center": "Canh gi\u1eefa", -"Header 5": "Ti\u00eau \u0111\u1ec1 5", -"Decrease indent": "Th\u1ee5t l\u00f9i d\u00f2ng", -"Header 4": "Ti\u00eau \u0111\u1ec1 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "D\u00e1n \u0111ang trong tr\u1ea1ng th\u00e1i v\u0103n b\u1ea3n thu\u1ea7n. N\u1ed9i dung s\u1ebd \u0111\u01b0\u1ee3c d\u00e1n d\u01b0\u1edbi d\u1ea1ng v\u0103n b\u1ea3n thu\u1ea7n, kh\u00f4ng \u0111\u1ecbnh d\u1ea1ng.", -"Underline": "G\u1ea1ch d\u01b0\u1edbi", -"Cancel": "Hu\u1ef7 B\u1ecf", -"Justify": "Canh \u0111\u1ec1u hai b\u00ean", -"Inline": "C\u00f9ng d\u00f2ng", -"Copy": "Sao ch\u00e9p", -"Align left": "Canh tr\u00e1i", -"Visual aids": "M\u1edf khung so\u1ea1n th\u1ea3o", -"Lower Greek": "S\u1ed1 hy l\u1ea1p th\u01b0\u1eddng", -"Square": "\u00d4 vu\u00f4ng", -"Default": "Ng\u1ea7m \u0111\u1ecbnh", -"Lower Alpha": "K\u00fd t\u1ef1 th\u01b0\u1eddng", -"Circle": "H\u00ecnh tr\u00f2n", -"Disc": "H\u00ecnh tr\u00f2n m\u1ecfng", -"Upper Alpha": "K\u00fd t\u1ef1 hoa", -"Upper Roman": "S\u1ed1 la m\u00e3 hoa", -"Lower Roman": "S\u1ed1 la m\u00e3 th\u01b0\u1eddng", -"Insert row before": "Th\u00eam d\u00f2ng ph\u00eda tr\u00ean", -"Rows": "D\u00f2ng", -"Height": "Cao", -"Paste row after": "D\u00e1n v\u00e0o ph\u00eda sau, d\u01b0\u1edbi", -"Alignment": "Canh ch\u1ec9nh", -"Column group": "Nh\u00f3m c\u1ed9t", -"Row": "D\u00f2ng", -"Insert column before": "Th\u00eam c\u1ed9t b\u00ean tr\u00e1i", -"Split cell": "Chia \u00f4", -"Cell padding": "Kho\u1ea3ng c\u00e1ch trong \u00f4", -"Cell spacing": "Kho\u1ea3ng c\u00e1ch \u00f4", -"Row type": "Lo\u1ea1i d\u00f2ng", -"Insert table": "Th\u00eam b\u1ea3ng", -"Body": "N\u1ed9i dung", -"Caption": "Ti\u00eau \u0111\u1ec1", -"Footer": "Ch\u00e2n", -"Delete row": "Xo\u00e1 d\u00f2ng", -"Paste row before": "D\u00e1n v\u00e0o ph\u00eda tr\u01b0\u1edbc, tr\u00ean", -"Scope": "Quy\u1ec1n", -"Delete table": "Xo\u00e1 b\u1ea3ng", -"Header cell": "Ti\u00eau \u0111\u1ec1 \u00f4", -"Column": "C\u1ed9t", -"None": "Kh\u00f4ng", -"Cell": "\u00d4", -"Header": "Ti\u00eau \u0111\u1ec1", -"Border": "\u0110\u01b0\u1eddng vi\u1ec1n", -"Cell type": "Lo\u1ea1i \u00f4", -"Copy row": "Ch\u00e9p d\u00f2ng", -"Row properties": "Thu\u1ed9c t\u00ednh d\u00f2ng", -"Table properties": "Thu\u1ed9c t\u00ednh b\u1ea3ng", -"Row group": "Nh\u00f3m d\u00f2ng", -"Right": "Ph\u1ea3i", -"Insert column after": "Th\u00eam c\u1ed9t b\u00ean ph\u1ea3i", -"Cols": "C\u1ed9t", -"Insert row after": "Th\u00eam d\u00f2ng ph\u00eda d\u01b0\u1edbi", -"Width": "R\u1ed9ng", -"Cell properties": "Thu\u1ed9c t\u00ednh \u00f4", -"Left": "Tr\u00e1i", -"Cut row": "C\u1eaft d\u00f2ng", -"Delete column": "Xo\u00e1 c\u1ed9t", -"Center": "Gi\u1eefa", -"Merge cells": "N\u1ed1i \u00f4" -}); \ No newline at end of file +tinymce.addI18n("vi",{"Redo":"L\xe0m l\u1ea1i","Undo":"H\u1ee7y thao t\xe1c","Cut":"C\u1eaft","Copy":"Sao ch\xe9p 2","Paste":"D\xe1n","Select all":"Ch\u1ecdn t\u1ea5t c\u1ea3","New document":"T\u1ea1o t\xe0i li\u1ec7u m\u1edbi","Ok":"\u0110\u1ed3ng \xfd","Cancel":"Hu\u1ef7 B\u1ecf","Visual aids":"Ch\u1ec9 d\u1eabn tr\u1ef1c quan","Bold":"In \u0111\u1eadm","Italic":"In nghi\xeang","Underline":"G\u1ea1ch d\u01b0\u1edbi","Strikethrough":"G\u1ea1ch ngang","Superscript":"K\xfd t\u1ef1 m\u0169","Subscript":"K\xfd t\u1ef1 th\u1ea5p","Clear formatting":"Xo\xe1 \u0111\u1ecbnh d\u1ea1ng","Remove":"Xo\xe1","Align left":"Canh tr\xe1i","Align center":"C\u0103n gi\u1eefa","Align right":"C\u0103n ph\u1ea3i","No alignment":"Kh\xf4ng c\u0103n l\u1ec1","Justify":"C\u0103n \u0111\u1ec1u hai b\xean","Bullet list":"Danh s\xe1ch d\u1ea1ng bi\u1ec3u t\u01b0\u1ee3ng","Numbered list":"Danh s\xe1ch \u0111\xe1nh s\u1ed1","Decrease indent":"Th\u1ee5t l\xf9i d\xf2ng","Increase indent":"T\u0103ng kho\u1ea3ng c\xe1ch d\xf2ng","Close":"\u0110\xf3ng L\u1ea1i","Formats":"\u0110\u1ecbnh d\u1ea1ng","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"Tr\xecnh duy\u1ec7t c\u1ee7a b\u1ea1n kh\xf4ng h\u1ed7 tr\u1ee3 truy c\u1eadp truy c\u1eadp b\u1ed9 nh\u1edb \u1ea3o, vui l\xf2ng s\u1eed d\u1ee5ng c\xe1c t\u1ed5 h\u1ee3p ph\xedm Ctrl + X, C, V.","Headings":"\u0110\u1ec1 m\u1ee5c","Heading 1":"H1","Heading 2":"H2","Heading 3":"H3","Heading 4":"H4","Heading 5":"H5","Heading 6":"H6","Preformatted":"\u0110\u1ecbnh d\u1ea1ng s\u1eb5n","Div":"Khung","Pre":"Ti\u1ec1n t\u1ed1","Code":"M\xe3","Paragraph":"\u0110o\u1ea1n v\u0103n","Blockquote":"\u0110o\u1ea1n Tr\xedch D\u1eabn","Inline":"C\xf9ng d\xf2ng","Blocks":"Kh\u1ed1i","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"D\xe1n \u0111ang trong tr\u1ea1ng th\xe1i v\u0103n b\u1ea3n thu\u1ea7n. N\u1ed9i dung s\u1ebd \u0111\u01b0\u1ee3c d\xe1n d\u01b0\u1edbi d\u1ea1ng v\u0103n b\u1ea3n thu\u1ea7n, kh\xf4ng \u0111\u1ecbnh d\u1ea1ng.","Fonts":"Ph\xf4ng ch\u1eef","Font sizes":"K\xedch th\u01b0\u1edbc ch\u1eef","Class":"L\u1edbp","Browse for an image":"Ch\u1ecdn m\u1ed9t h\xecnh \u1ea3nh","OR":"HO\u1eb6C","Drop an image here":"Th\u1ea3 h\xecnh \u1ea3nh v\xe0o \u0111\xe2y","Upload":"T\u1ea3i l\xean","Uploading image":"\u0110ang t\u1ea3i \u1ea3nh l\xean","Block":"Kh\u1ed1i","Align":"Canh l\u1ec1","Default":"M\u1eb7c \u0111\u1ecbnh","Circle":"H\xecnh tr\xf2n","Disc":"\u0110\u0129a","Square":"\xd4 vu\xf4ng","Lower Alpha":"K\xfd t\u1ef1 th\u01b0\u1eddng","Lower Greek":"S\u1ed1 Hy L\u1ea1p th\u01b0\u1eddng","Lower Roman":"S\u1ed1 la m\xe3 th\u01b0\u1eddng","Upper Alpha":"In hoa","Upper Roman":"S\u1ed1 la m\xe3 hoa","Anchor...":"Neo...","Anchor":"Neo li\xean k\u1ebft","Name":"T\xean","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID ph\u1ea3i b\u1eaft \u0111\u1ea7u b\u1eb1ng ch\u1eef c\xe1i, theo sau l\xe0 c\xe1c ch\u1eef c\xe1i, s\u1ed1, d\u1ea5u g\u1ea1ch ngang, d\u1ea5u ch\u1ea5m, d\u1ea5u hai ch\u1ea5m ho\u1eb7c d\u1ea5u g\u1ea1ch d\u01b0\u1edbi.","You have unsaved changes are you sure you want to navigate away?":"B\u1ea1n ch\u01b0a l\u01b0u thay \u0111\u1ed5i b\u1ea1n c\xf3 ch\u1eafc b\u1ea1n mu\u1ed1n di chuy\u1ec3n \u0111i?","Restore last draft":"Kh\xf4i ph\u1ee5c b\u1ea3n g\u1ea7n nh\u1ea5t","Special character...":"K\xfd t\u1ef1 \u0111\u1eb7c bi\u1ec7t...","Special Character":"K\xfd t\u1ef1 \u0111\u1eb7c bi\u1ec7t","Source code":"M\xe3 ngu\u1ed3n","Insert/Edit code sample":"Ch\xe8n/S\u1eeda m\xe3 m\u1eabu","Language":"Ng\xf4n ng\u1eef","Code sample...":"M\xe3 m\u1eabu...","Left to right":"Tr\xe1i sang ph\u1ea3i","Right to left":"Ph\u1ea3i sang tr\xe1i","Title":"Ti\xeau \u0111\u1ec1","Fullscreen":"To\xe0n m\xe0n h\xecnh","Action":"H\xe0nh \u0111\u1ed9ng","Shortcut":"Ph\xedm t\u1eaft","Help":"Tr\u1ee3 gi\xfap","Address":"\u0110\u1ecba ch\u1ec9","Focus to menubar":"T\u1eadp trung v\xe0o tr\xecnh \u0111\u01a1n","Focus to toolbar":"T\u1eadp trung v\xe0o thanh c\xf4ng c\u1ee5","Focus to element path":"T\u1eadp trung v\xe0o \u0111\u01b0\u1eddng d\u1eabn ph\u1ea7n t\u1eed","Focus to contextual toolbar":"T\u1eadp trung v\xe0o thanh c\xf4ng c\u1ee5 ng\u1eef c\u1ea3nh","Insert link (if link plugin activated)":"Ch\xe8n li\xean k\u1ebft","Save (if save plugin activated)":"L\u01b0u","Find (if searchreplace plugin activated)":"T\xecm ki\u1ebfm","Plugins installed ({0}):":"Plugin \u0111\xe3 c\xe0i ({0}):","Premium plugins:":"Plugin cao c\u1ea5p:","Learn more...":"T\xecm hi\u1ec3u th\xeam...","You are using {0}":"B\u1ea1n \u0111ang s\u1eed d\u1ee5ng {0}","Plugins":"Plugin","Handy Shortcuts":"Ph\xedm t\u1eaft th\xf4ng d\u1ee5ng","Horizontal line":"K\u1ebb ngang","Insert/edit image":"Ch\xe8n/s\u1eeda \u1ea3nh","Alternative description":"M\xf4 t\u1ea3 thay th\u1ebf (Alt)","Accessibility":"Kh\u1ea3 n\u0103ng ti\u1ebfp c\u1eadn","Image is decorative":"H\xecnh \u1ea3nh minh ho\u1ea1","Source":"Ngu\u1ed3n","Dimensions":"K\xedch th\u01b0\u1edbc","Constrain proportions":"T\u1ef7 l\u1ec7 r\xe0ng bu\u1ed9c","General":"Chung","Advanced":"N\xe2ng cao","Style":"Ki\u1ec3u","Vertical space":"N\u1eb1m d\u1ecdc","Horizontal space":"N\u1eb1m ngang","Border":"Vi\u1ec1n","Insert image":"Ch\xe8n \u1ea3nh","Image...":"H\xecnh \u1ea3nh...","Image list":"Danh s\xe1ch h\xecnh \u1ea3nh","Resize":"Thay \u0111\u1ed5i k\xedch th\u01b0\u1edbc","Insert date/time":"Ch\xe8n ng\xe0y/th\xe1ng","Date/time":"Ng\xe0y/th\u1eddi gian","Insert/edit link":"Ch\xe8n/s\u1eeda li\xean k\u1ebft","Text to display":"N\u1ed9i dung hi\u1ec3n th\u1ecb","Url":"Url","Open link in...":"M\u1edf \u0111\u01b0\u1eddng d\u1eabn trong...","Current window":"C\u1eeda s\u1ed5 hi\u1ec7n t\u1ea1i","None":"Kh\xf4ng","New window":"C\u1eeda s\u1ed5 m\u1edbi","Open link":"M\u1edf li\xean k\u1ebft","Remove link":"H\u1ee7y li\xean k\u1ebft","Anchors":"Neo","Link...":"Li\xean k\u1ebft...","Paste or type a link":"D\xe1n ho\u1eb7c nh\u1eadp m\u1ed9t li\xean k\u1ebft","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u0110\u1ecba ch\u1ec9 URL b\u1ea1n v\u1eeba nh\u1eadp gi\u1ed1ng nh\u01b0 m\u1ed9t \u0111\u1ecba ch\u1ec9 email. B\u1ea1n c\xf3 mu\u1ed1n th\xeam ti\u1ec1n t\u1ed1 mailto: kh\xf4ng?","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u0110\u1ecba ch\u1ec9 URL b\u1ea1n v\u1eeba nh\u1eadp gi\u1ed1ng nh\u01b0 m\u1ed9t li\xean k\u1ebft. B\u1ea1n c\xf3 mu\u1ed1n th\xeam ti\u1ec1n t\u1ed1 http:// kh\xf4ng?","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"Li\xean k\u1ebft b\u1ea1n nh\u1eadp c\xf3 v\u1ebb l\xe0 li\xean k\u1ebft b\xean ngo\xe0i. B\u1ea1n c\xf3 mu\u1ed1n b\u1eaft bu\u1ed9c th\xeam ti\u1ec1n t\u1ed1 https:// ?","Link list":"Danh s\xe1ch li\xean k\u1ebft","Insert video":"Ch\xe8n video","Insert/edit video":"Ch\xe8n/s\u1eeda video","Insert/edit media":"Ch\xe8n/s\u1eeda \u0111a ph\u01b0\u01a1ng ti\u1ec7n","Alternative source":"Ngu\u1ed3n thay th\u1ebf","Alternative source URL":"\u0110\u01b0\u1eddng d\u1eabn ngu\u1ed3n thay th\u1ebf","Media poster (Image URL)":"\xc1p ph\xedch \u0111a ph\u01b0\u01a1ng ti\u1ec7n (\u0110\u01b0\u1eddng d\u1eabn h\xecnh \u1ea3nh)","Paste your embed code below:":"D\xe1n m\xe3 nh\xfang c\u1ee7a b\u1ea1n d\u01b0\u1edbi \u0111\xe2y:","Embed":"Nh\xfang","Media...":"\u0110a ph\u01b0\u01a1ng ti\u1ec7n...","Nonbreaking space":"Kh\xf4ng xu\u1ed1ng h\xe0ng","Page break":"Ng\u1eaft trang","Paste as text":"D\xe1n \u0111o\u1ea1n v\u0103n b\u1ea3n","Preview":"Xem th\u1eed","Print":"In","Print...":"In...","Save":"L\u01b0u","Find":"T\xecm ki\u1ebfm","Replace with":"Thay th\u1ebf b\u1edfi","Replace":"Thay th\u1ebf","Replace all":"Thay t\u1ea5t c\u1ea3","Previous":"Tr\u01b0\u1edbc","Next":"Sau","Find and Replace":"T\xecm v\xe0 thay th\u1ebf","Find and replace...":"T\xecm v\xe0 thay th\u1ebf...","Could not find the specified string.":"Kh\xf4ng t\xecm th\u1ea5y chu\u1ed7i ch\u1ec9 \u0111\u1ecbnh.","Match case":"Ph\xe2n bi\u1ec7t hoa/th\u01b0\u1eddng","Find whole words only":"Ch\u1ec9 t\xecm to\xe0n b\u1ed9 t\u1eeb","Find in selection":"T\xecm trong l\u1ef1a ch\u1ecdn","Insert table":"Th\xeam b\u1ea3ng","Table properties":"Thu\u1ed9c t\xednh b\u1ea3ng","Delete table":"Xo\xe1 b\u1ea3ng","Cell":"\xd4","Row":"D\xf2ng","Column":"C\u1ed9t","Cell properties":"Thu\u1ed9c t\xednh \xf4","Merge cells":"Tr\u1ed9n \xf4","Split cell":"Chia c\u1eaft \xf4","Insert row before":"Th\xeam d\xf2ng ph\xeda tr\xean","Insert row after":"Th\xeam d\xf2ng ph\xeda d\u01b0\u1edbi","Delete row":"Xo\xe1 d\xf2ng","Row properties":"Thu\u1ed9c t\xednh d\xf2ng","Cut row":"C\u1eaft d\xf2ng","Cut column":"C\u1eaft c\u1ed9t","Copy row":"Sao ch\xe9p d\xf2ng","Copy column":"Sao ch\xe9p c\u1ed9t","Paste row before":"D\xe1n v\xe0o ph\xeda tr\u01b0\u1edbc, tr\xean","Paste column before":"D\xe1n c\u1ed9t v\xe0o b\xean tr\xe1i","Paste row after":"D\xe1n v\xe0o ph\xeda sau, d\u01b0\u1edbi","Paste column after":"D\xe1n c\u1ed9t v\xe0o b\xean ph\u1ea3i","Insert column before":"Th\xeam c\u1ed9t b\xean tr\xe1i","Insert column after":"Th\xeam c\u1ed9t b\xean ph\u1ea3i","Delete column":"Xo\xe1 c\u1ed9t","Cols":"C\u1ed9t","Rows":"D\xf2ng","Width":"\u0110\u1ed9 R\u1ed9ng","Height":"\u0110\u1ed9 Cao","Cell spacing":"Kho\u1ea3ng c\xe1ch \xf4","Cell padding":"Kho\u1ea3ng c\xe1ch trong \xf4","Row clipboard actions":"H\xe0ng thao t\xe1c tr\xean khay nh\u1edb t\u1ea1m","Column clipboard actions":"C\u1ed9t thao t\xe1c tr\xean khay nh\u1edb t\u1ea1m","Table styles":"Ki\u1ec3u d\xe1ng b\u1ea3ng","Cell styles":"Ki\u1ec3u d\xe1ng \xf4","Column header":"Ti\xeau \u0111\u1ec1 c\u1ed9t","Row header":"Ti\xeau \u0111\u1ec1 h\xe0ng","Table caption":"Ch\xfa th\xedch b\u1ea3ng","Caption":"Ti\xeau \u0111\u1ec1","Show caption":"Hi\u1ec7n ti\xeau \u0111\u1ec1","Left":"Tr\xe1i","Center":"Gi\u1eefa","Right":"Ph\u1ea3i","Cell type":"Lo\u1ea1i \xf4","Scope":"Quy\u1ec1n","Alignment":"Canh ch\u1ec9nh","Horizontal align":"C\u0103n ngang","Vertical align":"C\u0103n d\u1ecdc","Top":"Tr\xean","Middle":"\u1ede gi\u1eefa","Bottom":"D\u01b0\u1edbi","Header cell":"Ti\xeau \u0111\u1ec1 \xf4","Row group":"Gom nh\xf3m d\xf2ng","Column group":"Gom nh\xf3m c\u1ed9t","Row type":"Th\u1ec3 lo\u1ea1i d\xf2ng","Header":"Ti\xeau \u0111\u1ec1","Body":"N\u1ed9i dung","Footer":"Ch\xe2n","Border color":"M\xe0u vi\u1ec1n","Solid":"N\xe9t li\u1ec1n m\u1ea1ch","Dotted":"N\xe9t ch\u1ea5m","Dashed":"N\xe9t \u0111\u1ee9t","Double":"N\xe9t \u0111\xf4i","Groove":"3D c\xf3 x\u1ebb r\xe3nh","Ridge":"3D tr\xf2n n\u1ed5i","Inset":"3D khung ch\xecm","Outset":"3D khung n\u1ed5i","Hidden":"\u1ea8n","Insert template...":"Th\xeam m\u1eabu...","Templates":"M\u1eabu","Template":"M\u1eabu","Insert Template":"Th\xeam m\u1eabu","Text color":"M\xe0u v\u0103n b\u1ea3n","Background color":"M\xe0u n\u1ec1n","Custom...":"Tu\u1ef3 ch\u1ec9nh...","Custom color":"Tu\u1ef3 ch\u1ec9nh m\xe0u","No color":"Kh\xf4ng c\xf3 m\xe0u","Remove color":"B\u1ecf m\xe0u","Show blocks":"Hi\u1ec3n th\u1ecb kh\u1ed1i","Show invisible characters":"Hi\u1ec3n th\u1ecb k\xfd t\u1ef1 \u1ea9n","Word count":"S\u1ed1 t\u1eeb","Count":"\u0110\u1ebfm","Document":"T\xe0i li\u1ec7u","Selection":"L\u1ef1a ch\u1ecdn","Words":"Ch\u1eef","Words: {0}":"Ch\u1eef: {0}","{0} words":"{0} ch\u1eef","File":"T\u1eadp tin","Edit":"S\u1eeda","Insert":"Ch\xe8n","View":"Xem","Format":"\u0110\u1ecbnh d\u1ea1ng","Table":"B\u1ea3ng","Tools":"C\xf4ng c\u1ee5","Powered by {0}":"Cung c\u1ea5p b\u1edfi {0}","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"Rich Text Area. B\u1ea5m ALT-F9 m\u1edf tr\xecnh \u0111\u01a1n. B\u1ea5m ALT-F10 m\u1edf thanh c\xf4ng c\u1ee5. B\u1ea5m ALT-0 m\u1edf tr\u1ee3 gi\xfap","Image title":"Ti\xeau \u0111\u1ec1 \u1ea3nh","Border width":"\u0110\u1ed9 d\xe0y vi\u1ec1n","Border style":"Ki\u1ec3u vi\u1ec1n","Error":"L\u1ed7i","Warn":"C\u1ea3nh b\xe1o","Valid":"H\u1ee3p l\u1ec7","To open the popup, press Shift+Enter":"\u0110\u1ec3 m\u1edf h\u1ed9p tho\u1ea1i, nh\u1ea5n Shift+Enter","Rich Text Area":"V\xf9ng v\u0103n b\u1ea3n phong ph\xfa","Rich Text Area. Press ALT-0 for help.":"V\xf9ng v\u0103n b\u1ea3n phong ph\xfa. Nh\xe2n ALT-0 \u0111\u1ec3 bi\u1ebft th\xeam.","System Font":"Ph\xf4ng ch\u1eef h\u1ec7 th\u1ed1ng","Failed to upload image: {0}":"Kh\xf4ng th\u1ec3 \u0111\u0103ng h\xecnh: {0}","Failed to load plugin: {0} from url {1}":"Kh\xf4ng th\u1ec3 t\u1ea3i plugin: {0} t\u1eeb \u0111\u01b0\u1eddng d\u1eabn {1}","Failed to load plugin url: {0}":"Kh\xf4ng th\u1ec3 t\u1ea3i \u0111\u01b0\u1eddng d\u1eabn plugin: {0}","Failed to initialize plugin: {0}":"Kh\xf4ng th\u1ec3 kh\u1edfi t\u1ea1o plugin: {0}","example":"v\xed d\u1ee5","Search":"T\xecm ki\u1ebfm","All":"T\u1ea5t c\u1ea3","Currency":"Ti\u1ec1n t\u1ec7","Text":"V\u0103n b\u1ea3n","Quotations":"Tr\xedch d\u1eabn","Mathematical":"To\xe1n h\u1ecdc","Extended Latin":"Latin m\u1edf r\u1ed9ng","Symbols":"K\xfd hi\u1ec7u","Arrows":"M\u0169i t\xean","User Defined":"\u0110\u1ecbnh ngh\u0129a b\u1edfi ng\u01b0\u1eddi d\xf9ng","dollar sign":"k\xfd hi\u1ec7u \u0111\xf4 la","currency sign":"k\xfd hi\u1ec7u ti\u1ec1n t\u1ec7","euro-currency sign":"k\xfd hi\u1ec7u euro","colon sign":"d\u1ea5u hai ch\u1ea5m","cruzeiro sign":"k\xfd hi\u1ec7u cruzeiro","french franc sign":"k\xfd hi\u1ec7u franc Ph\xe1p","lira sign":"k\xfd hi\u1ec7u lira","mill sign":"k\xfd hi\u1ec7u mill","naira sign":"k\xfd hi\u1ec7u naira","peseta sign":"k\xfd hi\u1ec7u peseta","rupee sign":"k\xfd hi\u1ec7u rupee","won sign":"k\xfd hi\u1ec7u won","new sheqel sign":"k\xfd hi\u1ec7u new sheqel","dong sign":"k\xfd hi\u1ec7u \u0111\u1ed3ng","kip sign":"k\xfd hi\u1ec7u \u0111\u1ed3ng kip","tugrik sign":"k\xfd hi\u1ec7u tugrik","drachma sign":"k\xfd hi\u1ec7u drachma","german penny symbol":"k\xfd hi\u1ec7u xu \u0110\u1ee9c","peso sign":"k\xfd hi\u1ec7u peso","guarani sign":"k\xfd hi\u1ec7u guarani","austral sign":"k\xfd hi\u1ec7u austral","hryvnia sign":"k\xfd hi\u1ec7u hryvnia","cedi sign":"k\xfd hi\u1ec7u cedi ","livre tournois sign":"k\xfd hi\u1ec7u livre tournois","spesmilo sign":"k\xfd hi\u1ec7u spesmilo","tenge sign":"K\xfd hi\u1ec7u tenge","indian rupee sign":"k\xfd hi\u1ec7u rupee \u1ea5n \u0111\u1ed9","turkish lira sign":"k\xfd hi\u1ec7u lira th\u1ed5 nh\u0129 k\u1ef3","nordic mark sign":"k\xfd hi\u1ec7u mark b\u1eafc \xe2u","manat sign":"k\xfd hi\u1ec7u manat","ruble sign":"k\xfd hi\u1ec7u r\xfap","yen character":"k\xfd hi\u1ec7u y\xean","yuan character":"k\xfd hi\u1ec7u yuan","yuan character, in hong kong and taiwan":"k\xfd hi\u1ec7u yuan, \u1edf h\u1ed3ng k\xf4ng v\xe0 \u0111\xe0i loan","yen/yuan character variant one":"k\xfd hi\u1ec7u y\xean/yuan bi\u1ebfn th\u1ec3","Emojis":"Bi\u1ec3u t\u01b0\u1ee3ng c\u1ea3m x\xfac","Emojis...":"Bi\u1ec3u t\u01b0\u1ee3ng c\u1ea3m x\xfac...","Loading emojis...":"\u0110ang t\u1ea3i bi\u1ec3u t\u01b0\u1ee3ng c\u1ea3m x\xfac...","Could not load emojis":"Kh\xf4ng th\u1ec3 t\u1ea3i bi\u1ec3u t\u01b0\u1ee3ng c\u1ea3m x\xfac","People":"Ng\u01b0\u1eddi","Animals and Nature":"\u0110\u1ed9ng v\u1eadt v\xe0 thi\xean nhi\xean","Food and Drink":"Th\u1ee9c \u0103n v\xe0 \u0111\u1ed3 u\u1ed1ng","Activity":"Ho\u1ea1t \u0111\u1ed9ng","Travel and Places":"Du l\u1ecbch v\xe0 \u0111\u1ecba \u0111i\u1ec3m","Objects":"V\u1eadt d\u1ee5ng","Flags":"C\u1edd","Characters":"Nh\xe2n v\u1eadt","Characters (no spaces)":"K\xfd t\u1ef1 (kh\xf4ng kho\u1ea3ng tr\u1ed1ng)","{0} characters":"{0} k\xfd t\u1ef1","Error: Form submit field collision.":"L\u1ed7i: Xung \u0111\u1ed9t tr\u01b0\u1eddng trong bi\u1ec3u m\u1eabu.","Error: No form element found.":"L\u1ed7i: Kh\xf4ng t\xecm th\u1ea5y bi\u1ec3u m\u1eabu.","Color swatch":"M\u1eabu m\xe0u","Color Picker":"B\u1ea3ng ch\u1ecdn m\xe0u","Invalid hex color code: {0}":"M\xe3 m\xe0u hex kh\xf4ng h\u1ee3p l\u1ec7: {0}","Invalid input":"\u0110\u1ea7u v\xe0o kh\xf4ng h\u1ee3p l\u1ec7","R":"M\xe0u \u0111\u1ecf","Red component":"Th\xe0nh ph\u1ea7n \u0111\u1ecf","G":"M\xe0u xanh l\xe1","Green component":"Th\xe0nh ph\u1ea7n xanh","B":"M\xe0u xanh d\u01b0\u01a1ng","Blue component":"Th\xe0nh ph\u1ea7n xanh","#":"#","Hex color code":"M\xe3 m\xe0u hex","Range 0 to 255":"T\u1eeb 0 \u0111\u1ebfn 255","Turquoise":"Ng\u1ecdc lam","Green":"Xanh l\xe1","Blue":"Xanh d\u01b0\u01a1ng","Purple":"T\xedm","Navy Blue":"Xanh n\u01b0\u1edbc bi\u1ec3n","Dark Turquoise":"Ng\u1ecdc lam t\u1ed1i","Dark Green":"Xanh l\xe1 c\xe2y \u0111\u1eadm","Medium Blue":"Xanh d\u01b0\u01a1ng nh\u1eb9","Medium Purple":"T\xedm nh\u1eb9","Midnight Blue":"Xanh d\u01b0\u01a1ng n\u1eeda \u0111\xeam","Yellow":"V\xe0ng","Orange":"Cam","Red":"\u0110\u1ecf","Light Gray":"X\xe1m nh\u1ea1t","Gray":"X\xe1m","Dark Yellow":"V\xe0ng \u0111\u1eadm","Dark Orange":"Cam \u0111\u1eadm","Dark Red":"\u0110\u1ecf \u0111\u1eadm","Medium Gray":"X\xe1m nh\u1eb9","Dark Gray":"X\xe1m \u0111\u1eadm","Light Green":"Xanh l\xe1 nh\u1ea1t","Light Yellow":"V\xe0ng nh\u1ea1t","Light Red":"\u0110\u1ecf nh\u1ea1t","Light Purple":"T\xedm nh\u1ea1t","Light Blue":"Xanh d\u01b0\u01a1ng nh\u1ea1t","Dark Purple":"T\xedm \u0111\u1eadm","Dark Blue":"Xanh d\u01b0\u01a1ng \u0111\u1eadm","Black":"\u0110en","White":"Tr\u1eafng","Switch to or from fullscreen mode":"Chuy\u1ec3n qua ho\u1eb7c l\u1ea1i ch\u1ebf \u0111\u1ed9 to\xe0n m\xe0n h\xecnh","Open help dialog":"M\u1edf h\u1ed9p tho\u1ea1i tr\u1ee3 gi\xfap","history":"l\u1ecbch s\u1eed","styles":"ki\u1ec3u","formatting":"\u0111\u1ecbnh d\u1ea1ng","alignment":"canh l\u1ec1","indentation":"th\u1ee5t \u0111\u1ea7u d\xf2ng","Font":"Ph\xf4ng ch\u1eef","Size":"K\xedch th\u01b0\u1edbc","More...":"Th\xeam...","Select...":"Ch\u1ecdn...","Preferences":"T\xf9y ch\u1ecdn","Yes":"C\xf3","No":"Kh\xf4ng","Keyboard Navigation":"Ph\xedm \u0111i\u1ec1u h\u01b0\u1edbng","Version":"Phi\xean b\u1ea3n","Code view":"Xem code","Open popup menu for split buttons":"M\u1edf menu b\u1eadt l\xean cho c\xe1c n\xfat t\xe1ch","List Properties":"Thu\u1ed9c t\xednh danh s\xe1ch","List properties...":"C\xe1c thu\u1ed9c t\xednh danh s\xe1ch...","Start list at number":"Danh s\xe1ch b\u1eaft \u0111\u1ea7u b\u1eb1ng s\u1ed1","Line height":"\u0110\u1ed9 cao d\xf2ng","Dropped file type is not supported":"Lo\u1ea1i t\u1ec7p \u0111\xe3 k\xe9o th\u1ea3 kh\xf4ng \u0111\u01b0\u1ee3c h\u1ed7 tr\u1ee3","Loading...":"\u0110ang t\u1ea3i...","ImageProxy HTTP error: Rejected request":"L\u1ed7i HTTP ImageProxy: Y\xeau c\u1ea7u b\u1ecb t\u1eeb ch\u1ed1i","ImageProxy HTTP error: Could not find Image Proxy":"L\u1ed7i HTTP ImageProxy: Kh\xf4ng th\u1ec3 t\xecm th\u1ea5y Image Proxy","ImageProxy HTTP error: Incorrect Image Proxy URL":"L\u1ed7i HTTP ImageProxy: URL proxy h\xecnh \u1ea3nh kh\xf4ng ch\xednh x\xe1c","ImageProxy HTTP error: Unknown ImageProxy error":"L\u1ed7i HTTP ImageProxy: L\u1ed7i ImageProxy kh\xf4ng x\xe1c \u0111\u1ecbnh"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/vi_VN.js b/deform/static/tinymce/langs/vi_VN.js deleted file mode 100644 index d1f1bae2..00000000 --- a/deform/static/tinymce/langs/vi_VN.js +++ /dev/null @@ -1,173 +0,0 @@ -tinymce.addI18n('vi_VN',{ -"Cut": "C\u1eaft", -"Header 2": "Ti\u00eau \u0111\u1ec1 2", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "Tr\u00ecnh duy\u1ec7t c\u1ee7a b\u1ea1n kh\u00f4ng h\u1ed7 tr\u1ee3 truy c\u1eadp clipboard, vui l\u00f2ng s\u1eed d\u1ee5ng c\u00e1c t\u1ed5 h\u1ee3p Ctrl + X, C, V.", -"Div": "Khung", -"Paste": "D\u00e1n", -"Close": "\u0110\u00f3ng", -"Pre": "\u0110\u1ecbnh d\u1ea1ng", -"Align right": "Canh ph\u1ea3i", -"New document": "T\u1ea1o t\u00e0i li\u1ec7u m\u1edbi", -"Blockquote": "Tr\u00edch", -"Numbered list": "Danh s\u00e1ch s\u1ed1", -"Increase indent": "L\u00f9i v\u00e0o", -"Formats": "\u0110\u1ecbnh d\u1ea1ng", -"Headers": "\u0110\u1ea7u trang", -"Select all": "Ch\u1ecdn t\u1ea5t c\u1ea3", -"Header 3": "Ti\u00eau \u0111\u1ec1 3", -"Blocks": "Bao", -"Undo": "Hu\u1ef7 thao t\u00e1c", -"Strikethrough": "G\u1ea1ch ngang", -"Bullet list": "D\u1ea5u \u0111\u1ea7u d\u00f2ng", -"Header 1": "Ti\u00eau \u0111\u1ec1 1", -"Superscript": "Tr\u00ean d\u00f2ng", -"Clear formatting": "Xo\u00e1 \u0111\u1ecbnh d\u1ea1ng", -"Subscript": "D\u01b0\u1edbi d\u00f2ng", -"Header 6": "Ti\u00eau \u0111\u1ec1 6", -"Redo": "Ho\u00e0n t\u00e1t", -"Paragraph": "\u0110o\u1ea1n v\u0103n", -"Ok": "OK", -"Bold": "T\u00f4 \u0111\u1eadm", -"Code": "M\u00e3", -"Italic": "In nghi\u00eang", -"Align center": "Canh gi\u1eefa", -"Header 5": "Ti\u00eau \u0111\u1ec1 5", -"Decrease indent": "L\u00f9i ra", -"Header 4": "Ti\u00eau \u0111\u1ec1 4", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "D\u00e1n \u0111ang trong tr\u1ea1ng th\u00e1i v\u0103n b\u1ea3n thu\u1ea7n. N\u1ed9i dung s\u1ebd \u0111\u01b0\u1ee3c d\u00e1n d\u01b0\u1edbi d\u1ea1ng v\u0103n b\u1ea3n thu\u1ea7n (Kh\u00f4ng \u0111\u1ecbnh d\u1ea1ng)", -"Underline": "G\u1ea1ch d\u01b0\u1edbi", -"Cancel": "Hu\u1ef7", -"Justify": "Canh \u0111\u1ec1u hai b\u00ean", -"Inline": "C\u00f9ng d\u00f2ng", -"Copy": "Ch\u00e9p", -"Align left": "Canh tr\u00e1i", -"Visual aids": "Hi\u1ec7n khung so\u1ea1n th\u1ea3o", -"Lower Greek": "S\u1ed1 hy l\u1ea1p th\u01b0\u1eddng", -"Square": "\u00d4 vu\u00f4ng", -"Default": "Ng\u1ea7m \u0111\u1ecbnh", -"Lower Alpha": "K\u00fd t\u1ef1 th\u01b0\u1eddng", -"Circle": "H\u00ecnh tr\u00f2n", -"Disc": "H\u00ecnh tr\u00f2n m\u1ecfng", -"Upper Alpha": "K\u00fd t\u1ef1 hoa", -"Upper Roman": "S\u1ed1 la m\u00e3 hoa", -"Lower Roman": "S\u1ed1 la m\u00e3 th\u01b0\u1eddng", -"Name": "T\u00ean", -"Anchor": "Neo", -"You have unsaved changes are you sure you want to navigate away?": "B\u1ea1n ch\u01b0a l\u01b0u c\u00e1c thay \u0111\u1ed5i, b\u1ea1n c\u00f3 th\u1eadt s\u1ef1 mu\u1ed1n \u0111\u00f3ng ?", -"Restore last draft": "Ph\u1ee5c h\u1ed3i b\u1ea3n l\u01b0u g\u1ea7n nh\u1ea5t", -"Special character": "K\u00fd t\u1ef1 \u0111\u1eb7c bi\u1ec7t", -"Source code": "M\u00e3 ngu\u1ed3n", -"Right to left": "Ph\u1ea3i sang tr\u00e1i", -"Left to right": "Tr\u00e1i sang ph\u1ea3i", -"Emoticons": "Bi\u1ec3u t\u01b0\u1ee3ng c\u1ea3m x\u00fac", -"Robots": "Robots", -"Document properties": "Thu\u1ed9c t\u00ednh t\u00e0i li\u1ec7u", -"Title": "Ti\u00eau \u0111\u1ec1", -"Keywords": "T\u1eeb kho\u00e1", -"Encoding": "M\u00e3 ho\u00e1", -"Description": "Mi\u00eau t\u1ea3", -"Author": "Neo", -"Fullscreen": "\u0110\u1ea7y m\u00e0n h\u00ecnh", -"Horizontal line": "G\u1ea1ch ngang", -"Horizontal space": "Kho\u1ea3ng c\u00e1ch ngang", -"Insert\/edit image": "Th\u00eam \/ s\u1eeda h\u00ecnh \u1ea3nh", -"General": "T\u1ed5ng h\u1ee3p", -"Advanced": "N\u00e2ng cao", -"Source": "Ngu\u1ed3n", -"Border": "\u0110\u01b0\u1eddng vi\u1ec1n", -"Constrain proportions": "H\u1ea1n ch\u1ebf t\u1ef7 l\u1ec7", -"Vertical space": "Kho\u1ea3ng c\u00e1ch d\u1ecdc", -"Image description": "Mi\u00eau t\u1ea3 h\u00ecnh \u1ea3nh", -"Style": "Ki\u1ec3u", -"Dimensions": "K\u00edch th\u01b0\u1edbc", -"Insert image": "Ch\u00e8n \u1ea3nh", -"Insert date\/time": "Th\u00eam ng\u00e0y \/ gi\u1edd", -"Remove link": "Xo\u00e1 li\u00ean k\u1ebft", -"Url": "Li\u00ean k\u1ebft", -"Text to display": "Ch\u1eef hi\u1ec3n th\u1ecb", -"Insert link": "Th\u00eam li\u00ean k\u1ebft", -"New window": "C\u1eeda s\u1ed5 m\u1edbi", -"None": "Kh\u00f4ng", -"Target": "M\u1ee5c ti\u00eau", -"Insert\/edit link": "Th\u00eam \/ s\u1eeda li\u00ean k\u1ebft", -"Insert\/edit video": "Th\u00eam \/ s\u1eeda video", -"Poster": "Ng\u01b0\u1eddi \u0111\u0103ng", -"Alternative source": "Ngu\u1ed3n thay th\u1ebf", -"Paste your embed code below:": "D\u00e1n m\u00e3 embed v\u00e0o:", -"Insert video": "Th\u00eam video", -"Embed": "Embed", -"Nonbreaking space": "Kh\u00f4ng ng\u1eaft kho\u1ea3ng", -"Page break": "Ng\u1eaft trang", -"Preview": "Xem tr\u01b0\u1edbc", -"Print": "In", -"Save": "L\u01b0u", -"Could not find the specified string.": "Kh\u00f4ng t\u00ecm th\u1ea5y chu\u1ed7i y\u00eau c\u1ea7u", -"Replace": "Thay th\u1ebf", -"Next": "Sau", -"Whole words": "T\u1ea5t c\u1ea3 \u0111o\u1ea1n", -"Find and replace": "T\u00ecm v\u00e0 thay th\u1ebf", -"Replace with": "Thay th\u1ebf b\u1eb1ng", -"Find": "T\u00ecm", -"Replace all": "Thay th\u1ebf t\u1ea5t c\u1ea3", -"Match case": "Ph\u00e2n bi\u1ec7t hoa th\u01b0\u1eddng", -"Prev": "Tr\u01b0\u1edbc", -"Spellcheck": "Ki\u1ec3m tra ch\u00ednh t\u1ea3", -"Finish": "K\u1ebft th\u00fac", -"Ignore all": "L\u1edd t\u1ea5t c\u1ea3", -"Ignore": "L\u1edd qua", -"Insert row before": "Th\u00eam d\u00f2ng ph\u00eda tr\u00ean", -"Rows": "D\u00f2ng", -"Height": "Cao", -"Paste row after": "D\u00e1n v\u00e0o ph\u00eda sau, d\u01b0\u1edbi", -"Alignment": "Canh ch\u1ec9nh", -"Column group": "Nh\u00f3m c\u1ed9t", -"Row": "D\u00f2ng", -"Insert column before": "Th\u00eam c\u1ed9t b\u00ean tr\u00e1i", -"Split cell": "Chia \u00f4", -"Cell padding": "Kho\u1ea3ng c\u00e1ch trong \u00f4", -"Cell spacing": "Kho\u1ea3ng c\u00e1ch \u00f4", -"Row type": "Lo\u1ea1i d\u00f2ng", -"Insert table": "Th\u00eam b\u1ea3ng", -"Body": "N\u1ed9i dung", -"Caption": "Ti\u00eau \u0111\u1ec1", -"Footer": "Ch\u00e2n", -"Delete row": "Xo\u00e1 d\u00f2ng", -"Paste row before": "D\u00e1n v\u00e0o ph\u00eda tr\u01b0\u1edbc, tr\u00ean", -"Scope": "Quy\u1ec1n", -"Delete table": "Xo\u00e1 b\u1ea3ng", -"Header cell": "Ti\u00eau \u0111\u1ec1 \u00f4", -"Column": "C\u1ed9t", -"Cell": "\u00d4", -"Header": "Ti\u00eau \u0111\u1ec1", -"Cell type": "Lo\u1ea1i \u00f4", -"Copy row": "Ch\u00e9p d\u00f2ng", -"Row properties": "Thu\u1ed9c t\u00ednh d\u00f2ng", -"Table properties": "Thu\u1ed9c t\u00ednh b\u1ea3ng", -"Row group": "Nh\u00f3m d\u00f2ng", -"Right": "Ph\u1ea3i", -"Insert column after": "Th\u00eam c\u1ed9t b\u00ean ph\u1ea3i", -"Cols": "C\u1ed9t", -"Insert row after": "Th\u00eam d\u00f2ng ph\u00eda d\u01b0\u1edbi", -"Width": "R\u1ed9ng", -"Cell properties": "Thu\u1ed9c t\u00ednh \u00f4", -"Left": "Tr\u00e1i", -"Cut row": "C\u1eaft d\u00f2ng", -"Delete column": "Xo\u00e1 c\u1ed9t", -"Center": "Gi\u1eefa", -"Merge cells": "N\u1ed1i \u00f4", -"Insert template": "Th\u00eam giao di\u1ec7n", -"Templates": "Giao di\u1ec7n", -"Background color": "M\u00e0u n\u1ec1n", -"Text color": "M\u00e0u ch\u1eef", -"Show blocks": "Hi\u1ec3n th\u1ecb kh\u1ed1i", -"Show invisible characters": "Hi\u1ec3n th\u1ecb c\u00e1c k\u00fd t\u1ef1 \u1ea9n", -"Words: {0}": "T\u1eeb: {0}", -"Insert": "Th\u00eam", -"File": "T\u1eadp tin", -"Edit": "S\u1eeda", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "Khu v\u1ef1c so\u1ea1n th\u1ea3o. Nh\u1ea5n ALT+F9 \u0111\u1ec3 hi\u1ec7n menu, ALT+F10 \u0111\u1ec3 hi\u1ec7n thanh c\u00f4ng c\u1ee5. C\u1ea7n tr\u1ee3 gi\u00fap nh\u1ea5n ALT+0", -"Tools": "C\u00f4ng c\u1ee5", -"View": "Xem", -"Table": "B\u1ea3ng", -"Format": "\u0110\u1ecbnh d\u1ea1ng" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/zh-Hans.js b/deform/static/tinymce/langs/zh-Hans.js new file mode 100644 index 00000000..16440c0e --- /dev/null +++ b/deform/static/tinymce/langs/zh-Hans.js @@ -0,0 +1 @@ +tinymce.addI18n("zh-Hans",{"Redo":"\u91cd\u505a","Undo":"\u64a4\u9500","Cut":"\u526a\u5207","Copy":"\u590d\u5236","Paste":"\u7c98\u8d34","Select all":"\u5168\u9009","New document":"\u65b0\u5efa\u6587\u6863","Ok":"\u786e\u5b9a","Cancel":"\u53d6\u6d88","Visual aids":"\u7f51\u683c\u7ebf","Bold":"\u7c97\u4f53","Italic":"\u659c\u4f53","Underline":"\u4e0b\u5212\u7ebf","Strikethrough":"\u5220\u9664\u7ebf","Superscript":"\u4e0a\u6807","Subscript":"\u4e0b\u6807","Clear formatting":"\u6e05\u9664\u683c\u5f0f","Remove":"\u79fb\u9664","Align left":"\u5de6\u5bf9\u9f50","Align center":"\u5c45\u4e2d\u5bf9\u9f50","Align right":"\u53f3\u5bf9\u9f50","No alignment":"\u672a\u5bf9\u9f50","Justify":"\u4e24\u7aef\u5bf9\u9f50","Bullet list":"\u65e0\u5e8f\u5217\u8868","Numbered list":"\u6709\u5e8f\u5217\u8868","Decrease indent":"\u51cf\u5c11\u7f29\u8fdb","Increase indent":"\u589e\u52a0\u7f29\u8fdb","Close":"\u5173\u95ed","Formats":"\u683c\u5f0f","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u4f60\u7684\u6d4f\u89c8\u5668\u4e0d\u652f\u6301\u6253\u5f00\u526a\u8d34\u677f\uff0c\u8bf7\u4f7f\u7528Ctrl+X/C/V\u7b49\u5feb\u6377\u952e\u3002","Headings":"\u6807\u9898","Heading 1":"\u4e00\u7ea7\u6807\u9898","Heading 2":"\u4e8c\u7ea7\u6807\u9898","Heading 3":"\u4e09\u7ea7\u6807\u9898","Heading 4":"\u56db\u7ea7\u6807\u9898","Heading 5":"\u4e94\u7ea7\u6807\u9898","Heading 6":"\u516d\u7ea7\u6807\u9898","Preformatted":"\u9884\u5148\u683c\u5f0f\u5316\u7684","Div":"Div","Pre":"\u524d\u8a00","Code":"\u4ee3\u7801","Paragraph":"\u6bb5\u843d","Blockquote":"\u5f15\u6587\u533a\u5757","Inline":"\u6587\u672c","Blocks":"\u6837\u5f0f","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u5f53\u524d\u4e3a\u7eaf\u6587\u672c\u7c98\u8d34\u6a21\u5f0f\uff0c\u518d\u6b21\u70b9\u51fb\u53ef\u4ee5\u56de\u5230\u666e\u901a\u7c98\u8d34\u6a21\u5f0f\u3002","Fonts":"\u5b57\u4f53","Font sizes":"\u5b57\u4f53\u5927\u5c0f","Class":"\u7c7b\u578b","Browse for an image":"\u6d4f\u89c8\u56fe\u50cf","OR":"\u6216","Drop an image here":"\u62d6\u653e\u4e00\u5f20\u56fe\u50cf\u81f3\u6b64","Upload":"\u4e0a\u4f20","Uploading image":"\u4e0a\u4f20\u56fe\u7247","Block":"\u5757","Align":"\u5bf9\u9f50","Default":"\u9884\u8bbe","Circle":"\u7a7a\u5fc3\u5706","Disc":"\u5b9e\u5fc3\u5706","Square":"\u5b9e\u5fc3\u65b9\u5757","Lower Alpha":"\u5c0f\u5199\u82f1\u6587\u5b57\u6bcd","Lower Greek":"\u5c0f\u5199\u5e0c\u814a\u5b57\u6bcd","Lower Roman":"\u5c0f\u5199\u7f57\u9a6c\u6570\u5b57","Upper Alpha":"\u5927\u5199\u82f1\u6587\u5b57\u6bcd","Upper Roman":"\u5927\u5199\u7f57\u9a6c\u6570\u5b57","Anchor...":"\u951a\u70b9...","Anchor":"\u951a\u70b9","Name":"\u540d\u79f0","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID\u5e94\u8be5\u4ee5\u82f1\u6587\u5b57\u6bcd\u5f00\u5934\uff0c\u540e\u9762\u53ea\u80fd\u6709\u82f1\u6587\u5b57\u6bcd\u3001\u6570\u5b57\u3001\u7834\u6298\u53f7\u3001\u70b9\u3001\u5192\u53f7\u6216\u4e0b\u5212\u7ebf\u3002","You have unsaved changes are you sure you want to navigate away?":"\u4f60\u8fd8\u6709\u6587\u6863\u5c1a\u672a\u4fdd\u5b58\uff0c\u786e\u5b9a\u8981\u79bb\u5f00\uff1f","Restore last draft":"\u6062\u590d\u4e0a\u6b21\u7684\u8349\u7a3f","Special character...":"\u7279\u6b8a\u5b57\u7b26...","Special Character":"\u7279\u6b8a\u5b57\u7b26","Source code":"\u6e90\u4ee3\u7801","Insert/Edit code sample":"\u63d2\u5165/\u7f16\u8f91\u4ee3\u7801\u793a\u4f8b","Language":"\u8bed\u8a00","Code sample...":"\u793a\u4f8b\u4ee3\u7801...","Left to right":"\u7531\u5de6\u5230\u53f3","Right to left":"\u7531\u53f3\u5230\u5de6","Title":"\u6807\u9898","Fullscreen":"\u5168\u5c4f","Action":"\u52a8\u4f5c","Shortcut":"\u5feb\u6377\u65b9\u5f0f","Help":"\u5e2e\u52a9","Address":"\u5730\u5740","Focus to menubar":"\u79fb\u52a8\u7126\u70b9\u5230\u83dc\u5355\u680f","Focus to toolbar":"\u79fb\u52a8\u7126\u70b9\u5230\u5de5\u5177\u680f","Focus to element path":"\u79fb\u52a8\u7126\u70b9\u5230\u5143\u7d20\u8def\u5f84","Focus to contextual toolbar":"\u79fb\u52a8\u7126\u70b9\u5230\u4e0a\u4e0b\u6587\u83dc\u5355","Insert link (if link plugin activated)":"\u63d2\u5165\u94fe\u63a5 (\u5982\u679c\u94fe\u63a5\u63d2\u4ef6\u5df2\u6fc0\u6d3b)","Save (if save plugin activated)":"\u4fdd\u5b58(\u5982\u679c\u4fdd\u5b58\u63d2\u4ef6\u5df2\u6fc0\u6d3b)","Find (if searchreplace plugin activated)":"\u67e5\u627e(\u5982\u679c\u67e5\u627e\u66ff\u6362\u63d2\u4ef6\u5df2\u6fc0\u6d3b)","Plugins installed ({0}):":"\u5df2\u5b89\u88c5\u63d2\u4ef6 ({0}):","Premium plugins:":"\u4f18\u79c0\u63d2\u4ef6\uff1a","Learn more...":"\u4e86\u89e3\u66f4\u591a...","You are using {0}":"\u4f60\u6b63\u5728\u4f7f\u7528 {0}","Plugins":"\u63d2\u4ef6","Handy Shortcuts":"\u5feb\u6377\u952e","Horizontal line":"\u6c34\u5e73\u5206\u5272\u7ebf","Insert/edit image":"\u63d2\u5165/\u7f16\u8f91\u56fe\u7247","Alternative description":"\u66ff\u4ee3\u63cf\u8ff0","Accessibility":"\u8f85\u52a9\u529f\u80fd","Image is decorative":"\u56fe\u50cf\u662f\u88c5\u9970\u6027\u7684","Source":"\u6e90","Dimensions":"\u5c3a\u5bf8","Constrain proportions":"\u4fdd\u6301\u6bd4\u4f8b","General":"\u4e00\u822c","Advanced":"\u9ad8\u7ea7","Style":"\u6837\u5f0f","Vertical space":"\u5782\u76f4\u95f4\u8ddd","Horizontal space":"\u6c34\u5e73\u95f4\u8ddd","Border":"\u6846\u7ebf","Insert image":"\u63d2\u5165\u56fe\u7247","Image...":"\u56fe\u7247...","Image list":"\u56fe\u7247\u6e05\u5355","Resize":"\u8c03\u6574\u5927\u5c0f","Insert date/time":"\u63d2\u5165\u65e5\u671f/\u65f6\u95f4","Date/time":"\u65e5\u671f/\u65f6\u95f4","Insert/edit link":"\u63d2\u5165/\u7f16\u8f91\u94fe\u63a5","Text to display":"\u8981\u663e\u793a\u7684\u6587\u672c","Url":"\u5730\u5740","Open link in...":"\u94fe\u63a5\u6253\u5f00\u4f4d\u7f6e...","Current window":"\u5f53\u524d\u7a97\u53e3","None":"\u65e0","New window":"\u65b0\u7a97\u53e3","Open link":"\u6253\u5f00\u94fe\u63a5","Remove link":"\u79fb\u9664\u94fe\u63a5","Anchors":"\u951a\u70b9","Link...":"\u94fe\u63a5...","Paste or type a link":"\u7c98\u8d34\u6216\u8f93\u5165\u94fe\u63a5","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u4f60\u6240\u586b\u5199\u7684URL\u5730\u5740\u4e3a\u90ae\u4ef6\u5730\u5740\uff0c\u9700\u8981\u52a0\u4e0amailto: \u524d\u7f00\u5417\uff1f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u4f60\u6240\u586b\u5199\u7684URL\u5730\u5740\u5c5e\u4e8e\u5916\u90e8\u94fe\u63a5\uff0c\u9700\u8981\u52a0\u4e0ahttp:// \u524d\u7f00\u5417\uff1f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u60a8\u8f93\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u4e2a\u5916\u90e8\u94fe\u63a5\u3002\u60a8\u60f3\u6dfb\u52a0\u6240\u9700\u7684 https:// \u524d\u7f00\u5417\uff1f","Link list":"\u94fe\u63a5\u6e05\u5355","Insert video":"\u63d2\u5165\u89c6\u9891","Insert/edit video":"\u63d2\u5165/\u7f16\u8f91\u89c6\u9891","Insert/edit media":"\u63d2\u5165/\u7f16\u8f91\u5a92\u4f53","Alternative source":"\u955c\u50cf","Alternative source URL":"\u66ff\u4ee3\u6765\u6e90\u7f51\u5740","Media poster (Image URL)":"\u5c01\u9762(\u56fe\u7247\u5730\u5740)","Paste your embed code below:":"\u5c06\u5185\u5d4c\u4ee3\u7801\u7c98\u8d34\u5728\u4e0b\u9762:","Embed":"\u5185\u5d4c","Media...":"\u591a\u5a92\u4f53...","Nonbreaking space":"\u4e0d\u95f4\u65ad\u7a7a\u683c","Page break":"\u5206\u9875\u7b26","Paste as text":"\u7c98\u8d34\u4e3a\u6587\u672c","Preview":"\u9884\u89c8","Print":"\u6253\u5370","Print...":"\u6253\u5370...","Save":"\u4fdd\u5b58","Find":"\u5bfb\u627e","Replace with":"\u66ff\u6362\u4e3a","Replace":"\u66ff\u6362","Replace all":"\u66ff\u6362\u5168\u90e8","Previous":"\u4e0a\u4e00\u4e2a","Next":"\u4e0b\u4e00\u4e2a","Find and Replace":"\u67e5\u627e\u548c\u66ff\u6362","Find and replace...":"\u67e5\u627e\u5e76\u66ff\u6362...","Could not find the specified string.":"\u672a\u627e\u5230\u641c\u7d22\u5185\u5bb9\u3002","Match case":"\u5927\u5c0f\u5199\u5339\u914d","Find whole words only":"\u5168\u5b57\u5339\u914d","Find in selection":"\u5728\u9009\u533a\u4e2d\u67e5\u627e","Insert table":"\u63d2\u5165\u8868\u683c","Table properties":"\u8868\u683c\u5c5e\u6027","Delete table":"\u5220\u9664\u8868\u683c","Cell":"\u5355\u5143\u683c","Row":"\u884c","Column":"\u5217","Cell properties":"\u5355\u5143\u683c\u5c5e\u6027","Merge cells":"\u5408\u5e76\u5355\u5143\u683c","Split cell":"\u62c6\u5206\u5355\u5143\u683c","Insert row before":"\u5728\u4e0a\u65b9\u63d2\u5165\u884c","Insert row after":"\u5728\u4e0b\u65b9\u63d2\u5165\u884c","Delete row":"\u5220\u9664\u884c","Row properties":"\u884c\u5c5e\u6027","Cut row":"\u526a\u5207\u884c","Cut column":"\u526a\u5207\u5217","Copy row":"\u590d\u5236\u884c","Copy column":"\u590d\u5236\u5217","Paste row before":"\u7c98\u8d34\u884c\u5230\u4e0a\u65b9","Paste column before":"\u7c98\u8d34\u6b64\u5217\u524d","Paste row after":"\u7c98\u8d34\u884c\u5230\u4e0b\u65b9","Paste column after":"\u7c98\u8d34\u540e\u9762\u7684\u5217","Insert column before":"\u5728\u5de6\u4fa7\u63d2\u5165\u5217","Insert column after":"\u5728\u53f3\u4fa7\u63d2\u5165\u5217","Delete column":"\u5220\u9664\u5217","Cols":"\u5217","Rows":"\u884c\u6570","Width":"\u5bbd\u5ea6","Height":"\u9ad8\u5ea6","Cell spacing":"\u5355\u5143\u683c\u5916\u95f4\u8ddd","Cell padding":"\u5355\u5143\u683c\u5185\u8fb9\u8ddd","Row clipboard actions":"\u884c\u526a\u8d34\u677f\u64cd\u4f5c","Column clipboard actions":"\u5217\u526a\u8d34\u677f\u64cd\u4f5c","Table styles":"\u8868\u683c\u6837\u5f0f","Cell styles":"\u5355\u5143\u683c\u6837\u5f0f","Column header":"\u5217\u6807\u9898","Row header":"\u884c\u5934","Table caption":"\u8868\u683c\u6807\u9898","Caption":"\u6807\u9898","Show caption":"\u663e\u793a\u6807\u9898","Left":"\u5de6","Center":"\u5c45\u4e2d","Right":"\u53f3","Cell type":"\u50a8\u5b58\u683c\u522b","Scope":"\u8303\u56f4","Alignment":"\u5bf9\u9f50","Horizontal align":"\u6c34\u5e73\u5bf9\u9f50","Vertical align":"\u5782\u76f4\u5bf9\u9f50","Top":"\u4e0a\u65b9\u5bf9\u9f50","Middle":"\u5c45\u4e2d\u5bf9\u9f50","Bottom":"\u4e0b\u65b9\u5bf9\u9f50","Header cell":"\u8868\u5934\u5355\u5143\u683c","Row group":"\u884c\u7ec4","Column group":"\u5217\u7ec4","Row type":"\u884c\u7c7b\u578b","Header":"\u8868\u5934","Body":"\u8868\u4f53","Footer":"\u8868\u5c3e","Border color":"\u6846\u7ebf\u989c\u8272","Solid":"\u5b9e\u7ebf","Dotted":"\u865a\u7ebf","Dashed":"\u865a\u7ebf","Double":"\u53cc\u7cbe\u5ea6","Groove":"\u51f9\u69fd","Ridge":"\u6d77\u810a\u5ea7","Inset":"\u5d4c\u5165","Outset":"\u5916\u7f6e","Hidden":"\u9690\u85cf","Insert template...":"\u63d2\u5165\u6a21\u677f...","Templates":"\u6a21\u677f","Template":"\u6a21\u677f","Insert Template":"\u63d2\u5165\u6a21\u677f","Text color":"\u6587\u672c\u989c\u8272","Background color":"\u80cc\u666f\u989c\u8272","Custom...":"\u81ea\u5b9a\u4e49......","Custom color":"\u81ea\u5b9a\u4e49\u989c\u8272","No color":"\u65e0","Remove color":"\u79fb\u9664\u989c\u8272","Show blocks":"\u663e\u793a\u533a\u5757\u8fb9\u6846","Show invisible characters":"\u663e\u793a\u4e0d\u53ef\u89c1\u5b57\u7b26","Word count":"\u5b57\u6570","Count":"\u8ba1\u6570","Document":"\u6587\u6863","Selection":"\u9009\u62e9","Words":"\u5355\u8bcd","Words: {0}":"\u5b57\u6570\uff1a{0}","{0} words":"{0} \u5b57","File":"\u6587\u4ef6","Edit":"\u7f16\u8f91","Insert":"\u63d2\u5165","View":"\u67e5\u770b","Format":"\u683c\u5f0f","Table":"\u8868\u683c","Tools":"\u5de5\u5177","Powered by {0}":"\u7531{0}\u9a71\u52a8","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u7f16\u8f91\u533a\u3002\u6309ALT-F9\u6253\u5f00\u83dc\u5355\uff0c\u6309ALT-F10\u6253\u5f00\u5de5\u5177\u680f\uff0c\u6309ALT-0\u67e5\u770b\u5e2e\u52a9","Image title":"\u56fe\u7247\u6807\u9898","Border width":"\u8fb9\u6846\u5bbd\u5ea6","Border style":"\u8fb9\u6846\u6837\u5f0f","Error":"\u9519\u8bef","Warn":"\u8b66\u544a","Valid":"\u6709\u6548","To open the popup, press Shift+Enter":"\u6309Shitf+Enter\u952e\u6253\u5f00\u5bf9\u8bdd\u6846","Rich Text Area":"\u5bcc\u6587\u672c\u533a\u57df","Rich Text Area. Press ALT-0 for help.":"\u7f16\u8f91\u533a\u3002\u6309Alt+0\u952e\u6253\u5f00\u5e2e\u52a9\u3002","System Font":"\u7cfb\u7edf\u5b57\u4f53","Failed to upload image: {0}":"\u56fe\u7247\u4e0a\u4f20\u5931\u8d25: {0}","Failed to load plugin: {0} from url {1}":"\u63d2\u4ef6\u52a0\u8f7d\u5931\u8d25: {0} \u6765\u81ea\u94fe\u63a5 {1}","Failed to load plugin url: {0}":"\u63d2\u4ef6\u52a0\u8f7d\u5931\u8d25 \u94fe\u63a5: {0}","Failed to initialize plugin: {0}":"\u63d2\u4ef6\u521d\u59cb\u5316\u5931\u8d25: {0}","example":"\u793a\u4f8b","Search":"\u641c\u7d22","All":"\u5168\u90e8","Currency":"\u8d27\u5e01","Text":"\u6587\u5b57","Quotations":"\u5f15\u7528","Mathematical":"\u6570\u5b66","Extended Latin":"\u62c9\u4e01\u8bed\u6269\u5145","Symbols":"\u7b26\u53f7","Arrows":"\u7bad\u5934","User Defined":"\u81ea\u5b9a\u4e49","dollar sign":"\u7f8e\u5143\u7b26\u53f7","currency sign":"\u8d27\u5e01\u7b26\u53f7","euro-currency sign":"\u6b27\u5143\u7b26\u53f7","colon sign":"\u5192\u53f7","cruzeiro sign":"\u514b\u9c81\u8d5b\u7f57\u5e01\u7b26\u53f7","french franc sign":"\u6cd5\u90ce\u7b26\u53f7","lira sign":"\u91cc\u62c9\u7b26\u53f7","mill sign":"\u5bc6\u5c14\u7b26\u53f7","naira sign":"\u5948\u62c9\u7b26\u53f7","peseta sign":"\u6bd4\u585e\u5854\u7b26\u53f7","rupee sign":"\u5362\u6bd4\u7b26\u53f7","won sign":"\u97e9\u5143\u7b26\u53f7","new sheqel sign":"\u65b0\u8c22\u514b\u5c14\u7b26\u53f7","dong sign":"\u8d8a\u5357\u76fe\u7b26\u53f7","kip sign":"\u8001\u631d\u57fa\u666e\u7b26\u53f7","tugrik sign":"\u56fe\u683c\u91cc\u514b\u7b26\u53f7","drachma sign":"\u5fb7\u62c9\u514b\u9a6c\u7b26\u53f7","german penny symbol":"\u5fb7\u56fd\u4fbf\u58eb\u7b26\u53f7","peso sign":"\u6bd4\u7d22\u7b26\u53f7","guarani sign":"\u74dc\u62c9\u5c3c\u7b26\u53f7","austral sign":"\u6fb3\u5143\u7b26\u53f7","hryvnia sign":"\u683c\u91cc\u592b\u5c3c\u4e9a\u7b26\u53f7","cedi sign":"\u585e\u5730\u7b26\u53f7","livre tournois sign":"\u91cc\u5f17\u5f17\u5c14\u7b26\u53f7","spesmilo sign":"spesmilo\u7b26\u53f7","tenge sign":"\u575a\u6208\u7b26\u53f7","indian rupee sign":"\u5370\u5ea6\u5362\u6bd4","turkish lira sign":"\u571f\u8033\u5176\u91cc\u62c9","nordic mark sign":"\u5317\u6b27\u9a6c\u514b","manat sign":"\u9a6c\u7eb3\u7279\u7b26\u53f7","ruble sign":"\u5362\u5e03\u7b26\u53f7","yen character":"\u65e5\u5143\u5b57\u6837","yuan character":"\u4eba\u6c11\u5e01\u5143\u5b57\u6837","yuan character, in hong kong and taiwan":"\u5143\u5b57\u6837\uff08\u6e2f\u53f0\u5730\u533a\uff09","yen/yuan character variant one":"\u5143\u5b57\u6837\uff08\u5927\u5199\uff09","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"\u6b63\u5728\u52a0\u8f7dEmojis...","Could not load emojis":"\u65e0\u6cd5\u52a0\u8f7dEmojis","People":"\u4eba\u7c7b","Animals and Nature":"\u52a8\u7269\u548c\u81ea\u7136","Food and Drink":"\u98df\u7269\u548c\u996e\u54c1","Activity":"\u6d3b\u52a8","Travel and Places":"\u65c5\u6e38\u548c\u5730\u70b9","Objects":"\u7269\u4ef6","Flags":"\u65d7\u5e1c","Characters":"\u5b57\u7b26","Characters (no spaces)":"\u5b57\u7b26(\u65e0\u7a7a\u683c)","{0} characters":"{0} \u4e2a\u5b57\u7b26","Error: Form submit field collision.":"\u9519\u8bef: \u8868\u5355\u63d0\u4ea4\u5b57\u6bb5\u51b2\u7a81\u3002","Error: No form element found.":"\u9519\u8bef: \u6ca1\u6709\u8868\u5355\u63a7\u4ef6\u3002","Color swatch":"\u989c\u8272\u6837\u672c","Color Picker":"\u9009\u8272\u5668","Invalid hex color code: {0}":"\u5341\u516d\u8fdb\u5236\u989c\u8272\u4ee3\u7801\u65e0\u6548\uff1a {0}","Invalid input":"\u65e0\u6548\u8f93\u5165","R":"R","Red component":"\u7ea2\u8272\u90e8\u5206","G":"G","Green component":"\u7eff\u8272\u90e8\u5206","B":"B","Blue component":"\u767d\u8272\u90e8\u5206","#":"#","Hex color code":"\u5341\u516d\u8fdb\u5236\u989c\u8272\u4ee3\u7801","Range 0 to 255":"\u8303\u56f40\u81f3255","Turquoise":"\u9752\u7eff\u8272","Green":"\u7eff\u8272","Blue":"\u84dd\u8272","Purple":"\u7d2b\u8272","Navy Blue":"\u6d77\u519b\u84dd","Dark Turquoise":"\u6df1\u84dd\u7eff\u8272","Dark Green":"\u6df1\u7eff\u8272","Medium Blue":"\u4e2d\u84dd\u8272","Medium Purple":"\u4e2d\u7d2b\u8272","Midnight Blue":"\u6df1\u84dd\u8272","Yellow":"\u9ec4\u8272","Orange":"\u6a59\u8272","Red":"\u7ea2\u8272","Light Gray":"\u6d45\u7070\u8272","Gray":"\u7070\u8272","Dark Yellow":"\u6697\u9ec4\u8272","Dark Orange":"\u6df1\u6a59\u8272","Dark Red":"\u6df1\u7ea2\u8272","Medium Gray":"\u4e2d\u7070\u8272","Dark Gray":"\u6df1\u7070\u8272","Light Green":"\u6d45\u7eff\u8272","Light Yellow":"\u6d45\u9ec4\u8272","Light Red":"\u6d45\u7ea2\u8272","Light Purple":"\u6d45\u7d2b\u8272","Light Blue":"\u6d45\u84dd\u8272","Dark Purple":"\u6df1\u7d2b\u8272","Dark Blue":"\u6df1\u84dd\u8272","Black":"\u9ed1\u8272","White":"\u767d\u8272","Switch to or from fullscreen mode":"\u5207\u6362\u5168\u5c4f\u6a21\u5f0f","Open help dialog":"\u6253\u5f00\u5e2e\u52a9\u5bf9\u8bdd\u6846","history":"\u5386\u53f2","styles":"\u6837\u5f0f","formatting":"\u683c\u5f0f\u5316","alignment":"\u5bf9\u9f50","indentation":"\u7f29\u8fdb","Font":"\u5b57\u4f53","Size":"\u5b57\u53f7","More...":"\u66f4\u591a...","Select...":"\u9009\u62e9...","Preferences":"\u9996\u9009\u9879","Yes":"\u662f","No":"\u5426","Keyboard Navigation":"\u952e\u76d8\u6307\u5f15","Version":"\u7248\u672c","Code view":"\u4ee3\u7801\u89c6\u56fe","Open popup menu for split buttons":"\u6253\u5f00\u5f39\u51fa\u5f0f\u83dc\u5355\uff0c\u7528\u4e8e\u62c6\u5206\u6309\u94ae","List Properties":"\u5217\u8868\u5c5e\u6027","List properties...":"\u6807\u9898\u5b57\u4f53\u5c5e\u6027","Start list at number":"\u4ee5\u6570\u5b57\u5f00\u59cb\u5217\u8868","Line height":"\u884c\u9ad8","Dropped file type is not supported":"\u6b64\u6587\u4ef6\u7c7b\u578b\u4e0d\u652f\u6301\u62d6\u653e","Loading...":"\u52a0\u8f7d\u4e2d...","ImageProxy HTTP error: Rejected request":"\u56fe\u7247\u4ee3\u7406\u8bf7\u6c42\u9519\u8bef\uff1a\u8bf7\u6c42\u88ab\u62d2\u7edd","ImageProxy HTTP error: Could not find Image Proxy":"\u56fe\u7247\u4ee3\u7406\u8bf7\u6c42\u9519\u8bef\uff1a\u65e0\u6cd5\u627e\u5230\u56fe\u7247\u4ee3\u7406","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u56fe\u7247\u4ee3\u7406\u8bf7\u6c42\u9519\u8bef\uff1a\u56fe\u7247\u4ee3\u7406\u5730\u5740\u9519\u8bef","ImageProxy HTTP error: Unknown ImageProxy error":"\u56fe\u7247\u4ee3\u7406\u8bf7\u6c42\u9519\u8bef\uff1a\u672a\u77e5\u7684\u56fe\u7247\u4ee3\u7406\u9519\u8bef"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/zh-Hant.js b/deform/static/tinymce/langs/zh-Hant.js new file mode 100644 index 00000000..42e2fccb --- /dev/null +++ b/deform/static/tinymce/langs/zh-Hant.js @@ -0,0 +1 @@ +tinymce.addI18n("zh-Hant",{"Redo":"Test","Undo":"\u5fa9\u539f","Cut":"\u526a\u4e0b","Copy":"\u8907\u88fd","Paste":"\u8cbc\u4e0a","Select all":"\u5168\u9078","New document":"\u65b0\u589e\u6587\u4ef6","Ok":"\u78ba\u5b9a","Cancel":"\u53d6\u6d88","Visual aids":"\u683c\u7dda","Bold":"\u7c97\u9ad4","Italic":"\u659c\u9ad4","Underline":"\u5e95\u7dda","Strikethrough":"\u522a\u9664\u7dda","Superscript":"\u4e0a\u6a19","Subscript":"\u4e0b\u6a19","Clear formatting":"\u6e05\u9664\u683c\u5f0f","Remove":"\u79fb\u9664","Align left":"\u5de6\u5c0d\u9f4a","Align center":"\u7f6e\u4e2d\u5c0d\u9f4a","Align right":"\u53f3\u5c0d\u9f4a","No alignment":"\u4e0d\u5c0d\u9f4a","Justify":"\u5169\u7aef\u5c0d\u9f4a","Bullet list":"\u7121\u5e8f\u5217\u8868","Numbered list":"\u6709\u5e8f\u5217\u8868","Decrease indent":"\u6e1b\u5c11\u7e2e\u9032","Increase indent":"\u589e\u52a0\u7e2e\u9032","Close":"\u95dc\u9589","Formats":"\u683c\u5f0f","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u4f60\u7684\u700f\u89bd\u5668\u4e0d\u652f\u63f4\u6253\u958b\u526a\u8cbc\u677f\uff0c\u8acb\u4f7f\u7528Ctrl+X/C/V\u7b49\u5feb\u901f\u9375\u3002","Headings":"\u6a19\u984c","Heading 1":"\u4e00\u7d1a\u6a19\u984c","Heading 2":"\u4e8c\u7d1a\u6a19\u984c","Heading 3":"\u4e09\u7d1a\u6a19\u984c","Heading 4":"\u56db\u7d1a\u6a19\u984c","Heading 5":"\u4e94\u7d1a\u6a19\u984c","Heading 6":"\u516d\u7d1a\u6a19\u984c","Preformatted":"\u9810\u5148\u683c\u5f0f\u5316\u7684","Div":"DIV","Pre":"\u524d\u8a00","Code":"\u4ee3\u78bc","Paragraph":"\u6bb5\u843d","Blockquote":"\u5f15\u6587\u5340\u584a","Inline":"\u6587\u672c","Blocks":"\u6a23\u5f0f","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u7576\u524d\u70ba\u7d14\u6587\u5b57\u8cbc\u4e0a\u6a21\u5f0f\uff0c\u518d\u6b21\u9ede\u64ca\u53ef\u4ee5\u56de\u5230\u666e\u901a\u8cbc\u4e0a\u6a21\u5f0f\u3002","Fonts":"\u5b57\u9ad4","Font sizes":"\u5b57\u9ad4\u5927\u5c0f","Class":"\u985e\u578b","Browse for an image":"\u700f\u89bd\u5716\u50cf","OR":"\u6216","Drop an image here":"\u62d6\u653e\u4e00\u5f35\u5716\u50cf\u81f3\u6b64","Upload":"\u4e0a\u8f09","Uploading image":"\u4e0a\u8f09\u5716\u7247","Block":"\u584a","Align":"\u5c0d\u9f4a","Default":"\u9810\u8a2d","Circle":"\u7a7a\u5fc3\u5713","Disc":"\u5be6\u5fc3\u5713","Square":"\u5be6\u5fc3\u65b9\u584a","Lower Alpha":"\u5c0f\u5beb\u82f1\u6587\u5b57\u6bcd","Lower Greek":"\u5c0f\u5beb\u5e0c\u81d8\u5b57\u6bcd","Lower Roman":"\u5c0f\u5beb\u7f85\u99ac\u6578\u5b57","Upper Alpha":"\u5927\u5beb\u82f1\u6587\u5b57\u6bcd","Upper Roman":"\u5927\u5beb\u7f85\u99ac\u6578\u5b57","Anchor...":"\u9328\u9ede...","Anchor":"\u9328\u9ede","Name":"\u540d\u7a31","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID\u61c9\u8a72\u4ee5\u82f1\u6587\u5b57\u6bcd\u958b\u982d\uff0c\u5f8c\u9762\u53ea\u80fd\u6709\u82f1\u6587\u5b57\u6bcd\u3001\u6578\u4f4d\u3001\u7834\u6298\u865f\u3001\u9ede\u3001\u5192\u865f\u6216\u5e95\u7dda\u3002","You have unsaved changes are you sure you want to navigate away?":"\u4f60\u9084\u6709\u6587\u4ef6\u5c1a\u672a\u5132\u5b58\uff0c\u78ba\u5b9a\u8981\u96e2\u958b\uff1f","Restore last draft":"\u6062\u5fa9\u4e0a\u6b21\u7684\u8349\u7a3f","Special character...":"\u7279\u6b8a\u5b57\u5143...","Special Character":"\u7279\u6b8a\u5b57\u5143","Source code":"\u539f\u59cb\u7a0b\u5f0f\u78bc","Insert/Edit code sample":"\u63d2\u5165/\u7de8\u8f2f\u4ee3\u78bc\u793a\u7bc4","Language":"\u8a9e\u8a00","Code sample...":"\u793a\u7bc4\u4ee3\u78bc...","Left to right":"\u7531\u5de6\u5230\u53f3","Right to left":"\u7531\u53f3\u5230\u5de6","Title":"\u6a19\u984c","Fullscreen":"\u5168\u7192\u5e55","Action":"\u52d5\u4f5c","Shortcut":"\u6377\u5f91","Help":"\u5e6b\u52a9","Address":"\u5730\u5740","Focus to menubar":"\u79fb\u52d5\u7126\u9ede\u5230\u529f\u80fd\u8868\u5217","Focus to toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u5de5\u5177\u5217","Focus to element path":"\u79fb\u52d5\u7126\u9ede\u5230\u5143\u7d20\u8def\u5f91","Focus to contextual toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u4e0a\u4e0b\u6587\u83dc\u55ae","Insert link (if link plugin activated)":"\u63d2\u5165\u9023\u7d50 (\u5982\u679c\u9023\u7d50\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Save (if save plugin activated)":"\u5132\u5b58(\u5982\u679c\u5132\u5b58\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Find (if searchreplace plugin activated)":"\u5c0b\u627e(\u5982\u679c\u5c0b\u627e\u53d6\u4ee3\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Plugins installed ({0}):":"\u5df2\u5b89\u88dd\u5916\u639b\u7a0b\u5f0f ({0}):","Premium plugins:":"\u4ed8\u8cbb\u5916\u639b\u7a0b\u5f0f\uff1a","Learn more...":"\u4e86\u89e3\u66f4\u591a...","You are using {0}":"\u4f60\u6b63\u5728\u4f7f\u7528 {0}","Plugins":"\u5916\u639b\u7a0b\u5f0f","Handy Shortcuts":"\u5feb\u901f\u9375","Horizontal line":"\u6c34\u6e96\u5206\u5272\u7dda","Insert/edit image":"\u63d2\u5165/\u7de8\u8f2f\u5716\u7247","Alternative description":"\u66ff\u4ee3\u63cf\u8ff0","Accessibility":"\u5354\u52a9\u5de5\u5177","Image is decorative":"\u9019\u662f\u88dd\u98fe\u5716\u50cf","Source":"\u6e90","Dimensions":"\u5c3a\u5bf8","Constrain proportions":"\u4fdd\u6301\u6bd4\u4f8b","General":"\u4e00\u822c","Advanced":"\u9ad8\u7d1a","Style":"\u6a23\u5f0f","Vertical space":"\u5782\u76f4\u9593\u8ddd","Horizontal space":"\u6c34\u6e96\u9593\u8ddd","Border":"\u6846\u7dda","Insert image":"\u63d2\u5165\u5716\u7247","Image...":"\u5716\u7247...","Image list":"\u5716\u7247\u6e05\u55ae","Resize":"\u8abf\u6574\u5927\u5c0f","Insert date/time":"\u63d2\u5165\u65e5\u671f/\u6642\u9593","Date/time":"\u65e5\u671f/\u6642\u9593","Insert/edit link":"\u63d2\u5165/\u7de8\u8f2f\u9023\u7d50","Text to display":"\u8981\u986f\u793a\u7684\u6587\u672c","Url":"\u5730\u5740","Open link in...":"\u9023\u7d50\u6253\u958b\u4f4d\u7f6e...","Current window":"\u7576\u524d\u7a97\u53e3","None":"\u7121","New window":"\u65b0\u7a97\u53e3","Open link":"\u6253\u958b\u9023\u7d50","Remove link":"\u79fb\u9664\u9023\u7d50","Anchors":"\u9328\u9ede","Link...":"\u9023\u7d50...","Paste or type a link":"\u8cbc\u4e0a\u6216\u8f38\u5165\u9023\u7d50","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u96fb\u90f5\u5730\u5740\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 mailto:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 http:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 https:// \u9996\u78bc\u55ce\uff1f","Link list":"\u9023\u7d50\u6e05\u55ae","Insert video":"\u63d2\u5165\u8996\u983b","Insert/edit video":"\u63d2\u5165/\u7de8\u8f2f\u8996\u983b","Insert/edit media":"\u63d2\u5165/\u7de8\u8f2f\u5a92\u9ad4","Alternative source":"\u93e1\u50cf","Alternative source URL":"\u66ff\u4ee3\u4f86\u6e90\u7db2\u5740","Media poster (Image URL)":"\u5c01\u9762(\u5716\u7247\u4f4d\u5740)","Paste your embed code below:":"\u5c07\u5167\u5d4c\u4ee3\u78bc\u8cbc\u4e0a\u5728\u4e0b\u9762:","Embed":"\u5167\u5d4c","Media...":"\u591a\u5a92\u9ad4...","Nonbreaking space":"\u4e0d\u5206\u884c\u7a7a\u683c","Page break":"\u5206\u9801\u7b26","Paste as text":"\u8cbc\u4e0a\u70ba\u6587\u672c","Preview":"\u9810\u89bd","Print":"\u5217\u5370","Print...":"\u5217\u5370...","Save":"\u5132\u5b58","Find":"\u5c0b\u627e","Replace with":"\u53d6\u4ee3\u70ba","Replace":"\u53d6\u4ee3","Replace all":"\u53d6\u4ee3\u5168\u90e8","Previous":"\u4e0a\u4e00\u500b","Next":"\u4e0b\u4e00\u500b","Find and Replace":"\u5c0b\u627e\u548c\u53d6\u4ee3","Find and replace...":"\u5c0b\u627e\u4e26\u53d6\u4ee3...","Could not find the specified string.":"\u672a\u627e\u5230\u641c\u7d22\u5167\u5bb9\u3002","Match case":"\u5927\u5c0f\u5beb\u5339\u914d","Find whole words only":"\u5168\u5b57\u5339\u914d","Find in selection":"\u5728\u9078\u5340\u4e2d\u5c0b\u627e","Insert table":"\u63d2\u5165\u8868\u683c","Table properties":"\u8868\u683c\u5c6c\u6027","Delete table":"\u522a\u9664\u8868\u683c","Cell":"\u5132\u5b58\u683c","Row":"\u884c","Column":"\u6b04","Cell properties":"\u5132\u5b58\u683c\u5c6c\u6027","Merge cells":"\u5408\u4f75\u5132\u5b58\u683c","Split cell":"\u62c6\u5206\u5132\u5b58\u683c","Insert row before":"\u5728\u4e0a\u65b9\u63d2\u5165\u884c","Insert row after":"\u5728\u4e0b\u65b9\u63d2\u5165\u884c","Delete row":"\u522a\u9664\u884c","Row properties":"\u884c\u5c6c\u6027","Cut row":"\u526a\u4e0b\u884c","Cut column":"\u526a\u4e0b\u5217","Copy row":"\u8907\u88fd\u884c","Copy column":"\u8907\u88fd\u5217","Paste row before":"\u8cbc\u4e0a\u884c\u5230\u4e0a\u65b9","Paste column before":"\u8cbc\u4e0a\u6b64\u5217\u524d","Paste row after":"\u8cbc\u4e0a\u884c\u5230\u4e0b\u65b9","Paste column after":"\u8cbc\u4e0a\u5f8c\u9762\u7684\u5217","Insert column before":"\u5728\u5de6\u5074\u63d2\u5165\u5217","Insert column after":"\u5728\u53f3\u5074\u63d2\u5165\u5217","Delete column":"\u522a\u9664\u5217","Cols":"\u5217","Rows":"\u884c\u6578","Width":"\u5bec\u5ea6","Height":"\u9ad8\u5ea6","Cell spacing":"\u5132\u5b58\u683c\u5916\u9593\u8ddd","Cell padding":"\u5132\u5b58\u683c\u5167\u908a\u8ddd","Row clipboard actions":"\u884c\u526a\u8cbc\u677f\u64cd\u4f5c","Column clipboard actions":"\u5217\u526a\u8cbc\u677f\u64cd\u4f5c","Table styles":"\u8868\u683c\u6a23\u5f0f","Cell styles":"\u5132\u5b58\u683c\u6a23\u5f0f","Column header":"\u5217\u6a19\u984c","Row header":"\u884c\u982d","Table caption":"\u8868\u683c\u6a19\u984c","Caption":"\u6a19\u984c","Show caption":"\u986f\u793a\u6a19\u984c","Left":"\u5de6","Center":"\u7f6e\u4e2d","Right":"\u53f3","Cell type":"\u5132\u5b58\u683c\u5225","Scope":"\u7bc4\u570d","Alignment":"\u5c0d\u9f4a","Horizontal align":"\u6c34\u6e96\u5c0d\u9f4a","Vertical align":"\u5782\u76f4\u5c0d\u9f4a","Top":"\u4e0a\u65b9\u5c0d\u9f4a","Middle":"\u7f6e\u4e2d\u5c0d\u9f4a","Bottom":"\u4e0b\u65b9\u5c0d\u9f4a","Header cell":"\u8868\u982d\u5132\u5b58\u683c","Row group":"\u884c\u7d44","Column group":"\u5217\u7d44","Row type":"\u884c\u985e\u578b","Header":"\u8868\u982d","Body":"\u8868\u9ad4","Footer":"\u8868\u5c3e","Border color":"\u6846\u7dda\u984f\u8272","Solid":"\u5be6\u7dda","Dotted":"\u865b\u7dda","Dashed":"\u865b\u7dda","Double":"\u96d9\u7cbe\u5ea6","Groove":"\u51f9\u69fd","Ridge":"\u6d77\u810a\u5ea7","Inset":"\u5d4c\u5165","Outset":"\u5916\u7f6e","Hidden":"\u96b1\u85cf","Insert template...":"\u63d2\u5165\u7bc4\u672c...","Templates":"\u7bc4\u672c","Template":"\u7bc4\u672c","Insert Template":"\u63d2\u5165\u7bc4\u672c","Text color":"\u6587\u672c\u984f\u8272","Background color":"\u80cc\u666f\u984f\u8272","Custom...":"\u81ea\u8a02......","Custom color":"\u81ea\u8a02\u984f\u8272","No color":"\u7121","Remove color":"\u79fb\u9664\u984f\u8272","Show blocks":"\u986f\u793a\u5340\u584a\u908a\u6846","Show invisible characters":"\u986f\u793a\u4e0d\u53ef\u898b\u5b57\u5143","Word count":"\u5b57\u6578","Count":"\u8a08\u6578","Document":"\u6587\u4ef6","Selection":"\u9078\u64c7","Words":"\u55ae\u8a5e","Words: {0}":"\u5b57\u6578\uff1a{0}","{0} words":"{0} \u5b57","File":"\u6587\u4ef6","Edit":"\u7de8\u8f2f","Insert":"\u63d2\u5165","View":"\u67e5\u770b","Format":"\u683c\u5f0f","Table":"\u8868\u683c","Tools":"\u5de5\u5177","Powered by {0}":"\u7531{0}\u9a45\u52d5","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u7de8\u8f2f\u5340\u3002\u6309ALT-F9\u6253\u958b\u529f\u80fd\u8868\uff0c\u6309ALT-F10\u6253\u958b\u5de5\u5177\u5217\uff0c\u6309ALT-0\u67e5\u770b\u5e6b\u52a9","Image title":"\u5716\u7247\u6a19\u984c","Border width":"\u908a\u6846\u5bec\u5ea6","Border style":"\u908a\u6846\u6a23\u5f0f","Error":"\u932f\u8aa4","Warn":"\u8b66\u544a","Valid":"\u6709\u6548","To open the popup, press Shift+Enter":"\u6309Shitf+Enter\u9375\u6253\u958b\u5c0d\u8a71\u65b9\u584a","Rich Text Area":"\u5bcc\u6587\u672c\u5340\u57df","Rich Text Area. Press ALT-0 for help.":"\u7de8\u8f2f\u5340\u3002\u6309Alt+0\u9375\u6253\u958b\u5e6b\u52a9\u3002","System Font":"\u7cfb\u7d71\u5b57\u9ad4","Failed to upload image: {0}":"\u4e0a\u8f09\u5716\u7247\u5931\u6557\uff1a{0}","Failed to load plugin: {0} from url {1}":"\u7121\u6cd5\u5f9e {1} \u8f09\u5165\u63d2\u4ef6 {0}","Failed to load plugin url: {0}":"\u7121\u6cd5\u8f09\u5165\u63d2\u4ef6\u93c8\u7d50 {0}","Failed to initialize plugin: {0}":"\u7121\u6cd5\u521d\u59cb\u5316\u63d2\u4ef6 {0}","example":"\u4f8b\u5b50","Search":"\u641c\u7d22","All":"\u5168\u90e8","Currency":"\u8ca8\u5e63","Text":"\u6587\u5b57","Quotations":"\u5f15\u7528","Mathematical":"\u6578\u5b78","Extended Latin":"\u62c9\u4e01\u8a9e\u64f4\u5145","Symbols":"\u7b26\u865f","Arrows":"\u7bad\u982d","User Defined":"\u81ea\u8a02","dollar sign":"\u7f8e\u5143\u7b26\u865f","currency sign":"\u8ca8\u5e63\u7b26\u865f","euro-currency sign":"\u6b50\u5143\u7b26\u865f","colon sign":"\u5192\u865f","cruzeiro sign":"\u514b\u9b6f\u8cfd\u7f85\u5e63\u7b26\u865f","french franc sign":"\u6cd5\u90ce\u7b26\u865f","lira sign":"\u91cc\u62c9\u7b26\u865f","mill sign":"\u5bc6\u723e\u7b26\u865f","naira sign":"\u5948\u62c9\u7b26\u865f","peseta sign":"\u6bd4\u85a9\u659c\u5854\u7b26\u865f","rupee sign":"\u76e7\u6bd4\u7b26\u865f","won sign":"\u97d3\u5143\u7b26\u865f","new sheqel sign":"\u65b0\u8b1d\u514b\u723e\u7b26\u865f","dong sign":"\u8d8a\u5357\u76fe\u7b26\u865f","kip sign":"\u8001\u64be\u57fa\u666e\u7b26\u865f","tugrik sign":"\u5716\u683c\u88e1\u514b\u7b26\u865f","drachma sign":"\u5fb7\u62c9\u514b\u99ac\u7b26\u865f","german penny symbol":"\u5fb7\u570b\u4fbf\u58eb\u7b26\u865f","peso sign":"\u6bd4\u7d22\u7b26\u865f","guarani sign":"\u74dc\u62c9\u5c3c\u7b26\u865f","austral sign":"\u6fb3\u5143\u7b26\u865f","hryvnia sign":"\u683c\u88e1\u592b\u5c3c\u4e9e\u7b26\u865f","cedi sign":"\u585e\u5730\u7b26\u865f","livre tournois sign":"\u88e1\u5f17\u5f17\u723e\u7b26\u865f","spesmilo sign":"spesmilo\u7b26\u865f","tenge sign":"\u5805\u6208\u7b26\u865f","indian rupee sign":"\u5370\u5ea6\u76e7\u6bd4","turkish lira sign":"\u571f\u8033\u5176\u91cc\u62c9","nordic mark sign":"\u5317\u6b50\u99ac\u514b","manat sign":"\u99ac\u7d0d\u7279\u7b26\u865f","ruble sign":"\u76e7\u5e03\u7b26\u865f","yen character":"\u65e5\u5143\u5b57\u6a23","yuan character":"\u4eba\u6c11\u5e63\u5143\u5b57\u6a23","yuan character, in hong kong and taiwan":"\u5143\u5b57\u6a23\uff08\u6e2f\u81fa\u5730\u5340\uff09","yen/yuan character variant one":"\u5143\u5b57\u6a23\uff08\u5927\u5beb\uff09","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"\u6b63\u5728\u8f09\u5165Emojis...","Could not load emojis":"\u7121\u6cd5\u8f09\u5165Emojis","People":"\u4eba\u985e","Animals and Nature":"\u52d5\u7269\u548c\u81ea\u7136","Food and Drink":"\u98df\u7269\u548c\u98f2\u54c1","Activity":"\u6d3b\u52d5","Travel and Places":"\u65c5\u904a\u548c\u5730\u9ede","Objects":"\u7269\u4ef6","Flags":"\u65d7\u5e5f","Characters":"\u5b57\u5143","Characters (no spaces)":"\u5b57\u5143(\u7121\u7a7a\u683c)","{0} characters":"{0} \u500b\u5b57\u5143","Error: Form submit field collision.":"\u932f\u8aa4\uff1a\u8868\u683c\u51fa\u73fe\u591a\u91cd\u63d0\u4ea4\u885d\u7a81\u3002","Error: No form element found.":"\u932f\u8aa4\uff1a\u627e\u4e0d\u5230\u8868\u683c\u5143\u7d20\u3002","Color swatch":"\u984f\u8272\u6a23\u672c","Color Picker":"\u9078\u8272\u5668","Invalid hex color code: {0}":"\u7121\u6548\u7684\u984f\u8272\u78bc\uff1a{0}","Invalid input":"\u7121\u6548\u8f38\u5165","R":"\u7d05","Red component":"\u7d05\u8272\u90e8\u5206","G":"\u7da0","Green component":"\u7da0\u8272\u90e8\u5206","B":"\u85cd","Blue component":"\u767d\u8272\u90e8\u5206","#":"#","Hex color code":"\u5341\u516d\u9032\u4f4d\u984f\u8272\u4ee3\u78bc","Range 0 to 255":"\u7bc4\u570d0\u81f3255","Turquoise":"\u9752\u7da0\u8272","Green":"\u7da0\u8272","Blue":"\u85cd\u8272","Purple":"\u7d2b\u8272","Navy Blue":"\u6d77\u8ecd\u85cd","Dark Turquoise":"\u6df1\u85cd\u7da0\u8272","Dark Green":"\u6df1\u7da0\u8272","Medium Blue":"\u4e2d\u85cd\u8272","Medium Purple":"\u4e2d\u7d2b\u8272","Midnight Blue":"\u6df1\u85cd\u8272","Yellow":"\u9ec3\u8272","Orange":"\u6a59\u8272","Red":"\u7d05\u8272","Light Gray":"\u6dfa\u7070\u8272","Gray":"\u7070\u8272","Dark Yellow":"\u6697\u9ec3\u8272","Dark Orange":"\u6df1\u6a59\u8272","Dark Red":"\u6df1\u7d05\u8272","Medium Gray":"\u4e2d\u7070\u8272","Dark Gray":"\u6df1\u7070\u8272","Light Green":"\u6dfa\u7da0\u8272","Light Yellow":"\u6dfa\u9ec3\u8272","Light Red":"\u6dfa\u7d05\u8272","Light Purple":"\u6dfa\u7d2b\u8272","Light Blue":"\u6dfa\u85cd\u8272","Dark Purple":"\u6df1\u7d2b\u8272","Dark Blue":"\u6df1\u85cd\u8272","Black":"\u9ed1\u8272","White":"\u767d\u8272","Switch to or from fullscreen mode":"\u5207\u63db\u5168\u7192\u5e55\u6a21\u5f0f","Open help dialog":"\u6253\u958b\u5e6b\u52a9\u5c0d\u8a71\u65b9\u584a","history":"\u6b77\u53f2","styles":"\u6a23\u5f0f","formatting":"\u683c\u5f0f\u5316","alignment":"\u5c0d\u9f4a","indentation":"\u7e2e\u9032","Font":"\u5b57\u9ad4","Size":"\u5b57\u578b\u5927\u5c0f","More...":"\u66f4\u591a...","Select...":"\u9078\u64c7...","Preferences":"\u9996\u9078\u9805","Yes":"\u662f","No":"\u5426","Keyboard Navigation":"\u9375\u76e4\u6307\u5f15","Version":"\u7248\u672c","Code view":"\u4ee3\u78bc\u8996\u5716","Open popup menu for split buttons":"\u6253\u958b\u5f48\u51fa\u5f0f\u529f\u80fd\u8868\uff0c\u7528\u65bc\u62c6\u5206\u6309\u9215","List Properties":"\u6e05\u55ae\u5c6c\u6027","List properties...":"\u6a19\u984c\u5b57\u9ad4\u5c6c\u6027","Start list at number":"\u4ee5\u6578\u5b57\u958b\u59cb\u6e05\u55ae","Line height":"\u884c\u9ad8","Dropped file type is not supported":"\u6b64\u6a94\u6848\u985e\u578b\u4e0d\u652f\u6301\u62d6\u653e","Loading...":"\u8f09\u5165\u4e2d...","ImageProxy HTTP error: Rejected request":"\u5716\u7247\u670d\u52d9\uff1a\u62d2\u7d55\u5b58\u53d6","ImageProxy HTTP error: Could not find Image Proxy":"\u5716\u7247\u670d\u52d9\uff1a\u627e\u4e0d\u5230\u670d\u52d9","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u5716\u7247\u670d\u52d9\uff1a\u932f\u8aa4\u93c8\u7d50","ImageProxy HTTP error: Unknown ImageProxy error":"\u5716\u7247\u670d\u52d9\uff1a\u672a\u77e5\u932f\u8aa4"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/zh_CN.js b/deform/static/tinymce/langs/zh_CN.js deleted file mode 100644 index a537641d..00000000 --- a/deform/static/tinymce/langs/zh_CN.js +++ /dev/null @@ -1,173 +0,0 @@ -tinymce.addI18n('zh_CN',{ -"Cut": "\u526a\u5207", -"Header 2": "\u6807\u98982", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u4f60\u7684\u6d4f\u89c8\u5668\u4e0d\u652f\u6301\u5bf9\u526a\u8d34\u677f\u7684\u8bbf\u95ee\uff0c\u8bf7\u4f7f\u7528Ctrl+X\/C\/V\u952e\u8fdb\u884c\u590d\u5236\u7c98\u8d34\u3002", -"Div": "Div\u533a\u5757", -"Paste": "\u7c98\u8d34", -"Close": "\u5173\u95ed", -"Pre": "\u9884\u683c\u5f0f\u6587\u672c", -"Align right": "\u53f3\u5bf9\u9f50", -"New document": "\u65b0\u6587\u6863", -"Blockquote": "\u5f15\u7528", -"Numbered list": "\u7f16\u53f7\u5217\u8868", -"Increase indent": "\u589e\u52a0\u7f29\u8fdb", -"Formats": "\u683c\u5f0f", -"Headers": "\u6807\u9898", -"Select all": "\u5168\u9009", -"Header 3": "\u6807\u98983", -"Blocks": "\u5757", -"Undo": "\u64a4\u6d88", -"Strikethrough": "\u5220\u9664\u7ebf", -"Bullet list": "\u9879\u76ee\u7b26\u53f7", -"Header 1": "\u6807\u98981", -"Superscript": "\u4e0a\u6807", -"Clear formatting": "\u6e05\u9664\u683c\u5f0f", -"Subscript": "\u4e0b\u6807", -"Header 6": "\u6807\u98986", -"Redo": "\u91cd\u590d", -"Paragraph": "\u6bb5\u843d", -"Ok": "\u786e\u5b9a", -"Bold": "\u7c97\u4f53", -"Code": "\u4ee3\u7801", -"Italic": "\u659c\u4f53", -"Align center": "\u5c45\u4e2d", -"Header 5": "\u6807\u98985", -"Decrease indent": "\u51cf\u5c11\u7f29\u8fdb", -"Header 4": "\u6807\u98984", -"Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.": "\u5f53\u524d\u4e3a\u7eaf\u6587\u672c\u7c98\u8d34\u6a21\u5f0f\uff0c\u518d\u6b21\u70b9\u51fb\u53ef\u4ee5\u56de\u5230\u666e\u901a\u7c98\u8d34\u6a21\u5f0f\u3002", -"Underline": "\u4e0b\u5212\u7ebf", -"Cancel": "\u53d6\u6d88", -"Justify": "\u4e24\u7aef\u5bf9\u9f50", -"Inline": "\u5185\u5d4c", -"Copy": "\u590d\u5236", -"Align left": "\u5de6\u5bf9\u9f50", -"Visual aids": "\u63d0\u793a", -"Lower Greek": "\u5c0f\u5199\u5e0c\u814a\u5b57\u6bcd", -"Square": "\u65b9\u5757", -"Default": "\u9ed8\u8ba4", -"Lower Alpha": "\u5c0f\u5199\u82f1\u6587\u5b57\u6bcd", -"Circle": "\u7a7a\u5fc3\u5706", -"Disc": "\u5b9e\u5fc3\u5706", -"Upper Alpha": "\u5927\u5199\u82f1\u6587\u5b57\u6bcd", -"Upper Roman": "\u5927\u5199\u7f57\u9a6c\u5b57\u6bcd", -"Lower Roman": "\u5c0f\u5199\u7f57\u9a6c\u5b57\u6bcd", -"Name": "\u540d\u79f0", -"Anchor": "\u951a\u70b9", -"You have unsaved changes are you sure you want to navigate away?": "\u4f60\u8fd8\u6709\u6587\u6863\u5c1a\u672a\u4fdd\u5b58\uff0c\u786e\u5b9a\u8981\u79bb\u5f00\uff1f", -"Restore last draft": "\u6062\u590d\u4e0a\u6b21\u7684\u8349\u7a3f", -"Special character": "\u7279\u6b8a\u7b26\u53f7", -"Source code": "\u6e90\u4ee3\u7801", -"Right to left": "\u4ece\u53f3\u5230\u5de6", -"Left to right": "\u4ece\u5de6\u5230\u53f3", -"Emoticons": "\u8868\u60c5", -"Robots": "\u673a\u5668\u4eba", -"Document properties": "\u6587\u6863\u5c5e\u6027", -"Title": "\u6807\u9898", -"Keywords": "\u5173\u952e\u8bcd", -"Encoding": "\u7f16\u7801", -"Description": "\u63cf\u8ff0", -"Author": "\u4f5c\u8005", -"Fullscreen": "\u5168\u5c4f", -"Horizontal line": "\u6c34\u5e73\u5206\u5272\u7ebf", -"Horizontal space": "\u6c34\u5e73\u8fb9\u8ddd", -"Insert\/edit image": "\u63d2\u5165\/\u7f16\u8f91\u56fe\u7247", -"General": "\u666e\u901a", -"Advanced": "\u9ad8\u7ea7", -"Source": "\u5730\u5740", -"Border": "\u8fb9\u6846", -"Constrain proportions": "\u4fdd\u6301\u7eb5\u6a2a\u6bd4", -"Vertical space": "\u5782\u76f4\u8fb9\u8ddd", -"Image description": "\u56fe\u7247\u63cf\u8ff0", -"Style": "\u6837\u5f0f", -"Dimensions": "\u5927\u5c0f", -"Insert image": "\u63d2\u5165\u56fe\u7247", -"Insert date\/time": "\u63d2\u5165\u65e5\u671f\/\u65f6\u95f4", -"Remove link": "\u5220\u9664\u94fe\u63a5", -"Url": "\u5730\u5740", -"Text to display": "\u663e\u793a\u6587\u5b57", -"Insert link": "\u63d2\u5165\u94fe\u63a5", -"New window": "\u5728\u65b0\u7a97\u53e3\u6253\u5f00", -"None": "\u65e0", -"Target": "\u6253\u5f00\u65b9\u5f0f", -"Insert\/edit link": "\u63d2\u5165\/\u7f16\u8f91\u94fe\u63a5", -"Insert\/edit video": "\u63d2\u5165\/\u7f16\u8f91\u89c6\u9891", -"Poster": "\u5c01\u9762", -"Alternative source": "\u955c\u50cf", -"Paste your embed code below:": "\u5c06\u5185\u5d4c\u4ee3\u7801\u7c98\u8d34\u5728\u4e0b\u9762:", -"Insert video": "\u63d2\u5165\u89c6\u9891", -"Embed": "\u5185\u5d4c", -"Nonbreaking space": "\u4e0d\u95f4\u65ad\u7a7a\u683c", -"Page break": "\u5206\u9875\u7b26", -"Preview": "\u9884\u89c8", -"Print": "\u6253\u5370", -"Save": "\u4fdd\u5b58", -"Could not find the specified string.": "\u627e\u4e0d\u5230\u8be5\u5b57\u7b26\u4e32", -"Replace": "\u66ff\u6362", -"Next": "\u4e0b\u4e00\u4e2a", -"Whole words": "\u5b8c\u5168\u5339\u914d", -"Find and replace": "\u67e5\u627e\u548c\u66ff\u6362", -"Replace with": "\u66ff\u6362\u4e3a", -"Find": "\u67e5\u627e", -"Replace all": "\u5168\u90e8\u66ff\u6362", -"Match case": "\u5927\u5c0f\u5199\u533a\u5206", -"Prev": "\u4e0a\u4e00\u4e2a", -"Spellcheck": "\u62fc\u5199\u68c0\u67e5", -"Finish": "\u5b8c\u6210", -"Ignore all": "\u5168\u90e8\u5ffd\u7565", -"Ignore": "\u5ffd\u7565", -"Insert row before": "\u5728\u4e0a\u65b9\u63d2\u5165", -"Rows": "\u884c", -"Height": "\u9ad8", -"Paste row after": "\u7c98\u8d34\u5230\u4e0b\u65b9", -"Alignment": "\u5bf9\u9f50\u65b9\u5f0f", -"Column group": "\u5217\u7ec4", -"Row": "\u884c", -"Insert column before": "\u5728\u5de6\u4fa7\u63d2\u5165", -"Split cell": "\u62c6\u5206\u5355\u5143\u683c", -"Cell padding": "\u5355\u5143\u683c\u5185\u8fb9\u8ddd", -"Cell spacing": "\u5355\u5143\u683c\u5916\u95f4\u8ddd", -"Row type": "\u884c\u7c7b\u578b", -"Insert table": "\u63d2\u5165\u8868\u683c", -"Body": "\u8868\u4f53", -"Caption": "\u6807\u9898", -"Footer": "\u8868\u5c3e", -"Delete row": "\u5220\u9664\u884c", -"Paste row before": "\u7c98\u8d34\u5230\u4e0a\u65b9", -"Scope": "\u8303\u56f4", -"Delete table": "\u5220\u9664\u8868\u683c", -"Header cell": "\u8868\u5934\u5355\u5143\u683c", -"Column": "\u5217", -"Cell": "\u5355\u5143\u683c", -"Header": "\u8868\u5934", -"Cell type": "\u5355\u5143\u683c\u7c7b\u578b", -"Copy row": "\u590d\u5236\u884c", -"Row properties": "\u884c\u5c5e\u6027", -"Table properties": "\u8868\u683c\u5c5e\u6027", -"Row group": "\u884c\u7ec4", -"Right": "\u53f3\u5bf9\u9f50", -"Insert column after": "\u63d2\u5165\u5217\u4e8e\u4e4b\u540e", -"Cols": "\u5217", -"Insert row after": "\u5728\u4e0b\u65b9\u63d2\u5165", -"Width": "\u5bbd", -"Cell properties": "\u5355\u5143\u683c\u5c5e\u6027", -"Left": "\u5de6\u5bf9\u9f50", -"Cut row": "\u526a\u5207\u884c", -"Delete column": "\u5220\u9664\u5217", -"Center": "\u5c45\u4e2d", -"Merge cells": "\u5408\u5e76\u5355\u5143\u683c", -"Insert template": "\u63d2\u5165\u6a21\u677f", -"Templates": "\u6a21\u677f", -"Background color": "\u80cc\u666f\u8272", -"Text color": "\u6587\u5b57\u989c\u8272", -"Show blocks": "\u663e\u793a\u865a\u7ebf\u6846", -"Show invisible characters": "\u663e\u793a\u53ef\u89c1\u5b57\u7b26", -"Words: {0}": "\u5b57\u6570\uff1a{0}", -"Insert": "\u63d2\u5165", -"File": "\u6587\u4ef6", -"Edit": "\u7f16\u8f91", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u5728\u7f16\u8f91\u533a\u6309ALT-F9\u6253\u5f00\u83dc\u5355\uff0c\u6309ALT-F10\u6253\u5f00\u5de5\u5177\u680f\uff0c\u6309ALT-0\u67e5\u770b\u5e2e\u52a9", -"Tools": "\u5de5\u5177", -"View": "\u89c6\u56fe", -"Table": "\u8868\u683c", -"Format": "\u683c\u5f0f" -}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/zh_HK.js b/deform/static/tinymce/langs/zh_HK.js new file mode 100644 index 00000000..6bae7e01 --- /dev/null +++ b/deform/static/tinymce/langs/zh_HK.js @@ -0,0 +1 @@ +tinymce.addI18n("zh_HK",{"Redo":"\u91cd\u505a","Undo":"\u5fa9\u539f","Cut":"\u526a\u4e0b","Copy":"\u8907\u88fd","Paste":"\u8cbc\u4e0a","Select all":"\u5168\u9078","New document":"\u65b0\u589e\u6587\u4ef6","Ok":"\u78ba\u5b9a","Cancel":"\u53d6\u6d88","Visual aids":"\u683c\u7dda","Bold":"\u7c97\u9ad4","Italic":"\u659c\u9ad4","Underline":"\u5e95\u7dda","Strikethrough":"\u522a\u9664\u7dda","Superscript":"\u4e0a\u6a19","Subscript":"\u4e0b\u6a19","Clear formatting":"\u6e05\u9664\u683c\u5f0f","Remove":"\u79fb\u9664","Align left":"\u5de6\u5c0d\u9f4a","Align center":"\u7f6e\u4e2d\u5c0d\u9f4a","Align right":"\u53f3\u5c0d\u9f4a","No alignment":"\u4e0d\u5c0d\u9f4a","Justify":"\u5169\u7aef\u5c0d\u9f4a","Bullet list":"\u7121\u5e8f\u5217\u8868","Numbered list":"\u6709\u5e8f\u5217\u8868","Decrease indent":"\u6e1b\u5c11\u7e2e\u9032","Increase indent":"\u589e\u52a0\u7e2e\u9032","Close":"\u95dc\u9589","Formats":"\u683c\u5f0f","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u4f60\u7684\u700f\u89bd\u5668\u4e0d\u652f\u63f4\u6253\u958b\u526a\u8cbc\u677f\uff0c\u8acb\u4f7f\u7528Ctrl+X/C/V\u7b49\u5feb\u901f\u9375\u3002","Headings":"\u6a19\u984c","Heading 1":"\u4e00\u7d1a\u6a19\u984c","Heading 2":"\u4e8c\u7d1a\u6a19\u984c","Heading 3":"\u4e09\u7d1a\u6a19\u984c","Heading 4":"\u56db\u7d1a\u6a19\u984c","Heading 5":"\u4e94\u7d1a\u6a19\u984c","Heading 6":"\u516d\u7d1a\u6a19\u984c","Preformatted":"\u9810\u5148\u683c\u5f0f\u5316\u7684","Div":"DIV","Pre":"\u524d\u8a00","Code":"\u4ee3\u78bc","Paragraph":"\u6bb5\u843d","Blockquote":"\u5f15\u6587\u5340\u584a","Inline":"\u6587\u672c","Blocks":"\u6a23\u5f0f","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u7576\u524d\u70ba\u7d14\u6587\u5b57\u8cbc\u4e0a\u6a21\u5f0f\uff0c\u518d\u6b21\u9ede\u64ca\u53ef\u4ee5\u56de\u5230\u666e\u901a\u8cbc\u4e0a\u6a21\u5f0f\u3002","Fonts":"\u5b57\u9ad4","Font sizes":"\u5b57\u9ad4\u5927\u5c0f","Class":"\u985e\u578b","Browse for an image":"\u700f\u89bd\u5716\u50cf","OR":"\u6216","Drop an image here":"\u62d6\u653e\u4e00\u5f35\u5716\u50cf\u81f3\u6b64","Upload":"\u4e0a\u8f09","Uploading image":"\u4e0a\u8f09\u5716\u7247","Block":"\u584a","Align":"\u5c0d\u9f4a","Default":"\u9810\u8a2d","Circle":"\u7a7a\u5fc3\u5713","Disc":"\u5be6\u5fc3\u5713","Square":"\u5be6\u5fc3\u65b9\u584a","Lower Alpha":"\u5c0f\u5beb\u82f1\u6587\u5b57\u6bcd","Lower Greek":"\u5c0f\u5beb\u5e0c\u81d8\u5b57\u6bcd","Lower Roman":"\u5c0f\u5beb\u7f85\u99ac\u6578\u5b57","Upper Alpha":"\u5927\u5beb\u82f1\u6587\u5b57\u6bcd","Upper Roman":"\u5927\u5beb\u7f85\u99ac\u6578\u5b57","Anchor...":"\u9328\u9ede...","Anchor":"\u9328\u9ede","Name":"\u540d\u7a31","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID\u61c9\u8a72\u4ee5\u82f1\u6587\u5b57\u6bcd\u958b\u982d\uff0c\u5f8c\u9762\u53ea\u80fd\u6709\u82f1\u6587\u5b57\u6bcd\u3001\u6578\u4f4d\u3001\u7834\u6298\u865f\u3001\u9ede\u3001\u5192\u865f\u6216\u5e95\u7dda\u3002","You have unsaved changes are you sure you want to navigate away?":"\u4f60\u9084\u6709\u6587\u4ef6\u5c1a\u672a\u5132\u5b58\uff0c\u78ba\u5b9a\u8981\u96e2\u958b\uff1f","Restore last draft":"\u6062\u5fa9\u4e0a\u6b21\u7684\u8349\u7a3f","Special character...":"\u7279\u6b8a\u5b57\u5143...","Special Character":"\u7279\u6b8a\u5b57\u5143","Source code":"\u539f\u59cb\u7a0b\u5f0f\u78bc","Insert/Edit code sample":"\u63d2\u5165/\u7de8\u8f2f\u4ee3\u78bc\u793a\u7bc4","Language":"\u8a9e\u8a00","Code sample...":"\u793a\u7bc4\u4ee3\u78bc...","Left to right":"\u7531\u5de6\u5230\u53f3","Right to left":"\u7531\u53f3\u5230\u5de6","Title":"\u6a19\u984c","Fullscreen":"\u5168\u7192\u5e55","Action":"\u52d5\u4f5c","Shortcut":"\u6377\u5f91","Help":"\u5e6b\u52a9","Address":"\u5730\u5740","Focus to menubar":"\u79fb\u52d5\u7126\u9ede\u5230\u529f\u80fd\u8868\u5217","Focus to toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u5de5\u5177\u5217","Focus to element path":"\u79fb\u52d5\u7126\u9ede\u5230\u5143\u7d20\u8def\u5f91","Focus to contextual toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u4e0a\u4e0b\u6587\u83dc\u55ae","Insert link (if link plugin activated)":"\u63d2\u5165\u9023\u7d50 (\u5982\u679c\u9023\u7d50\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Save (if save plugin activated)":"\u5132\u5b58(\u5982\u679c\u5132\u5b58\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Find (if searchreplace plugin activated)":"\u5c0b\u627e(\u5982\u679c\u5c0b\u627e\u53d6\u4ee3\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Plugins installed ({0}):":"\u5df2\u5b89\u88dd\u5916\u639b\u7a0b\u5f0f ({0}):","Premium plugins:":"\u4ed8\u8cbb\u5916\u639b\u7a0b\u5f0f\uff1a","Learn more...":"\u4e86\u89e3\u66f4\u591a...","You are using {0}":"\u4f60\u6b63\u5728\u4f7f\u7528 {0}","Plugins":"\u5916\u639b\u7a0b\u5f0f","Handy Shortcuts":"\u5feb\u901f\u9375","Horizontal line":"\u6c34\u6e96\u5206\u5272\u7dda","Insert/edit image":"\u63d2\u5165/\u7de8\u8f2f\u5716\u7247","Alternative description":"\u66ff\u4ee3\u63cf\u8ff0","Accessibility":"\u5354\u52a9\u5de5\u5177","Image is decorative":"\u9019\u662f\u88dd\u98fe\u5716\u50cf","Source":"\u6e90","Dimensions":"\u5c3a\u5bf8","Constrain proportions":"\u4fdd\u6301\u6bd4\u4f8b","General":"\u4e00\u822c","Advanced":"\u9ad8\u7d1a","Style":"\u6a23\u5f0f","Vertical space":"\u5782\u76f4\u9593\u8ddd","Horizontal space":"\u6c34\u6e96\u9593\u8ddd","Border":"\u6846\u7dda","Insert image":"\u63d2\u5165\u5716\u7247","Image...":"\u5716\u7247...","Image list":"\u5716\u7247\u6e05\u55ae","Resize":"\u8abf\u6574\u5927\u5c0f","Insert date/time":"\u63d2\u5165\u65e5\u671f/\u6642\u9593","Date/time":"\u65e5\u671f/\u6642\u9593","Insert/edit link":"\u63d2\u5165/\u7de8\u8f2f\u9023\u7d50","Text to display":"\u8981\u986f\u793a\u7684\u6587\u672c","Url":"\u5730\u5740","Open link in...":"\u9023\u7d50\u6253\u958b\u4f4d\u7f6e...","Current window":"\u7576\u524d\u7a97\u53e3","None":"\u7121","New window":"\u65b0\u7a97\u53e3","Open link":"\u6253\u958b\u9023\u7d50","Remove link":"\u79fb\u9664\u9023\u7d50","Anchors":"\u9328\u9ede","Link...":"\u9023\u7d50...","Paste or type a link":"\u8cbc\u4e0a\u6216\u8f38\u5165\u9023\u7d50","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u96fb\u90f5\u5730\u5740\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 mailto:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 http:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 https:// \u9996\u78bc\u55ce\uff1f","Link list":"\u9023\u7d50\u6e05\u55ae","Insert video":"\u63d2\u5165\u8996\u983b","Insert/edit video":"\u63d2\u5165/\u7de8\u8f2f\u8996\u983b","Insert/edit media":"\u63d2\u5165/\u7de8\u8f2f\u5a92\u9ad4","Alternative source":"\u93e1\u50cf","Alternative source URL":"\u66ff\u4ee3\u4f86\u6e90\u7db2\u5740","Media poster (Image URL)":"\u5c01\u9762(\u5716\u7247\u4f4d\u5740)","Paste your embed code below:":"\u5c07\u5167\u5d4c\u4ee3\u78bc\u8cbc\u4e0a\u5728\u4e0b\u9762:","Embed":"\u5167\u5d4c","Media...":"\u591a\u5a92\u9ad4...","Nonbreaking space":"\u4e0d\u5206\u884c\u7a7a\u683c","Page break":"\u5206\u9801\u7b26","Paste as text":"\u8cbc\u4e0a\u70ba\u6587\u672c","Preview":"\u9810\u89bd","Print":"\u5217\u5370","Print...":"\u5217\u5370...","Save":"\u5132\u5b58","Find":"\u5c0b\u627e","Replace with":"\u53d6\u4ee3\u70ba","Replace":"\u53d6\u4ee3","Replace all":"\u53d6\u4ee3\u5168\u90e8","Previous":"\u4e0a\u4e00\u500b","Next":"\u4e0b\u4e00\u500b","Find and Replace":"\u5c0b\u627e\u548c\u53d6\u4ee3","Find and replace...":"\u5c0b\u627e\u4e26\u53d6\u4ee3...","Could not find the specified string.":"\u672a\u627e\u5230\u641c\u7d22\u5167\u5bb9\u3002","Match case":"\u5927\u5c0f\u5beb\u5339\u914d","Find whole words only":"\u5168\u5b57\u5339\u914d","Find in selection":"\u5728\u9078\u5340\u4e2d\u5c0b\u627e","Insert table":"\u63d2\u5165\u8868\u683c","Table properties":"\u8868\u683c\u5c6c\u6027","Delete table":"\u522a\u9664\u8868\u683c","Cell":"\u5132\u5b58\u683c","Row":"\u884c","Column":"\u6b04","Cell properties":"\u5132\u5b58\u683c\u5c6c\u6027","Merge cells":"\u5408\u4f75\u5132\u5b58\u683c","Split cell":"\u62c6\u5206\u5132\u5b58\u683c","Insert row before":"\u5728\u4e0a\u65b9\u63d2\u5165\u884c","Insert row after":"\u5728\u4e0b\u65b9\u63d2\u5165\u884c","Delete row":"\u522a\u9664\u884c","Row properties":"\u884c\u5c6c\u6027","Cut row":"\u526a\u4e0b\u884c","Cut column":"\u526a\u4e0b\u5217","Copy row":"\u8907\u88fd\u884c","Copy column":"\u8907\u88fd\u5217","Paste row before":"\u8cbc\u4e0a\u884c\u5230\u4e0a\u65b9","Paste column before":"\u8cbc\u4e0a\u6b64\u5217\u524d","Paste row after":"\u8cbc\u4e0a\u884c\u5230\u4e0b\u65b9","Paste column after":"\u8cbc\u4e0a\u5f8c\u9762\u7684\u5217","Insert column before":"\u5728\u5de6\u5074\u63d2\u5165\u5217","Insert column after":"\u5728\u53f3\u5074\u63d2\u5165\u5217","Delete column":"\u522a\u9664\u5217","Cols":"\u5217","Rows":"\u884c\u6578","Width":"\u5bec\u5ea6","Height":"\u9ad8\u5ea6","Cell spacing":"\u5132\u5b58\u683c\u5916\u9593\u8ddd","Cell padding":"\u5132\u5b58\u683c\u5167\u908a\u8ddd","Row clipboard actions":"\u884c\u526a\u8cbc\u677f\u64cd\u4f5c","Column clipboard actions":"\u5217\u526a\u8cbc\u677f\u64cd\u4f5c","Table styles":"\u8868\u683c\u6a23\u5f0f","Cell styles":"\u5132\u5b58\u683c\u6a23\u5f0f","Column header":"\u5217\u6a19\u984c","Row header":"\u884c\u982d","Table caption":"\u8868\u683c\u6a19\u984c","Caption":"\u6a19\u984c","Show caption":"\u986f\u793a\u6a19\u984c","Left":"\u5de6","Center":"\u7f6e\u4e2d","Right":"\u53f3","Cell type":"\u5132\u5b58\u683c\u5225","Scope":"\u7bc4\u570d","Alignment":"\u5c0d\u9f4a","Horizontal align":"\u6c34\u6e96\u5c0d\u9f4a","Vertical align":"\u5782\u76f4\u5c0d\u9f4a","Top":"\u4e0a\u65b9\u5c0d\u9f4a","Middle":"\u7f6e\u4e2d\u5c0d\u9f4a","Bottom":"\u4e0b\u65b9\u5c0d\u9f4a","Header cell":"\u8868\u982d\u5132\u5b58\u683c","Row group":"\u884c\u7d44","Column group":"\u5217\u7d44","Row type":"\u884c\u985e\u578b","Header":"\u8868\u982d","Body":"\u8868\u9ad4","Footer":"\u8868\u5c3e","Border color":"\u6846\u7dda\u984f\u8272","Solid":"\u5be6\u7dda","Dotted":"\u865b\u7dda","Dashed":"\u865b\u7dda","Double":"\u96d9\u7cbe\u5ea6","Groove":"\u51f9\u69fd","Ridge":"\u6d77\u810a\u5ea7","Inset":"\u5d4c\u5165","Outset":"\u5916\u7f6e","Hidden":"\u96b1\u85cf","Insert template...":"\u63d2\u5165\u7bc4\u672c...","Templates":"\u7bc4\u672c","Template":"\u7bc4\u672c","Insert Template":"\u63d2\u5165\u7bc4\u672c","Text color":"\u6587\u672c\u984f\u8272","Background color":"\u80cc\u666f\u984f\u8272","Custom...":"\u81ea\u8a02......","Custom color":"\u81ea\u8a02\u984f\u8272","No color":"\u7121","Remove color":"\u79fb\u9664\u984f\u8272","Show blocks":"\u986f\u793a\u5340\u584a\u908a\u6846","Show invisible characters":"\u986f\u793a\u4e0d\u53ef\u898b\u5b57\u5143","Word count":"\u5b57\u6578","Count":"\u8a08\u6578","Document":"\u6587\u4ef6","Selection":"\u9078\u64c7","Words":"\u55ae\u8a5e","Words: {0}":"\u5b57\u6578\uff1a{0}","{0} words":"{0} \u5b57","File":"\u6587\u4ef6","Edit":"\u7de8\u8f2f","Insert":"\u63d2\u5165","View":"\u67e5\u770b","Format":"\u683c\u5f0f","Table":"\u8868\u683c","Tools":"\u5de5\u5177","Powered by {0}":"\u7531{0}\u9a45\u52d5","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u7de8\u8f2f\u5340\u3002\u6309ALT-F9\u6253\u958b\u529f\u80fd\u8868\uff0c\u6309ALT-F10\u6253\u958b\u5de5\u5177\u5217\uff0c\u6309ALT-0\u67e5\u770b\u5e6b\u52a9","Image title":"\u5716\u7247\u6a19\u984c","Border width":"\u908a\u6846\u5bec\u5ea6","Border style":"\u908a\u6846\u6a23\u5f0f","Error":"\u932f\u8aa4","Warn":"\u8b66\u544a","Valid":"\u6709\u6548","To open the popup, press Shift+Enter":"\u6309Shitf+Enter\u9375\u6253\u958b\u5c0d\u8a71\u65b9\u584a","Rich Text Area":"\u5bcc\u6587\u672c\u5340\u57df","Rich Text Area. Press ALT-0 for help.":"\u7de8\u8f2f\u5340\u3002\u6309Alt+0\u9375\u6253\u958b\u5e6b\u52a9\u3002","System Font":"\u7cfb\u7d71\u5b57\u9ad4","Failed to upload image: {0}":"\u4e0a\u8f09\u5716\u7247\u5931\u6557\uff1a{0}","Failed to load plugin: {0} from url {1}":"\u7121\u6cd5\u5f9e {1} \u8f09\u5165\u63d2\u4ef6 {0}","Failed to load plugin url: {0}":"\u7121\u6cd5\u8f09\u5165\u63d2\u4ef6\u93c8\u7d50 {0}","Failed to initialize plugin: {0}":"\u7121\u6cd5\u521d\u59cb\u5316\u63d2\u4ef6 {0}","example":"\u4f8b\u5b50","Search":"\u641c\u7d22","All":"\u5168\u90e8","Currency":"\u8ca8\u5e63","Text":"\u6587\u5b57","Quotations":"\u5f15\u7528","Mathematical":"\u6578\u5b78","Extended Latin":"\u62c9\u4e01\u8a9e\u64f4\u5145","Symbols":"\u7b26\u865f","Arrows":"\u7bad\u982d","User Defined":"\u81ea\u8a02","dollar sign":"\u7f8e\u5143\u7b26\u865f","currency sign":"\u8ca8\u5e63\u7b26\u865f","euro-currency sign":"\u6b50\u5143\u7b26\u865f","colon sign":"\u5192\u865f","cruzeiro sign":"\u514b\u9b6f\u8cfd\u7f85\u5e63\u7b26\u865f","french franc sign":"\u6cd5\u90ce\u7b26\u865f","lira sign":"\u91cc\u62c9\u7b26\u865f","mill sign":"\u5bc6\u723e\u7b26\u865f","naira sign":"\u5948\u62c9\u7b26\u865f","peseta sign":"\u6bd4\u85a9\u659c\u5854\u7b26\u865f","rupee sign":"\u76e7\u6bd4\u7b26\u865f","won sign":"\u97d3\u5143\u7b26\u865f","new sheqel sign":"\u65b0\u8b1d\u514b\u723e\u7b26\u865f","dong sign":"\u8d8a\u5357\u76fe\u7b26\u865f","kip sign":"\u8001\u64be\u57fa\u666e\u7b26\u865f","tugrik sign":"\u5716\u683c\u88e1\u514b\u7b26\u865f","drachma sign":"\u5fb7\u62c9\u514b\u99ac\u7b26\u865f","german penny symbol":"\u5fb7\u570b\u4fbf\u58eb\u7b26\u865f","peso sign":"\u6bd4\u7d22\u7b26\u865f","guarani sign":"\u74dc\u62c9\u5c3c\u7b26\u865f","austral sign":"\u6fb3\u5143\u7b26\u865f","hryvnia sign":"\u683c\u88e1\u592b\u5c3c\u4e9e\u7b26\u865f","cedi sign":"\u585e\u5730\u7b26\u865f","livre tournois sign":"\u88e1\u5f17\u5f17\u723e\u7b26\u865f","spesmilo sign":"spesmilo\u7b26\u865f","tenge sign":"\u5805\u6208\u7b26\u865f","indian rupee sign":"\u5370\u5ea6\u76e7\u6bd4","turkish lira sign":"\u571f\u8033\u5176\u91cc\u62c9","nordic mark sign":"\u5317\u6b50\u99ac\u514b","manat sign":"\u99ac\u7d0d\u7279\u7b26\u865f","ruble sign":"\u76e7\u5e03\u7b26\u865f","yen character":"\u65e5\u5143\u5b57\u6a23","yuan character":"\u4eba\u6c11\u5e63\u5143\u5b57\u6a23","yuan character, in hong kong and taiwan":"\u5143\u5b57\u6a23\uff08\u6e2f\u81fa\u5730\u5340\uff09","yen/yuan character variant one":"\u5143\u5b57\u6a23\uff08\u5927\u5beb\uff09","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"\u6b63\u5728\u8f09\u5165Emojis...","Could not load emojis":"\u7121\u6cd5\u8f09\u5165Emojis","People":"\u4eba\u985e","Animals and Nature":"\u52d5\u7269\u548c\u81ea\u7136","Food and Drink":"\u98df\u7269\u548c\u98f2\u54c1","Activity":"\u6d3b\u52d5","Travel and Places":"\u65c5\u904a\u548c\u5730\u9ede","Objects":"\u7269\u4ef6","Flags":"\u65d7\u5e5f","Characters":"\u5b57\u5143","Characters (no spaces)":"\u5b57\u5143(\u7121\u7a7a\u683c)","{0} characters":"{0} \u500b\u5b57\u5143","Error: Form submit field collision.":"\u932f\u8aa4\uff1a\u8868\u683c\u51fa\u73fe\u591a\u91cd\u63d0\u4ea4\u885d\u7a81\u3002","Error: No form element found.":"\u932f\u8aa4\uff1a\u627e\u4e0d\u5230\u8868\u683c\u5143\u7d20\u3002","Color swatch":"\u984f\u8272\u6a23\u672c","Color Picker":"\u9078\u8272\u5668","Invalid hex color code: {0}":"\u7121\u6548\u7684\u984f\u8272\u78bc\uff1a{0}","Invalid input":"\u7121\u6548\u8f38\u5165","R":"\u7d05","Red component":"\u7d05\u8272\u90e8\u5206","G":"\u7da0","Green component":"\u7da0\u8272\u90e8\u5206","B":"\u85cd","Blue component":"\u767d\u8272\u90e8\u5206","#":"#","Hex color code":"\u5341\u516d\u9032\u4f4d\u984f\u8272\u4ee3\u78bc","Range 0 to 255":"\u7bc4\u570d0\u81f3255","Turquoise":"\u9752\u7da0\u8272","Green":"\u7da0\u8272","Blue":"\u85cd\u8272","Purple":"\u7d2b\u8272","Navy Blue":"\u6d77\u8ecd\u85cd","Dark Turquoise":"\u6df1\u85cd\u7da0\u8272","Dark Green":"\u6df1\u7da0\u8272","Medium Blue":"\u4e2d\u85cd\u8272","Medium Purple":"\u4e2d\u7d2b\u8272","Midnight Blue":"\u6df1\u85cd\u8272","Yellow":"\u9ec3\u8272","Orange":"\u6a59\u8272","Red":"\u7d05\u8272","Light Gray":"\u6dfa\u7070\u8272","Gray":"\u7070\u8272","Dark Yellow":"\u6697\u9ec3\u8272","Dark Orange":"\u6df1\u6a59\u8272","Dark Red":"\u6df1\u7d05\u8272","Medium Gray":"\u4e2d\u7070\u8272","Dark Gray":"\u6df1\u7070\u8272","Light Green":"\u6dfa\u7da0\u8272","Light Yellow":"\u6dfa\u9ec3\u8272","Light Red":"\u6dfa\u7d05\u8272","Light Purple":"\u6dfa\u7d2b\u8272","Light Blue":"\u6dfa\u85cd\u8272","Dark Purple":"\u6df1\u7d2b\u8272","Dark Blue":"\u6df1\u85cd\u8272","Black":"\u9ed1\u8272","White":"\u767d\u8272","Switch to or from fullscreen mode":"\u5207\u63db\u5168\u7192\u5e55\u6a21\u5f0f","Open help dialog":"\u6253\u958b\u5e6b\u52a9\u5c0d\u8a71\u65b9\u584a","history":"\u6b77\u53f2","styles":"\u6a23\u5f0f","formatting":"\u683c\u5f0f\u5316","alignment":"\u5c0d\u9f4a","indentation":"\u7e2e\u9032","Font":"\u5b57\u9ad4","Size":"\u5b57\u578b\u5927\u5c0f","More...":"\u66f4\u591a...","Select...":"\u9078\u64c7...","Preferences":"\u9996\u9078\u9805","Yes":"\u662f","No":"\u5426","Keyboard Navigation":"\u9375\u76e4\u6307\u5f15","Version":"\u7248\u672c","Code view":"\u4ee3\u78bc\u8996\u5716","Open popup menu for split buttons":"\u6253\u958b\u5f48\u51fa\u5f0f\u529f\u80fd\u8868\uff0c\u7528\u65bc\u62c6\u5206\u6309\u9215","List Properties":"\u6e05\u55ae\u5c6c\u6027","List properties...":"\u6a19\u984c\u5b57\u9ad4\u5c6c\u6027","Start list at number":"\u4ee5\u6578\u5b57\u958b\u59cb\u6e05\u55ae","Line height":"\u884c\u9ad8","Dropped file type is not supported":"\u6b64\u6a94\u6848\u985e\u578b\u4e0d\u652f\u6301\u62d6\u653e","Loading...":"\u8f09\u5165\u4e2d...","ImageProxy HTTP error: Rejected request":"\u5716\u7247\u670d\u52d9\uff1a\u62d2\u7d55\u5b58\u53d6","ImageProxy HTTP error: Could not find Image Proxy":"\u5716\u7247\u670d\u52d9\uff1a\u627e\u4e0d\u5230\u670d\u52d9","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u5716\u7247\u670d\u52d9\uff1a\u932f\u8aa4\u93c8\u7d50","ImageProxy HTTP error: Unknown ImageProxy error":"\u5716\u7247\u670d\u52d9\uff1a\u672a\u77e5\u932f\u8aa4"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/zh_MO.js b/deform/static/tinymce/langs/zh_MO.js new file mode 100644 index 00000000..6a67c4a9 --- /dev/null +++ b/deform/static/tinymce/langs/zh_MO.js @@ -0,0 +1 @@ +tinymce.addI18n("zh_MO",{"Redo":"\u91cd\u505a","Undo":"\u5fa9\u539f","Cut":"\u526a\u4e0b","Copy":"\u8907\u88fd","Paste":"\u8cbc\u4e0a","Select all":"\u5168\u9078","New document":"\u65b0\u589e\u6587\u4ef6","Ok":"\u78ba\u5b9a","Cancel":"\u53d6\u6d88","Visual aids":"\u683c\u7dda","Bold":"\u7c97\u9ad4","Italic":"\u659c\u9ad4","Underline":"\u5e95\u7dda","Strikethrough":"\u522a\u9664\u7dda","Superscript":"\u4e0a\u6a19","Subscript":"\u4e0b\u6a19","Clear formatting":"\u6e05\u9664\u683c\u5f0f","Remove":"\u79fb\u9664","Align left":"\u5de6\u5c0d\u9f4a","Align center":"\u7f6e\u4e2d\u5c0d\u9f4a","Align right":"\u53f3\u5c0d\u9f4a","No alignment":"\u4e0d\u5c0d\u9f4a","Justify":"\u5169\u7aef\u5c0d\u9f4a","Bullet list":"\u7121\u5e8f\u5217\u8868","Numbered list":"\u6709\u5e8f\u5217\u8868","Decrease indent":"\u6e1b\u5c11\u7e2e\u9032","Increase indent":"\u589e\u52a0\u7e2e\u9032","Close":"\u95dc\u9589","Formats":"\u683c\u5f0f","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u4f60\u7684\u700f\u89bd\u5668\u4e0d\u652f\u63f4\u6253\u958b\u526a\u8cbc\u677f\uff0c\u8acb\u4f7f\u7528Ctrl+X/C/V\u7b49\u5feb\u901f\u9375\u3002","Headings":"\u6a19\u984c","Heading 1":"\u4e00\u7d1a\u6a19\u984c","Heading 2":"\u4e8c\u7d1a\u6a19\u984c","Heading 3":"\u4e09\u7d1a\u6a19\u984c","Heading 4":"\u56db\u7d1a\u6a19\u984c","Heading 5":"\u4e94\u7d1a\u6a19\u984c","Heading 6":"\u516d\u7d1a\u6a19\u984c","Preformatted":"\u9810\u5148\u683c\u5f0f\u5316\u7684","Div":"DIV","Pre":"\u524d\u8a00","Code":"\u4ee3\u78bc","Paragraph":"\u6bb5\u843d","Blockquote":"\u5f15\u6587\u5340\u584a","Inline":"\u6587\u672c","Blocks":"\u6a23\u5f0f","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u7576\u524d\u70ba\u7d14\u6587\u5b57\u8cbc\u4e0a\u6a21\u5f0f\uff0c\u518d\u6b21\u9ede\u64ca\u53ef\u4ee5\u56de\u5230\u666e\u901a\u8cbc\u4e0a\u6a21\u5f0f\u3002","Fonts":"\u5b57\u9ad4","Font sizes":"\u5b57\u9ad4\u5927\u5c0f","Class":"\u985e\u578b","Browse for an image":"\u700f\u89bd\u5716\u50cf","OR":"\u6216","Drop an image here":"\u62d6\u653e\u4e00\u5f35\u5716\u50cf\u81f3\u6b64","Upload":"\u4e0a\u8f09","Uploading image":"\u4e0a\u8f09\u5716\u7247","Block":"\u584a","Align":"\u5c0d\u9f4a","Default":"\u9810\u8a2d","Circle":"\u7a7a\u5fc3\u5713","Disc":"\u5be6\u5fc3\u5713","Square":"\u5be6\u5fc3\u65b9\u584a","Lower Alpha":"\u5c0f\u5beb\u82f1\u6587\u5b57\u6bcd","Lower Greek":"\u5c0f\u5beb\u5e0c\u81d8\u5b57\u6bcd","Lower Roman":"\u5c0f\u5beb\u7f85\u99ac\u6578\u5b57","Upper Alpha":"\u5927\u5beb\u82f1\u6587\u5b57\u6bcd","Upper Roman":"\u5927\u5beb\u7f85\u99ac\u6578\u5b57","Anchor...":"\u9328\u9ede...","Anchor":"\u9328\u9ede","Name":"\u540d\u7a31","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID\u61c9\u8a72\u4ee5\u82f1\u6587\u5b57\u6bcd\u958b\u982d\uff0c\u5f8c\u9762\u53ea\u80fd\u6709\u82f1\u6587\u5b57\u6bcd\u3001\u6578\u4f4d\u3001\u7834\u6298\u865f\u3001\u9ede\u3001\u5192\u865f\u6216\u5e95\u7dda\u3002","You have unsaved changes are you sure you want to navigate away?":"\u4f60\u9084\u6709\u6587\u4ef6\u5c1a\u672a\u5132\u5b58\uff0c\u78ba\u5b9a\u8981\u96e2\u958b\uff1f","Restore last draft":"\u6062\u5fa9\u4e0a\u6b21\u7684\u8349\u7a3f","Special character...":"\u7279\u6b8a\u5b57\u5143...","Special Character":"\u7279\u6b8a\u5b57\u5143","Source code":"\u539f\u59cb\u7a0b\u5f0f\u78bc","Insert/Edit code sample":"\u63d2\u5165/\u7de8\u8f2f\u4ee3\u78bc\u793a\u7bc4","Language":"\u8a9e\u8a00","Code sample...":"\u793a\u7bc4\u4ee3\u78bc...","Left to right":"\u7531\u5de6\u5230\u53f3","Right to left":"\u7531\u53f3\u5230\u5de6","Title":"\u6a19\u984c","Fullscreen":"\u5168\u7192\u5e55","Action":"\u52d5\u4f5c","Shortcut":"\u6377\u5f91","Help":"\u5e6b\u52a9","Address":"\u5730\u5740","Focus to menubar":"\u79fb\u52d5\u7126\u9ede\u5230\u529f\u80fd\u8868\u5217","Focus to toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u5de5\u5177\u5217","Focus to element path":"\u79fb\u52d5\u7126\u9ede\u5230\u5143\u7d20\u8def\u5f91","Focus to contextual toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u4e0a\u4e0b\u6587\u83dc\u55ae","Insert link (if link plugin activated)":"\u63d2\u5165\u9023\u7d50 (\u5982\u679c\u9023\u7d50\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Save (if save plugin activated)":"\u5132\u5b58(\u5982\u679c\u5132\u5b58\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Find (if searchreplace plugin activated)":"\u5c0b\u627e(\u5982\u679c\u5c0b\u627e\u53d6\u4ee3\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Plugins installed ({0}):":"\u5df2\u5b89\u88dd\u5916\u639b\u7a0b\u5f0f ({0}):","Premium plugins:":"\u4ed8\u8cbb\u5916\u639b\u7a0b\u5f0f\uff1a","Learn more...":"\u4e86\u89e3\u66f4\u591a...","You are using {0}":"\u4f60\u6b63\u5728\u4f7f\u7528 {0}","Plugins":"\u5916\u639b\u7a0b\u5f0f","Handy Shortcuts":"\u5feb\u901f\u9375","Horizontal line":"\u6c34\u6e96\u5206\u5272\u7dda","Insert/edit image":"\u63d2\u5165/\u7de8\u8f2f\u5716\u7247","Alternative description":"\u66ff\u4ee3\u63cf\u8ff0","Accessibility":"\u5354\u52a9\u5de5\u5177","Image is decorative":"\u9019\u662f\u88dd\u98fe\u5716\u50cf","Source":"\u6e90","Dimensions":"\u5c3a\u5bf8","Constrain proportions":"\u4fdd\u6301\u6bd4\u4f8b","General":"\u4e00\u822c","Advanced":"\u9ad8\u7d1a","Style":"\u6a23\u5f0f","Vertical space":"\u5782\u76f4\u9593\u8ddd","Horizontal space":"\u6c34\u6e96\u9593\u8ddd","Border":"\u6846\u7dda","Insert image":"\u63d2\u5165\u5716\u7247","Image...":"\u5716\u7247...","Image list":"\u5716\u7247\u6e05\u55ae","Resize":"\u8abf\u6574\u5927\u5c0f","Insert date/time":"\u63d2\u5165\u65e5\u671f/\u6642\u9593","Date/time":"\u65e5\u671f/\u6642\u9593","Insert/edit link":"\u63d2\u5165/\u7de8\u8f2f\u9023\u7d50","Text to display":"\u8981\u986f\u793a\u7684\u6587\u672c","Url":"\u5730\u5740","Open link in...":"\u9023\u7d50\u6253\u958b\u4f4d\u7f6e...","Current window":"\u7576\u524d\u7a97\u53e3","None":"\u7121","New window":"\u65b0\u7a97\u53e3","Open link":"\u6253\u958b\u9023\u7d50","Remove link":"\u79fb\u9664\u9023\u7d50","Anchors":"\u9328\u9ede","Link...":"\u9023\u7d50...","Paste or type a link":"\u8cbc\u4e0a\u6216\u8f38\u5165\u9023\u7d50","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u96fb\u90f5\u5730\u5740\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 mailto:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 http:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 https:// \u9996\u78bc\u55ce\uff1f","Link list":"\u9023\u7d50\u6e05\u55ae","Insert video":"\u63d2\u5165\u8996\u983b","Insert/edit video":"\u63d2\u5165/\u7de8\u8f2f\u8996\u983b","Insert/edit media":"\u63d2\u5165/\u7de8\u8f2f\u5a92\u9ad4","Alternative source":"\u93e1\u50cf","Alternative source URL":"\u66ff\u4ee3\u4f86\u6e90\u7db2\u5740","Media poster (Image URL)":"\u5c01\u9762(\u5716\u7247\u4f4d\u5740)","Paste your embed code below:":"\u5c07\u5167\u5d4c\u4ee3\u78bc\u8cbc\u4e0a\u5728\u4e0b\u9762:","Embed":"\u5167\u5d4c","Media...":"\u591a\u5a92\u9ad4...","Nonbreaking space":"\u4e0d\u5206\u884c\u7a7a\u683c","Page break":"\u5206\u9801\u7b26","Paste as text":"\u8cbc\u4e0a\u70ba\u6587\u672c","Preview":"\u9810\u89bd","Print":"\u5217\u5370","Print...":"\u5217\u5370...","Save":"\u5132\u5b58","Find":"\u5c0b\u627e","Replace with":"\u53d6\u4ee3\u70ba","Replace":"\u53d6\u4ee3","Replace all":"\u53d6\u4ee3\u5168\u90e8","Previous":"\u4e0a\u4e00\u500b","Next":"\u4e0b\u4e00\u500b","Find and Replace":"\u5c0b\u627e\u548c\u53d6\u4ee3","Find and replace...":"\u5c0b\u627e\u4e26\u53d6\u4ee3...","Could not find the specified string.":"\u672a\u627e\u5230\u641c\u7d22\u5167\u5bb9\u3002","Match case":"\u5927\u5c0f\u5beb\u5339\u914d","Find whole words only":"\u5168\u5b57\u5339\u914d","Find in selection":"\u5728\u9078\u5340\u4e2d\u5c0b\u627e","Insert table":"\u63d2\u5165\u8868\u683c","Table properties":"\u8868\u683c\u5c6c\u6027","Delete table":"\u522a\u9664\u8868\u683c","Cell":"\u5132\u5b58\u683c","Row":"\u884c","Column":"\u6b04","Cell properties":"\u5132\u5b58\u683c\u5c6c\u6027","Merge cells":"\u5408\u4f75\u5132\u5b58\u683c","Split cell":"\u62c6\u5206\u5132\u5b58\u683c","Insert row before":"\u5728\u4e0a\u65b9\u63d2\u5165\u884c","Insert row after":"\u5728\u4e0b\u65b9\u63d2\u5165\u884c","Delete row":"\u522a\u9664\u884c","Row properties":"\u884c\u5c6c\u6027","Cut row":"\u526a\u4e0b\u884c","Cut column":"\u526a\u4e0b\u5217","Copy row":"\u8907\u88fd\u884c","Copy column":"\u8907\u88fd\u5217","Paste row before":"\u8cbc\u4e0a\u884c\u5230\u4e0a\u65b9","Paste column before":"\u8cbc\u4e0a\u6b64\u5217\u524d","Paste row after":"\u8cbc\u4e0a\u884c\u5230\u4e0b\u65b9","Paste column after":"\u8cbc\u4e0a\u5f8c\u9762\u7684\u5217","Insert column before":"\u5728\u5de6\u5074\u63d2\u5165\u5217","Insert column after":"\u5728\u53f3\u5074\u63d2\u5165\u5217","Delete column":"\u522a\u9664\u5217","Cols":"\u5217","Rows":"\u884c\u6578","Width":"\u5bec\u5ea6","Height":"\u9ad8\u5ea6","Cell spacing":"\u5132\u5b58\u683c\u5916\u9593\u8ddd","Cell padding":"\u5132\u5b58\u683c\u5167\u908a\u8ddd","Row clipboard actions":"\u884c\u526a\u8cbc\u677f\u64cd\u4f5c","Column clipboard actions":"\u5217\u526a\u8cbc\u677f\u64cd\u4f5c","Table styles":"\u8868\u683c\u6a23\u5f0f","Cell styles":"\u5132\u5b58\u683c\u6a23\u5f0f","Column header":"\u5217\u6a19\u984c","Row header":"\u884c\u982d","Table caption":"\u8868\u683c\u6a19\u984c","Caption":"\u6a19\u984c","Show caption":"\u986f\u793a\u6a19\u984c","Left":"\u5de6","Center":"\u7f6e\u4e2d","Right":"\u53f3","Cell type":"\u5132\u5b58\u683c\u5225","Scope":"\u7bc4\u570d","Alignment":"\u5c0d\u9f4a","Horizontal align":"\u6c34\u6e96\u5c0d\u9f4a","Vertical align":"\u5782\u76f4\u5c0d\u9f4a","Top":"\u4e0a\u65b9\u5c0d\u9f4a","Middle":"\u7f6e\u4e2d\u5c0d\u9f4a","Bottom":"\u4e0b\u65b9\u5c0d\u9f4a","Header cell":"\u8868\u982d\u5132\u5b58\u683c","Row group":"\u884c\u7d44","Column group":"\u5217\u7d44","Row type":"\u884c\u985e\u578b","Header":"\u8868\u982d","Body":"\u8868\u9ad4","Footer":"\u8868\u5c3e","Border color":"\u6846\u7dda\u984f\u8272","Solid":"\u5be6\u7dda","Dotted":"\u865b\u7dda","Dashed":"\u865b\u7dda","Double":"\u96d9\u7cbe\u5ea6","Groove":"\u51f9\u69fd","Ridge":"\u6d77\u810a\u5ea7","Inset":"\u5d4c\u5165","Outset":"\u5916\u7f6e","Hidden":"\u96b1\u85cf","Insert template...":"\u63d2\u5165\u7bc4\u672c...","Templates":"\u7bc4\u672c","Template":"\u7bc4\u672c","Insert Template":"\u63d2\u5165\u7bc4\u672c","Text color":"\u6587\u672c\u984f\u8272","Background color":"\u80cc\u666f\u984f\u8272","Custom...":"\u81ea\u8a02......","Custom color":"\u81ea\u8a02\u984f\u8272","No color":"\u7121","Remove color":"\u79fb\u9664\u984f\u8272","Show blocks":"\u986f\u793a\u5340\u584a\u908a\u6846","Show invisible characters":"\u986f\u793a\u4e0d\u53ef\u898b\u5b57\u5143","Word count":"\u5b57\u6578","Count":"\u8a08\u6578","Document":"\u6587\u4ef6","Selection":"\u9078\u64c7","Words":"\u55ae\u8a5e","Words: {0}":"\u5b57\u6578\uff1a{0}","{0} words":"{0} \u5b57","File":"\u6587\u4ef6","Edit":"\u7de8\u8f2f","Insert":"\u63d2\u5165","View":"\u67e5\u770b","Format":"\u683c\u5f0f","Table":"\u8868\u683c","Tools":"\u5de5\u5177","Powered by {0}":"\u7531{0}\u9a45\u52d5","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u7de8\u8f2f\u5340\u3002\u6309ALT-F9\u6253\u958b\u529f\u80fd\u8868\uff0c\u6309ALT-F10\u6253\u958b\u5de5\u5177\u5217\uff0c\u6309ALT-0\u67e5\u770b\u5e6b\u52a9","Image title":"\u5716\u7247\u6a19\u984c","Border width":"\u908a\u6846\u5bec\u5ea6","Border style":"\u908a\u6846\u6a23\u5f0f","Error":"\u932f\u8aa4","Warn":"\u8b66\u544a","Valid":"\u6709\u6548","To open the popup, press Shift+Enter":"\u6309Shitf+Enter\u9375\u6253\u958b\u5c0d\u8a71\u65b9\u584a","Rich Text Area":"\u5bcc\u6587\u672c\u5340\u57df","Rich Text Area. Press ALT-0 for help.":"\u7de8\u8f2f\u5340\u3002\u6309Alt+0\u9375\u6253\u958b\u5e6b\u52a9\u3002","System Font":"\u7cfb\u7d71\u5b57\u9ad4","Failed to upload image: {0}":"\u4e0a\u8f09\u5716\u7247\u5931\u6557\uff1a{0}","Failed to load plugin: {0} from url {1}":"\u7121\u6cd5\u5f9e {1} \u8f09\u5165\u63d2\u4ef6 {0}","Failed to load plugin url: {0}":"\u7121\u6cd5\u8f09\u5165\u63d2\u4ef6\u93c8\u7d50 {0}","Failed to initialize plugin: {0}":"\u7121\u6cd5\u521d\u59cb\u5316\u63d2\u4ef6 {0}","example":"\u4f8b\u5b50","Search":"\u641c\u7d22","All":"\u5168\u90e8","Currency":"\u8ca8\u5e63","Text":"\u6587\u5b57","Quotations":"\u5f15\u7528","Mathematical":"\u6578\u5b78","Extended Latin":"\u62c9\u4e01\u8a9e\u64f4\u5145","Symbols":"\u7b26\u865f","Arrows":"\u7bad\u982d","User Defined":"\u81ea\u8a02","dollar sign":"\u7f8e\u5143\u7b26\u865f","currency sign":"\u8ca8\u5e63\u7b26\u865f","euro-currency sign":"\u6b50\u5143\u7b26\u865f","colon sign":"\u5192\u865f","cruzeiro sign":"\u514b\u9b6f\u8cfd\u7f85\u5e63\u7b26\u865f","french franc sign":"\u6cd5\u90ce\u7b26\u865f","lira sign":"\u91cc\u62c9\u7b26\u865f","mill sign":"\u5bc6\u723e\u7b26\u865f","naira sign":"\u5948\u62c9\u7b26\u865f","peseta sign":"\u6bd4\u85a9\u659c\u5854\u7b26\u865f","rupee sign":"\u76e7\u6bd4\u7b26\u865f","won sign":"\u97d3\u5143\u7b26\u865f","new sheqel sign":"\u65b0\u8b1d\u514b\u723e\u7b26\u865f","dong sign":"\u8d8a\u5357\u76fe\u7b26\u865f","kip sign":"\u8001\u64be\u57fa\u666e\u7b26\u865f","tugrik sign":"\u5716\u683c\u88e1\u514b\u7b26\u865f","drachma sign":"\u5fb7\u62c9\u514b\u99ac\u7b26\u865f","german penny symbol":"\u5fb7\u570b\u4fbf\u58eb\u7b26\u865f","peso sign":"\u6bd4\u7d22\u7b26\u865f","guarani sign":"\u74dc\u62c9\u5c3c\u7b26\u865f","austral sign":"\u6fb3\u5143\u7b26\u865f","hryvnia sign":"\u683c\u88e1\u592b\u5c3c\u4e9e\u7b26\u865f","cedi sign":"\u585e\u5730\u7b26\u865f","livre tournois sign":"\u88e1\u5f17\u5f17\u723e\u7b26\u865f","spesmilo sign":"spesmilo\u7b26\u865f","tenge sign":"\u5805\u6208\u7b26\u865f","indian rupee sign":"\u5370\u5ea6\u76e7\u6bd4","turkish lira sign":"\u571f\u8033\u5176\u91cc\u62c9","nordic mark sign":"\u5317\u6b50\u99ac\u514b","manat sign":"\u99ac\u7d0d\u7279\u7b26\u865f","ruble sign":"\u76e7\u5e03\u7b26\u865f","yen character":"\u65e5\u5143\u5b57\u6a23","yuan character":"\u4eba\u6c11\u5e63\u5143\u5b57\u6a23","yuan character, in hong kong and taiwan":"\u5143\u5b57\u6a23\uff08\u6e2f\u81fa\u5730\u5340\uff09","yen/yuan character variant one":"\u5143\u5b57\u6a23\uff08\u5927\u5beb\uff09","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"\u6b63\u5728\u8f09\u5165Emojis...","Could not load emojis":"\u7121\u6cd5\u8f09\u5165Emojis","People":"\u4eba\u985e","Animals and Nature":"\u52d5\u7269\u548c\u81ea\u7136","Food and Drink":"\u98df\u7269\u548c\u98f2\u54c1","Activity":"\u6d3b\u52d5","Travel and Places":"\u65c5\u904a\u548c\u5730\u9ede","Objects":"\u7269\u4ef6","Flags":"\u65d7\u5e5f","Characters":"\u5b57\u5143","Characters (no spaces)":"\u5b57\u5143(\u7121\u7a7a\u683c)","{0} characters":"{0} \u500b\u5b57\u5143","Error: Form submit field collision.":"\u932f\u8aa4\uff1a\u8868\u683c\u51fa\u73fe\u591a\u91cd\u63d0\u4ea4\u885d\u7a81\u3002","Error: No form element found.":"\u932f\u8aa4\uff1a\u627e\u4e0d\u5230\u8868\u683c\u5143\u7d20\u3002","Color swatch":"\u984f\u8272\u6a23\u672c","Color Picker":"\u9078\u8272\u5668","Invalid hex color code: {0}":"\u7121\u6548\u7684\u984f\u8272\u78bc\uff1a{0}","Invalid input":"\u7121\u6548\u8f38\u5165","R":"\u7d05","Red component":"\u7d05\u8272\u90e8\u5206","G":"\u7da0","Green component":"\u7da0\u8272\u90e8\u5206","B":"\u85cd","Blue component":"\u767d\u8272\u90e8\u5206","#":"#","Hex color code":"\u5341\u516d\u9032\u4f4d\u984f\u8272\u4ee3\u78bc","Range 0 to 255":"\u7bc4\u570d0\u81f3255","Turquoise":"\u9752\u7da0\u8272","Green":"\u7da0\u8272","Blue":"\u85cd\u8272","Purple":"\u7d2b\u8272","Navy Blue":"\u6d77\u8ecd\u85cd","Dark Turquoise":"\u6df1\u85cd\u7da0\u8272","Dark Green":"\u6df1\u7da0\u8272","Medium Blue":"\u4e2d\u85cd\u8272","Medium Purple":"\u4e2d\u7d2b\u8272","Midnight Blue":"\u6df1\u85cd\u8272","Yellow":"\u9ec3\u8272","Orange":"\u6a59\u8272","Red":"\u7d05\u8272","Light Gray":"\u6dfa\u7070\u8272","Gray":"\u7070\u8272","Dark Yellow":"\u6697\u9ec3\u8272","Dark Orange":"\u6df1\u6a59\u8272","Dark Red":"\u6df1\u7d05\u8272","Medium Gray":"\u4e2d\u7070\u8272","Dark Gray":"\u6df1\u7070\u8272","Light Green":"\u6dfa\u7da0\u8272","Light Yellow":"\u6dfa\u9ec3\u8272","Light Red":"\u6dfa\u7d05\u8272","Light Purple":"\u6dfa\u7d2b\u8272","Light Blue":"\u6dfa\u85cd\u8272","Dark Purple":"\u6df1\u7d2b\u8272","Dark Blue":"\u6df1\u85cd\u8272","Black":"\u9ed1\u8272","White":"\u767d\u8272","Switch to or from fullscreen mode":"\u5207\u63db\u5168\u7192\u5e55\u6a21\u5f0f","Open help dialog":"\u6253\u958b\u5e6b\u52a9\u5c0d\u8a71\u65b9\u584a","history":"\u6b77\u53f2","styles":"\u6a23\u5f0f","formatting":"\u683c\u5f0f\u5316","alignment":"\u5c0d\u9f4a","indentation":"\u7e2e\u9032","Font":"\u5b57\u9ad4","Size":"\u5b57\u578b\u5927\u5c0f","More...":"\u66f4\u591a...","Select...":"\u9078\u64c7...","Preferences":"\u9996\u9078\u9805","Yes":"\u662f","No":"\u5426","Keyboard Navigation":"\u9375\u76e4\u6307\u5f15","Version":"\u7248\u672c","Code view":"\u4ee3\u78bc\u8996\u5716","Open popup menu for split buttons":"\u6253\u958b\u5f48\u51fa\u5f0f\u529f\u80fd\u8868\uff0c\u7528\u65bc\u62c6\u5206\u6309\u9215","List Properties":"\u6e05\u55ae\u5c6c\u6027","List properties...":"\u6a19\u984c\u5b57\u9ad4\u5c6c\u6027","Start list at number":"\u4ee5\u6578\u5b57\u958b\u59cb\u6e05\u55ae","Line height":"\u884c\u9ad8","Dropped file type is not supported":"\u6b64\u6a94\u6848\u985e\u578b\u4e0d\u652f\u6301\u62d6\u653e","Loading...":"\u8f09\u5165\u4e2d...","ImageProxy HTTP error: Rejected request":"\u5716\u7247\u670d\u52d9\uff1a\u62d2\u7d55\u5b58\u53d6","ImageProxy HTTP error: Could not find Image Proxy":"\u5716\u7247\u670d\u52d9\uff1a\u627e\u4e0d\u5230\u670d\u52d9","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u5716\u7247\u670d\u52d9\uff1a\u932f\u8aa4\u93c8\u7d50","ImageProxy HTTP error: Unknown ImageProxy error":"\u5716\u7247\u670d\u52d9\uff1a\u672a\u77e5\u932f\u8aa4"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/zh_SG.js b/deform/static/tinymce/langs/zh_SG.js new file mode 100644 index 00000000..e1fe51ba --- /dev/null +++ b/deform/static/tinymce/langs/zh_SG.js @@ -0,0 +1 @@ +tinymce.addI18n("zh_SG",{"Redo":"\u91cd\u505a","Undo":"\u5fa9\u539f","Cut":"\u526a\u4e0b","Copy":"\u8907\u88fd","Paste":"\u8cbc\u4e0a","Select all":"\u5168\u9078","New document":"\u65b0\u589e\u6587\u4ef6","Ok":"\u78ba\u5b9a","Cancel":"\u53d6\u6d88","Visual aids":"\u683c\u7dda","Bold":"\u7c97\u9ad4","Italic":"\u659c\u9ad4","Underline":"\u5e95\u7dda","Strikethrough":"\u522a\u9664\u7dda","Superscript":"\u4e0a\u6a19","Subscript":"\u4e0b\u6a19","Clear formatting":"\u6e05\u9664\u683c\u5f0f","Remove":"\u79fb\u9664","Align left":"\u5de6\u5c0d\u9f4a","Align center":"\u7f6e\u4e2d\u5c0d\u9f4a","Align right":"\u53f3\u5c0d\u9f4a","No alignment":"\u4e0d\u5c0d\u9f4a","Justify":"\u5169\u7aef\u5c0d\u9f4a","Bullet list":"\u7121\u5e8f\u5217\u8868","Numbered list":"\u6709\u5e8f\u5217\u8868","Decrease indent":"\u6e1b\u5c11\u7e2e\u9032","Increase indent":"\u589e\u52a0\u7e2e\u9032","Close":"\u95dc\u9589","Formats":"\u683c\u5f0f","Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X/C/V keyboard shortcuts instead.":"\u4f60\u7684\u700f\u89bd\u5668\u4e0d\u652f\u63f4\u6253\u958b\u526a\u8cbc\u677f\uff0c\u8acb\u4f7f\u7528Ctrl+X/C/V\u7b49\u5feb\u901f\u9375\u3002","Headings":"\u6a19\u984c","Heading 1":"\u4e00\u7d1a\u6a19\u984c","Heading 2":"\u4e8c\u7d1a\u6a19\u984c","Heading 3":"\u4e09\u7d1a\u6a19\u984c","Heading 4":"\u56db\u7d1a\u6a19\u984c","Heading 5":"\u4e94\u7d1a\u6a19\u984c","Heading 6":"\u516d\u7d1a\u6a19\u984c","Preformatted":"\u9810\u5148\u683c\u5f0f\u5316\u7684","Div":"DIV","Pre":"\u524d\u8a00","Code":"\u4ee3\u78bc","Paragraph":"\u6bb5\u843d","Blockquote":"\u5f15\u6587\u5340\u584a","Inline":"\u6587\u672c","Blocks":"\u6a23\u5f0f","Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off.":"\u7576\u524d\u70ba\u7d14\u6587\u5b57\u8cbc\u4e0a\u6a21\u5f0f\uff0c\u518d\u6b21\u9ede\u64ca\u53ef\u4ee5\u56de\u5230\u666e\u901a\u8cbc\u4e0a\u6a21\u5f0f\u3002","Fonts":"\u5b57\u9ad4","Font sizes":"\u5b57\u9ad4\u5927\u5c0f","Class":"\u985e\u578b","Browse for an image":"\u700f\u89bd\u5716\u50cf","OR":"\u6216","Drop an image here":"\u62d6\u653e\u4e00\u5f35\u5716\u50cf\u81f3\u6b64","Upload":"\u4e0a\u8f09","Uploading image":"\u4e0a\u8f09\u5716\u7247","Block":"\u584a","Align":"\u5c0d\u9f4a","Default":"\u9810\u8a2d","Circle":"\u7a7a\u5fc3\u5713","Disc":"\u5be6\u5fc3\u5713","Square":"\u5be6\u5fc3\u65b9\u584a","Lower Alpha":"\u5c0f\u5beb\u82f1\u6587\u5b57\u6bcd","Lower Greek":"\u5c0f\u5beb\u5e0c\u81d8\u5b57\u6bcd","Lower Roman":"\u5c0f\u5beb\u7f85\u99ac\u6578\u5b57","Upper Alpha":"\u5927\u5beb\u82f1\u6587\u5b57\u6bcd","Upper Roman":"\u5927\u5beb\u7f85\u99ac\u6578\u5b57","Anchor...":"\u9328\u9ede...","Anchor":"\u9328\u9ede","Name":"\u540d\u7a31","ID":"ID","ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.":"ID\u61c9\u8a72\u4ee5\u82f1\u6587\u5b57\u6bcd\u958b\u982d\uff0c\u5f8c\u9762\u53ea\u80fd\u6709\u82f1\u6587\u5b57\u6bcd\u3001\u6578\u4f4d\u3001\u7834\u6298\u865f\u3001\u9ede\u3001\u5192\u865f\u6216\u5e95\u7dda\u3002","You have unsaved changes are you sure you want to navigate away?":"\u4f60\u9084\u6709\u6587\u4ef6\u5c1a\u672a\u5132\u5b58\uff0c\u78ba\u5b9a\u8981\u96e2\u958b\uff1f","Restore last draft":"\u6062\u5fa9\u4e0a\u6b21\u7684\u8349\u7a3f","Special character...":"\u7279\u6b8a\u5b57\u5143...","Special Character":"\u7279\u6b8a\u5b57\u5143","Source code":"\u539f\u59cb\u7a0b\u5f0f\u78bc","Insert/Edit code sample":"\u63d2\u5165/\u7de8\u8f2f\u4ee3\u78bc\u793a\u7bc4","Language":"\u8a9e\u8a00","Code sample...":"\u793a\u7bc4\u4ee3\u78bc...","Left to right":"\u7531\u5de6\u5230\u53f3","Right to left":"\u7531\u53f3\u5230\u5de6","Title":"\u6a19\u984c","Fullscreen":"\u5168\u7192\u5e55","Action":"\u52d5\u4f5c","Shortcut":"\u6377\u5f91","Help":"\u5e6b\u52a9","Address":"\u5730\u5740","Focus to menubar":"\u79fb\u52d5\u7126\u9ede\u5230\u529f\u80fd\u8868\u5217","Focus to toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u5de5\u5177\u5217","Focus to element path":"\u79fb\u52d5\u7126\u9ede\u5230\u5143\u7d20\u8def\u5f91","Focus to contextual toolbar":"\u79fb\u52d5\u7126\u9ede\u5230\u4e0a\u4e0b\u6587\u83dc\u55ae","Insert link (if link plugin activated)":"\u63d2\u5165\u9023\u7d50 (\u5982\u679c\u9023\u7d50\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Save (if save plugin activated)":"\u5132\u5b58(\u5982\u679c\u5132\u5b58\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Find (if searchreplace plugin activated)":"\u5c0b\u627e(\u5982\u679c\u5c0b\u627e\u53d6\u4ee3\u5916\u639b\u7a0b\u5f0f\u5df2\u555f\u52d5)","Plugins installed ({0}):":"\u5df2\u5b89\u88dd\u5916\u639b\u7a0b\u5f0f ({0}):","Premium plugins:":"\u4ed8\u8cbb\u5916\u639b\u7a0b\u5f0f\uff1a","Learn more...":"\u4e86\u89e3\u66f4\u591a...","You are using {0}":"\u4f60\u6b63\u5728\u4f7f\u7528 {0}","Plugins":"\u5916\u639b\u7a0b\u5f0f","Handy Shortcuts":"\u5feb\u901f\u9375","Horizontal line":"\u6c34\u6e96\u5206\u5272\u7dda","Insert/edit image":"\u63d2\u5165/\u7de8\u8f2f\u5716\u7247","Alternative description":"\u66ff\u4ee3\u63cf\u8ff0","Accessibility":"\u5354\u52a9\u5de5\u5177","Image is decorative":"\u9019\u662f\u88dd\u98fe\u5716\u50cf","Source":"\u6e90","Dimensions":"\u5c3a\u5bf8","Constrain proportions":"\u4fdd\u6301\u6bd4\u4f8b","General":"\u4e00\u822c","Advanced":"\u9ad8\u7d1a","Style":"\u6a23\u5f0f","Vertical space":"\u5782\u76f4\u9593\u8ddd","Horizontal space":"\u6c34\u6e96\u9593\u8ddd","Border":"\u6846\u7dda","Insert image":"\u63d2\u5165\u5716\u7247","Image...":"\u5716\u7247...","Image list":"\u5716\u7247\u6e05\u55ae","Resize":"\u8abf\u6574\u5927\u5c0f","Insert date/time":"\u63d2\u5165\u65e5\u671f/\u6642\u9593","Date/time":"\u65e5\u671f/\u6642\u9593","Insert/edit link":"\u63d2\u5165/\u7de8\u8f2f\u9023\u7d50","Text to display":"\u8981\u986f\u793a\u7684\u6587\u672c","Url":"\u5730\u5740","Open link in...":"\u9023\u7d50\u6253\u958b\u4f4d\u7f6e...","Current window":"\u7576\u524d\u7a97\u53e3","None":"\u7121","New window":"\u65b0\u7a97\u53e3","Open link":"\u6253\u958b\u9023\u7d50","Remove link":"\u79fb\u9664\u9023\u7d50","Anchors":"\u9328\u9ede","Link...":"\u9023\u7d50...","Paste or type a link":"\u8cbc\u4e0a\u6216\u8f38\u5165\u9023\u7d50","The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u96fb\u90f5\u5730\u5740\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 mailto:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required http:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 http:// \u9996\u78bc\u55ce\uff1f","The URL you entered seems to be an external link. Do you want to add the required https:// prefix?":"\u60a8\u8f38\u5165\u7684 URL \u4f3c\u4e4e\u662f\u4e00\u500b\u5916\u90e8\u9023\u7d50\u3002\u8981\u52a0\u4e0a\u6240\u9700\u7684 https:// \u9996\u78bc\u55ce\uff1f","Link list":"\u9023\u7d50\u6e05\u55ae","Insert video":"\u63d2\u5165\u8996\u983b","Insert/edit video":"\u63d2\u5165/\u7de8\u8f2f\u8996\u983b","Insert/edit media":"\u63d2\u5165/\u7de8\u8f2f\u5a92\u9ad4","Alternative source":"\u93e1\u50cf","Alternative source URL":"\u66ff\u4ee3\u4f86\u6e90\u7db2\u5740","Media poster (Image URL)":"\u5c01\u9762(\u5716\u7247\u4f4d\u5740)","Paste your embed code below:":"\u5c07\u5167\u5d4c\u4ee3\u78bc\u8cbc\u4e0a\u5728\u4e0b\u9762:","Embed":"\u5167\u5d4c","Media...":"\u591a\u5a92\u9ad4...","Nonbreaking space":"\u4e0d\u5206\u884c\u7a7a\u683c","Page break":"\u5206\u9801\u7b26","Paste as text":"\u8cbc\u4e0a\u70ba\u6587\u672c","Preview":"\u9810\u89bd","Print":"\u5217\u5370","Print...":"\u5217\u5370...","Save":"\u5132\u5b58","Find":"\u5c0b\u627e","Replace with":"\u53d6\u4ee3\u70ba","Replace":"\u53d6\u4ee3","Replace all":"\u53d6\u4ee3\u5168\u90e8","Previous":"\u4e0a\u4e00\u500b","Next":"\u4e0b\u4e00\u500b","Find and Replace":"\u5c0b\u627e\u548c\u53d6\u4ee3","Find and replace...":"\u5c0b\u627e\u4e26\u53d6\u4ee3...","Could not find the specified string.":"\u672a\u627e\u5230\u641c\u7d22\u5167\u5bb9\u3002","Match case":"\u5927\u5c0f\u5beb\u5339\u914d","Find whole words only":"\u5168\u5b57\u5339\u914d","Find in selection":"\u5728\u9078\u5340\u4e2d\u5c0b\u627e","Insert table":"\u63d2\u5165\u8868\u683c","Table properties":"\u8868\u683c\u5c6c\u6027","Delete table":"\u522a\u9664\u8868\u683c","Cell":"\u5132\u5b58\u683c","Row":"\u884c","Column":"\u6b04","Cell properties":"\u5132\u5b58\u683c\u5c6c\u6027","Merge cells":"\u5408\u4f75\u5132\u5b58\u683c","Split cell":"\u62c6\u5206\u5132\u5b58\u683c","Insert row before":"\u5728\u4e0a\u65b9\u63d2\u5165\u884c","Insert row after":"\u5728\u4e0b\u65b9\u63d2\u5165\u884c","Delete row":"\u522a\u9664\u884c","Row properties":"\u884c\u5c6c\u6027","Cut row":"\u526a\u4e0b\u884c","Cut column":"\u526a\u4e0b\u5217","Copy row":"\u8907\u88fd\u884c","Copy column":"\u8907\u88fd\u5217","Paste row before":"\u8cbc\u4e0a\u884c\u5230\u4e0a\u65b9","Paste column before":"\u8cbc\u4e0a\u6b64\u5217\u524d","Paste row after":"\u8cbc\u4e0a\u884c\u5230\u4e0b\u65b9","Paste column after":"\u8cbc\u4e0a\u5f8c\u9762\u7684\u5217","Insert column before":"\u5728\u5de6\u5074\u63d2\u5165\u5217","Insert column after":"\u5728\u53f3\u5074\u63d2\u5165\u5217","Delete column":"\u522a\u9664\u5217","Cols":"\u5217","Rows":"\u884c\u6578","Width":"\u5bec\u5ea6","Height":"\u9ad8\u5ea6","Cell spacing":"\u5132\u5b58\u683c\u5916\u9593\u8ddd","Cell padding":"\u5132\u5b58\u683c\u5167\u908a\u8ddd","Row clipboard actions":"\u884c\u526a\u8cbc\u677f\u64cd\u4f5c","Column clipboard actions":"\u5217\u526a\u8cbc\u677f\u64cd\u4f5c","Table styles":"\u8868\u683c\u6a23\u5f0f","Cell styles":"\u5132\u5b58\u683c\u6a23\u5f0f","Column header":"\u5217\u6a19\u984c","Row header":"\u884c\u982d","Table caption":"\u8868\u683c\u6a19\u984c","Caption":"\u6a19\u984c","Show caption":"\u986f\u793a\u6a19\u984c","Left":"\u5de6","Center":"\u7f6e\u4e2d","Right":"\u53f3","Cell type":"\u5132\u5b58\u683c\u5225","Scope":"\u7bc4\u570d","Alignment":"\u5c0d\u9f4a","Horizontal align":"\u6c34\u6e96\u5c0d\u9f4a","Vertical align":"\u5782\u76f4\u5c0d\u9f4a","Top":"\u4e0a\u65b9\u5c0d\u9f4a","Middle":"\u7f6e\u4e2d\u5c0d\u9f4a","Bottom":"\u4e0b\u65b9\u5c0d\u9f4a","Header cell":"\u8868\u982d\u5132\u5b58\u683c","Row group":"\u884c\u7d44","Column group":"\u5217\u7d44","Row type":"\u884c\u985e\u578b","Header":"\u8868\u982d","Body":"\u8868\u9ad4","Footer":"\u8868\u5c3e","Border color":"\u6846\u7dda\u984f\u8272","Solid":"\u5be6\u7dda","Dotted":"\u865b\u7dda","Dashed":"\u865b\u7dda","Double":"\u96d9\u7cbe\u5ea6","Groove":"\u51f9\u69fd","Ridge":"\u6d77\u810a\u5ea7","Inset":"\u5d4c\u5165","Outset":"\u5916\u7f6e","Hidden":"\u96b1\u85cf","Insert template...":"\u63d2\u5165\u7bc4\u672c...","Templates":"\u7bc4\u672c","Template":"\u7bc4\u672c","Insert Template":"\u63d2\u5165\u7bc4\u672c","Text color":"\u6587\u672c\u984f\u8272","Background color":"\u80cc\u666f\u984f\u8272","Custom...":"\u81ea\u8a02......","Custom color":"\u81ea\u8a02\u984f\u8272","No color":"\u7121","Remove color":"\u79fb\u9664\u984f\u8272","Show blocks":"\u986f\u793a\u5340\u584a\u908a\u6846","Show invisible characters":"\u986f\u793a\u4e0d\u53ef\u898b\u5b57\u5143","Word count":"\u5b57\u6578","Count":"\u8a08\u6578","Document":"\u6587\u4ef6","Selection":"\u9078\u64c7","Words":"\u55ae\u8a5e","Words: {0}":"\u5b57\u6578\uff1a{0}","{0} words":"{0} \u5b57","File":"\u6587\u4ef6","Edit":"\u7de8\u8f2f","Insert":"\u63d2\u5165","View":"\u67e5\u770b","Format":"\u683c\u5f0f","Table":"\u8868\u683c","Tools":"\u5de5\u5177","Powered by {0}":"\u7531{0}\u9a45\u52d5","Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help":"\u7de8\u8f2f\u5340\u3002\u6309ALT-F9\u6253\u958b\u529f\u80fd\u8868\uff0c\u6309ALT-F10\u6253\u958b\u5de5\u5177\u5217\uff0c\u6309ALT-0\u67e5\u770b\u5e6b\u52a9","Image title":"\u5716\u7247\u6a19\u984c","Border width":"\u908a\u6846\u5bec\u5ea6","Border style":"\u908a\u6846\u6a23\u5f0f","Error":"\u932f\u8aa4","Warn":"\u8b66\u544a","Valid":"\u6709\u6548","To open the popup, press Shift+Enter":"\u6309Shitf+Enter\u9375\u6253\u958b\u5c0d\u8a71\u65b9\u584a","Rich Text Area":"\u5bcc\u6587\u672c\u5340\u57df","Rich Text Area. Press ALT-0 for help.":"\u7de8\u8f2f\u5340\u3002\u6309Alt+0\u9375\u6253\u958b\u5e6b\u52a9\u3002","System Font":"\u7cfb\u7d71\u5b57\u9ad4","Failed to upload image: {0}":"\u4e0a\u8f09\u5716\u7247\u5931\u6557\uff1a{0}","Failed to load plugin: {0} from url {1}":"\u7121\u6cd5\u5f9e {1} \u8f09\u5165\u63d2\u4ef6 {0}","Failed to load plugin url: {0}":"\u7121\u6cd5\u8f09\u5165\u63d2\u4ef6\u93c8\u7d50 {0}","Failed to initialize plugin: {0}":"\u7121\u6cd5\u521d\u59cb\u5316\u63d2\u4ef6 {0}","example":"\u4f8b\u5b50","Search":"\u641c\u7d22","All":"\u5168\u90e8","Currency":"\u8ca8\u5e63","Text":"\u6587\u5b57","Quotations":"\u5f15\u7528","Mathematical":"\u6578\u5b78","Extended Latin":"\u62c9\u4e01\u8a9e\u64f4\u5145","Symbols":"\u7b26\u865f","Arrows":"\u7bad\u982d","User Defined":"\u81ea\u8a02","dollar sign":"\u7f8e\u5143\u7b26\u865f","currency sign":"\u8ca8\u5e63\u7b26\u865f","euro-currency sign":"\u6b50\u5143\u7b26\u865f","colon sign":"\u5192\u865f","cruzeiro sign":"\u514b\u9b6f\u8cfd\u7f85\u5e63\u7b26\u865f","french franc sign":"\u6cd5\u90ce\u7b26\u865f","lira sign":"\u91cc\u62c9\u7b26\u865f","mill sign":"\u5bc6\u723e\u7b26\u865f","naira sign":"\u5948\u62c9\u7b26\u865f","peseta sign":"\u6bd4\u85a9\u659c\u5854\u7b26\u865f","rupee sign":"\u76e7\u6bd4\u7b26\u865f","won sign":"\u97d3\u5143\u7b26\u865f","new sheqel sign":"\u65b0\u8b1d\u514b\u723e\u7b26\u865f","dong sign":"\u8d8a\u5357\u76fe\u7b26\u865f","kip sign":"\u8001\u64be\u57fa\u666e\u7b26\u865f","tugrik sign":"\u5716\u683c\u88e1\u514b\u7b26\u865f","drachma sign":"\u5fb7\u62c9\u514b\u99ac\u7b26\u865f","german penny symbol":"\u5fb7\u570b\u4fbf\u58eb\u7b26\u865f","peso sign":"\u6bd4\u7d22\u7b26\u865f","guarani sign":"\u74dc\u62c9\u5c3c\u7b26\u865f","austral sign":"\u6fb3\u5143\u7b26\u865f","hryvnia sign":"\u683c\u88e1\u592b\u5c3c\u4e9e\u7b26\u865f","cedi sign":"\u585e\u5730\u7b26\u865f","livre tournois sign":"\u88e1\u5f17\u5f17\u723e\u7b26\u865f","spesmilo sign":"spesmilo\u7b26\u865f","tenge sign":"\u5805\u6208\u7b26\u865f","indian rupee sign":"\u5370\u5ea6\u76e7\u6bd4","turkish lira sign":"\u571f\u8033\u5176\u91cc\u62c9","nordic mark sign":"\u5317\u6b50\u99ac\u514b","manat sign":"\u99ac\u7d0d\u7279\u7b26\u865f","ruble sign":"\u76e7\u5e03\u7b26\u865f","yen character":"\u65e5\u5143\u5b57\u6a23","yuan character":"\u4eba\u6c11\u5e63\u5143\u5b57\u6a23","yuan character, in hong kong and taiwan":"\u5143\u5b57\u6a23\uff08\u6e2f\u81fa\u5730\u5340\uff09","yen/yuan character variant one":"\u5143\u5b57\u6a23\uff08\u5927\u5beb\uff09","Emojis":"Emojis","Emojis...":"Emojis...","Loading emojis...":"\u6b63\u5728\u8f09\u5165Emojis...","Could not load emojis":"\u7121\u6cd5\u8f09\u5165Emojis","People":"\u4eba\u985e","Animals and Nature":"\u52d5\u7269\u548c\u81ea\u7136","Food and Drink":"\u98df\u7269\u548c\u98f2\u54c1","Activity":"\u6d3b\u52d5","Travel and Places":"\u65c5\u904a\u548c\u5730\u9ede","Objects":"\u7269\u4ef6","Flags":"\u65d7\u5e5f","Characters":"\u5b57\u5143","Characters (no spaces)":"\u5b57\u5143(\u7121\u7a7a\u683c)","{0} characters":"{0} \u500b\u5b57\u5143","Error: Form submit field collision.":"\u932f\u8aa4\uff1a\u8868\u683c\u51fa\u73fe\u591a\u91cd\u63d0\u4ea4\u885d\u7a81\u3002","Error: No form element found.":"\u932f\u8aa4\uff1a\u627e\u4e0d\u5230\u8868\u683c\u5143\u7d20\u3002","Color swatch":"\u984f\u8272\u6a23\u672c","Color Picker":"\u9078\u8272\u5668","Invalid hex color code: {0}":"\u7121\u6548\u7684\u984f\u8272\u78bc\uff1a{0}","Invalid input":"\u7121\u6548\u8f38\u5165","R":"\u7d05","Red component":"\u7d05\u8272\u90e8\u5206","G":"\u7da0","Green component":"\u7da0\u8272\u90e8\u5206","B":"\u85cd","Blue component":"\u767d\u8272\u90e8\u5206","#":"#","Hex color code":"\u5341\u516d\u9032\u4f4d\u984f\u8272\u4ee3\u78bc","Range 0 to 255":"\u7bc4\u570d0\u81f3255","Turquoise":"\u9752\u7da0\u8272","Green":"\u7da0\u8272","Blue":"\u85cd\u8272","Purple":"\u7d2b\u8272","Navy Blue":"\u6d77\u8ecd\u85cd","Dark Turquoise":"\u6df1\u85cd\u7da0\u8272","Dark Green":"\u6df1\u7da0\u8272","Medium Blue":"\u4e2d\u85cd\u8272","Medium Purple":"\u4e2d\u7d2b\u8272","Midnight Blue":"\u6df1\u85cd\u8272","Yellow":"\u9ec3\u8272","Orange":"\u6a59\u8272","Red":"\u7d05\u8272","Light Gray":"\u6dfa\u7070\u8272","Gray":"\u7070\u8272","Dark Yellow":"\u6697\u9ec3\u8272","Dark Orange":"\u6df1\u6a59\u8272","Dark Red":"\u6df1\u7d05\u8272","Medium Gray":"\u4e2d\u7070\u8272","Dark Gray":"\u6df1\u7070\u8272","Light Green":"\u6dfa\u7da0\u8272","Light Yellow":"\u6dfa\u9ec3\u8272","Light Red":"\u6dfa\u7d05\u8272","Light Purple":"\u6dfa\u7d2b\u8272","Light Blue":"\u6dfa\u85cd\u8272","Dark Purple":"\u6df1\u7d2b\u8272","Dark Blue":"\u6df1\u85cd\u8272","Black":"\u9ed1\u8272","White":"\u767d\u8272","Switch to or from fullscreen mode":"\u5207\u63db\u5168\u7192\u5e55\u6a21\u5f0f","Open help dialog":"\u6253\u958b\u5e6b\u52a9\u5c0d\u8a71\u65b9\u584a","history":"\u6b77\u53f2","styles":"\u6a23\u5f0f","formatting":"\u683c\u5f0f\u5316","alignment":"\u5c0d\u9f4a","indentation":"\u7e2e\u9032","Font":"\u5b57\u9ad4","Size":"\u5b57\u578b\u5927\u5c0f","More...":"\u66f4\u591a...","Select...":"\u9078\u64c7...","Preferences":"\u9996\u9078\u9805","Yes":"\u662f","No":"\u5426","Keyboard Navigation":"\u9375\u76e4\u6307\u5f15","Version":"\u7248\u672c","Code view":"\u4ee3\u78bc\u8996\u5716","Open popup menu for split buttons":"\u6253\u958b\u5f48\u51fa\u5f0f\u529f\u80fd\u8868\uff0c\u7528\u65bc\u62c6\u5206\u6309\u9215","List Properties":"\u6e05\u55ae\u5c6c\u6027","List properties...":"\u6a19\u984c\u5b57\u9ad4\u5c6c\u6027","Start list at number":"\u4ee5\u6578\u5b57\u958b\u59cb\u6e05\u55ae","Line height":"\u884c\u9ad8","Dropped file type is not supported":"\u6b64\u6a94\u6848\u985e\u578b\u4e0d\u652f\u6301\u62d6\u653e","Loading...":"\u8f09\u5165\u4e2d...","ImageProxy HTTP error: Rejected request":"\u5716\u7247\u670d\u52d9\uff1a\u62d2\u7d55\u5b58\u53d6","ImageProxy HTTP error: Could not find Image Proxy":"\u5716\u7247\u670d\u52d9\uff1a\u627e\u4e0d\u5230\u670d\u52d9","ImageProxy HTTP error: Incorrect Image Proxy URL":"\u5716\u7247\u670d\u52d9\uff1a\u932f\u8aa4\u93c8\u7d50","ImageProxy HTTP error: Unknown ImageProxy error":"\u5716\u7247\u670d\u52d9\uff1a\u672a\u77e5\u932f\u8aa4"}); \ No newline at end of file diff --git a/deform/static/tinymce/langs/zh_TW.js b/deform/static/tinymce/langs/zh_TW.js deleted file mode 100644 index 7f45f643..00000000 --- a/deform/static/tinymce/langs/zh_TW.js +++ /dev/null @@ -1,156 +0,0 @@ -tinymce.addI18n('zh_TW',{ -"Cut": "\u526a\u4e0b", -"Your browser doesn't support direct access to the clipboard. Please use the Ctrl+X\/C\/V keyboard shortcuts instead.": "\u4f60\u7684\u700f\u89bd\u5668\u6c92\u6709\u80fd\u529b\u5b58\u53d6\u526a\u8cbc\u7c3f\uff0c\u8acb\u4f7f\u7528\u5feb\u6377\u9375 Ctrl+X\/C\/V \u53d6\u4ee3\u3002", -"Paste": "\u8cbc\u4e0a", -"Close": "\u95dc\u9589", -"Align right": "\u7f6e\u53f3\u5c0d\u9f4a", -"New document": "\u65b0\u6587\u4ef6", -"Numbered list": "\u6578\u5b57\u6e05\u55ae", -"Increase indent": "\u589e\u52a0\u7e2e\u6392", -"Formats": "\u683c\u5f0f", -"Select all": "\u5168\u9078", -"Undo": "\u5fa9\u539f", -"Strikethrough": "\u522a\u9664\u7dda", -"Bullet list": "\u9805\u76ee\u6e05\u55ae", -"Superscript": "\u4e0a\u6a19", -"Clear formatting": "\u6e05\u9664\u683c\u5f0f", -"Subscript": "\u4e0b\u6a19", -"Redo": "\u53d6\u6d88\u5fa9\u539f", -"Ok": "Ok", -"Bold": "\u7c97\u9ad4", -"Italic": "\u659c\u9ad4", -"Align center": "\u7f6e\u4e2d\u5c0d\u9f4a", -"Decrease indent": "\u6e1b\u5c11\u7e2e\u6392", -"Underline": "\u5e95\u7dda", -"Cancel": "\u53d6\u6d88", -"Justify": "\u5de6\u53f3\u5c0d\u9f4a", -"Copy": "\u8907\u88fd", -"Align left": "\u7f6e\u5de6\u5c0d\u9f4a", -"Visual aids": "\u5c0f\u5e6b\u624b", -"Lower Greek": "\u4e0b\u5e0c\u81d8", -"Square": "\u77e9\u5f62", -"Default": "\u521d\u59cb\u5316\u7684", -"Lower Alpha": "\u8abf\u4f4e\u03b1", -"Circle": "\u5713\u5708", -"Disc": "\u5713\u76e4", -"Upper Alpha": "\u4e0a\u90e8\u7684\u03b1", -"Upper Roman": "\u4e0a\u7f85\u99ac", -"Lower Roman": "\u4e0b\u7f85\u99ac", -"Name": "\u540d\u7a31", -"Anchor": "\u4f7f\u7a69\u56fa", -"You have unsaved changes are you sure you want to navigate away?": "\u7de8\u8f2f\u5c1a\u672a\u88ab\u5132\u5b58\uff0c\u4f60\u78ba\u5b9a\u8981\u96e2\u958b\uff1f", -"Restore last draft": "\u8f09\u5165\u4e0a\u4e00\u6b21\u7de8\u8f2f\u7684\u8349\u7a3f", -"Special character": "\u7279\u6b8a\u5b57\u5143", -"Source code": "\u539f\u59cb\u78bc", -"Right to left": "\u5f9e\u53f3\u5230\u5de6", -"Left to right": "\u5f9e\u5de6\u5230\u53f3", -"Emoticons": "\u8868\u60c5", -"Robots": "\u6a5f\u5668\u4eba", -"Document properties": "\u6587\u4ef6\u7684\u5c6c\u6027", -"Title": "\u6a19\u984c", -"Keywords": "\u95dc\u9375\u5b57", -"Encoding": "\u7de8\u78bc", -"Description": "\u63cf\u8ff0", -"Author": "\u4f5c\u8005", -"Fullscreen": "\u5168\u87a2\u5e55", -"Horizontal line": "\u6c34\u5e73\u7dda", -"Horizontal space": "\u6a6b\u5411\u7a7a\u9593", -"Insert\/edit image": "\u63d2\u5165\/\u7de8\u8f2f \u5716\u7247", -"General": "\u4e00\u822c\u7684", -"Advanced": "\u5148\u9032\u7684", -"Source": "\u4f86\u6e90", -"Border": "\u908a\u754c", -"Constrain proportions": "\u88ab\u9650\u5236\u7684\u90e8\u5206", -"Vertical space": "\u7e31\u5411\u7a7a\u9593", -"Image description": "\u5716\u5f62\u63cf\u8ff0", -"Style": "\u985e\u578b", -"Dimensions": "\u7a7a\u9593\u7dad\u5ea6", -"Insert date\/time": "\u63d2\u5165 \u65e5\u671f\/\u6642\u9593", -"Url": "\u7db2\u5740", -"Text to display": "\u8981\u986f\u793a\u7684\u6587\u5b57", -"Insert link": "\u63d2\u5165\u93c8\u7d50", -"New window": "\u65b0\u8996\u7a97", -"None": "\u7121", -"Target": "\u76ee\u6a19", -"Insert\/edit link": "\u63d2\u5165\/\u7de8\u8f2f\u93c8\u7d50", -"Insert\/edit video": "\u63d2\u4ef6\u5f0f\/\u53ef\u7de8\u8f2f \u5f71\u97f3", -"Poster": "\u6a19\u8a9e", -"Alternative source": "\u984d\u5916\u8cc7\u6e90", -"Paste your embed code below:": "\u8acb\u5c07\u60a8\u7684\u5d4c\u5165\u5f0f\u7a0b\u5f0f\u78bc\u8cbc\u5728\u4e0b\u9762:", -"Insert video": "\u63d2\u4ef6\u5f0f\u5f71\u97f3", -"Embed": "\u5d4c\u5165", -"Nonbreaking space": "\u4e0d\u5206\u884c\u7684\u7a7a\u683c", -"Page break": "\u5206\u9801", -"Preview": "\u9810\u89bd", -"Print": "\u6253\u5370", -"Save": "\u5132\u5b58", -"Could not find the specified string.": "\u7121\u6cd5\u67e5\u8a62\u5230\u6b64\u7279\u5b9a\u5b57\u4e32", -"Replace": "\u66ff\u63db", -"Next": "\u4e0b\u4e00\u500b", -"Whole words": "\u6574\u500b\u55ae\u5b57", -"Find and replace": "\u5c0b\u627e\u53ca\u53d6\u4ee3", -"Replace with": "\u66f4\u63db", -"Find": "\u641c\u5c0b", -"Replace all": "\u66ff\u63db\u5168\u90e8", -"Match case": "\u76f8\u5339\u914d\u6848\u4ef6", -"Prev": "\u4e0a\u4e00\u500b", -"Spellcheck": "\u62fc\u5b57\u6aa2\u67e5", -"Finish": "\u5b8c\u6210", -"Ignore all": "\u5ffd\u7565\u6240\u6709", -"Ignore": "\u5ffd\u7565", -"Insert row before": "\u63d2\u5165\u5217\u5728...\u4e4b\u524d", -"Rows": "\u5217", -"Height": "\u9ad8\u5ea6", -"Paste row after": "\u8cbc\u4e0a\u5217\u5728...\u4e4b\u5f8c", -"Alignment": "\u5c0d\u6e96", -"Column group": "\u6b04\u4f4d\u7fa4\u7d44", -"Row": "\u5217", -"Insert column before": "\u63d2\u5165\u6b04\u4f4d\u5728...\u4e4b\u524d", -"Split cell": "\u5206\u5272\u5132\u5b58\u683c", -"Cell padding": "\u5132\u5b58\u683c\u7684\u908a\u8ddd", -"Cell spacing": "\u5132\u5b58\u683c\u5f97\u9593\u8ddd", -"Row type": "\u884c\u7684\u985e\u578b", -"Insert table": "\u63d2\u5165\u8868\u683c", -"Body": "\u4e3b\u9ad4", -"Caption": "\u6a19\u984c", -"Footer": "\u9801\u5c3e", -"Delete row": "\u522a\u9664\u5217", -"Paste row before": "\u8cbc\u4e0a\u5217\u5728...\u4e4b\u524d", -"Scope": "\u7bc4\u570d", -"Delete table": "\u522a\u9664\u8868\u683c", -"Header cell": "\u6a19\u982d\u5132\u5b58\u683c", -"Column": "\u884c", -"Cell": "\u5132\u5b58\u683c", -"Header": "\u6a19\u982d", -"Cell type": "\u5132\u5b58\u683c\u7684\u985e\u578b", -"Copy row": "\u8907\u88fd\u5217", -"Row properties": "\u5217\u5c6c\u6027", -"Table properties": "\u8868\u683c\u5c6c\u6027", -"Row group": "\u5217\u7fa4\u7d44", -"Right": "\u53f3\u908a", -"Insert column after": "\u63d2\u5165\u6b04\u4f4d\u5728...\u4e4b\u5f8c", -"Cols": "\u6b04\u4f4d\u6bb5", -"Insert row after": "\u63d2\u5165\u5217\u5728...\u4e4b\u5f8c", -"Width": "\u5bec\u5ea6", -"Cell properties": "\u5132\u5b58\u683c\u5c6c\u6027", -"Left": "\u5de6\u908a", -"Cut row": "\u526a\u4e0b\u5217", -"Delete column": "\u522a\u9664\u884c", -"Center": "\u4e2d\u9593", -"Merge cells": "\u5408\u4f75\u5132\u5b58\u683c", -"Insert template": "\u63d2\u5165\u6a23\u7248", -"Templates": "\u6a23\u7248", -"Background color": "\u80cc\u666f\u984f\u8272", -"Text color": "\u6587\u5b57\u984f\u8272", -"Show blocks": "\u986f\u793a\u7684\u5340\u584a", -"Show invisible characters": "\u986f\u793a\u770b\u4e0d\u898b\u7684\u6587\u5b57\u7b26\u865f", -"Words: {0}": "\u5b57\u6578\uff1a{0}", -"Insert": "\u63d2\u5165", -"File": "\u6a94\u6848", -"Edit": "\u7de8\u8f2f", -"Rich Text Area. Press ALT-F9 for menu. Press ALT-F10 for toolbar. Press ALT-0 for help": "\u8c50\u5bcc\u7684\u6587\u672c\u5340\u57df\u3002\u6309ALT-F9\u83dc\u55ae\u3002\u6309ALT-F10\u5de5\u5177\u6b04\u3002\u6309ALT-0\u5e6b\u52a9", -"Tools": "\u5de5\u5177", -"View": "\u89c0\u770b", -"Table": "\u8cc7\u6599\u8868", -"Format": "\u683c\u5f0f" -}); \ No newline at end of file diff --git a/deform/static/tinymce/license.txt b/deform/static/tinymce/license.txt index 1837b0ac..3a49f66f 100644 --- a/deform/static/tinymce/license.txt +++ b/deform/static/tinymce/license.txt @@ -1,504 +1,21 @@ - GNU LESSER GENERAL PUBLIC LICENSE - Version 2.1, February 1999 - - Copyright (C) 1991, 1999 Free Software Foundation, Inc. - 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA - Everyone is permitted to copy and distribute verbatim copies - of this license document, but changing it is not allowed. - -[This is the first released version of the Lesser GPL. It also counts - as the successor of the GNU Library Public License, version 2, hence - the version number 2.1.] - - Preamble - - The licenses for most software are designed to take away your -freedom to share and change it. By contrast, the GNU General Public -Licenses are intended to guarantee your freedom to share and change -free software--to make sure the software is free for all its users. - - This license, the Lesser General Public License, applies to some -specially designated software packages--typically libraries--of the -Free Software Foundation and other authors who decide to use it. You -can use it too, but we suggest you first think carefully about whether -this license or the ordinary General Public License is the better -strategy to use in any particular case, based on the explanations below. - - When we speak of free software, we are referring to freedom of use, -not price. Our General Public Licenses are designed to make sure that -you have the freedom to distribute copies of free software (and charge -for this service if you wish); that you receive source code or can get -it if you want it; that you can change the software and use pieces of -it in new free programs; and that you are informed that you can do -these things. - - To protect your rights, we need to make restrictions that forbid -distributors to deny you these rights or to ask you to surrender these -rights. These restrictions translate to certain responsibilities for -you if you distribute copies of the library or if you modify it. - - For example, if you distribute copies of the library, whether gratis -or for a fee, you must give the recipients all the rights that we gave -you. You must make sure that they, too, receive or can get the source -code. If you link other code with the library, you must provide -complete object files to the recipients, so that they can relink them -with the library after making changes to the library and recompiling -it. And you must show them these terms so they know their rights. - - We protect your rights with a two-step method: (1) we copyright the -library, and (2) we offer you this license, which gives you legal -permission to copy, distribute and/or modify the library. - - To protect each distributor, we want to make it very clear that -there is no warranty for the free library. Also, if the library is -modified by someone else and passed on, the recipients should know -that what they have is not the original version, so that the original -author's reputation will not be affected by problems that might be -introduced by others. - - Finally, software patents pose a constant threat to the existence of -any free program. We wish to make sure that a company cannot -effectively restrict the users of a free program by obtaining a -restrictive license from a patent holder. Therefore, we insist that -any patent license obtained for a version of the library must be -consistent with the full freedom of use specified in this license. - - Most GNU software, including some libraries, is covered by the -ordinary GNU General Public License. This license, the GNU Lesser -General Public License, applies to certain designated libraries, and -is quite different from the ordinary General Public License. We use -this license for certain libraries in order to permit linking those -libraries into non-free programs. - - When a program is linked with a library, whether statically or using -a shared library, the combination of the two is legally speaking a -combined work, a derivative of the original library. The ordinary -General Public License therefore permits such linking only if the -entire combination fits its criteria of freedom. The Lesser General -Public License permits more lax criteria for linking other code with -the library. - - We call this license the "Lesser" General Public License because it -does Less to protect the user's freedom than the ordinary General -Public License. It also provides other free software developers Less -of an advantage over competing non-free programs. These disadvantages -are the reason we use the ordinary General Public License for many -libraries. However, the Lesser license provides advantages in certain -special circumstances. - - For example, on rare occasions, there may be a special need to -encourage the widest possible use of a certain library, so that it becomes -a de-facto standard. To achieve this, non-free programs must be -allowed to use the library. A more frequent case is that a free -library does the same job as widely used non-free libraries. In this -case, there is little to gain by limiting the free library to free -software only, so we use the Lesser General Public License. - - In other cases, permission to use a particular library in non-free -programs enables a greater number of people to use a large body of -free software. For example, permission to use the GNU C Library in -non-free programs enables many more people to use the whole GNU -operating system, as well as its variant, the GNU/Linux operating -system. - - Although the Lesser General Public License is Less protective of the -users' freedom, it does ensure that the user of a program that is -linked with the Library has the freedom and the wherewithal to run -that program using a modified version of the Library. - - The precise terms and conditions for copying, distribution and -modification follow. Pay close attention to the difference between a -"work based on the library" and a "work that uses the library". The -former contains code derived from the library, whereas the latter must -be combined with the library in order to run. - - GNU LESSER GENERAL PUBLIC LICENSE - TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION - - 0. This License Agreement applies to any software library or other -program which contains a notice placed by the copyright holder or -other authorized party saying it may be distributed under the terms of -this Lesser General Public License (also called "this License"). -Each licensee is addressed as "you". - - A "library" means a collection of software functions and/or data -prepared so as to be conveniently linked with application programs -(which use some of those functions and data) to form executables. - - The "Library", below, refers to any such software library or work -which has been distributed under these terms. A "work based on the -Library" means either the Library or any derivative work under -copyright law: that is to say, a work containing the Library or a -portion of it, either verbatim or with modifications and/or translated -straightforwardly into another language. (Hereinafter, translation is -included without limitation in the term "modification".) - - "Source code" for a work means the preferred form of the work for -making modifications to it. For a library, complete source code means -all the source code for all modules it contains, plus any associated -interface definition files, plus the scripts used to control compilation -and installation of the library. - - Activities other than copying, distribution and modification are not -covered by this License; they are outside its scope. The act of -running a program using the Library is not restricted, and output from -such a program is covered only if its contents constitute a work based -on the Library (independent of the use of the Library in a tool for -writing it). Whether that is true depends on what the Library does -and what the program that uses the Library does. - - 1. You may copy and distribute verbatim copies of the Library's -complete source code as you receive it, in any medium, provided that -you conspicuously and appropriately publish on each copy an -appropriate copyright notice and disclaimer of warranty; keep intact -all the notices that refer to this License and to the absence of any -warranty; and distribute a copy of this License along with the -Library. - - You may charge a fee for the physical act of transferring a copy, -and you may at your option offer warranty protection in exchange for a -fee. - - 2. You may modify your copy or copies of the Library or any portion -of it, thus forming a work based on the Library, and copy and -distribute such modifications or work under the terms of Section 1 -above, provided that you also meet all of these conditions: - - a) The modified work must itself be a software library. - - b) You must cause the files modified to carry prominent notices - stating that you changed the files and the date of any change. - - c) You must cause the whole of the work to be licensed at no - charge to all third parties under the terms of this License. - - d) If a facility in the modified Library refers to a function or a - table of data to be supplied by an application program that uses - the facility, other than as an argument passed when the facility - is invoked, then you must make a good faith effort to ensure that, - in the event an application does not supply such function or - table, the facility still operates, and performs whatever part of - its purpose remains meaningful. - - (For example, a function in a library to compute square roots has - a purpose that is entirely well-defined independent of the - application. Therefore, Subsection 2d requires that any - application-supplied function or table used by this function must - be optional: if the application does not supply it, the square - root function must still compute square roots.) - -These requirements apply to the modified work as a whole. If -identifiable sections of that work are not derived from the Library, -and can be reasonably considered independent and separate works in -themselves, then this License, and its terms, do not apply to those -sections when you distribute them as separate works. But when you -distribute the same sections as part of a whole which is a work based -on the Library, the distribution of the whole must be on the terms of -this License, whose permissions for other licensees extend to the -entire whole, and thus to each and every part regardless of who wrote -it. - -Thus, it is not the intent of this section to claim rights or contest -your rights to work written entirely by you; rather, the intent is to -exercise the right to control the distribution of derivative or -collective works based on the Library. - -In addition, mere aggregation of another work not based on the Library -with the Library (or with a work based on the Library) on a volume of -a storage or distribution medium does not bring the other work under -the scope of this License. - - 3. You may opt to apply the terms of the ordinary GNU General Public -License instead of this License to a given copy of the Library. To do -this, you must alter all the notices that refer to this License, so -that they refer to the ordinary GNU General Public License, version 2, -instead of to this License. (If a newer version than version 2 of the -ordinary GNU General Public License has appeared, then you can specify -that version instead if you wish.) Do not make any other change in -these notices. - - Once this change is made in a given copy, it is irreversible for -that copy, so the ordinary GNU General Public License applies to all -subsequent copies and derivative works made from that copy. - - This option is useful when you wish to copy part of the code of -the Library into a program that is not a library. - - 4. You may copy and distribute the Library (or a portion or -derivative of it, under Section 2) in object code or executable form -under the terms of Sections 1 and 2 above provided that you accompany -it with the complete corresponding machine-readable source code, which -must be distributed under the terms of Sections 1 and 2 above on a -medium customarily used for software interchange. - - If distribution of object code is made by offering access to copy -from a designated place, then offering equivalent access to copy the -source code from the same place satisfies the requirement to -distribute the source code, even though third parties are not -compelled to copy the source along with the object code. - - 5. A program that contains no derivative of any portion of the -Library, but is designed to work with the Library by being compiled or -linked with it, is called a "work that uses the Library". Such a -work, in isolation, is not a derivative work of the Library, and -therefore falls outside the scope of this License. - - However, linking a "work that uses the Library" with the Library -creates an executable that is a derivative of the Library (because it -contains portions of the Library), rather than a "work that uses the -library". The executable is therefore covered by this License. -Section 6 states terms for distribution of such executables. - - When a "work that uses the Library" uses material from a header file -that is part of the Library, the object code for the work may be a -derivative work of the Library even though the source code is not. -Whether this is true is especially significant if the work can be -linked without the Library, or if the work is itself a library. The -threshold for this to be true is not precisely defined by law. - - If such an object file uses only numerical parameters, data -structure layouts and accessors, and small macros and small inline -functions (ten lines or less in length), then the use of the object -file is unrestricted, regardless of whether it is legally a derivative -work. (Executables containing this object code plus portions of the -Library will still fall under Section 6.) - - Otherwise, if the work is a derivative of the Library, you may -distribute the object code for the work under the terms of Section 6. -Any executables containing that work also fall under Section 6, -whether or not they are linked directly with the Library itself. - - 6. As an exception to the Sections above, you may also combine or -link a "work that uses the Library" with the Library to produce a -work containing portions of the Library, and distribute that work -under terms of your choice, provided that the terms permit -modification of the work for the customer's own use and reverse -engineering for debugging such modifications. - - You must give prominent notice with each copy of the work that the -Library is used in it and that the Library and its use are covered by -this License. You must supply a copy of this License. If the work -during execution displays copyright notices, you must include the -copyright notice for the Library among them, as well as a reference -directing the user to the copy of this License. Also, you must do one -of these things: - - a) Accompany the work with the complete corresponding - machine-readable source code for the Library including whatever - changes were used in the work (which must be distributed under - Sections 1 and 2 above); and, if the work is an executable linked - with the Library, with the complete machine-readable "work that - uses the Library", as object code and/or source code, so that the - user can modify the Library and then relink to produce a modified - executable containing the modified Library. (It is understood - that the user who changes the contents of definitions files in the - Library will not necessarily be able to recompile the application - to use the modified definitions.) - - b) Use a suitable shared library mechanism for linking with the - Library. A suitable mechanism is one that (1) uses at run time a - copy of the library already present on the user's computer system, - rather than copying library functions into the executable, and (2) - will operate properly with a modified version of the library, if - the user installs one, as long as the modified version is - interface-compatible with the version that the work was made with. - - c) Accompany the work with a written offer, valid for at - least three years, to give the same user the materials - specified in Subsection 6a, above, for a charge no more - than the cost of performing this distribution. - - d) If distribution of the work is made by offering access to copy - from a designated place, offer equivalent access to copy the above - specified materials from the same place. - - e) Verify that the user has already received a copy of these - materials or that you have already sent this user a copy. - - For an executable, the required form of the "work that uses the -Library" must include any data and utility programs needed for -reproducing the executable from it. However, as a special exception, -the materials to be distributed need not include anything that is -normally distributed (in either source or binary form) with the major -components (compiler, kernel, and so on) of the operating system on -which the executable runs, unless that component itself accompanies -the executable. - - It may happen that this requirement contradicts the license -restrictions of other proprietary libraries that do not normally -accompany the operating system. Such a contradiction means you cannot -use both them and the Library together in an executable that you -distribute. - - 7. You may place library facilities that are a work based on the -Library side-by-side in a single library together with other library -facilities not covered by this License, and distribute such a combined -library, provided that the separate distribution of the work based on -the Library and of the other library facilities is otherwise -permitted, and provided that you do these two things: - - a) Accompany the combined library with a copy of the same work - based on the Library, uncombined with any other library - facilities. This must be distributed under the terms of the - Sections above. - - b) Give prominent notice with the combined library of the fact - that part of it is a work based on the Library, and explaining - where to find the accompanying uncombined form of the same work. - - 8. You may not copy, modify, sublicense, link with, or distribute -the Library except as expressly provided under this License. Any -attempt otherwise to copy, modify, sublicense, link with, or -distribute the Library is void, and will automatically terminate your -rights under this License. However, parties who have received copies, -or rights, from you under this License will not have their licenses -terminated so long as such parties remain in full compliance. - - 9. You are not required to accept this License, since you have not -signed it. However, nothing else grants you permission to modify or -distribute the Library or its derivative works. These actions are -prohibited by law if you do not accept this License. Therefore, by -modifying or distributing the Library (or any work based on the -Library), you indicate your acceptance of this License to do so, and -all its terms and conditions for copying, distributing or modifying -the Library or works based on it. - - 10. Each time you redistribute the Library (or any work based on the -Library), the recipient automatically receives a license from the -original licensor to copy, distribute, link with or modify the Library -subject to these terms and conditions. You may not impose any further -restrictions on the recipients' exercise of the rights granted herein. -You are not responsible for enforcing compliance by third parties with -this License. - - 11. If, as a consequence of a court judgment or allegation of patent -infringement or for any other reason (not limited to patent issues), -conditions are imposed on you (whether by court order, agreement or -otherwise) that contradict the conditions of this License, they do not -excuse you from the conditions of this License. If you cannot -distribute so as to satisfy simultaneously your obligations under this -License and any other pertinent obligations, then as a consequence you -may not distribute the Library at all. For example, if a patent -license would not permit royalty-free redistribution of the Library by -all those who receive copies directly or indirectly through you, then -the only way you could satisfy both it and this License would be to -refrain entirely from distribution of the Library. - -If any portion of this section is held invalid or unenforceable under any -particular circumstance, the balance of the section is intended to apply, -and the section as a whole is intended to apply in other circumstances. - -It is not the purpose of this section to induce you to infringe any -patents or other property right claims or to contest validity of any -such claims; this section has the sole purpose of protecting the -integrity of the free software distribution system which is -implemented by public license practices. Many people have made -generous contributions to the wide range of software distributed -through that system in reliance on consistent application of that -system; it is up to the author/donor to decide if he or she is willing -to distribute software through any other system and a licensee cannot -impose that choice. - -This section is intended to make thoroughly clear what is believed to -be a consequence of the rest of this License. - - 12. If the distribution and/or use of the Library is restricted in -certain countries either by patents or by copyrighted interfaces, the -original copyright holder who places the Library under this License may add -an explicit geographical distribution limitation excluding those countries, -so that distribution is permitted only in or among countries not thus -excluded. In such case, this License incorporates the limitation as if -written in the body of this License. - - 13. The Free Software Foundation may publish revised and/or new -versions of the Lesser General Public License from time to time. -Such new versions will be similar in spirit to the present version, -but may differ in detail to address new problems or concerns. - -Each version is given a distinguishing version number. If the Library -specifies a version number of this License which applies to it and -"any later version", you have the option of following the terms and -conditions either of that version or of any later version published by -the Free Software Foundation. If the Library does not specify a -license version number, you may choose any version ever published by -the Free Software Foundation. - - 14. If you wish to incorporate parts of the Library into other free -programs whose distribution conditions are incompatible with these, -write to the author to ask for permission. For software which is -copyrighted by the Free Software Foundation, write to the Free -Software Foundation; we sometimes make exceptions for this. Our -decision will be guided by the two goals of preserving the free status -of all derivatives of our free software and of promoting the sharing -and reuse of software generally. - - NO WARRANTY - - 15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO -WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW. -EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR -OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY -KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE -IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR -PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE -LIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME -THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. - - 16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN -WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY -AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU -FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR -CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE -LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING -RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A -FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF -SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH -DAMAGES. - - END OF TERMS AND CONDITIONS - - How to Apply These Terms to Your New Libraries - - If you develop a new library, and you want it to be of the greatest -possible use to the public, we recommend making it free software that -everyone can redistribute and change. You can do so by permitting -redistribution under these terms (or, alternatively, under the terms of the -ordinary General Public License). - - To apply these terms, attach the following notices to the library. It is -safest to attach them to the start of each source file to most effectively -convey the exclusion of warranty; and each file should have at least the -"copyright" line and a pointer to where the full notice is found. - - - Copyright (C) - - This library is free software; you can redistribute it and/or - modify it under the terms of the GNU Lesser General Public - License as published by the Free Software Foundation; either - version 2.1 of the License, or (at your option) any later version. - - This library is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU - Lesser General Public License for more details. - - You should have received a copy of the GNU Lesser General Public - License along with this library; if not, write to the Free Software - Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA - -Also add information on how to contact you by electronic and paper mail. - -You should also get your employer (if you work as a programmer) or your -school, if any, to sign a "copyright disclaimer" for the library, if -necessary. Here is a sample; alter the names: - - Yoyodyne, Inc., hereby disclaims all copyright interest in the - library `Frob' (a library for tweaking knobs) written by James Random Hacker. - - , 1 April 1990 - Ty Coon, President of Vice - -That's all there is to it! - - +MIT License + +Copyright (c) 2022 Ephox Corporation DBA Tiny Technologies, Inc. + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/deform/static/tinymce/models/dom/index.js b/deform/static/tinymce/models/dom/index.js new file mode 100644 index 00000000..7ed634af --- /dev/null +++ b/deform/static/tinymce/models/dom/index.js @@ -0,0 +1,7 @@ +// Exports the "dom" model for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/models/dom') +// ES2015: +// import 'tinymce/models/dom' +require('./model.js'); \ No newline at end of file diff --git a/deform/static/tinymce/models/dom/model.js b/deform/static/tinymce/models/dom/model.js new file mode 100644 index 00000000..45958c4d --- /dev/null +++ b/deform/static/tinymce/models/dom/model.js @@ -0,0 +1,8040 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$1 = tinymce.util.Tools.resolve('tinymce.ModelManager'); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType$1 = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const eq$2 = t => a => t === a; + const isString = isType$1('string'); + const isObject = isType$1('object'); + const isArray = isType$1('array'); + const isNull = eq$2(null); + const isBoolean = isSimpleType('boolean'); + const isUndefined = eq$2(undefined); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + const isNumber = isSimpleType('number'); + + const noop = () => { + }; + const compose = (fa, fb) => { + return (...args) => { + return fa(fb.apply(null, args)); + }; + }; + const compose1 = (fbc, fab) => a => fbc(fab(a)); + const constant = value => { + return () => { + return value; + }; + }; + const identity = x => { + return x; + }; + const tripleEquals = (a, b) => { + return a === b; + }; + function curry(fn, ...initialArgs) { + return (...restArgs) => { + const all = initialArgs.concat(restArgs); + return fn.apply(null, all); + }; + } + const not = f => t => !f(t); + const die = msg => { + return () => { + throw new Error(msg); + }; + }; + const apply = f => { + return f(); + }; + const never = constant(false); + const always = constant(true); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const nativeSlice = Array.prototype.slice; + const nativeIndexOf = Array.prototype.indexOf; + const nativePush = Array.prototype.push; + const rawIndexOf = (ts, t) => nativeIndexOf.call(ts, t); + const contains$2 = (xs, x) => rawIndexOf(xs, x) > -1; + const exists = (xs, pred) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return true; + } + } + return false; + }; + const range$1 = (num, f) => { + const r = []; + for (let i = 0; i < num; i++) { + r.push(f(i)); + } + return r; + }; + const map$1 = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each$2 = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const eachr = (xs, f) => { + for (let i = xs.length - 1; i >= 0; i--) { + const x = xs[i]; + f(x, i); + } + }; + const partition = (xs, pred) => { + const pass = []; + const fail = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + const arr = pred(x, i) ? pass : fail; + arr.push(x); + } + return { + pass, + fail + }; + }; + const filter$2 = (xs, pred) => { + const r = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + r.push(x); + } + } + return r; + }; + const foldr = (xs, f, acc) => { + eachr(xs, (x, i) => { + acc = f(acc, x, i); + }); + return acc; + }; + const foldl = (xs, f, acc) => { + each$2(xs, (x, i) => { + acc = f(acc, x, i); + }); + return acc; + }; + const findUntil = (xs, pred, until) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return Optional.some(x); + } else if (until(x, i)) { + break; + } + } + return Optional.none(); + }; + const find$1 = (xs, pred) => { + return findUntil(xs, pred, never); + }; + const findIndex = (xs, pred) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return Optional.some(i); + } + } + return Optional.none(); + }; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + const bind$2 = (xs, f) => flatten(map$1(xs, f)); + const forall = (xs, pred) => { + for (let i = 0, len = xs.length; i < len; ++i) { + const x = xs[i]; + if (pred(x, i) !== true) { + return false; + } + } + return true; + }; + const reverse = xs => { + const r = nativeSlice.call(xs, 0); + r.reverse(); + return r; + }; + const mapToObject = (xs, f) => { + const r = {}; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + r[String(x)] = f(x, i); + } + return r; + }; + const sort$1 = (xs, comparator) => { + const copy = nativeSlice.call(xs, 0); + copy.sort(comparator); + return copy; + }; + const get$d = (xs, i) => i >= 0 && i < xs.length ? Optional.some(xs[i]) : Optional.none(); + const head = xs => get$d(xs, 0); + const last$2 = xs => get$d(xs, xs.length - 1); + const findMap = (arr, f) => { + for (let i = 0; i < arr.length; i++) { + const r = f(arr[i], i); + if (r.isSome()) { + return r; + } + } + return Optional.none(); + }; + + const keys = Object.keys; + const hasOwnProperty = Object.hasOwnProperty; + const each$1 = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + const map = (obj, f) => { + return tupleMap(obj, (x, i) => ({ + k: i, + v: f(x, i) + })); + }; + const tupleMap = (obj, f) => { + const r = {}; + each$1(obj, (x, i) => { + const tuple = f(x, i); + r[tuple.k] = tuple.v; + }); + return r; + }; + const objAcc = r => (x, i) => { + r[i] = x; + }; + const internalFilter = (obj, pred, onTrue, onFalse) => { + each$1(obj, (x, i) => { + (pred(x, i) ? onTrue : onFalse)(x, i); + }); + }; + const filter$1 = (obj, pred) => { + const t = {}; + internalFilter(obj, pred, objAcc(t), noop); + return t; + }; + const mapToArray = (obj, f) => { + const r = []; + each$1(obj, (value, name) => { + r.push(f(value, name)); + }); + return r; + }; + const values = obj => { + return mapToArray(obj, identity); + }; + const get$c = (obj, key) => { + return has$1(obj, key) ? Optional.from(obj[key]) : Optional.none(); + }; + const has$1 = (obj, key) => hasOwnProperty.call(obj, key); + const hasNonNullableKey = (obj, key) => has$1(obj, key) && obj[key] !== undefined && obj[key] !== null; + const isEmpty = r => { + for (const x in r) { + if (hasOwnProperty.call(r, x)) { + return false; + } + } + return true; + }; + + const Global = typeof window !== 'undefined' ? window : Function('return this;')(); + + const path = (parts, scope) => { + let o = scope !== undefined && scope !== null ? scope : Global; + for (let i = 0; i < parts.length && o !== undefined && o !== null; ++i) { + o = o[parts[i]]; + } + return o; + }; + const resolve$2 = (p, scope) => { + const parts = p.split('.'); + return path(parts, scope); + }; + + const unsafe = (name, scope) => { + return resolve$2(name, scope); + }; + const getOrDie = (name, scope) => { + const actual = unsafe(name, scope); + if (actual === undefined || actual === null) { + throw new Error(name + ' not available on this browser'); + } + return actual; + }; + + const getPrototypeOf = Object.getPrototypeOf; + const sandHTMLElement = scope => { + return getOrDie('HTMLElement', scope); + }; + const isPrototypeOf = x => { + const scope = resolve$2('ownerDocument.defaultView', x); + return isObject(x) && (sandHTMLElement(scope).prototype.isPrototypeOf(x) || /^HTML\w*Element$/.test(getPrototypeOf(x).constructor.name)); + }; + + const COMMENT = 8; + const DOCUMENT = 9; + const DOCUMENT_FRAGMENT = 11; + const ELEMENT = 1; + const TEXT = 3; + + const name = element => { + const r = element.dom.nodeName; + return r.toLowerCase(); + }; + const type = element => element.dom.nodeType; + const isType = t => element => type(element) === t; + const isComment = element => type(element) === COMMENT || name(element) === '#comment'; + const isHTMLElement = element => isElement(element) && isPrototypeOf(element.dom); + const isElement = isType(ELEMENT); + const isText = isType(TEXT); + const isDocument = isType(DOCUMENT); + const isDocumentFragment = isType(DOCUMENT_FRAGMENT); + const isTag = tag => e => isElement(e) && name(e) === tag; + + const rawSet = (dom, key, value) => { + if (isString(value) || isBoolean(value) || isNumber(value)) { + dom.setAttribute(key, value + ''); + } else { + console.error('Invalid call to Attribute.set. Key ', key, ':: Value ', value, ':: Element ', dom); + throw new Error('Attribute value was not simple'); + } + }; + const set$2 = (element, key, value) => { + rawSet(element.dom, key, value); + }; + const setAll$1 = (element, attrs) => { + const dom = element.dom; + each$1(attrs, (v, k) => { + rawSet(dom, k, v); + }); + }; + const setOptions = (element, attrs) => { + each$1(attrs, (v, k) => { + v.fold(() => { + remove$7(element, k); + }, value => { + rawSet(element.dom, k, value); + }); + }); + }; + const get$b = (element, key) => { + const v = element.dom.getAttribute(key); + return v === null ? undefined : v; + }; + const getOpt = (element, key) => Optional.from(get$b(element, key)); + const remove$7 = (element, key) => { + element.dom.removeAttribute(key); + }; + const clone$2 = element => foldl(element.dom.attributes, (acc, attr) => { + acc[attr.name] = attr.value; + return acc; + }, {}); + + const fromHtml$1 = (html, scope) => { + const doc = scope || document; + const div = doc.createElement('div'); + div.innerHTML = html; + if (!div.hasChildNodes() || div.childNodes.length > 1) { + const message = 'HTML does not have a single root node'; + console.error(message, html); + throw new Error(message); + } + return fromDom$1(div.childNodes[0]); + }; + const fromTag = (tag, scope) => { + const doc = scope || document; + const node = doc.createElement(tag); + return fromDom$1(node); + }; + const fromText = (text, scope) => { + const doc = scope || document; + const node = doc.createTextNode(text); + return fromDom$1(node); + }; + const fromDom$1 = node => { + if (node === null || node === undefined) { + throw new Error('Node cannot be null or undefined'); + } + return { dom: node }; + }; + const fromPoint$1 = (docElm, x, y) => Optional.from(docElm.dom.elementFromPoint(x, y)).map(fromDom$1); + const SugarElement = { + fromHtml: fromHtml$1, + fromTag, + fromText, + fromDom: fromDom$1, + fromPoint: fromPoint$1 + }; + + const is$2 = (element, selector) => { + const dom = element.dom; + if (dom.nodeType !== ELEMENT) { + return false; + } else { + const elem = dom; + if (elem.matches !== undefined) { + return elem.matches(selector); + } else if (elem.msMatchesSelector !== undefined) { + return elem.msMatchesSelector(selector); + } else if (elem.webkitMatchesSelector !== undefined) { + return elem.webkitMatchesSelector(selector); + } else if (elem.mozMatchesSelector !== undefined) { + return elem.mozMatchesSelector(selector); + } else { + throw new Error('Browser lacks native selectors'); + } + } + }; + const bypassSelector = dom => dom.nodeType !== ELEMENT && dom.nodeType !== DOCUMENT && dom.nodeType !== DOCUMENT_FRAGMENT || dom.childElementCount === 0; + const all$1 = (selector, scope) => { + const base = scope === undefined ? document : scope.dom; + return bypassSelector(base) ? [] : map$1(base.querySelectorAll(selector), SugarElement.fromDom); + }; + const one = (selector, scope) => { + const base = scope === undefined ? document : scope.dom; + return bypassSelector(base) ? Optional.none() : Optional.from(base.querySelector(selector)).map(SugarElement.fromDom); + }; + + const eq$1 = (e1, e2) => e1.dom === e2.dom; + const contains$1 = (e1, e2) => { + const d1 = e1.dom; + const d2 = e2.dom; + return d1 === d2 ? false : d1.contains(d2); + }; + const is$1 = is$2; + + const owner = element => SugarElement.fromDom(element.dom.ownerDocument); + const documentOrOwner = dos => isDocument(dos) ? dos : owner(dos); + const documentElement = element => SugarElement.fromDom(documentOrOwner(element).dom.documentElement); + const defaultView = element => SugarElement.fromDom(documentOrOwner(element).dom.defaultView); + const parent = element => Optional.from(element.dom.parentNode).map(SugarElement.fromDom); + const parentElement = element => Optional.from(element.dom.parentElement).map(SugarElement.fromDom); + const parents = (element, isRoot) => { + const stop = isFunction(isRoot) ? isRoot : never; + let dom = element.dom; + const ret = []; + while (dom.parentNode !== null && dom.parentNode !== undefined) { + const rawParent = dom.parentNode; + const p = SugarElement.fromDom(rawParent); + ret.push(p); + if (stop(p) === true) { + break; + } else { + dom = rawParent; + } + } + return ret; + }; + const prevSibling = element => Optional.from(element.dom.previousSibling).map(SugarElement.fromDom); + const nextSibling = element => Optional.from(element.dom.nextSibling).map(SugarElement.fromDom); + const children$2 = element => map$1(element.dom.childNodes, SugarElement.fromDom); + const child$2 = (element, index) => { + const cs = element.dom.childNodes; + return Optional.from(cs[index]).map(SugarElement.fromDom); + }; + const firstChild = element => child$2(element, 0); + + const before$3 = (marker, element) => { + const parent$1 = parent(marker); + parent$1.each(v => { + v.dom.insertBefore(element.dom, marker.dom); + }); + }; + const after$5 = (marker, element) => { + const sibling = nextSibling(marker); + sibling.fold(() => { + const parent$1 = parent(marker); + parent$1.each(v => { + append$1(v, element); + }); + }, v => { + before$3(v, element); + }); + }; + const prepend = (parent, element) => { + const firstChild$1 = firstChild(parent); + firstChild$1.fold(() => { + append$1(parent, element); + }, v => { + parent.dom.insertBefore(element.dom, v.dom); + }); + }; + const append$1 = (parent, element) => { + parent.dom.appendChild(element.dom); + }; + const appendAt = (parent, element, index) => { + child$2(parent, index).fold(() => { + append$1(parent, element); + }, v => { + before$3(v, element); + }); + }; + const wrap = (element, wrapper) => { + before$3(element, wrapper); + append$1(wrapper, element); + }; + + const after$4 = (marker, elements) => { + each$2(elements, (x, i) => { + const e = i === 0 ? marker : elements[i - 1]; + after$5(e, x); + }); + }; + const append = (parent, elements) => { + each$2(elements, x => { + append$1(parent, x); + }); + }; + + const empty = element => { + element.dom.textContent = ''; + each$2(children$2(element), rogue => { + remove$6(rogue); + }); + }; + const remove$6 = element => { + const dom = element.dom; + if (dom.parentNode !== null) { + dom.parentNode.removeChild(dom); + } + }; + const unwrap = wrapper => { + const children = children$2(wrapper); + if (children.length > 0) { + after$4(wrapper, children); + } + remove$6(wrapper); + }; + + const clone$1 = (original, isDeep) => SugarElement.fromDom(original.dom.cloneNode(isDeep)); + const shallow = original => clone$1(original, false); + const deep = original => clone$1(original, true); + const shallowAs = (original, tag) => { + const nu = SugarElement.fromTag(tag); + const attributes = clone$2(original); + setAll$1(nu, attributes); + return nu; + }; + const copy$2 = (original, tag) => { + const nu = shallowAs(original, tag); + const cloneChildren = children$2(deep(original)); + append(nu, cloneChildren); + return nu; + }; + const mutate$1 = (original, tag) => { + const nu = shallowAs(original, tag); + after$5(original, nu); + const children = children$2(original); + append(nu, children); + remove$6(original); + return nu; + }; + + const validSectionList = [ + 'tfoot', + 'thead', + 'tbody', + 'colgroup' + ]; + const isValidSection = parentName => contains$2(validSectionList, parentName); + const grid = (rows, columns) => ({ + rows, + columns + }); + const address = (row, column) => ({ + row, + column + }); + const detail = (element, rowspan, colspan) => ({ + element, + rowspan, + colspan + }); + const detailnew = (element, rowspan, colspan, isNew) => ({ + element, + rowspan, + colspan, + isNew + }); + const extended = (element, rowspan, colspan, row, column, isLocked) => ({ + element, + rowspan, + colspan, + row, + column, + isLocked + }); + const rowdetail = (element, cells, section) => ({ + element, + cells, + section + }); + const rowdetailnew = (element, cells, section, isNew) => ({ + element, + cells, + section, + isNew + }); + const elementnew = (element, isNew, isLocked) => ({ + element, + isNew, + isLocked + }); + const rowcells = (element, cells, section, isNew) => ({ + element, + cells, + section, + isNew + }); + const bounds = (startRow, startCol, finishRow, finishCol) => ({ + startRow, + startCol, + finishRow, + finishCol + }); + const columnext = (element, colspan, column) => ({ + element, + colspan, + column + }); + const colgroup = (element, columns) => ({ + element, + columns + }); + + const isShadowRoot = dos => isDocumentFragment(dos) && isNonNullable(dos.dom.host); + const supported = isFunction(Element.prototype.attachShadow) && isFunction(Node.prototype.getRootNode); + const isSupported$1 = constant(supported); + const getRootNode = supported ? e => SugarElement.fromDom(e.dom.getRootNode()) : documentOrOwner; + const getShadowRoot = e => { + const r = getRootNode(e); + return isShadowRoot(r) ? Optional.some(r) : Optional.none(); + }; + const getShadowHost = e => SugarElement.fromDom(e.dom.host); + const getOriginalEventTarget = event => { + if (isSupported$1() && isNonNullable(event.target)) { + const el = SugarElement.fromDom(event.target); + if (isElement(el) && isOpenShadowHost(el)) { + if (event.composed && event.composedPath) { + const composedPath = event.composedPath(); + if (composedPath) { + return head(composedPath); + } + } + } + } + return Optional.from(event.target); + }; + const isOpenShadowHost = element => isNonNullable(element.dom.shadowRoot); + + const inBody = element => { + const dom = isText(element) ? element.dom.parentNode : element.dom; + if (dom === undefined || dom === null || dom.ownerDocument === null) { + return false; + } + const doc = dom.ownerDocument; + return getShadowRoot(SugarElement.fromDom(dom)).fold(() => doc.body.contains(dom), compose1(inBody, getShadowHost)); + }; + const body$1 = () => getBody$1(SugarElement.fromDom(document)); + const getBody$1 = doc => { + const b = doc.dom.body; + if (b === null || b === undefined) { + throw new Error('Body is not available yet'); + } + return SugarElement.fromDom(b); + }; + + const ancestors$4 = (scope, predicate, isRoot) => filter$2(parents(scope, isRoot), predicate); + const children$1 = (scope, predicate) => filter$2(children$2(scope), predicate); + const descendants$1 = (scope, predicate) => { + let result = []; + each$2(children$2(scope), x => { + if (predicate(x)) { + result = result.concat([x]); + } + result = result.concat(descendants$1(x, predicate)); + }); + return result; + }; + + const ancestors$3 = (scope, selector, isRoot) => ancestors$4(scope, e => is$2(e, selector), isRoot); + const children = (scope, selector) => children$1(scope, e => is$2(e, selector)); + const descendants = (scope, selector) => all$1(selector, scope); + + var ClosestOrAncestor = (is, ancestor, scope, a, isRoot) => { + if (is(scope, a)) { + return Optional.some(scope); + } else if (isFunction(isRoot) && isRoot(scope)) { + return Optional.none(); + } else { + return ancestor(scope, a, isRoot); + } + }; + + const ancestor$2 = (scope, predicate, isRoot) => { + let element = scope.dom; + const stop = isFunction(isRoot) ? isRoot : never; + while (element.parentNode) { + element = element.parentNode; + const el = SugarElement.fromDom(element); + if (predicate(el)) { + return Optional.some(el); + } else if (stop(el)) { + break; + } + } + return Optional.none(); + }; + const closest$2 = (scope, predicate, isRoot) => { + const is = (s, test) => test(s); + return ClosestOrAncestor(is, ancestor$2, scope, predicate, isRoot); + }; + const child$1 = (scope, predicate) => { + const pred = node => predicate(SugarElement.fromDom(node)); + const result = find$1(scope.dom.childNodes, pred); + return result.map(SugarElement.fromDom); + }; + const descendant$1 = (scope, predicate) => { + const descend = node => { + for (let i = 0; i < node.childNodes.length; i++) { + const child = SugarElement.fromDom(node.childNodes[i]); + if (predicate(child)) { + return Optional.some(child); + } + const res = descend(node.childNodes[i]); + if (res.isSome()) { + return res; + } + } + return Optional.none(); + }; + return descend(scope.dom); + }; + + const ancestor$1 = (scope, selector, isRoot) => ancestor$2(scope, e => is$2(e, selector), isRoot); + const child = (scope, selector) => child$1(scope, e => is$2(e, selector)); + const descendant = (scope, selector) => one(selector, scope); + const closest$1 = (scope, selector, isRoot) => { + const is = (element, selector) => is$2(element, selector); + return ClosestOrAncestor(is, ancestor$1, scope, selector, isRoot); + }; + + const is = (lhs, rhs, comparator = tripleEquals) => lhs.exists(left => comparator(left, rhs)); + const cat = arr => { + const r = []; + const push = x => { + r.push(x); + }; + for (let i = 0; i < arr.length; i++) { + arr[i].each(push); + } + return r; + }; + const bindFrom = (a, f) => a !== undefined && a !== null ? f(a) : Optional.none(); + const someIf = (b, a) => b ? Optional.some(a) : Optional.none(); + + const checkRange = (str, substr, start) => substr === '' || str.length >= substr.length && str.substr(start, start + substr.length) === substr; + const contains = (str, substr, start = 0, end) => { + const idx = str.indexOf(substr, start); + if (idx !== -1) { + return isUndefined(end) ? true : idx + substr.length <= end; + } else { + return false; + } + }; + const startsWith = (str, prefix) => { + return checkRange(str, prefix, 0); + }; + const endsWith = (str, suffix) => { + return checkRange(str, suffix, str.length - suffix.length); + }; + const blank = r => s => s.replace(r, ''); + const trim = blank(/^\s+|\s+$/g); + const isNotEmpty = s => s.length > 0; + const toFloat = value => { + const num = parseFloat(value); + return isNaN(num) ? Optional.none() : Optional.some(num); + }; + + const isSupported = dom => dom.style !== undefined && isFunction(dom.style.getPropertyValue); + + const internalSet = (dom, property, value) => { + if (!isString(value)) { + console.error('Invalid call to CSS.set. Property ', property, ':: Value ', value, ':: Element ', dom); + throw new Error('CSS value must be a string: ' + value); + } + if (isSupported(dom)) { + dom.style.setProperty(property, value); + } + }; + const internalRemove = (dom, property) => { + if (isSupported(dom)) { + dom.style.removeProperty(property); + } + }; + const set$1 = (element, property, value) => { + const dom = element.dom; + internalSet(dom, property, value); + }; + const setAll = (element, css) => { + const dom = element.dom; + each$1(css, (v, k) => { + internalSet(dom, k, v); + }); + }; + const get$a = (element, property) => { + const dom = element.dom; + const styles = window.getComputedStyle(dom); + const r = styles.getPropertyValue(property); + return r === '' && !inBody(element) ? getUnsafeProperty(dom, property) : r; + }; + const getUnsafeProperty = (dom, property) => isSupported(dom) ? dom.style.getPropertyValue(property) : ''; + const getRaw$2 = (element, property) => { + const dom = element.dom; + const raw = getUnsafeProperty(dom, property); + return Optional.from(raw).filter(r => r.length > 0); + }; + const remove$5 = (element, property) => { + const dom = element.dom; + internalRemove(dom, property); + if (is(getOpt(element, 'style').map(trim), '')) { + remove$7(element, 'style'); + } + }; + const copy$1 = (source, target) => { + const sourceDom = source.dom; + const targetDom = target.dom; + if (isSupported(sourceDom) && isSupported(targetDom)) { + targetDom.style.cssText = sourceDom.style.cssText; + } + }; + + const getAttrValue = (cell, name, fallback = 0) => getOpt(cell, name).map(value => parseInt(value, 10)).getOr(fallback); + const getSpan = (cell, type) => getAttrValue(cell, type, 1); + const hasColspan = cellOrCol => { + if (isTag('col')(cellOrCol)) { + return getAttrValue(cellOrCol, 'span', 1) > 1; + } else { + return getSpan(cellOrCol, 'colspan') > 1; + } + }; + const hasRowspan = cell => getSpan(cell, 'rowspan') > 1; + const getCssValue = (element, property) => parseInt(get$a(element, property), 10); + const minWidth = constant(10); + const minHeight = constant(10); + + const firstLayer = (scope, selector) => { + return filterFirstLayer(scope, selector, always); + }; + const filterFirstLayer = (scope, selector, predicate) => { + return bind$2(children$2(scope), x => { + if (is$2(x, selector)) { + return predicate(x) ? [x] : []; + } else { + return filterFirstLayer(x, selector, predicate); + } + }); + }; + + const lookup = (tags, element, isRoot = never) => { + if (isRoot(element)) { + return Optional.none(); + } + if (contains$2(tags, name(element))) { + return Optional.some(element); + } + const isRootOrUpperTable = elm => is$2(elm, 'table') || isRoot(elm); + return ancestor$1(element, tags.join(','), isRootOrUpperTable); + }; + const cell = (element, isRoot) => lookup([ + 'td', + 'th' + ], element, isRoot); + const cells$1 = ancestor => firstLayer(ancestor, 'th,td'); + const columns$1 = ancestor => { + if (is$2(ancestor, 'colgroup')) { + return children(ancestor, 'col'); + } else { + return bind$2(columnGroups(ancestor), columnGroup => children(columnGroup, 'col')); + } + }; + const table = (element, isRoot) => closest$1(element, 'table', isRoot); + const rows$1 = ancestor => firstLayer(ancestor, 'tr'); + const columnGroups = ancestor => table(ancestor).fold(constant([]), table => children(table, 'colgroup')); + + const fromRowsOrColGroups = (elems, getSection) => map$1(elems, row => { + if (name(row) === 'colgroup') { + const cells = map$1(columns$1(row), column => { + const colspan = getAttrValue(column, 'span', 1); + return detail(column, 1, colspan); + }); + return rowdetail(row, cells, 'colgroup'); + } else { + const cells = map$1(cells$1(row), cell => { + const rowspan = getAttrValue(cell, 'rowspan', 1); + const colspan = getAttrValue(cell, 'colspan', 1); + return detail(cell, rowspan, colspan); + }); + return rowdetail(row, cells, getSection(row)); + } + }); + const getParentSection = group => parent(group).map(parent => { + const parentName = name(parent); + return isValidSection(parentName) ? parentName : 'tbody'; + }).getOr('tbody'); + const fromTable$1 = table => { + const rows = rows$1(table); + const columnGroups$1 = columnGroups(table); + const elems = [ + ...columnGroups$1, + ...rows + ]; + return fromRowsOrColGroups(elems, getParentSection); + }; + const fromPastedRows = (elems, section) => fromRowsOrColGroups(elems, () => section); + + const cached = f => { + let called = false; + let r; + return (...args) => { + if (!called) { + called = true; + r = f.apply(null, args); + } + return r; + }; + }; + + const DeviceType = (os, browser, userAgent, mediaMatch) => { + const isiPad = os.isiOS() && /ipad/i.test(userAgent) === true; + const isiPhone = os.isiOS() && !isiPad; + const isMobile = os.isiOS() || os.isAndroid(); + const isTouch = isMobile || mediaMatch('(pointer:coarse)'); + const isTablet = isiPad || !isiPhone && isMobile && mediaMatch('(min-device-width:768px)'); + const isPhone = isiPhone || isMobile && !isTablet; + const iOSwebview = browser.isSafari() && os.isiOS() && /safari/i.test(userAgent) === false; + const isDesktop = !isPhone && !isTablet && !iOSwebview; + return { + isiPad: constant(isiPad), + isiPhone: constant(isiPhone), + isTablet: constant(isTablet), + isPhone: constant(isPhone), + isTouch: constant(isTouch), + isAndroid: os.isAndroid, + isiOS: os.isiOS, + isWebView: constant(iOSwebview), + isDesktop: constant(isDesktop) + }; + }; + + const firstMatch = (regexes, s) => { + for (let i = 0; i < regexes.length; i++) { + const x = regexes[i]; + if (x.test(s)) { + return x; + } + } + return undefined; + }; + const find = (regexes, agent) => { + const r = firstMatch(regexes, agent); + if (!r) { + return { + major: 0, + minor: 0 + }; + } + const group = i => { + return Number(agent.replace(r, '$' + i)); + }; + return nu$2(group(1), group(2)); + }; + const detect$5 = (versionRegexes, agent) => { + const cleanedAgent = String(agent).toLowerCase(); + if (versionRegexes.length === 0) { + return unknown$2(); + } + return find(versionRegexes, cleanedAgent); + }; + const unknown$2 = () => { + return nu$2(0, 0); + }; + const nu$2 = (major, minor) => { + return { + major, + minor + }; + }; + const Version = { + nu: nu$2, + detect: detect$5, + unknown: unknown$2 + }; + + const detectBrowser$1 = (browsers, userAgentData) => { + return findMap(userAgentData.brands, uaBrand => { + const lcBrand = uaBrand.brand.toLowerCase(); + return find$1(browsers, browser => { + var _a; + return lcBrand === ((_a = browser.brand) === null || _a === void 0 ? void 0 : _a.toLowerCase()); + }).map(info => ({ + current: info.name, + version: Version.nu(parseInt(uaBrand.version, 10), 0) + })); + }); + }; + + const detect$4 = (candidates, userAgent) => { + const agent = String(userAgent).toLowerCase(); + return find$1(candidates, candidate => { + return candidate.search(agent); + }); + }; + const detectBrowser = (browsers, userAgent) => { + return detect$4(browsers, userAgent).map(browser => { + const version = Version.detect(browser.versionRegexes, userAgent); + return { + current: browser.name, + version + }; + }); + }; + const detectOs = (oses, userAgent) => { + return detect$4(oses, userAgent).map(os => { + const version = Version.detect(os.versionRegexes, userAgent); + return { + current: os.name, + version + }; + }); + }; + + const normalVersionRegex = /.*?version\/\ ?([0-9]+)\.([0-9]+).*/; + const checkContains = target => { + return uastring => { + return contains(uastring, target); + }; + }; + const browsers = [ + { + name: 'Edge', + versionRegexes: [/.*?edge\/ ?([0-9]+)\.([0-9]+)$/], + search: uastring => { + return contains(uastring, 'edge/') && contains(uastring, 'chrome') && contains(uastring, 'safari') && contains(uastring, 'applewebkit'); + } + }, + { + name: 'Chromium', + brand: 'Chromium', + versionRegexes: [ + /.*?chrome\/([0-9]+)\.([0-9]+).*/, + normalVersionRegex + ], + search: uastring => { + return contains(uastring, 'chrome') && !contains(uastring, 'chromeframe'); + } + }, + { + name: 'IE', + versionRegexes: [ + /.*?msie\ ?([0-9]+)\.([0-9]+).*/, + /.*?rv:([0-9]+)\.([0-9]+).*/ + ], + search: uastring => { + return contains(uastring, 'msie') || contains(uastring, 'trident'); + } + }, + { + name: 'Opera', + versionRegexes: [ + normalVersionRegex, + /.*?opera\/([0-9]+)\.([0-9]+).*/ + ], + search: checkContains('opera') + }, + { + name: 'Firefox', + versionRegexes: [/.*?firefox\/\ ?([0-9]+)\.([0-9]+).*/], + search: checkContains('firefox') + }, + { + name: 'Safari', + versionRegexes: [ + normalVersionRegex, + /.*?cpu os ([0-9]+)_([0-9]+).*/ + ], + search: uastring => { + return (contains(uastring, 'safari') || contains(uastring, 'mobile/')) && contains(uastring, 'applewebkit'); + } + } + ]; + const oses = [ + { + name: 'Windows', + search: checkContains('win'), + versionRegexes: [/.*?windows\ nt\ ?([0-9]+)\.([0-9]+).*/] + }, + { + name: 'iOS', + search: uastring => { + return contains(uastring, 'iphone') || contains(uastring, 'ipad'); + }, + versionRegexes: [ + /.*?version\/\ ?([0-9]+)\.([0-9]+).*/, + /.*cpu os ([0-9]+)_([0-9]+).*/, + /.*cpu iphone os ([0-9]+)_([0-9]+).*/ + ] + }, + { + name: 'Android', + search: checkContains('android'), + versionRegexes: [/.*?android\ ?([0-9]+)\.([0-9]+).*/] + }, + { + name: 'macOS', + search: checkContains('mac os x'), + versionRegexes: [/.*?mac\ os\ x\ ?([0-9]+)_([0-9]+).*/] + }, + { + name: 'Linux', + search: checkContains('linux'), + versionRegexes: [] + }, + { + name: 'Solaris', + search: checkContains('sunos'), + versionRegexes: [] + }, + { + name: 'FreeBSD', + search: checkContains('freebsd'), + versionRegexes: [] + }, + { + name: 'ChromeOS', + search: checkContains('cros'), + versionRegexes: [/.*?chrome\/([0-9]+)\.([0-9]+).*/] + } + ]; + const PlatformInfo = { + browsers: constant(browsers), + oses: constant(oses) + }; + + const edge = 'Edge'; + const chromium = 'Chromium'; + const ie = 'IE'; + const opera = 'Opera'; + const firefox = 'Firefox'; + const safari = 'Safari'; + const unknown$1 = () => { + return nu$1({ + current: undefined, + version: Version.unknown() + }); + }; + const nu$1 = info => { + const current = info.current; + const version = info.version; + const isBrowser = name => () => current === name; + return { + current, + version, + isEdge: isBrowser(edge), + isChromium: isBrowser(chromium), + isIE: isBrowser(ie), + isOpera: isBrowser(opera), + isFirefox: isBrowser(firefox), + isSafari: isBrowser(safari) + }; + }; + const Browser = { + unknown: unknown$1, + nu: nu$1, + edge: constant(edge), + chromium: constant(chromium), + ie: constant(ie), + opera: constant(opera), + firefox: constant(firefox), + safari: constant(safari) + }; + + const windows = 'Windows'; + const ios = 'iOS'; + const android = 'Android'; + const linux = 'Linux'; + const macos = 'macOS'; + const solaris = 'Solaris'; + const freebsd = 'FreeBSD'; + const chromeos = 'ChromeOS'; + const unknown = () => { + return nu({ + current: undefined, + version: Version.unknown() + }); + }; + const nu = info => { + const current = info.current; + const version = info.version; + const isOS = name => () => current === name; + return { + current, + version, + isWindows: isOS(windows), + isiOS: isOS(ios), + isAndroid: isOS(android), + isMacOS: isOS(macos), + isLinux: isOS(linux), + isSolaris: isOS(solaris), + isFreeBSD: isOS(freebsd), + isChromeOS: isOS(chromeos) + }; + }; + const OperatingSystem = { + unknown, + nu, + windows: constant(windows), + ios: constant(ios), + android: constant(android), + linux: constant(linux), + macos: constant(macos), + solaris: constant(solaris), + freebsd: constant(freebsd), + chromeos: constant(chromeos) + }; + + const detect$3 = (userAgent, userAgentDataOpt, mediaMatch) => { + const browsers = PlatformInfo.browsers(); + const oses = PlatformInfo.oses(); + const browser = userAgentDataOpt.bind(userAgentData => detectBrowser$1(browsers, userAgentData)).orThunk(() => detectBrowser(browsers, userAgent)).fold(Browser.unknown, Browser.nu); + const os = detectOs(oses, userAgent).fold(OperatingSystem.unknown, OperatingSystem.nu); + const deviceType = DeviceType(os, browser, userAgent, mediaMatch); + return { + browser, + os, + deviceType + }; + }; + const PlatformDetection = { detect: detect$3 }; + + const mediaMatch = query => window.matchMedia(query).matches; + let platform = cached(() => PlatformDetection.detect(navigator.userAgent, Optional.from(navigator.userAgentData), mediaMatch)); + const detect$2 = () => platform(); + + const Dimension = (name, getOffset) => { + const set = (element, h) => { + if (!isNumber(h) && !h.match(/^[0-9]+$/)) { + throw new Error(name + '.set accepts only positive integer values. Value was ' + h); + } + const dom = element.dom; + if (isSupported(dom)) { + dom.style[name] = h + 'px'; + } + }; + const get = element => { + const r = getOffset(element); + if (r <= 0 || r === null) { + const css = get$a(element, name); + return parseFloat(css) || 0; + } + return r; + }; + const getOuter = get; + const aggregate = (element, properties) => foldl(properties, (acc, property) => { + const val = get$a(element, property); + const value = val === undefined ? 0 : parseInt(val, 10); + return isNaN(value) ? acc : acc + value; + }, 0); + const max = (element, value, properties) => { + const cumulativeInclusions = aggregate(element, properties); + const absoluteMax = value > cumulativeInclusions ? value - cumulativeInclusions : 0; + return absoluteMax; + }; + return { + set, + get, + getOuter, + aggregate, + max + }; + }; + + const toNumber = (px, fallback) => toFloat(px).getOr(fallback); + const getProp = (element, name, fallback) => toNumber(get$a(element, name), fallback); + const calcContentBoxSize = (element, size, upper, lower) => { + const paddingUpper = getProp(element, `padding-${ upper }`, 0); + const paddingLower = getProp(element, `padding-${ lower }`, 0); + const borderUpper = getProp(element, `border-${ upper }-width`, 0); + const borderLower = getProp(element, `border-${ lower }-width`, 0); + return size - paddingUpper - paddingLower - borderUpper - borderLower; + }; + const getCalculatedWidth = (element, boxSizing) => { + const dom = element.dom; + const width = dom.getBoundingClientRect().width || dom.offsetWidth; + return boxSizing === 'border-box' ? width : calcContentBoxSize(element, width, 'left', 'right'); + }; + const getHeight$1 = element => getProp(element, 'height', element.dom.offsetHeight); + const getWidth = element => getProp(element, 'width', element.dom.offsetWidth); + const getInnerWidth = element => getCalculatedWidth(element, 'content-box'); + + const api$2 = Dimension('width', element => element.dom.offsetWidth); + const get$9 = element => api$2.get(element); + const getOuter$2 = element => api$2.getOuter(element); + const getInner = getInnerWidth; + const getRuntime$1 = getWidth; + + const addCells = (gridRow, index, cells) => { + const existingCells = gridRow.cells; + const before = existingCells.slice(0, index); + const after = existingCells.slice(index); + const newCells = before.concat(cells).concat(after); + return setCells(gridRow, newCells); + }; + const addCell = (gridRow, index, cell) => addCells(gridRow, index, [cell]); + const mutateCell = (gridRow, index, cell) => { + const cells = gridRow.cells; + cells[index] = cell; + }; + const setCells = (gridRow, cells) => rowcells(gridRow.element, cells, gridRow.section, gridRow.isNew); + const mapCells = (gridRow, f) => { + const cells = gridRow.cells; + const r = map$1(cells, f); + return rowcells(gridRow.element, r, gridRow.section, gridRow.isNew); + }; + const getCell = (gridRow, index) => gridRow.cells[index]; + const getCellElement = (gridRow, index) => getCell(gridRow, index).element; + const cellLength = gridRow => gridRow.cells.length; + const extractGridDetails = grid => { + const result = partition(grid, row => row.section === 'colgroup'); + return { + rows: result.fail, + cols: result.pass + }; + }; + const clone = (gridRow, cloneRow, cloneCell) => { + const newCells = map$1(gridRow.cells, cloneCell); + return rowcells(cloneRow(gridRow.element), newCells, gridRow.section, true); + }; + + const LOCKED_COL_ATTR = 'data-snooker-locked-cols'; + const getLockedColumnsFromTable = table => getOpt(table, LOCKED_COL_ATTR).bind(lockedColStr => Optional.from(lockedColStr.match(/\d+/g))).map(lockedCols => mapToObject(lockedCols, always)); + const getLockedColumnsFromGrid = grid => { + const locked = foldl(extractGridDetails(grid).rows, (acc, row) => { + each$2(row.cells, (cell, idx) => { + if (cell.isLocked) { + acc[idx] = true; + } + }); + return acc; + }, {}); + const lockedArr = mapToArray(locked, (_val, key) => parseInt(key, 10)); + return sort$1(lockedArr); + }; + + const key = (row, column) => { + return row + ',' + column; + }; + const getAt = (warehouse, row, column) => Optional.from(warehouse.access[key(row, column)]); + const findItem = (warehouse, item, comparator) => { + const filtered = filterItems(warehouse, detail => { + return comparator(item, detail.element); + }); + return filtered.length > 0 ? Optional.some(filtered[0]) : Optional.none(); + }; + const filterItems = (warehouse, predicate) => { + const all = bind$2(warehouse.all, r => { + return r.cells; + }); + return filter$2(all, predicate); + }; + const generateColumns = rowData => { + const columnsGroup = {}; + let index = 0; + each$2(rowData.cells, column => { + const colspan = column.colspan; + range$1(colspan, columnIndex => { + const colIndex = index + columnIndex; + columnsGroup[colIndex] = columnext(column.element, colspan, colIndex); + }); + index += colspan; + }); + return columnsGroup; + }; + const generate$1 = list => { + const access = {}; + const cells = []; + const tableOpt = head(list).map(rowData => rowData.element).bind(table); + const lockedColumns = tableOpt.bind(getLockedColumnsFromTable).getOr({}); + let maxRows = 0; + let maxColumns = 0; + let rowCount = 0; + const { + pass: colgroupRows, + fail: rows + } = partition(list, rowData => rowData.section === 'colgroup'); + each$2(rows, rowData => { + const currentRow = []; + each$2(rowData.cells, rowCell => { + let start = 0; + while (access[key(rowCount, start)] !== undefined) { + start++; + } + const isLocked = hasNonNullableKey(lockedColumns, start.toString()); + const current = extended(rowCell.element, rowCell.rowspan, rowCell.colspan, rowCount, start, isLocked); + for (let occupiedColumnPosition = 0; occupiedColumnPosition < rowCell.colspan; occupiedColumnPosition++) { + for (let occupiedRowPosition = 0; occupiedRowPosition < rowCell.rowspan; occupiedRowPosition++) { + const rowPosition = rowCount + occupiedRowPosition; + const columnPosition = start + occupiedColumnPosition; + const newpos = key(rowPosition, columnPosition); + access[newpos] = current; + maxColumns = Math.max(maxColumns, columnPosition + 1); + } + } + currentRow.push(current); + }); + maxRows++; + cells.push(rowdetail(rowData.element, currentRow, rowData.section)); + rowCount++; + }); + const {columns, colgroups} = last$2(colgroupRows).map(rowData => { + const columns = generateColumns(rowData); + const colgroup$1 = colgroup(rowData.element, values(columns)); + return { + colgroups: [colgroup$1], + columns + }; + }).getOrThunk(() => ({ + colgroups: [], + columns: {} + })); + const grid$1 = grid(maxRows, maxColumns); + return { + grid: grid$1, + access, + all: cells, + columns, + colgroups + }; + }; + const fromTable = table => { + const list = fromTable$1(table); + return generate$1(list); + }; + const justCells = warehouse => bind$2(warehouse.all, w => w.cells); + const justColumns = warehouse => values(warehouse.columns); + const hasColumns = warehouse => keys(warehouse.columns).length > 0; + const getColumnAt = (warehouse, columnIndex) => Optional.from(warehouse.columns[columnIndex]); + const Warehouse = { + fromTable, + generate: generate$1, + getAt, + findItem, + filterItems, + justCells, + justColumns, + hasColumns, + getColumnAt + }; + + const columns = (warehouse, isValidCell = always) => { + const grid = warehouse.grid; + const cols = range$1(grid.columns, identity); + const rowsArr = range$1(grid.rows, identity); + return map$1(cols, col => { + const getBlock = () => bind$2(rowsArr, r => Warehouse.getAt(warehouse, r, col).filter(detail => detail.column === col).toArray()); + const isValid = detail => detail.colspan === 1 && isValidCell(detail.element); + const getFallback = () => Warehouse.getAt(warehouse, 0, col); + return decide(getBlock, isValid, getFallback); + }); + }; + const decide = (getBlock, isValid, getFallback) => { + const inBlock = getBlock(); + const validInBlock = find$1(inBlock, isValid); + const detailOption = validInBlock.orThunk(() => Optional.from(inBlock[0]).orThunk(getFallback)); + return detailOption.map(detail => detail.element); + }; + const rows = warehouse => { + const grid = warehouse.grid; + const rowsArr = range$1(grid.rows, identity); + const cols = range$1(grid.columns, identity); + return map$1(rowsArr, row => { + const getBlock = () => bind$2(cols, c => Warehouse.getAt(warehouse, row, c).filter(detail => detail.row === row).fold(constant([]), detail => [detail])); + const isSingle = detail => detail.rowspan === 1; + const getFallback = () => Warehouse.getAt(warehouse, row, 0); + return decide(getBlock, isSingle, getFallback); + }); + }; + + const deduce = (xs, index) => { + if (index < 0 || index >= xs.length - 1) { + return Optional.none(); + } + const current = xs[index].fold(() => { + const rest = reverse(xs.slice(0, index)); + return findMap(rest, (a, i) => a.map(aa => ({ + value: aa, + delta: i + 1 + }))); + }, c => Optional.some({ + value: c, + delta: 0 + })); + const next = xs[index + 1].fold(() => { + const rest = xs.slice(index + 1); + return findMap(rest, (a, i) => a.map(aa => ({ + value: aa, + delta: i + 1 + }))); + }, n => Optional.some({ + value: n, + delta: 1 + })); + return current.bind(c => next.map(n => { + const extras = n.delta + c.delta; + return Math.abs(n.value - c.value) / extras; + })); + }; + + const onDirection = (isLtr, isRtl) => element => getDirection(element) === 'rtl' ? isRtl : isLtr; + const getDirection = element => get$a(element, 'direction') === 'rtl' ? 'rtl' : 'ltr'; + + const api$1 = Dimension('height', element => { + const dom = element.dom; + return inBody(element) ? dom.getBoundingClientRect().height : dom.offsetHeight; + }); + const get$8 = element => api$1.get(element); + const getOuter$1 = element => api$1.getOuter(element); + const getRuntime = getHeight$1; + + const r = (left, top) => { + const translate = (x, y) => r(left + x, top + y); + return { + left, + top, + translate + }; + }; + const SugarPosition = r; + + const boxPosition = dom => { + const box = dom.getBoundingClientRect(); + return SugarPosition(box.left, box.top); + }; + const firstDefinedOrZero = (a, b) => { + if (a !== undefined) { + return a; + } else { + return b !== undefined ? b : 0; + } + }; + const absolute = element => { + const doc = element.dom.ownerDocument; + const body = doc.body; + const win = doc.defaultView; + const html = doc.documentElement; + if (body === element.dom) { + return SugarPosition(body.offsetLeft, body.offsetTop); + } + const scrollTop = firstDefinedOrZero(win === null || win === void 0 ? void 0 : win.pageYOffset, html.scrollTop); + const scrollLeft = firstDefinedOrZero(win === null || win === void 0 ? void 0 : win.pageXOffset, html.scrollLeft); + const clientTop = firstDefinedOrZero(html.clientTop, body.clientTop); + const clientLeft = firstDefinedOrZero(html.clientLeft, body.clientLeft); + return viewport(element).translate(scrollLeft - clientLeft, scrollTop - clientTop); + }; + const viewport = element => { + const dom = element.dom; + const doc = dom.ownerDocument; + const body = doc.body; + if (body === dom) { + return SugarPosition(body.offsetLeft, body.offsetTop); + } + if (!inBody(element)) { + return SugarPosition(0, 0); + } + return boxPosition(dom); + }; + + const rowInfo = (row, y) => ({ + row, + y + }); + const colInfo = (col, x) => ({ + col, + x + }); + const rtlEdge = cell => { + const pos = absolute(cell); + return pos.left + getOuter$2(cell); + }; + const ltrEdge = cell => { + return absolute(cell).left; + }; + const getLeftEdge = (index, cell) => { + return colInfo(index, ltrEdge(cell)); + }; + const getRightEdge = (index, cell) => { + return colInfo(index, rtlEdge(cell)); + }; + const getTop$1 = cell => { + return absolute(cell).top; + }; + const getTopEdge = (index, cell) => { + return rowInfo(index, getTop$1(cell)); + }; + const getBottomEdge = (index, cell) => { + return rowInfo(index, getTop$1(cell) + getOuter$1(cell)); + }; + const findPositions = (getInnerEdge, getOuterEdge, array) => { + if (array.length === 0) { + return []; + } + const lines = map$1(array.slice(1), (cellOption, index) => { + return cellOption.map(cell => { + return getInnerEdge(index, cell); + }); + }); + const lastLine = array[array.length - 1].map(cell => { + return getOuterEdge(array.length - 1, cell); + }); + return lines.concat([lastLine]); + }; + const negate = step => { + return -step; + }; + const height = { + delta: identity, + positions: optElements => findPositions(getTopEdge, getBottomEdge, optElements), + edge: getTop$1 + }; + const ltr$1 = { + delta: identity, + edge: ltrEdge, + positions: optElements => findPositions(getLeftEdge, getRightEdge, optElements) + }; + const rtl$1 = { + delta: negate, + edge: rtlEdge, + positions: optElements => findPositions(getRightEdge, getLeftEdge, optElements) + }; + const detect$1 = onDirection(ltr$1, rtl$1); + const width = { + delta: (amount, table) => detect$1(table).delta(amount, table), + positions: (cols, table) => detect$1(table).positions(cols, table), + edge: cell => detect$1(cell).edge(cell) + }; + + const units = { + unsupportedLength: [ + 'em', + 'ex', + 'cap', + 'ch', + 'ic', + 'rem', + 'lh', + 'rlh', + 'vw', + 'vh', + 'vi', + 'vb', + 'vmin', + 'vmax', + 'cm', + 'mm', + 'Q', + 'in', + 'pc', + 'pt', + 'px' + ], + fixed: [ + 'px', + 'pt' + ], + relative: ['%'], + empty: [''] + }; + const pattern = (() => { + const decimalDigits = '[0-9]+'; + const signedInteger = '[+-]?' + decimalDigits; + const exponentPart = '[eE]' + signedInteger; + const dot = '\\.'; + const opt = input => `(?:${ input })?`; + const unsignedDecimalLiteral = [ + 'Infinity', + decimalDigits + dot + opt(decimalDigits) + opt(exponentPart), + dot + decimalDigits + opt(exponentPart), + decimalDigits + opt(exponentPart) + ].join('|'); + const float = `[+-]?(?:${ unsignedDecimalLiteral })`; + return new RegExp(`^(${ float })(.*)$`); + })(); + const isUnit = (unit, accepted) => exists(accepted, acc => exists(units[acc], check => unit === check)); + const parse = (input, accepted) => { + const match = Optional.from(pattern.exec(input)); + return match.bind(array => { + const value = Number(array[1]); + const unitRaw = array[2]; + if (isUnit(unitRaw, accepted)) { + return Optional.some({ + value, + unit: unitRaw + }); + } else { + return Optional.none(); + } + }); + }; + + const rPercentageBasedSizeRegex = /(\d+(\.\d+)?)%/; + const rPixelBasedSizeRegex = /(\d+(\.\d+)?)px|em/; + const isCol$2 = isTag('col'); + const getPercentSize = (elm, outerGetter, innerGetter) => { + const relativeParent = parentElement(elm).getOrThunk(() => getBody$1(owner(elm))); + return outerGetter(elm) / innerGetter(relativeParent) * 100; + }; + const setPixelWidth = (cell, amount) => { + set$1(cell, 'width', amount + 'px'); + }; + const setPercentageWidth = (cell, amount) => { + set$1(cell, 'width', amount + '%'); + }; + const setHeight = (cell, amount) => { + set$1(cell, 'height', amount + 'px'); + }; + const getHeightValue = cell => getRuntime(cell) + 'px'; + const convert = (cell, number, getter, setter) => { + const newSize = table(cell).map(table => { + const total = getter(table); + return Math.floor(number / 100 * total); + }).getOr(number); + setter(cell, newSize); + return newSize; + }; + const normalizePixelSize = (value, cell, getter, setter) => { + const number = parseFloat(value); + return endsWith(value, '%') && name(cell) !== 'table' ? convert(cell, number, getter, setter) : number; + }; + const getTotalHeight = cell => { + const value = getHeightValue(cell); + if (!value) { + return get$8(cell); + } + return normalizePixelSize(value, cell, get$8, setHeight); + }; + const get$7 = (cell, type, f) => { + const v = f(cell); + const span = getSpan(cell, type); + return v / span; + }; + const getRaw$1 = (element, prop) => { + return getRaw$2(element, prop).orThunk(() => { + return getOpt(element, prop).map(val => val + 'px'); + }); + }; + const getRawWidth$1 = element => getRaw$1(element, 'width'); + const getRawHeight = element => getRaw$1(element, 'height'); + const getPercentageWidth = cell => getPercentSize(cell, get$9, getInner); + const getPixelWidth$1 = cell => isCol$2(cell) ? get$9(cell) : getRuntime$1(cell); + const getHeight = cell => { + return get$7(cell, 'rowspan', getTotalHeight); + }; + const getGenericWidth = cell => { + const width = getRawWidth$1(cell); + return width.bind(w => parse(w, [ + 'fixed', + 'relative', + 'empty' + ])); + }; + const setGenericWidth = (cell, amount, unit) => { + set$1(cell, 'width', amount + unit); + }; + const getPixelTableWidth = table => get$9(table) + 'px'; + const getPercentTableWidth = table => getPercentSize(table, get$9, getInner) + '%'; + const isPercentSizing$1 = table => getRawWidth$1(table).exists(size => rPercentageBasedSizeRegex.test(size)); + const isPixelSizing$1 = table => getRawWidth$1(table).exists(size => rPixelBasedSizeRegex.test(size)); + const isNoneSizing$1 = table => getRawWidth$1(table).isNone(); + const percentageBasedSizeRegex = constant(rPercentageBasedSizeRegex); + + const isCol$1 = isTag('col'); + const getRawW = cell => { + return getRawWidth$1(cell).getOrThunk(() => getPixelWidth$1(cell) + 'px'); + }; + const getRawH = cell => { + return getRawHeight(cell).getOrThunk(() => getHeight(cell) + 'px'); + }; + const justCols = warehouse => map$1(Warehouse.justColumns(warehouse), column => Optional.from(column.element)); + const isValidColumn = cell => { + const browser = detect$2().browser; + const supportsColWidths = browser.isChromium() || browser.isFirefox(); + return isCol$1(cell) ? supportsColWidths : true; + }; + const getDimension = (cellOpt, index, backups, filter, getter, fallback) => cellOpt.filter(filter).fold(() => fallback(deduce(backups, index)), cell => getter(cell)); + const getWidthFrom = (warehouse, table, getWidth, fallback) => { + const columnCells = columns(warehouse); + const columns$1 = Warehouse.hasColumns(warehouse) ? justCols(warehouse) : columnCells; + const backups = [Optional.some(width.edge(table))].concat(map$1(width.positions(columnCells, table), pos => pos.map(p => p.x))); + const colFilter = not(hasColspan); + return map$1(columns$1, (cellOption, c) => { + return getDimension(cellOption, c, backups, colFilter, column => { + if (isValidColumn(column)) { + return getWidth(column); + } else { + const cell = bindFrom(columnCells[c], identity); + return getDimension(cell, c, backups, colFilter, cell => fallback(Optional.some(get$9(cell))), fallback); + } + }, fallback); + }); + }; + const getDeduced = deduced => { + return deduced.map(d => { + return d + 'px'; + }).getOr(''); + }; + const getRawWidths = (warehouse, table) => { + return getWidthFrom(warehouse, table, getRawW, getDeduced); + }; + const getPercentageWidths = (warehouse, table, tableSize) => { + return getWidthFrom(warehouse, table, getPercentageWidth, deduced => { + return deduced.fold(() => { + return tableSize.minCellWidth(); + }, cellWidth => { + return cellWidth / tableSize.pixelWidth() * 100; + }); + }); + }; + const getPixelWidths = (warehouse, table, tableSize) => { + return getWidthFrom(warehouse, table, getPixelWidth$1, deduced => { + return deduced.getOrThunk(tableSize.minCellWidth); + }); + }; + const getHeightFrom = (warehouse, table, direction, getHeight, fallback) => { + const rows$1 = rows(warehouse); + const backups = [Optional.some(direction.edge(table))].concat(map$1(direction.positions(rows$1, table), pos => pos.map(p => p.y))); + return map$1(rows$1, (cellOption, c) => { + return getDimension(cellOption, c, backups, not(hasRowspan), getHeight, fallback); + }); + }; + const getPixelHeights = (warehouse, table, direction) => { + return getHeightFrom(warehouse, table, direction, getHeight, deduced => { + return deduced.getOrThunk(minHeight); + }); + }; + const getRawHeights = (warehouse, table, direction) => { + return getHeightFrom(warehouse, table, direction, getRawH, getDeduced); + }; + + const widthLookup = (table, getter) => () => { + if (inBody(table)) { + return getter(table); + } else { + return parseFloat(getRaw$2(table, 'width').getOr('0')); + } + }; + const noneSize = table => { + const getWidth = widthLookup(table, get$9); + const zero = constant(0); + const getWidths = (warehouse, tableSize) => getPixelWidths(warehouse, table, tableSize); + return { + width: getWidth, + pixelWidth: getWidth, + getWidths, + getCellDelta: zero, + singleColumnWidth: constant([0]), + minCellWidth: zero, + setElementWidth: noop, + adjustTableWidth: noop, + isRelative: true, + label: 'none' + }; + }; + const percentageSize = table => { + const getFloatWidth = widthLookup(table, elem => parseFloat(getPercentTableWidth(elem))); + const getWidth = widthLookup(table, get$9); + const getCellDelta = delta => delta / getWidth() * 100; + const singleColumnWidth = (w, _delta) => [100 - w]; + const minCellWidth = () => minWidth() / getWidth() * 100; + const adjustTableWidth = delta => { + const currentWidth = getFloatWidth(); + const change = delta / 100 * currentWidth; + const newWidth = currentWidth + change; + setPercentageWidth(table, newWidth); + }; + const getWidths = (warehouse, tableSize) => getPercentageWidths(warehouse, table, tableSize); + return { + width: getFloatWidth, + pixelWidth: getWidth, + getWidths, + getCellDelta, + singleColumnWidth, + minCellWidth, + setElementWidth: setPercentageWidth, + adjustTableWidth, + isRelative: true, + label: 'percent' + }; + }; + const pixelSize = table => { + const getWidth = widthLookup(table, get$9); + const getCellDelta = identity; + const singleColumnWidth = (w, delta) => { + const newNext = Math.max(minWidth(), w + delta); + return [newNext - w]; + }; + const adjustTableWidth = delta => { + const newWidth = getWidth() + delta; + setPixelWidth(table, newWidth); + }; + const getWidths = (warehouse, tableSize) => getPixelWidths(warehouse, table, tableSize); + return { + width: getWidth, + pixelWidth: getWidth, + getWidths, + getCellDelta, + singleColumnWidth, + minCellWidth: minWidth, + setElementWidth: setPixelWidth, + adjustTableWidth, + isRelative: false, + label: 'pixel' + }; + }; + const chooseSize = (element, width) => { + const percentMatch = percentageBasedSizeRegex().exec(width); + if (percentMatch !== null) { + return percentageSize(element); + } else { + return pixelSize(element); + } + }; + const getTableSize = table => { + const width = getRawWidth$1(table); + return width.fold(() => noneSize(table), w => chooseSize(table, w)); + }; + const TableSize = { + getTableSize, + pixelSize, + percentageSize, + noneSize + }; + + const statsStruct = (minRow, minCol, maxRow, maxCol, allCells, selectedCells) => ({ + minRow, + minCol, + maxRow, + maxCol, + allCells, + selectedCells + }); + const findSelectedStats = (house, isSelected) => { + const totalColumns = house.grid.columns; + const totalRows = house.grid.rows; + let minRow = totalRows; + let minCol = totalColumns; + let maxRow = 0; + let maxCol = 0; + const allCells = []; + const selectedCells = []; + each$1(house.access, detail => { + allCells.push(detail); + if (isSelected(detail)) { + selectedCells.push(detail); + const startRow = detail.row; + const endRow = startRow + detail.rowspan - 1; + const startCol = detail.column; + const endCol = startCol + detail.colspan - 1; + if (startRow < minRow) { + minRow = startRow; + } else if (endRow > maxRow) { + maxRow = endRow; + } + if (startCol < minCol) { + minCol = startCol; + } else if (endCol > maxCol) { + maxCol = endCol; + } + } + }); + return statsStruct(minRow, minCol, maxRow, maxCol, allCells, selectedCells); + }; + const makeCell = (list, seenSelected, rowIndex) => { + const row = list[rowIndex].element; + const td = SugarElement.fromTag('td'); + append$1(td, SugarElement.fromTag('br')); + const f = seenSelected ? append$1 : prepend; + f(row, td); + }; + const fillInGaps = (list, house, stats, isSelected) => { + const rows = filter$2(list, row => row.section !== 'colgroup'); + const totalColumns = house.grid.columns; + const totalRows = house.grid.rows; + for (let i = 0; i < totalRows; i++) { + let seenSelected = false; + for (let j = 0; j < totalColumns; j++) { + if (!(i < stats.minRow || i > stats.maxRow || j < stats.minCol || j > stats.maxCol)) { + const needCell = Warehouse.getAt(house, i, j).filter(isSelected).isNone(); + if (needCell) { + makeCell(rows, seenSelected, i); + } else { + seenSelected = true; + } + } + } + } + }; + const clean = (replica, stats, house, widthDelta) => { + each$1(house.columns, col => { + if (col.column < stats.minCol || col.column > stats.maxCol) { + remove$6(col.element); + } + }); + const emptyRows = filter$2(firstLayer(replica, 'tr'), row => row.dom.childElementCount === 0); + each$2(emptyRows, remove$6); + if (stats.minCol === stats.maxCol || stats.minRow === stats.maxRow) { + each$2(firstLayer(replica, 'th,td'), cell => { + remove$7(cell, 'rowspan'); + remove$7(cell, 'colspan'); + }); + } + remove$7(replica, LOCKED_COL_ATTR); + remove$7(replica, 'data-snooker-col-series'); + const tableSize = TableSize.getTableSize(replica); + tableSize.adjustTableWidth(widthDelta); + }; + const getTableWidthDelta = (table, warehouse, tableSize, stats) => { + if (stats.minCol === 0 && warehouse.grid.columns === stats.maxCol + 1) { + return 0; + } + const colWidths = getPixelWidths(warehouse, table, tableSize); + const allColsWidth = foldl(colWidths, (acc, width) => acc + width, 0); + const selectedColsWidth = foldl(colWidths.slice(stats.minCol, stats.maxCol + 1), (acc, width) => acc + width, 0); + const newWidth = selectedColsWidth / allColsWidth * tableSize.pixelWidth(); + const delta = newWidth - tableSize.pixelWidth(); + return tableSize.getCellDelta(delta); + }; + const extract$1 = (table, selectedSelector) => { + const isSelected = detail => is$2(detail.element, selectedSelector); + const replica = deep(table); + const list = fromTable$1(replica); + const tableSize = TableSize.getTableSize(table); + const replicaHouse = Warehouse.generate(list); + const replicaStats = findSelectedStats(replicaHouse, isSelected); + const selector = 'th:not(' + selectedSelector + ')' + ',td:not(' + selectedSelector + ')'; + const unselectedCells = filterFirstLayer(replica, 'th,td', cell => is$2(cell, selector)); + each$2(unselectedCells, remove$6); + fillInGaps(list, replicaHouse, replicaStats, isSelected); + const house = Warehouse.fromTable(table); + const widthDelta = getTableWidthDelta(table, house, tableSize, replicaStats); + clean(replica, replicaStats, replicaHouse, widthDelta); + return replica; + }; + + const nbsp = '\xA0'; + + const NodeValue = (is, name) => { + const get = element => { + if (!is(element)) { + throw new Error('Can only get ' + name + ' value of a ' + name + ' node'); + } + return getOption(element).getOr(''); + }; + const getOption = element => is(element) ? Optional.from(element.dom.nodeValue) : Optional.none(); + const set = (element, value) => { + if (!is(element)) { + throw new Error('Can only set raw ' + name + ' value of a ' + name + ' node'); + } + element.dom.nodeValue = value; + }; + return { + get, + getOption, + set + }; + }; + + const api = NodeValue(isText, 'text'); + const get$6 = element => api.get(element); + const getOption = element => api.getOption(element); + const set = (element, value) => api.set(element, value); + + const getEnd = element => name(element) === 'img' ? 1 : getOption(element).fold(() => children$2(element).length, v => v.length); + const isTextNodeWithCursorPosition = el => getOption(el).filter(text => text.trim().length !== 0 || text.indexOf(nbsp) > -1).isSome(); + const isContentEditableFalse = elem => isHTMLElement(elem) && get$b(elem, 'contenteditable') === 'false'; + const elementsWithCursorPosition = [ + 'img', + 'br' + ]; + const isCursorPosition = elem => { + const hasCursorPosition = isTextNodeWithCursorPosition(elem); + return hasCursorPosition || contains$2(elementsWithCursorPosition, name(elem)) || isContentEditableFalse(elem); + }; + + const first = element => descendant$1(element, isCursorPosition); + const last$1 = element => descendantRtl(element, isCursorPosition); + const descendantRtl = (scope, predicate) => { + const descend = element => { + const children = children$2(element); + for (let i = children.length - 1; i >= 0; i--) { + const child = children[i]; + if (predicate(child)) { + return Optional.some(child); + } + const res = descend(child); + if (res.isSome()) { + return res; + } + } + return Optional.none(); + }; + return descend(scope); + }; + + const transferableAttributes = { + scope: [ + 'row', + 'col' + ] + }; + const createCell = doc => () => { + const td = SugarElement.fromTag('td', doc.dom); + append$1(td, SugarElement.fromTag('br', doc.dom)); + return td; + }; + const createCol = doc => () => { + return SugarElement.fromTag('col', doc.dom); + }; + const createColgroup = doc => () => { + return SugarElement.fromTag('colgroup', doc.dom); + }; + const createRow$1 = doc => () => { + return SugarElement.fromTag('tr', doc.dom); + }; + const replace$1 = (cell, tag, attrs) => { + const replica = copy$2(cell, tag); + each$1(attrs, (v, k) => { + if (v === null) { + remove$7(replica, k); + } else { + set$2(replica, k, v); + } + }); + return replica; + }; + const pasteReplace = cell => { + return cell; + }; + const cloneFormats = (oldCell, newCell, formats) => { + const first$1 = first(oldCell); + return first$1.map(firstText => { + const formatSelector = formats.join(','); + const parents = ancestors$3(firstText, formatSelector, element => { + return eq$1(element, oldCell); + }); + return foldr(parents, (last, parent) => { + const clonedFormat = shallow(parent); + append$1(last, clonedFormat); + return clonedFormat; + }, newCell); + }).getOr(newCell); + }; + const cloneAppropriateAttributes = (original, clone) => { + each$1(transferableAttributes, (validAttributes, attributeName) => getOpt(original, attributeName).filter(attribute => contains$2(validAttributes, attribute)).each(attribute => set$2(clone, attributeName, attribute))); + }; + const cellOperations = (mutate, doc, formatsToClone) => { + const cloneCss = (prev, clone) => { + copy$1(prev.element, clone); + remove$5(clone, 'height'); + if (prev.colspan !== 1) { + remove$5(clone, 'width'); + } + }; + const newCell = prev => { + const td = SugarElement.fromTag(name(prev.element), doc.dom); + const formats = formatsToClone.getOr([ + 'strong', + 'em', + 'b', + 'i', + 'span', + 'font', + 'h1', + 'h2', + 'h3', + 'h4', + 'h5', + 'h6', + 'p', + 'div' + ]); + const lastNode = formats.length > 0 ? cloneFormats(prev.element, td, formats) : td; + append$1(lastNode, SugarElement.fromTag('br')); + cloneCss(prev, td); + cloneAppropriateAttributes(prev.element, td); + mutate(prev.element, td); + return td; + }; + const newCol = prev => { + const col = SugarElement.fromTag(name(prev.element), doc.dom); + cloneCss(prev, col); + mutate(prev.element, col); + return col; + }; + return { + col: newCol, + colgroup: createColgroup(doc), + row: createRow$1(doc), + cell: newCell, + replace: replace$1, + colGap: createCol(doc), + gap: createCell(doc) + }; + }; + const paste$1 = doc => { + return { + col: createCol(doc), + colgroup: createColgroup(doc), + row: createRow$1(doc), + cell: createCell(doc), + replace: pasteReplace, + colGap: createCol(doc), + gap: createCell(doc) + }; + }; + + const fromHtml = (html, scope) => { + const doc = scope || document; + const div = doc.createElement('div'); + div.innerHTML = html; + return children$2(SugarElement.fromDom(div)); + }; + const fromDom = nodes => map$1(nodes, SugarElement.fromDom); + + const option = name => editor => editor.options.get(name); + const defaultWidth = '100%'; + const getPixelForcedWidth = editor => { + var _a; + const dom = editor.dom; + const parentBlock = (_a = dom.getParent(editor.selection.getStart(), dom.isBlock)) !== null && _a !== void 0 ? _a : editor.getBody(); + return getInner(SugarElement.fromDom(parentBlock)) + 'px'; + }; + const determineDefaultTableStyles = (editor, defaultStyles) => { + if (isTableResponsiveForced(editor) || !shouldStyleWithCss(editor)) { + return defaultStyles; + } else if (isTablePixelsForced(editor)) { + return { + ...defaultStyles, + width: getPixelForcedWidth(editor) + }; + } else { + return { + ...defaultStyles, + width: defaultWidth + }; + } + }; + const determineDefaultTableAttributes = (editor, defaultAttributes) => { + if (isTableResponsiveForced(editor) || shouldStyleWithCss(editor)) { + return defaultAttributes; + } else if (isTablePixelsForced(editor)) { + return { + ...defaultAttributes, + width: getPixelForcedWidth(editor) + }; + } else { + return { + ...defaultAttributes, + width: defaultWidth + }; + } + }; + const register = editor => { + const registerOption = editor.options.register; + registerOption('table_clone_elements', { processor: 'string[]' }); + registerOption('table_use_colgroups', { + processor: 'boolean', + default: true + }); + registerOption('table_header_type', { + processor: value => { + const valid = contains$2([ + 'section', + 'cells', + 'sectionCells', + 'auto' + ], value); + return valid ? { + value, + valid + } : { + valid: false, + message: 'Must be one of: section, cells, sectionCells or auto.' + }; + }, + default: 'section' + }); + registerOption('table_sizing_mode', { + processor: 'string', + default: 'auto' + }); + registerOption('table_default_attributes', { + processor: 'object', + default: { border: '1' } + }); + registerOption('table_default_styles', { + processor: 'object', + default: { 'border-collapse': 'collapse' } + }); + registerOption('table_column_resizing', { + processor: value => { + const valid = contains$2([ + 'preservetable', + 'resizetable' + ], value); + return valid ? { + value, + valid + } : { + valid: false, + message: 'Must be preservetable, or resizetable.' + }; + }, + default: 'preservetable' + }); + registerOption('table_resize_bars', { + processor: 'boolean', + default: true + }); + registerOption('table_style_by_css', { + processor: 'boolean', + default: true + }); + registerOption('table_merge_content_on_paste', { + processor: 'boolean', + default: true + }); + }; + const getTableCloneElements = editor => { + return Optional.from(editor.options.get('table_clone_elements')); + }; + const hasTableObjectResizing = editor => { + const objectResizing = editor.options.get('object_resizing'); + return contains$2(objectResizing.split(','), 'table'); + }; + const getTableHeaderType = option('table_header_type'); + const getTableColumnResizingBehaviour = option('table_column_resizing'); + const isPreserveTableColumnResizing = editor => getTableColumnResizingBehaviour(editor) === 'preservetable'; + const isResizeTableColumnResizing = editor => getTableColumnResizingBehaviour(editor) === 'resizetable'; + const getTableSizingMode = option('table_sizing_mode'); + const isTablePercentagesForced = editor => getTableSizingMode(editor) === 'relative'; + const isTablePixelsForced = editor => getTableSizingMode(editor) === 'fixed'; + const isTableResponsiveForced = editor => getTableSizingMode(editor) === 'responsive'; + const hasTableResizeBars = option('table_resize_bars'); + const shouldStyleWithCss = option('table_style_by_css'); + const shouldMergeContentOnPaste = option('table_merge_content_on_paste'); + const getTableDefaultAttributes = editor => { + const options = editor.options; + const defaultAttributes = options.get('table_default_attributes'); + return options.isSet('table_default_attributes') ? defaultAttributes : determineDefaultTableAttributes(editor, defaultAttributes); + }; + const getTableDefaultStyles = editor => { + const options = editor.options; + const defaultStyles = options.get('table_default_styles'); + return options.isSet('table_default_styles') ? defaultStyles : determineDefaultTableStyles(editor, defaultStyles); + }; + const tableUseColumnGroup = option('table_use_colgroups'); + + const closest = target => closest$1(target, '[contenteditable]'); + const isEditable$1 = (element, assumeEditable = false) => { + if (inBody(element)) { + return element.dom.isContentEditable; + } else { + return closest(element).fold(constant(assumeEditable), editable => getRaw(editable) === 'true'); + } + }; + const getRaw = element => element.dom.contentEditable; + + const getBody = editor => SugarElement.fromDom(editor.getBody()); + const getIsRoot = editor => element => eq$1(element, getBody(editor)); + const removeDataStyle = table => { + remove$7(table, 'data-mce-style'); + const removeStyleAttribute = element => remove$7(element, 'data-mce-style'); + each$2(cells$1(table), removeStyleAttribute); + each$2(columns$1(table), removeStyleAttribute); + each$2(rows$1(table), removeStyleAttribute); + }; + const getSelectionStart = editor => SugarElement.fromDom(editor.selection.getStart()); + const getPixelWidth = elm => elm.getBoundingClientRect().width; + const getPixelHeight = elm => elm.getBoundingClientRect().height; + const getRawWidth = (editor, elm) => { + const raw = editor.dom.getStyle(elm, 'width') || editor.dom.getAttrib(elm, 'width'); + return Optional.from(raw).filter(isNotEmpty); + }; + const isPercentage$1 = value => /^(\d+(\.\d+)?)%$/.test(value); + const isPixel = value => /^(\d+(\.\d+)?)px$/.test(value); + const isInEditableContext$1 = cell => closest$2(cell, isTag('table')).exists(isEditable$1); + + const inSelection = (bounds, detail) => { + const leftEdge = detail.column; + const rightEdge = detail.column + detail.colspan - 1; + const topEdge = detail.row; + const bottomEdge = detail.row + detail.rowspan - 1; + return leftEdge <= bounds.finishCol && rightEdge >= bounds.startCol && (topEdge <= bounds.finishRow && bottomEdge >= bounds.startRow); + }; + const isWithin = (bounds, detail) => { + return detail.column >= bounds.startCol && detail.column + detail.colspan - 1 <= bounds.finishCol && detail.row >= bounds.startRow && detail.row + detail.rowspan - 1 <= bounds.finishRow; + }; + const isRectangular = (warehouse, bounds) => { + let isRect = true; + const detailIsWithin = curry(isWithin, bounds); + for (let i = bounds.startRow; i <= bounds.finishRow; i++) { + for (let j = bounds.startCol; j <= bounds.finishCol; j++) { + isRect = isRect && Warehouse.getAt(warehouse, i, j).exists(detailIsWithin); + } + } + return isRect ? Optional.some(bounds) : Optional.none(); + }; + + const getBounds = (detailA, detailB) => { + return bounds(Math.min(detailA.row, detailB.row), Math.min(detailA.column, detailB.column), Math.max(detailA.row + detailA.rowspan - 1, detailB.row + detailB.rowspan - 1), Math.max(detailA.column + detailA.colspan - 1, detailB.column + detailB.colspan - 1)); + }; + const getAnyBox = (warehouse, startCell, finishCell) => { + const startCoords = Warehouse.findItem(warehouse, startCell, eq$1); + const finishCoords = Warehouse.findItem(warehouse, finishCell, eq$1); + return startCoords.bind(sc => { + return finishCoords.map(fc => { + return getBounds(sc, fc); + }); + }); + }; + const getBox$1 = (warehouse, startCell, finishCell) => { + return getAnyBox(warehouse, startCell, finishCell).bind(bounds => { + return isRectangular(warehouse, bounds); + }); + }; + + const moveBy$1 = (warehouse, cell, row, column) => { + return Warehouse.findItem(warehouse, cell, eq$1).bind(detail => { + const startRow = row > 0 ? detail.row + detail.rowspan - 1 : detail.row; + const startCol = column > 0 ? detail.column + detail.colspan - 1 : detail.column; + const dest = Warehouse.getAt(warehouse, startRow + row, startCol + column); + return dest.map(d => { + return d.element; + }); + }); + }; + const intercepts$1 = (warehouse, start, finish) => { + return getAnyBox(warehouse, start, finish).map(bounds => { + const inside = Warehouse.filterItems(warehouse, curry(inSelection, bounds)); + return map$1(inside, detail => { + return detail.element; + }); + }); + }; + const parentCell = (warehouse, innerCell) => { + const isContainedBy = (c1, c2) => { + return contains$1(c2, c1); + }; + return Warehouse.findItem(warehouse, innerCell, isContainedBy).map(detail => { + return detail.element; + }); + }; + + const moveBy = (cell, deltaRow, deltaColumn) => { + return table(cell).bind(table => { + const warehouse = getWarehouse(table); + return moveBy$1(warehouse, cell, deltaRow, deltaColumn); + }); + }; + const intercepts = (table, first, last) => { + const warehouse = getWarehouse(table); + return intercepts$1(warehouse, first, last); + }; + const nestedIntercepts = (table, first, firstTable, last, lastTable) => { + const warehouse = getWarehouse(table); + const optStartCell = eq$1(table, firstTable) ? Optional.some(first) : parentCell(warehouse, first); + const optLastCell = eq$1(table, lastTable) ? Optional.some(last) : parentCell(warehouse, last); + return optStartCell.bind(startCell => optLastCell.bind(lastCell => intercepts$1(warehouse, startCell, lastCell))); + }; + const getBox = (table, first, last) => { + const warehouse = getWarehouse(table); + return getBox$1(warehouse, first, last); + }; + const getWarehouse = Warehouse.fromTable; + + var TagBoundaries = [ + 'body', + 'p', + 'div', + 'article', + 'aside', + 'figcaption', + 'figure', + 'footer', + 'header', + 'nav', + 'section', + 'ol', + 'ul', + 'li', + 'table', + 'thead', + 'tbody', + 'tfoot', + 'caption', + 'tr', + 'td', + 'th', + 'h1', + 'h2', + 'h3', + 'h4', + 'h5', + 'h6', + 'blockquote', + 'pre', + 'address' + ]; + + var DomUniverse = () => { + const clone = element => { + return SugarElement.fromDom(element.dom.cloneNode(false)); + }; + const document = element => documentOrOwner(element).dom; + const isBoundary = element => { + if (!isElement(element)) { + return false; + } + if (name(element) === 'body') { + return true; + } + return contains$2(TagBoundaries, name(element)); + }; + const isEmptyTag = element => { + if (!isElement(element)) { + return false; + } + return contains$2([ + 'br', + 'img', + 'hr', + 'input' + ], name(element)); + }; + const isNonEditable = element => isElement(element) && get$b(element, 'contenteditable') === 'false'; + const comparePosition = (element, other) => { + return element.dom.compareDocumentPosition(other.dom); + }; + const copyAttributesTo = (source, destination) => { + const as = clone$2(source); + setAll$1(destination, as); + }; + const isSpecial = element => { + const tag = name(element); + return contains$2([ + 'script', + 'noscript', + 'iframe', + 'noframes', + 'noembed', + 'title', + 'style', + 'textarea', + 'xmp' + ], tag); + }; + const getLanguage = element => isElement(element) ? getOpt(element, 'lang') : Optional.none(); + return { + up: constant({ + selector: ancestor$1, + closest: closest$1, + predicate: ancestor$2, + all: parents + }), + down: constant({ + selector: descendants, + predicate: descendants$1 + }), + styles: constant({ + get: get$a, + getRaw: getRaw$2, + set: set$1, + remove: remove$5 + }), + attrs: constant({ + get: get$b, + set: set$2, + remove: remove$7, + copyTo: copyAttributesTo + }), + insert: constant({ + before: before$3, + after: after$5, + afterAll: after$4, + append: append$1, + appendAll: append, + prepend: prepend, + wrap: wrap + }), + remove: constant({ + unwrap: unwrap, + remove: remove$6 + }), + create: constant({ + nu: SugarElement.fromTag, + clone, + text: SugarElement.fromText + }), + query: constant({ + comparePosition, + prevSibling: prevSibling, + nextSibling: nextSibling + }), + property: constant({ + children: children$2, + name: name, + parent: parent, + document, + isText: isText, + isComment: isComment, + isElement: isElement, + isSpecial, + getLanguage, + getText: get$6, + setText: set, + isBoundary, + isEmptyTag, + isNonEditable + }), + eq: eq$1, + is: is$1 + }; + }; + + const all = (universe, look, elements, f) => { + const head = elements[0]; + const tail = elements.slice(1); + return f(universe, look, head, tail); + }; + const oneAll = (universe, look, elements) => { + return elements.length > 0 ? all(universe, look, elements, unsafeOne) : Optional.none(); + }; + const unsafeOne = (universe, look, head, tail) => { + const start = look(universe, head); + return foldr(tail, (b, a) => { + const current = look(universe, a); + return commonElement(universe, b, current); + }, start); + }; + const commonElement = (universe, start, end) => { + return start.bind(s => { + return end.filter(curry(universe.eq, s)); + }); + }; + + const eq = (universe, item) => { + return curry(universe.eq, item); + }; + const ancestors$2 = (universe, start, end, isRoot = never) => { + const ps1 = [start].concat(universe.up().all(start)); + const ps2 = [end].concat(universe.up().all(end)); + const prune = path => { + const index = findIndex(path, isRoot); + return index.fold(() => { + return path; + }, ind => { + return path.slice(0, ind + 1); + }); + }; + const pruned1 = prune(ps1); + const pruned2 = prune(ps2); + const shared = find$1(pruned1, x => { + return exists(pruned2, eq(universe, x)); + }); + return { + firstpath: pruned1, + secondpath: pruned2, + shared + }; + }; + + const sharedOne$1 = oneAll; + const ancestors$1 = ancestors$2; + + const universe$3 = DomUniverse(); + const sharedOne = (look, elements) => { + return sharedOne$1(universe$3, (_universe, element) => { + return look(element); + }, elements); + }; + const ancestors = (start, finish, isRoot) => { + return ancestors$1(universe$3, start, finish, isRoot); + }; + + const lookupTable = container => { + return ancestor$1(container, 'table'); + }; + const identify = (start, finish, isRoot) => { + const getIsRoot = rootTable => { + return element => { + return isRoot !== undefined && isRoot(element) || eq$1(element, rootTable); + }; + }; + if (eq$1(start, finish)) { + return Optional.some({ + boxes: Optional.some([start]), + start, + finish + }); + } else { + return lookupTable(start).bind(startTable => { + return lookupTable(finish).bind(finishTable => { + if (eq$1(startTable, finishTable)) { + return Optional.some({ + boxes: intercepts(startTable, start, finish), + start, + finish + }); + } else if (contains$1(startTable, finishTable)) { + const ancestorCells = ancestors$3(finish, 'td,th', getIsRoot(startTable)); + const finishCell = ancestorCells.length > 0 ? ancestorCells[ancestorCells.length - 1] : finish; + return Optional.some({ + boxes: nestedIntercepts(startTable, start, startTable, finish, finishTable), + start, + finish: finishCell + }); + } else if (contains$1(finishTable, startTable)) { + const ancestorCells = ancestors$3(start, 'td,th', getIsRoot(finishTable)); + const startCell = ancestorCells.length > 0 ? ancestorCells[ancestorCells.length - 1] : start; + return Optional.some({ + boxes: nestedIntercepts(finishTable, start, startTable, finish, finishTable), + start, + finish: startCell + }); + } else { + return ancestors(start, finish).shared.bind(lca => { + return closest$1(lca, 'table', isRoot).bind(lcaTable => { + const finishAncestorCells = ancestors$3(finish, 'td,th', getIsRoot(lcaTable)); + const finishCell = finishAncestorCells.length > 0 ? finishAncestorCells[finishAncestorCells.length - 1] : finish; + const startAncestorCells = ancestors$3(start, 'td,th', getIsRoot(lcaTable)); + const startCell = startAncestorCells.length > 0 ? startAncestorCells[startAncestorCells.length - 1] : start; + return Optional.some({ + boxes: nestedIntercepts(lcaTable, start, startTable, finish, finishTable), + start: startCell, + finish: finishCell + }); + }); + }); + } + }); + }); + } + }; + const retrieve$1 = (container, selector) => { + const sels = descendants(container, selector); + return sels.length > 0 ? Optional.some(sels) : Optional.none(); + }; + const getLast = (boxes, lastSelectedSelector) => { + return find$1(boxes, box => { + return is$2(box, lastSelectedSelector); + }); + }; + const getEdges = (container, firstSelectedSelector, lastSelectedSelector) => { + return descendant(container, firstSelectedSelector).bind(first => { + return descendant(container, lastSelectedSelector).bind(last => { + return sharedOne(lookupTable, [ + first, + last + ]).map(table => { + return { + first, + last, + table + }; + }); + }); + }); + }; + const expandTo = (finish, firstSelectedSelector) => { + return ancestor$1(finish, 'table').bind(table => { + return descendant(table, firstSelectedSelector).bind(start => { + return identify(start, finish).bind(identified => { + return identified.boxes.map(boxes => { + return { + boxes, + start: identified.start, + finish: identified.finish + }; + }); + }); + }); + }); + }; + const shiftSelection = (boxes, deltaRow, deltaColumn, firstSelectedSelector, lastSelectedSelector) => { + return getLast(boxes, lastSelectedSelector).bind(last => { + return moveBy(last, deltaRow, deltaColumn).bind(finish => { + return expandTo(finish, firstSelectedSelector); + }); + }); + }; + + const retrieve = (container, selector) => { + return retrieve$1(container, selector); + }; + const retrieveBox = (container, firstSelectedSelector, lastSelectedSelector) => { + return getEdges(container, firstSelectedSelector, lastSelectedSelector).bind(edges => { + const isRoot = ancestor => { + return eq$1(container, ancestor); + }; + const sectionSelector = 'thead,tfoot,tbody,table'; + const firstAncestor = ancestor$1(edges.first, sectionSelector, isRoot); + const lastAncestor = ancestor$1(edges.last, sectionSelector, isRoot); + return firstAncestor.bind(fA => { + return lastAncestor.bind(lA => { + return eq$1(fA, lA) ? getBox(edges.table, edges.first, edges.last) : Optional.none(); + }); + }); + }); + }; + + const selection = identity; + const unmergable = selectedCells => { + const hasSpan = (elem, type) => getOpt(elem, type).exists(span => parseInt(span, 10) > 1); + const hasRowOrColSpan = elem => hasSpan(elem, 'rowspan') || hasSpan(elem, 'colspan'); + return selectedCells.length > 0 && forall(selectedCells, hasRowOrColSpan) ? Optional.some(selectedCells) : Optional.none(); + }; + const mergable = (table, selectedCells, ephemera) => { + if (selectedCells.length <= 1) { + return Optional.none(); + } else { + return retrieveBox(table, ephemera.firstSelectedSelector, ephemera.lastSelectedSelector).map(bounds => ({ + bounds, + cells: selectedCells + })); + } + }; + + const strSelected = 'data-mce-selected'; + const strSelectedSelector = 'td[' + strSelected + '],th[' + strSelected + ']'; + const strAttributeSelector = '[' + strSelected + ']'; + const strFirstSelected = 'data-mce-first-selected'; + const strFirstSelectedSelector = 'td[' + strFirstSelected + '],th[' + strFirstSelected + ']'; + const strLastSelected = 'data-mce-last-selected'; + const strLastSelectedSelector = 'td[' + strLastSelected + '],th[' + strLastSelected + ']'; + const attributeSelector = strAttributeSelector; + const ephemera = { + selected: strSelected, + selectedSelector: strSelectedSelector, + firstSelected: strFirstSelected, + firstSelectedSelector: strFirstSelectedSelector, + lastSelected: strLastSelected, + lastSelectedSelector: strLastSelectedSelector + }; + + const forMenu = (selectedCells, table, cell) => ({ + element: cell, + mergable: mergable(table, selectedCells, ephemera), + unmergable: unmergable(selectedCells), + selection: selection(selectedCells) + }); + const paste = (element, clipboard, generators) => ({ + element, + clipboard, + generators + }); + const pasteRows = (selectedCells, _cell, clipboard, generators) => ({ + selection: selection(selectedCells), + clipboard, + generators + }); + + const getSelectionCellFallback = element => table(element).bind(table => retrieve(table, ephemera.firstSelectedSelector)).fold(constant(element), cells => cells[0]); + const getSelectionFromSelector = selector => (initCell, isRoot) => { + const cellName = name(initCell); + const cell = cellName === 'col' || cellName === 'colgroup' ? getSelectionCellFallback(initCell) : initCell; + return closest$1(cell, selector, isRoot); + }; + const getSelectionCellOrCaption = getSelectionFromSelector('th,td,caption'); + const getSelectionCell = getSelectionFromSelector('th,td'); + const getCellsFromSelection = editor => fromDom(editor.model.table.getSelectedCells()); + const getCellsFromFakeSelection = editor => filter$2(getCellsFromSelection(editor), cell => is$2(cell, ephemera.selectedSelector)); + + const extractSelected = cells => { + return table(cells[0]).map(table => { + const replica = extract$1(table, attributeSelector); + removeDataStyle(replica); + return [replica]; + }); + }; + const serializeElements = (editor, elements) => map$1(elements, elm => editor.selection.serializer.serialize(elm.dom, {})).join(''); + const getTextContent = elements => map$1(elements, element => element.dom.innerText).join(''); + const registerEvents = (editor, actions) => { + editor.on('BeforeGetContent', e => { + const multiCellContext = cells => { + e.preventDefault(); + extractSelected(cells).each(elements => { + e.content = e.format === 'text' ? getTextContent(elements) : serializeElements(editor, elements); + }); + }; + if (e.selection === true) { + const cells = getCellsFromFakeSelection(editor); + if (cells.length >= 1) { + multiCellContext(cells); + } + } + }); + editor.on('BeforeSetContent', e => { + if (e.selection === true && e.paste === true) { + const selectedCells = getCellsFromSelection(editor); + head(selectedCells).each(cell => { + table(cell).each(table => { + const elements = filter$2(fromHtml(e.content), content => { + return name(content) !== 'meta'; + }); + const isTable = isTag('table'); + if (shouldMergeContentOnPaste(editor) && elements.length === 1 && isTable(elements[0])) { + e.preventDefault(); + const doc = SugarElement.fromDom(editor.getDoc()); + const generators = paste$1(doc); + const targets = paste(cell, elements[0], generators); + actions.pasteCells(table, targets).each(() => { + editor.focus(); + }); + } + }); + }); + } + }); + }; + + const point = (element, offset) => ({ + element, + offset + }); + + const scan$1 = (universe, element, direction) => { + if (universe.property().isText(element) && universe.property().getText(element).trim().length === 0 || universe.property().isComment(element)) { + return direction(element).bind(elem => { + return scan$1(universe, elem, direction).orThunk(() => { + return Optional.some(elem); + }); + }); + } else { + return Optional.none(); + } + }; + const toEnd = (universe, element) => { + if (universe.property().isText(element)) { + return universe.property().getText(element).length; + } + const children = universe.property().children(element); + return children.length; + }; + const freefallRtl$2 = (universe, element) => { + const candidate = scan$1(universe, element, universe.query().prevSibling).getOr(element); + if (universe.property().isText(candidate)) { + return point(candidate, toEnd(universe, candidate)); + } + const children = universe.property().children(candidate); + return children.length > 0 ? freefallRtl$2(universe, children[children.length - 1]) : point(candidate, toEnd(universe, candidate)); + }; + + const freefallRtl$1 = freefallRtl$2; + + const universe$2 = DomUniverse(); + const freefallRtl = element => { + return freefallRtl$1(universe$2, element); + }; + + const halve = (main, other) => { + if (!hasColspan(main)) { + const width = getGenericWidth(main); + width.each(w => { + const newWidth = w.value / 2; + setGenericWidth(main, newWidth, w.unit); + setGenericWidth(other, newWidth, w.unit); + }); + } + }; + + const zero = array => map$1(array, constant(0)); + const surround = (sizes, startIndex, endIndex, results, f) => f(sizes.slice(0, startIndex)).concat(results).concat(f(sizes.slice(endIndex))); + const clampDeltaHelper = predicate => (sizes, index, delta, minCellSize) => { + if (!predicate(delta)) { + return delta; + } else { + const newSize = Math.max(minCellSize, sizes[index] - Math.abs(delta)); + const diff = Math.abs(newSize - sizes[index]); + return delta >= 0 ? diff : -diff; + } + }; + const clampNegativeDelta = clampDeltaHelper(delta => delta < 0); + const clampDelta = clampDeltaHelper(always); + const resizeTable = () => { + const calcFixedDeltas = (sizes, index, next, delta, minCellSize) => { + const clampedDelta = clampNegativeDelta(sizes, index, delta, minCellSize); + return surround(sizes, index, next + 1, [ + clampedDelta, + 0 + ], zero); + }; + const calcRelativeDeltas = (sizes, index, delta, minCellSize) => { + const ratio = (100 + delta) / 100; + const newThis = Math.max(minCellSize, (sizes[index] + delta) / ratio); + return map$1(sizes, (size, idx) => { + const newSize = idx === index ? newThis : size / ratio; + return newSize - size; + }); + }; + const calcLeftEdgeDeltas = (sizes, index, next, delta, minCellSize, isRelative) => { + if (isRelative) { + return calcRelativeDeltas(sizes, index, delta, minCellSize); + } else { + return calcFixedDeltas(sizes, index, next, delta, minCellSize); + } + }; + const calcMiddleDeltas = (sizes, _prev, index, next, delta, minCellSize, isRelative) => calcLeftEdgeDeltas(sizes, index, next, delta, minCellSize, isRelative); + const resizeTable = (resizer, delta) => resizer(delta); + const calcRightEdgeDeltas = (sizes, _prev, index, delta, minCellSize, isRelative) => { + if (isRelative) { + return calcRelativeDeltas(sizes, index, delta, minCellSize); + } else { + const clampedDelta = clampNegativeDelta(sizes, index, delta, minCellSize); + return zero(sizes.slice(0, index)).concat([clampedDelta]); + } + }; + const calcRedestributedWidths = (sizes, totalWidth, pixelDelta, isRelative) => { + if (isRelative) { + const tableWidth = totalWidth + pixelDelta; + const ratio = tableWidth / totalWidth; + const newSizes = map$1(sizes, size => size / ratio); + return { + delta: ratio * 100 - 100, + newSizes + }; + } else { + return { + delta: pixelDelta, + newSizes: sizes + }; + } + }; + return { + resizeTable, + clampTableDelta: clampNegativeDelta, + calcLeftEdgeDeltas, + calcMiddleDeltas, + calcRightEdgeDeltas, + calcRedestributedWidths + }; + }; + const preserveTable = () => { + const calcLeftEdgeDeltas = (sizes, index, next, delta, minCellSize) => { + const idx = delta >= 0 ? next : index; + const clampedDelta = clampDelta(sizes, idx, delta, minCellSize); + return surround(sizes, index, next + 1, [ + clampedDelta, + -clampedDelta + ], zero); + }; + const calcMiddleDeltas = (sizes, _prev, index, next, delta, minCellSize) => calcLeftEdgeDeltas(sizes, index, next, delta, minCellSize); + const resizeTable = (resizer, delta, isLastColumn) => { + if (isLastColumn) { + resizer(delta); + } + }; + const calcRightEdgeDeltas = (sizes, _prev, _index, delta, _minCellSize, isRelative) => { + if (isRelative) { + return zero(sizes); + } else { + const diff = delta / sizes.length; + return map$1(sizes, constant(diff)); + } + }; + const clampTableDelta = (sizes, index, delta, minCellSize, isLastColumn) => { + if (isLastColumn) { + if (delta >= 0) { + return delta; + } else { + const maxDelta = foldl(sizes, (a, b) => a + b - minCellSize, 0); + return Math.max(-maxDelta, delta); + } + } else { + return clampNegativeDelta(sizes, index, delta, minCellSize); + } + }; + const calcRedestributedWidths = (sizes, _totalWidth, _pixelDelta, _isRelative) => ({ + delta: 0, + newSizes: sizes + }); + return { + resizeTable, + clampTableDelta, + calcLeftEdgeDeltas, + calcMiddleDeltas, + calcRightEdgeDeltas, + calcRedestributedWidths + }; + }; + + const getGridSize = table => { + const warehouse = Warehouse.fromTable(table); + return warehouse.grid; + }; + + const isHeaderCell = isTag('th'); + const isHeaderCells = cells => forall(cells, cell => isHeaderCell(cell.element)); + const getRowHeaderType = (isHeaderRow, isHeaderCells) => { + if (isHeaderRow && isHeaderCells) { + return 'sectionCells'; + } else if (isHeaderRow) { + return 'section'; + } else { + return 'cells'; + } + }; + const getRowType = row => { + const isHeaderRow = row.section === 'thead'; + const isHeaderCells = is(findCommonCellType(row.cells), 'th'); + if (row.section === 'tfoot') { + return { type: 'footer' }; + } else if (isHeaderRow || isHeaderCells) { + return { + type: 'header', + subType: getRowHeaderType(isHeaderRow, isHeaderCells) + }; + } else { + return { type: 'body' }; + } + }; + const findCommonCellType = cells => { + const headerCells = filter$2(cells, cell => isHeaderCell(cell.element)); + if (headerCells.length === 0) { + return Optional.some('td'); + } else if (headerCells.length === cells.length) { + return Optional.some('th'); + } else { + return Optional.none(); + } + }; + const findCommonRowType = rows => { + const rowTypes = map$1(rows, row => getRowType(row).type); + const hasHeader = contains$2(rowTypes, 'header'); + const hasFooter = contains$2(rowTypes, 'footer'); + if (!hasHeader && !hasFooter) { + return Optional.some('body'); + } else { + const hasBody = contains$2(rowTypes, 'body'); + if (hasHeader && !hasBody && !hasFooter) { + return Optional.some('header'); + } else if (!hasHeader && !hasBody && hasFooter) { + return Optional.some('footer'); + } else { + return Optional.none(); + } + } + }; + const findTableRowHeaderType = warehouse => findMap(warehouse.all, row => { + const rowType = getRowType(row); + return rowType.type === 'header' ? Optional.from(rowType.subType) : Optional.none(); + }); + + const transformCell = (cell, comparator, substitution) => elementnew(substitution(cell.element, comparator), true, cell.isLocked); + const transformRow = (row, section) => row.section !== section ? rowcells(row.element, row.cells, section, row.isNew) : row; + const section = () => ({ + transformRow, + transformCell: (cell, comparator, substitution) => { + const newCell = substitution(cell.element, comparator); + const fixedCell = name(newCell) !== 'td' ? mutate$1(newCell, 'td') : newCell; + return elementnew(fixedCell, cell.isNew, cell.isLocked); + } + }); + const sectionCells = () => ({ + transformRow, + transformCell + }); + const cells = () => ({ + transformRow: (row, section) => { + const newSection = section === 'thead' ? 'tbody' : section; + return transformRow(row, newSection); + }, + transformCell + }); + const fallback = () => ({ + transformRow: identity, + transformCell + }); + const getTableSectionType = (table, fallback) => { + const warehouse = Warehouse.fromTable(table); + const type = findTableRowHeaderType(warehouse).getOr(fallback); + switch (type) { + case 'section': + return section(); + case 'sectionCells': + return sectionCells(); + case 'cells': + return cells(); + } + }; + const TableSection = { + getTableSectionType, + section, + sectionCells, + cells, + fallback + }; + + const setIfNot = (element, property, value, ignore) => { + if (value === ignore) { + remove$7(element, property); + } else { + set$2(element, property, value); + } + }; + const insert$1 = (table, selector, element) => { + last$2(children(table, selector)).fold(() => prepend(table, element), child => after$5(child, element)); + }; + const generateSection = (table, sectionName) => { + const section = child(table, sectionName).getOrThunk(() => { + const newSection = SugarElement.fromTag(sectionName, owner(table).dom); + if (sectionName === 'thead') { + insert$1(table, 'caption,colgroup', newSection); + } else if (sectionName === 'colgroup') { + insert$1(table, 'caption', newSection); + } else { + append$1(table, newSection); + } + return newSection; + }); + empty(section); + return section; + }; + const render$1 = (table, grid) => { + const newRows = []; + const newCells = []; + const syncRows = gridSection => map$1(gridSection, row => { + if (row.isNew) { + newRows.push(row.element); + } + const tr = row.element; + empty(tr); + each$2(row.cells, cell => { + if (cell.isNew) { + newCells.push(cell.element); + } + setIfNot(cell.element, 'colspan', cell.colspan, 1); + setIfNot(cell.element, 'rowspan', cell.rowspan, 1); + append$1(tr, cell.element); + }); + return tr; + }); + const syncColGroup = gridSection => bind$2(gridSection, colGroup => map$1(colGroup.cells, col => { + setIfNot(col.element, 'span', col.colspan, 1); + return col.element; + })); + const renderSection = (gridSection, sectionName) => { + const section = generateSection(table, sectionName); + const sync = sectionName === 'colgroup' ? syncColGroup : syncRows; + const sectionElems = sync(gridSection); + append(section, sectionElems); + }; + const removeSection = sectionName => { + child(table, sectionName).each(remove$6); + }; + const renderOrRemoveSection = (gridSection, sectionName) => { + if (gridSection.length > 0) { + renderSection(gridSection, sectionName); + } else { + removeSection(sectionName); + } + }; + const headSection = []; + const bodySection = []; + const footSection = []; + const columnGroupsSection = []; + each$2(grid, row => { + switch (row.section) { + case 'thead': + headSection.push(row); + break; + case 'tbody': + bodySection.push(row); + break; + case 'tfoot': + footSection.push(row); + break; + case 'colgroup': + columnGroupsSection.push(row); + break; + } + }); + renderOrRemoveSection(columnGroupsSection, 'colgroup'); + renderOrRemoveSection(headSection, 'thead'); + renderOrRemoveSection(bodySection, 'tbody'); + renderOrRemoveSection(footSection, 'tfoot'); + return { + newRows, + newCells + }; + }; + const copy = grid => map$1(grid, row => { + const tr = shallow(row.element); + each$2(row.cells, cell => { + const clonedCell = deep(cell.element); + setIfNot(clonedCell, 'colspan', cell.colspan, 1); + setIfNot(clonedCell, 'rowspan', cell.rowspan, 1); + append$1(tr, clonedCell); + }); + return tr; + }); + + const getColumn = (grid, index) => { + return map$1(grid, row => { + return getCell(row, index); + }); + }; + const getRow = (grid, index) => { + return grid[index]; + }; + const findDiff = (xs, comp) => { + if (xs.length === 0) { + return 0; + } + const first = xs[0]; + const index = findIndex(xs, x => { + return !comp(first.element, x.element); + }); + return index.getOr(xs.length); + }; + const subgrid = (grid, row, column, comparator) => { + const gridRow = getRow(grid, row); + const isColRow = gridRow.section === 'colgroup'; + const colspan = findDiff(gridRow.cells.slice(column), comparator); + const rowspan = isColRow ? 1 : findDiff(getColumn(grid.slice(row), column), comparator); + return { + colspan, + rowspan + }; + }; + + const toDetails = (grid, comparator) => { + const seen = map$1(grid, row => map$1(row.cells, never)); + const updateSeen = (rowIndex, columnIndex, rowspan, colspan) => { + for (let row = rowIndex; row < rowIndex + rowspan; row++) { + for (let column = columnIndex; column < columnIndex + colspan; column++) { + seen[row][column] = true; + } + } + }; + return map$1(grid, (row, rowIndex) => { + const details = bind$2(row.cells, (cell, columnIndex) => { + if (seen[rowIndex][columnIndex] === false) { + const result = subgrid(grid, rowIndex, columnIndex, comparator); + updateSeen(rowIndex, columnIndex, result.rowspan, result.colspan); + return [detailnew(cell.element, result.rowspan, result.colspan, cell.isNew)]; + } else { + return []; + } + }); + return rowdetailnew(row.element, details, row.section, row.isNew); + }); + }; + const toGrid = (warehouse, generators, isNew) => { + const grid = []; + each$2(warehouse.colgroups, colgroup => { + const colgroupCols = []; + for (let columnIndex = 0; columnIndex < warehouse.grid.columns; columnIndex++) { + const element = Warehouse.getColumnAt(warehouse, columnIndex).map(column => elementnew(column.element, isNew, false)).getOrThunk(() => elementnew(generators.colGap(), true, false)); + colgroupCols.push(element); + } + grid.push(rowcells(colgroup.element, colgroupCols, 'colgroup', isNew)); + }); + for (let rowIndex = 0; rowIndex < warehouse.grid.rows; rowIndex++) { + const rowCells = []; + for (let columnIndex = 0; columnIndex < warehouse.grid.columns; columnIndex++) { + const element = Warehouse.getAt(warehouse, rowIndex, columnIndex).map(item => elementnew(item.element, isNew, item.isLocked)).getOrThunk(() => elementnew(generators.gap(), true, false)); + rowCells.push(element); + } + const rowDetail = warehouse.all[rowIndex]; + const row = rowcells(rowDetail.element, rowCells, rowDetail.section, isNew); + grid.push(row); + } + return grid; + }; + + const fromWarehouse = (warehouse, generators) => toGrid(warehouse, generators, false); + const toDetailList = grid => toDetails(grid, eq$1); + const findInWarehouse = (warehouse, element) => findMap(warehouse.all, r => find$1(r.cells, e => eq$1(element, e.element))); + const extractCells = (warehouse, target, predicate) => { + const details = map$1(target.selection, cell$1 => { + return cell(cell$1).bind(lc => findInWarehouse(warehouse, lc)).filter(predicate); + }); + const cells = cat(details); + return someIf(cells.length > 0, cells); + }; + const run = (operation, extract, adjustment, postAction, genWrappers) => (table, target, generators, behaviours) => { + const warehouse = Warehouse.fromTable(table); + const tableSection = Optional.from(behaviours === null || behaviours === void 0 ? void 0 : behaviours.section).getOrThunk(TableSection.fallback); + const output = extract(warehouse, target).map(info => { + const model = fromWarehouse(warehouse, generators); + const result = operation(model, info, eq$1, genWrappers(generators), tableSection); + const lockedColumns = getLockedColumnsFromGrid(result.grid); + const grid = toDetailList(result.grid); + return { + info, + grid, + cursor: result.cursor, + lockedColumns + }; + }); + return output.bind(out => { + const newElements = render$1(table, out.grid); + const tableSizing = Optional.from(behaviours === null || behaviours === void 0 ? void 0 : behaviours.sizing).getOrThunk(() => TableSize.getTableSize(table)); + const resizing = Optional.from(behaviours === null || behaviours === void 0 ? void 0 : behaviours.resize).getOrThunk(preserveTable); + adjustment(table, out.grid, out.info, { + sizing: tableSizing, + resize: resizing, + section: tableSection + }); + postAction(table); + remove$7(table, LOCKED_COL_ATTR); + if (out.lockedColumns.length > 0) { + set$2(table, LOCKED_COL_ATTR, out.lockedColumns.join(',')); + } + return Optional.some({ + cursor: out.cursor, + newRows: newElements.newRows, + newCells: newElements.newCells + }); + }); + }; + const onPaste = (warehouse, target) => cell(target.element).bind(cell => findInWarehouse(warehouse, cell).map(details => { + const value = { + ...details, + generators: target.generators, + clipboard: target.clipboard + }; + return value; + })); + const onPasteByEditor = (warehouse, target) => extractCells(warehouse, target, always).map(cells => ({ + cells, + generators: target.generators, + clipboard: target.clipboard + })); + const onMergable = (_warehouse, target) => target.mergable; + const onUnmergable = (_warehouse, target) => target.unmergable; + const onCells = (warehouse, target) => extractCells(warehouse, target, always); + const onUnlockedCells = (warehouse, target) => extractCells(warehouse, target, detail => !detail.isLocked); + const isUnlockedTableCell = (warehouse, cell) => findInWarehouse(warehouse, cell).exists(detail => !detail.isLocked); + const allUnlocked = (warehouse, cells) => forall(cells, cell => isUnlockedTableCell(warehouse, cell)); + const onUnlockedMergable = (warehouse, target) => onMergable(warehouse, target).filter(mergeable => allUnlocked(warehouse, mergeable.cells)); + const onUnlockedUnmergable = (warehouse, target) => onUnmergable(warehouse, target).filter(cells => allUnlocked(warehouse, cells)); + + const merge$2 = (grid, bounds, comparator, substitution) => { + const rows = extractGridDetails(grid).rows; + if (rows.length === 0) { + return grid; + } + for (let i = bounds.startRow; i <= bounds.finishRow; i++) { + for (let j = bounds.startCol; j <= bounds.finishCol; j++) { + const row = rows[i]; + const isLocked = getCell(row, j).isLocked; + mutateCell(row, j, elementnew(substitution(), false, isLocked)); + } + } + return grid; + }; + const unmerge = (grid, target, comparator, substitution) => { + const rows = extractGridDetails(grid).rows; + let first = true; + for (let i = 0; i < rows.length; i++) { + for (let j = 0; j < cellLength(rows[0]); j++) { + const row = rows[i]; + const currentCell = getCell(row, j); + const currentCellElm = currentCell.element; + const isToReplace = comparator(currentCellElm, target); + if (isToReplace && !first) { + mutateCell(row, j, elementnew(substitution(), true, currentCell.isLocked)); + } else if (isToReplace) { + first = false; + } + } + } + return grid; + }; + const uniqueCells = (row, comparator) => { + return foldl(row, (rest, cell) => { + return exists(rest, currentCell => { + return comparator(currentCell.element, cell.element); + }) ? rest : rest.concat([cell]); + }, []); + }; + const splitCols = (grid, index, comparator, substitution) => { + if (index > 0 && index < grid[0].cells.length) { + each$2(grid, row => { + const prevCell = row.cells[index - 1]; + let offset = 0; + const substitute = substitution(); + while (row.cells.length > index + offset && comparator(prevCell.element, row.cells[index + offset].element)) { + mutateCell(row, index + offset, elementnew(substitute, true, row.cells[index + offset].isLocked)); + offset++; + } + }); + } + return grid; + }; + const splitRows = (grid, index, comparator, substitution) => { + const rows = extractGridDetails(grid).rows; + if (index > 0 && index < rows.length) { + const rowPrevCells = rows[index - 1].cells; + const cells = uniqueCells(rowPrevCells, comparator); + each$2(cells, cell => { + let replacement = Optional.none(); + for (let i = index; i < rows.length; i++) { + for (let j = 0; j < cellLength(rows[0]); j++) { + const row = rows[i]; + const current = getCell(row, j); + const isToReplace = comparator(current.element, cell.element); + if (isToReplace) { + if (replacement.isNone()) { + replacement = Optional.some(substitution()); + } + replacement.each(sub => { + mutateCell(row, j, elementnew(sub, true, current.isLocked)); + }); + } + } + } + }); + } + return grid; + }; + + const value$1 = value => { + const applyHelper = fn => fn(value); + const constHelper = constant(value); + const outputHelper = () => output; + const output = { + tag: true, + inner: value, + fold: (_onError, onValue) => onValue(value), + isValue: always, + isError: never, + map: mapper => Result.value(mapper(value)), + mapError: outputHelper, + bind: applyHelper, + exists: applyHelper, + forall: applyHelper, + getOr: constHelper, + or: outputHelper, + getOrThunk: constHelper, + orThunk: outputHelper, + getOrDie: constHelper, + each: fn => { + fn(value); + }, + toOptional: () => Optional.some(value) + }; + return output; + }; + const error = error => { + const outputHelper = () => output; + const output = { + tag: false, + inner: error, + fold: (onError, _onValue) => onError(error), + isValue: never, + isError: always, + map: outputHelper, + mapError: mapper => Result.error(mapper(error)), + bind: outputHelper, + exists: never, + forall: always, + getOr: identity, + or: identity, + getOrThunk: apply, + orThunk: apply, + getOrDie: die(String(error)), + each: noop, + toOptional: Optional.none + }; + return output; + }; + const fromOption = (optional, err) => optional.fold(() => error(err), value$1); + const Result = { + value: value$1, + error, + fromOption + }; + + const measure = (startAddress, gridA, gridB) => { + if (startAddress.row >= gridA.length || startAddress.column > cellLength(gridA[0])) { + return Result.error('invalid start address out of table bounds, row: ' + startAddress.row + ', column: ' + startAddress.column); + } + const rowRemainder = gridA.slice(startAddress.row); + const colRemainder = rowRemainder[0].cells.slice(startAddress.column); + const colRequired = cellLength(gridB[0]); + const rowRequired = gridB.length; + return Result.value({ + rowDelta: rowRemainder.length - rowRequired, + colDelta: colRemainder.length - colRequired + }); + }; + const measureWidth = (gridA, gridB) => { + const colLengthA = cellLength(gridA[0]); + const colLengthB = cellLength(gridB[0]); + return { + rowDelta: 0, + colDelta: colLengthA - colLengthB + }; + }; + const measureHeight = (gridA, gridB) => { + const rowLengthA = gridA.length; + const rowLengthB = gridB.length; + return { + rowDelta: rowLengthA - rowLengthB, + colDelta: 0 + }; + }; + const generateElements = (amount, row, generators, isLocked) => { + const generator = row.section === 'colgroup' ? generators.col : generators.cell; + return range$1(amount, idx => elementnew(generator(), true, isLocked(idx))); + }; + const rowFill = (grid, amount, generators, lockedColumns) => { + const exampleRow = grid[grid.length - 1]; + return grid.concat(range$1(amount, () => { + const generator = exampleRow.section === 'colgroup' ? generators.colgroup : generators.row; + const row = clone(exampleRow, generator, identity); + const elements = generateElements(row.cells.length, row, generators, idx => has$1(lockedColumns, idx.toString())); + return setCells(row, elements); + })); + }; + const colFill = (grid, amount, generators, startIndex) => map$1(grid, row => { + const newChildren = generateElements(amount, row, generators, never); + return addCells(row, startIndex, newChildren); + }); + const lockedColFill = (grid, generators, lockedColumns) => map$1(grid, row => { + return foldl(lockedColumns, (acc, colNum) => { + const newChild = generateElements(1, row, generators, always)[0]; + return addCell(acc, colNum, newChild); + }, row); + }); + const tailor = (gridA, delta, generators) => { + const fillCols = delta.colDelta < 0 ? colFill : identity; + const fillRows = delta.rowDelta < 0 ? rowFill : identity; + const lockedColumns = getLockedColumnsFromGrid(gridA); + const gridWidth = cellLength(gridA[0]); + const isLastColLocked = exists(lockedColumns, locked => locked === gridWidth - 1); + const modifiedCols = fillCols(gridA, Math.abs(delta.colDelta), generators, isLastColLocked ? gridWidth - 1 : gridWidth); + const newLockedColumns = getLockedColumnsFromGrid(modifiedCols); + return fillRows(modifiedCols, Math.abs(delta.rowDelta), generators, mapToObject(newLockedColumns, always)); + }; + + const isSpanning = (grid, row, col, comparator) => { + const candidate = getCell(grid[row], col); + const matching = curry(comparator, candidate.element); + const currentRow = grid[row]; + return grid.length > 1 && cellLength(currentRow) > 1 && (col > 0 && matching(getCellElement(currentRow, col - 1)) || col < currentRow.cells.length - 1 && matching(getCellElement(currentRow, col + 1)) || row > 0 && matching(getCellElement(grid[row - 1], col)) || row < grid.length - 1 && matching(getCellElement(grid[row + 1], col))); + }; + const mergeTables = (startAddress, gridA, gridBRows, generator, comparator, lockedColumns) => { + const startRow = startAddress.row; + const startCol = startAddress.column; + const mergeHeight = gridBRows.length; + const mergeWidth = cellLength(gridBRows[0]); + const endRow = startRow + mergeHeight; + const endCol = startCol + mergeWidth + lockedColumns.length; + const lockedColumnObj = mapToObject(lockedColumns, always); + for (let r = startRow; r < endRow; r++) { + let skippedCol = 0; + for (let c = startCol; c < endCol; c++) { + if (lockedColumnObj[c]) { + skippedCol++; + continue; + } + if (isSpanning(gridA, r, c, comparator)) { + unmerge(gridA, getCellElement(gridA[r], c), comparator, generator.cell); + } + const gridBColIndex = c - startCol - skippedCol; + const newCell = getCell(gridBRows[r - startRow], gridBColIndex); + const newCellElm = newCell.element; + const replacement = generator.replace(newCellElm); + mutateCell(gridA[r], c, elementnew(replacement, true, newCell.isLocked)); + } + } + return gridA; + }; + const getValidStartAddress = (currentStartAddress, grid, lockedColumns) => { + const gridColLength = cellLength(grid[0]); + const adjustedRowAddress = extractGridDetails(grid).cols.length + currentStartAddress.row; + const possibleColAddresses = range$1(gridColLength - currentStartAddress.column, num => num + currentStartAddress.column); + const validColAddress = find$1(possibleColAddresses, num => forall(lockedColumns, col => col !== num)).getOr(gridColLength - 1); + return { + row: adjustedRowAddress, + column: validColAddress + }; + }; + const getLockedColumnsWithinBounds = (startAddress, rows, lockedColumns) => filter$2(lockedColumns, colNum => colNum >= startAddress.column && colNum <= cellLength(rows[0]) + startAddress.column); + const merge$1 = (startAddress, gridA, gridB, generator, comparator) => { + const lockedColumns = getLockedColumnsFromGrid(gridA); + const validStartAddress = getValidStartAddress(startAddress, gridA, lockedColumns); + const gridBRows = extractGridDetails(gridB).rows; + const lockedColumnsWithinBounds = getLockedColumnsWithinBounds(validStartAddress, gridBRows, lockedColumns); + const result = measure(validStartAddress, gridA, gridBRows); + return result.map(diff => { + const delta = { + ...diff, + colDelta: diff.colDelta - lockedColumnsWithinBounds.length + }; + const fittedGrid = tailor(gridA, delta, generator); + const newLockedColumns = getLockedColumnsFromGrid(fittedGrid); + const newLockedColumnsWithinBounds = getLockedColumnsWithinBounds(validStartAddress, gridBRows, newLockedColumns); + return mergeTables(validStartAddress, fittedGrid, gridBRows, generator, comparator, newLockedColumnsWithinBounds); + }); + }; + const insertCols = (index, gridA, gridB, generator, comparator) => { + splitCols(gridA, index, comparator, generator.cell); + const delta = measureHeight(gridB, gridA); + const fittedNewGrid = tailor(gridB, delta, generator); + const secondDelta = measureHeight(gridA, fittedNewGrid); + const fittedOldGrid = tailor(gridA, secondDelta, generator); + return map$1(fittedOldGrid, (gridRow, i) => { + return addCells(gridRow, index, fittedNewGrid[i].cells); + }); + }; + const insertRows = (index, gridA, gridB, generator, comparator) => { + splitRows(gridA, index, comparator, generator.cell); + const locked = getLockedColumnsFromGrid(gridA); + const diff = measureWidth(gridA, gridB); + const delta = { + ...diff, + colDelta: diff.colDelta - locked.length + }; + const fittedOldGrid = tailor(gridA, delta, generator); + const { + cols: oldCols, + rows: oldRows + } = extractGridDetails(fittedOldGrid); + const newLocked = getLockedColumnsFromGrid(fittedOldGrid); + const secondDiff = measureWidth(gridB, gridA); + const secondDelta = { + ...secondDiff, + colDelta: secondDiff.colDelta + newLocked.length + }; + const fittedGridB = lockedColFill(gridB, generator, newLocked); + const fittedNewGrid = tailor(fittedGridB, secondDelta, generator); + return [ + ...oldCols, + ...oldRows.slice(0, index), + ...fittedNewGrid, + ...oldRows.slice(index, oldRows.length) + ]; + }; + + const cloneRow = (row, cloneCell, comparator, substitution) => clone(row, elem => substitution(elem, comparator), cloneCell); + const insertRowAt = (grid, index, example, comparator, substitution) => { + const {rows, cols} = extractGridDetails(grid); + const before = rows.slice(0, index); + const after = rows.slice(index); + const newRow = cloneRow(rows[example], (ex, c) => { + const withinSpan = index > 0 && index < rows.length && comparator(getCellElement(rows[index - 1], c), getCellElement(rows[index], c)); + const ret = withinSpan ? getCell(rows[index], c) : elementnew(substitution(ex.element, comparator), true, ex.isLocked); + return ret; + }, comparator, substitution); + return [ + ...cols, + ...before, + newRow, + ...after + ]; + }; + const getElementFor = (row, column, section, withinSpan, example, comparator, substitution) => { + if (section === 'colgroup' || !withinSpan) { + const cell = getCell(row, example); + return elementnew(substitution(cell.element, comparator), true, false); + } else { + return getCell(row, column); + } + }; + const insertColumnAt = (grid, index, example, comparator, substitution) => map$1(grid, row => { + const withinSpan = index > 0 && index < cellLength(row) && comparator(getCellElement(row, index - 1), getCellElement(row, index)); + const sub = getElementFor(row, index, row.section, withinSpan, example, comparator, substitution); + return addCell(row, index, sub); + }); + const deleteColumnsAt = (grid, columns) => bind$2(grid, row => { + const existingCells = row.cells; + const cells = foldr(columns, (acc, column) => column >= 0 && column < acc.length ? acc.slice(0, column).concat(acc.slice(column + 1)) : acc, existingCells); + return cells.length > 0 ? [rowcells(row.element, cells, row.section, row.isNew)] : []; + }); + const deleteRowsAt = (grid, start, finish) => { + const {rows, cols} = extractGridDetails(grid); + return [ + ...cols, + ...rows.slice(0, start), + ...rows.slice(finish + 1) + ]; + }; + + const notInStartRow = (grid, rowIndex, colIndex, comparator) => getCellElement(grid[rowIndex], colIndex) !== undefined && (rowIndex > 0 && comparator(getCellElement(grid[rowIndex - 1], colIndex), getCellElement(grid[rowIndex], colIndex))); + const notInStartColumn = (row, index, comparator) => index > 0 && comparator(getCellElement(row, index - 1), getCellElement(row, index)); + const isDuplicatedCell = (grid, rowIndex, colIndex, comparator) => notInStartRow(grid, rowIndex, colIndex, comparator) || notInStartColumn(grid[rowIndex], colIndex, comparator); + const rowReplacerPredicate = (targetRow, columnHeaders) => { + const entireTableIsHeader = forall(columnHeaders, identity) && isHeaderCells(targetRow.cells); + return entireTableIsHeader ? always : (cell, _rowIndex, colIndex) => { + const type = name(cell.element); + return !(type === 'th' && columnHeaders[colIndex]); + }; + }; + const columnReplacePredicate = (targetColumn, rowHeaders) => { + const entireTableIsHeader = forall(rowHeaders, identity) && isHeaderCells(targetColumn); + return entireTableIsHeader ? always : (cell, rowIndex, _colIndex) => { + const type = name(cell.element); + return !(type === 'th' && rowHeaders[rowIndex]); + }; + }; + const determineScope = (applyScope, cell, newScope, isInHeader) => { + const hasSpan = scope => scope === 'row' ? hasRowspan(cell) : hasColspan(cell); + const getScope = scope => hasSpan(scope) ? `${ scope }group` : scope; + if (applyScope) { + return isHeaderCell(cell) ? getScope(newScope) : null; + } else if (isInHeader && isHeaderCell(cell)) { + const oppositeScope = newScope === 'row' ? 'col' : 'row'; + return getScope(oppositeScope); + } else { + return null; + } + }; + const rowScopeGenerator = (applyScope, columnHeaders) => (cell, rowIndex, columnIndex) => Optional.some(determineScope(applyScope, cell.element, 'col', columnHeaders[columnIndex])); + const columnScopeGenerator = (applyScope, rowHeaders) => (cell, rowIndex) => Optional.some(determineScope(applyScope, cell.element, 'row', rowHeaders[rowIndex])); + const replace = (cell, comparator, substitute) => elementnew(substitute(cell.element, comparator), true, cell.isLocked); + const replaceIn = (grid, targets, comparator, substitute, replacer, genScope, shouldReplace) => { + const isTarget = cell => { + return exists(targets, target => { + return comparator(cell.element, target.element); + }); + }; + return map$1(grid, (row, rowIndex) => { + return mapCells(row, (cell, colIndex) => { + if (isTarget(cell)) { + const newCell = shouldReplace(cell, rowIndex, colIndex) ? replacer(cell, comparator, substitute) : cell; + genScope(newCell, rowIndex, colIndex).each(scope => { + setOptions(newCell.element, { scope: Optional.from(scope) }); + }); + return newCell; + } else { + return cell; + } + }); + }); + }; + const getColumnCells = (rows, columnIndex, comparator) => bind$2(rows, (row, i) => { + return isDuplicatedCell(rows, i, columnIndex, comparator) ? [] : [getCell(row, columnIndex)]; + }); + const getRowCells = (rows, rowIndex, comparator) => { + const targetRow = rows[rowIndex]; + return bind$2(targetRow.cells, (item, i) => { + return isDuplicatedCell(rows, rowIndex, i, comparator) ? [] : [item]; + }); + }; + const replaceColumns = (grid, indexes, applyScope, comparator, substitution) => { + const rows = extractGridDetails(grid).rows; + const targets = bind$2(indexes, index => getColumnCells(rows, index, comparator)); + const rowHeaders = map$1(rows, row => isHeaderCells(row.cells)); + const shouldReplaceCell = columnReplacePredicate(targets, rowHeaders); + const scopeGenerator = columnScopeGenerator(applyScope, rowHeaders); + return replaceIn(grid, targets, comparator, substitution, replace, scopeGenerator, shouldReplaceCell); + }; + const replaceRows = (grid, indexes, section, applyScope, comparator, substitution, tableSection) => { + const {cols, rows} = extractGridDetails(grid); + const targetRow = rows[indexes[0]]; + const targets = bind$2(indexes, index => getRowCells(rows, index, comparator)); + const columnHeaders = map$1(targetRow.cells, (_cell, index) => isHeaderCells(getColumnCells(rows, index, comparator))); + const newRows = [...rows]; + each$2(indexes, index => { + newRows[index] = tableSection.transformRow(rows[index], section); + }); + const newGrid = [ + ...cols, + ...newRows + ]; + const shouldReplaceCell = rowReplacerPredicate(targetRow, columnHeaders); + const scopeGenerator = rowScopeGenerator(applyScope, columnHeaders); + return replaceIn(newGrid, targets, comparator, substitution, tableSection.transformCell, scopeGenerator, shouldReplaceCell); + }; + const replaceCells = (grid, details, comparator, substitution) => { + const rows = extractGridDetails(grid).rows; + const targetCells = map$1(details, detail => getCell(rows[detail.row], detail.column)); + return replaceIn(grid, targetCells, comparator, substitution, replace, Optional.none, always); + }; + + const generate = cases => { + if (!isArray(cases)) { + throw new Error('cases must be an array'); + } + if (cases.length === 0) { + throw new Error('there must be at least one case'); + } + const constructors = []; + const adt = {}; + each$2(cases, (acase, count) => { + const keys$1 = keys(acase); + if (keys$1.length !== 1) { + throw new Error('one and only one name per case'); + } + const key = keys$1[0]; + const value = acase[key]; + if (adt[key] !== undefined) { + throw new Error('duplicate key detected:' + key); + } else if (key === 'cata') { + throw new Error('cannot have a case named cata (sorry)'); + } else if (!isArray(value)) { + throw new Error('case arguments must be an array'); + } + constructors.push(key); + adt[key] = (...args) => { + const argLength = args.length; + if (argLength !== value.length) { + throw new Error('Wrong number of arguments to case ' + key + '. Expected ' + value.length + ' (' + value + '), got ' + argLength); + } + const match = branches => { + const branchKeys = keys(branches); + if (constructors.length !== branchKeys.length) { + throw new Error('Wrong number of arguments to match. Expected: ' + constructors.join(',') + '\nActual: ' + branchKeys.join(',')); + } + const allReqd = forall(constructors, reqKey => { + return contains$2(branchKeys, reqKey); + }); + if (!allReqd) { + throw new Error('Not all branches were specified when using match. Specified: ' + branchKeys.join(', ') + '\nRequired: ' + constructors.join(', ')); + } + return branches[key].apply(null, args); + }; + return { + fold: (...foldArgs) => { + if (foldArgs.length !== cases.length) { + throw new Error('Wrong number of arguments to fold. Expected ' + cases.length + ', got ' + foldArgs.length); + } + const target = foldArgs[count]; + return target.apply(null, args); + }, + match, + log: label => { + console.log(label, { + constructors, + constructor: key, + params: args + }); + } + }; + }; + }); + return adt; + }; + const Adt = { generate }; + + const adt$6 = Adt.generate([ + { none: [] }, + { only: ['index'] }, + { + left: [ + 'index', + 'next' + ] + }, + { + middle: [ + 'prev', + 'index', + 'next' + ] + }, + { + right: [ + 'prev', + 'index' + ] + } + ]); + const ColumnContext = { ...adt$6 }; + + const neighbours = (input, index) => { + if (input.length === 0) { + return ColumnContext.none(); + } + if (input.length === 1) { + return ColumnContext.only(0); + } + if (index === 0) { + return ColumnContext.left(0, 1); + } + if (index === input.length - 1) { + return ColumnContext.right(index - 1, index); + } + if (index > 0 && index < input.length - 1) { + return ColumnContext.middle(index - 1, index, index + 1); + } + return ColumnContext.none(); + }; + const determine = (input, column, step, tableSize, resize) => { + const result = input.slice(0); + const context = neighbours(input, column); + const onNone = constant(map$1(result, constant(0))); + const onOnly = index => tableSize.singleColumnWidth(result[index], step); + const onLeft = (index, next) => resize.calcLeftEdgeDeltas(result, index, next, step, tableSize.minCellWidth(), tableSize.isRelative); + const onMiddle = (prev, index, next) => resize.calcMiddleDeltas(result, prev, index, next, step, tableSize.minCellWidth(), tableSize.isRelative); + const onRight = (prev, index) => resize.calcRightEdgeDeltas(result, prev, index, step, tableSize.minCellWidth(), tableSize.isRelative); + return context.fold(onNone, onOnly, onLeft, onMiddle, onRight); + }; + + const total = (start, end, measures) => { + let r = 0; + for (let i = start; i < end; i++) { + r += measures[i] !== undefined ? measures[i] : 0; + } + return r; + }; + const recalculateWidthForCells = (warehouse, widths) => { + const all = Warehouse.justCells(warehouse); + return map$1(all, cell => { + const width = total(cell.column, cell.column + cell.colspan, widths); + return { + element: cell.element, + width, + colspan: cell.colspan + }; + }); + }; + const recalculateWidthForColumns = (warehouse, widths) => { + const groups = Warehouse.justColumns(warehouse); + return map$1(groups, (column, index) => ({ + element: column.element, + width: widths[index], + colspan: column.colspan + })); + }; + const recalculateHeightForCells = (warehouse, heights) => { + const all = Warehouse.justCells(warehouse); + return map$1(all, cell => { + const height = total(cell.row, cell.row + cell.rowspan, heights); + return { + element: cell.element, + height, + rowspan: cell.rowspan + }; + }); + }; + const matchRowHeight = (warehouse, heights) => { + return map$1(warehouse.all, (row, i) => { + return { + element: row.element, + height: heights[i] + }; + }); + }; + + const sumUp = newSize => foldr(newSize, (b, a) => b + a, 0); + const recalculate = (warehouse, widths) => { + if (Warehouse.hasColumns(warehouse)) { + return recalculateWidthForColumns(warehouse, widths); + } else { + return recalculateWidthForCells(warehouse, widths); + } + }; + const recalculateAndApply = (warehouse, widths, tableSize) => { + const newSizes = recalculate(warehouse, widths); + each$2(newSizes, cell => { + tableSize.setElementWidth(cell.element, cell.width); + }); + }; + const adjustWidth = (table, delta, index, resizing, tableSize) => { + const warehouse = Warehouse.fromTable(table); + const step = tableSize.getCellDelta(delta); + const widths = tableSize.getWidths(warehouse, tableSize); + const isLastColumn = index === warehouse.grid.columns - 1; + const clampedStep = resizing.clampTableDelta(widths, index, step, tableSize.minCellWidth(), isLastColumn); + const deltas = determine(widths, index, clampedStep, tableSize, resizing); + const newWidths = map$1(deltas, (dx, i) => dx + widths[i]); + recalculateAndApply(warehouse, newWidths, tableSize); + resizing.resizeTable(tableSize.adjustTableWidth, clampedStep, isLastColumn); + }; + const adjustHeight = (table, delta, index, direction) => { + const warehouse = Warehouse.fromTable(table); + const heights = getPixelHeights(warehouse, table, direction); + const newHeights = map$1(heights, (dy, i) => index === i ? Math.max(delta + dy, minHeight()) : dy); + const newCellSizes = recalculateHeightForCells(warehouse, newHeights); + const newRowSizes = matchRowHeight(warehouse, newHeights); + each$2(newRowSizes, row => { + setHeight(row.element, row.height); + }); + each$2(newCellSizes, cell => { + setHeight(cell.element, cell.height); + }); + const total = sumUp(newHeights); + setHeight(table, total); + }; + const adjustAndRedistributeWidths$1 = (_table, list, details, tableSize, resizeBehaviour) => { + const warehouse = Warehouse.generate(list); + const sizes = tableSize.getWidths(warehouse, tableSize); + const tablePixelWidth = tableSize.pixelWidth(); + const {newSizes, delta} = resizeBehaviour.calcRedestributedWidths(sizes, tablePixelWidth, details.pixelDelta, tableSize.isRelative); + recalculateAndApply(warehouse, newSizes, tableSize); + tableSize.adjustTableWidth(delta); + }; + const adjustWidthTo = (_table, list, _info, tableSize) => { + const warehouse = Warehouse.generate(list); + const widths = tableSize.getWidths(warehouse, tableSize); + recalculateAndApply(warehouse, widths, tableSize); + }; + + const uniqueColumns = details => { + const uniqueCheck = (rest, detail) => { + const columnExists = exists(rest, currentDetail => currentDetail.column === detail.column); + return columnExists ? rest : rest.concat([detail]); + }; + return foldl(details, uniqueCheck, []).sort((detailA, detailB) => detailA.column - detailB.column); + }; + + const isCol = isTag('col'); + const isColgroup = isTag('colgroup'); + const isRow$1 = element => name(element) === 'tr' || isColgroup(element); + const elementToData = element => { + const colspan = getAttrValue(element, 'colspan', 1); + const rowspan = getAttrValue(element, 'rowspan', 1); + return { + element, + colspan, + rowspan + }; + }; + const modification = (generators, toData = elementToData) => { + const nuCell = data => isCol(data.element) ? generators.col(data) : generators.cell(data); + const nuRow = data => isColgroup(data.element) ? generators.colgroup(data) : generators.row(data); + const add = element => { + if (isRow$1(element)) { + return nuRow({ element }); + } else { + const cell = element; + const replacement = nuCell(toData(cell)); + recent = Optional.some({ + item: cell, + replacement + }); + return replacement; + } + }; + let recent = Optional.none(); + const getOrInit = (element, comparator) => { + return recent.fold(() => { + return add(element); + }, p => { + return comparator(element, p.item) ? p.replacement : add(element); + }); + }; + return { getOrInit }; + }; + const transform$1 = tag => { + return generators => { + const list = []; + const find = (element, comparator) => { + return find$1(list, x => { + return comparator(x.item, element); + }); + }; + const makeNew = element => { + const attrs = tag === 'td' ? { scope: null } : {}; + const cell = generators.replace(element, tag, attrs); + list.push({ + item: element, + sub: cell + }); + return cell; + }; + const replaceOrInit = (element, comparator) => { + if (isRow$1(element) || isCol(element)) { + return element; + } else { + const cell = element; + return find(cell, comparator).fold(() => { + return makeNew(cell); + }, p => { + return comparator(element, p.item) ? p.sub : makeNew(cell); + }); + } + }; + return { replaceOrInit }; + }; + }; + const getScopeAttribute = cell => getOpt(cell, 'scope').map(attribute => attribute.substr(0, 3)); + const merging = generators => { + const unmerge = cell => { + const scope = getScopeAttribute(cell); + scope.each(attribute => set$2(cell, 'scope', attribute)); + return () => { + const raw = generators.cell({ + element: cell, + colspan: 1, + rowspan: 1 + }); + remove$5(raw, 'width'); + remove$5(cell, 'width'); + scope.each(attribute => set$2(raw, 'scope', attribute)); + return raw; + }; + }; + const merge = cells => { + const getScopeProperty = () => { + const stringAttributes = cat(map$1(cells, getScopeAttribute)); + if (stringAttributes.length === 0) { + return Optional.none(); + } else { + const baseScope = stringAttributes[0]; + const scopes = [ + 'row', + 'col' + ]; + const isMixed = exists(stringAttributes, attribute => { + return attribute !== baseScope && contains$2(scopes, attribute); + }); + return isMixed ? Optional.none() : Optional.from(baseScope); + } + }; + remove$5(cells[0], 'width'); + getScopeProperty().fold(() => remove$7(cells[0], 'scope'), attribute => set$2(cells[0], 'scope', attribute + 'group')); + return constant(cells[0]); + }; + return { + unmerge, + merge + }; + }; + const Generators = { + modification, + transform: transform$1, + merging + }; + + const blockList = [ + 'body', + 'p', + 'div', + 'article', + 'aside', + 'figcaption', + 'figure', + 'footer', + 'header', + 'nav', + 'section', + 'ol', + 'ul', + 'table', + 'thead', + 'tfoot', + 'tbody', + 'caption', + 'tr', + 'td', + 'th', + 'h1', + 'h2', + 'h3', + 'h4', + 'h5', + 'h6', + 'blockquote', + 'pre', + 'address' + ]; + const isList$1 = (universe, item) => { + const tagName = universe.property().name(item); + return contains$2([ + 'ol', + 'ul' + ], tagName); + }; + const isBlock$1 = (universe, item) => { + const tagName = universe.property().name(item); + return contains$2(blockList, tagName); + }; + const isEmptyTag$1 = (universe, item) => { + return contains$2([ + 'br', + 'img', + 'hr', + 'input' + ], universe.property().name(item)); + }; + + const universe$1 = DomUniverse(); + const isBlock = element => { + return isBlock$1(universe$1, element); + }; + const isList = element => { + return isList$1(universe$1, element); + }; + const isEmptyTag = element => { + return isEmptyTag$1(universe$1, element); + }; + + const merge = cells => { + const isBr = isTag('br'); + const advancedBr = children => { + return forall(children, c => { + return isBr(c) || isText(c) && get$6(c).trim().length === 0; + }); + }; + const isListItem = el => { + return name(el) === 'li' || ancestor$2(el, isList).isSome(); + }; + const siblingIsBlock = el => { + return nextSibling(el).map(rightSibling => { + if (isBlock(rightSibling)) { + return true; + } + if (isEmptyTag(rightSibling)) { + return name(rightSibling) === 'img' ? false : true; + } + return false; + }).getOr(false); + }; + const markCell = cell => { + return last$1(cell).bind(rightEdge => { + const rightSiblingIsBlock = siblingIsBlock(rightEdge); + return parent(rightEdge).map(parent => { + return rightSiblingIsBlock === true || isListItem(parent) || isBr(rightEdge) || isBlock(parent) && !eq$1(cell, parent) ? [] : [SugarElement.fromTag('br')]; + }); + }).getOr([]); + }; + const markContent = () => { + const content = bind$2(cells, cell => { + const children = children$2(cell); + return advancedBr(children) ? [] : children.concat(markCell(cell)); + }); + return content.length === 0 ? [SugarElement.fromTag('br')] : content; + }; + const contents = markContent(); + empty(cells[0]); + append(cells[0], contents); + }; + + const isEditable = elem => isEditable$1(elem, true); + const prune = table => { + const cells = cells$1(table); + if (cells.length === 0) { + remove$6(table); + } + }; + const outcome = (grid, cursor) => ({ + grid, + cursor + }); + const findEditableCursorPosition = rows => findMap(rows, row => findMap(row.cells, cell => { + const elem = cell.element; + return someIf(isEditable(elem), elem); + })); + const elementFromGrid = (grid, row, column) => { + var _a, _b; + const rows = extractGridDetails(grid).rows; + return Optional.from((_b = (_a = rows[row]) === null || _a === void 0 ? void 0 : _a.cells[column]) === null || _b === void 0 ? void 0 : _b.element).filter(isEditable).orThunk(() => findEditableCursorPosition(rows)); + }; + const bundle = (grid, row, column) => { + const cursorElement = elementFromGrid(grid, row, column); + return outcome(grid, cursorElement); + }; + const uniqueRows = details => { + const rowCompilation = (rest, detail) => { + const rowExists = exists(rest, currentDetail => currentDetail.row === detail.row); + return rowExists ? rest : rest.concat([detail]); + }; + return foldl(details, rowCompilation, []).sort((detailA, detailB) => detailA.row - detailB.row); + }; + const opInsertRowsBefore = (grid, details, comparator, genWrappers) => { + const targetIndex = details[0].row; + const rows = uniqueRows(details); + const newGrid = foldr(rows, (acc, row) => { + const newG = insertRowAt(acc.grid, targetIndex, row.row + acc.delta, comparator, genWrappers.getOrInit); + return { + grid: newG, + delta: acc.delta + 1 + }; + }, { + grid, + delta: 0 + }).grid; + return bundle(newGrid, targetIndex, details[0].column); + }; + const opInsertRowsAfter = (grid, details, comparator, genWrappers) => { + const rows = uniqueRows(details); + const target = rows[rows.length - 1]; + const targetIndex = target.row + target.rowspan; + const newGrid = foldr(rows, (newG, row) => { + return insertRowAt(newG, targetIndex, row.row, comparator, genWrappers.getOrInit); + }, grid); + return bundle(newGrid, targetIndex, details[0].column); + }; + const opInsertColumnsBefore = (grid, extractDetail, comparator, genWrappers) => { + const details = extractDetail.details; + const columns = uniqueColumns(details); + const targetIndex = columns[0].column; + const newGrid = foldr(columns, (acc, col) => { + const newG = insertColumnAt(acc.grid, targetIndex, col.column + acc.delta, comparator, genWrappers.getOrInit); + return { + grid: newG, + delta: acc.delta + 1 + }; + }, { + grid, + delta: 0 + }).grid; + return bundle(newGrid, details[0].row, targetIndex); + }; + const opInsertColumnsAfter = (grid, extractDetail, comparator, genWrappers) => { + const details = extractDetail.details; + const target = details[details.length - 1]; + const targetIndex = target.column + target.colspan; + const columns = uniqueColumns(details); + const newGrid = foldr(columns, (newG, col) => { + return insertColumnAt(newG, targetIndex, col.column, comparator, genWrappers.getOrInit); + }, grid); + return bundle(newGrid, details[0].row, targetIndex); + }; + const opMakeColumnsHeader = (initialGrid, details, comparator, genWrappers) => { + const columns = uniqueColumns(details); + const columnIndexes = map$1(columns, detail => detail.column); + const newGrid = replaceColumns(initialGrid, columnIndexes, true, comparator, genWrappers.replaceOrInit); + return bundle(newGrid, details[0].row, details[0].column); + }; + const opMakeCellsHeader = (initialGrid, details, comparator, genWrappers) => { + const newGrid = replaceCells(initialGrid, details, comparator, genWrappers.replaceOrInit); + return bundle(newGrid, details[0].row, details[0].column); + }; + const opUnmakeColumnsHeader = (initialGrid, details, comparator, genWrappers) => { + const columns = uniqueColumns(details); + const columnIndexes = map$1(columns, detail => detail.column); + const newGrid = replaceColumns(initialGrid, columnIndexes, false, comparator, genWrappers.replaceOrInit); + return bundle(newGrid, details[0].row, details[0].column); + }; + const opUnmakeCellsHeader = (initialGrid, details, comparator, genWrappers) => { + const newGrid = replaceCells(initialGrid, details, comparator, genWrappers.replaceOrInit); + return bundle(newGrid, details[0].row, details[0].column); + }; + const makeRowsSection = (section, applyScope) => (initialGrid, details, comparator, genWrappers, tableSection) => { + const rows = uniqueRows(details); + const rowIndexes = map$1(rows, detail => detail.row); + const newGrid = replaceRows(initialGrid, rowIndexes, section, applyScope, comparator, genWrappers.replaceOrInit, tableSection); + return bundle(newGrid, details[0].row, details[0].column); + }; + const opMakeRowsHeader = makeRowsSection('thead', true); + const opMakeRowsBody = makeRowsSection('tbody', false); + const opMakeRowsFooter = makeRowsSection('tfoot', false); + const opEraseColumns = (grid, extractDetail, _comparator, _genWrappers) => { + const columns = uniqueColumns(extractDetail.details); + const newGrid = deleteColumnsAt(grid, map$1(columns, column => column.column)); + const maxColIndex = newGrid.length > 0 ? newGrid[0].cells.length - 1 : 0; + return bundle(newGrid, columns[0].row, Math.min(columns[0].column, maxColIndex)); + }; + const opEraseRows = (grid, details, _comparator, _genWrappers) => { + const rows = uniqueRows(details); + const newGrid = deleteRowsAt(grid, rows[0].row, rows[rows.length - 1].row); + const maxRowIndex = newGrid.length > 0 ? newGrid.length - 1 : 0; + return bundle(newGrid, Math.min(details[0].row, maxRowIndex), details[0].column); + }; + const opMergeCells = (grid, mergable, comparator, genWrappers) => { + const cells = mergable.cells; + merge(cells); + const newGrid = merge$2(grid, mergable.bounds, comparator, genWrappers.merge(cells)); + return outcome(newGrid, Optional.from(cells[0])); + }; + const opUnmergeCells = (grid, unmergable, comparator, genWrappers) => { + const unmerge$1 = (b, cell) => unmerge(b, cell, comparator, genWrappers.unmerge(cell)); + const newGrid = foldr(unmergable, unmerge$1, grid); + return outcome(newGrid, Optional.from(unmergable[0])); + }; + const opPasteCells = (grid, pasteDetails, comparator, _genWrappers) => { + const gridify = (table, generators) => { + const wh = Warehouse.fromTable(table); + return toGrid(wh, generators, true); + }; + const gridB = gridify(pasteDetails.clipboard, pasteDetails.generators); + const startAddress = address(pasteDetails.row, pasteDetails.column); + const mergedGrid = merge$1(startAddress, grid, gridB, pasteDetails.generators, comparator); + return mergedGrid.fold(() => outcome(grid, Optional.some(pasteDetails.element)), newGrid => { + return bundle(newGrid, pasteDetails.row, pasteDetails.column); + }); + }; + const gridifyRows = (rows, generators, context) => { + const pasteDetails = fromPastedRows(rows, context.section); + const wh = Warehouse.generate(pasteDetails); + return toGrid(wh, generators, true); + }; + const opPasteColsBefore = (grid, pasteDetails, comparator, _genWrappers) => { + const rows = extractGridDetails(grid).rows; + const index = pasteDetails.cells[0].column; + const context = rows[pasteDetails.cells[0].row]; + const gridB = gridifyRows(pasteDetails.clipboard, pasteDetails.generators, context); + const mergedGrid = insertCols(index, grid, gridB, pasteDetails.generators, comparator); + return bundle(mergedGrid, pasteDetails.cells[0].row, pasteDetails.cells[0].column); + }; + const opPasteColsAfter = (grid, pasteDetails, comparator, _genWrappers) => { + const rows = extractGridDetails(grid).rows; + const index = pasteDetails.cells[pasteDetails.cells.length - 1].column + pasteDetails.cells[pasteDetails.cells.length - 1].colspan; + const context = rows[pasteDetails.cells[0].row]; + const gridB = gridifyRows(pasteDetails.clipboard, pasteDetails.generators, context); + const mergedGrid = insertCols(index, grid, gridB, pasteDetails.generators, comparator); + return bundle(mergedGrid, pasteDetails.cells[0].row, pasteDetails.cells[0].column); + }; + const opPasteRowsBefore = (grid, pasteDetails, comparator, _genWrappers) => { + const rows = extractGridDetails(grid).rows; + const index = pasteDetails.cells[0].row; + const context = rows[index]; + const gridB = gridifyRows(pasteDetails.clipboard, pasteDetails.generators, context); + const mergedGrid = insertRows(index, grid, gridB, pasteDetails.generators, comparator); + return bundle(mergedGrid, pasteDetails.cells[0].row, pasteDetails.cells[0].column); + }; + const opPasteRowsAfter = (grid, pasteDetails, comparator, _genWrappers) => { + const rows = extractGridDetails(grid).rows; + const index = pasteDetails.cells[pasteDetails.cells.length - 1].row + pasteDetails.cells[pasteDetails.cells.length - 1].rowspan; + const context = rows[pasteDetails.cells[0].row]; + const gridB = gridifyRows(pasteDetails.clipboard, pasteDetails.generators, context); + const mergedGrid = insertRows(index, grid, gridB, pasteDetails.generators, comparator); + return bundle(mergedGrid, pasteDetails.cells[0].row, pasteDetails.cells[0].column); + }; + const opGetColumnsType = (table, target) => { + const house = Warehouse.fromTable(table); + const details = onCells(house, target); + return details.bind(selectedCells => { + const lastSelectedCell = selectedCells[selectedCells.length - 1]; + const minColRange = selectedCells[0].column; + const maxColRange = lastSelectedCell.column + lastSelectedCell.colspan; + const selectedColumnCells = flatten(map$1(house.all, row => filter$2(row.cells, cell => cell.column >= minColRange && cell.column < maxColRange))); + return findCommonCellType(selectedColumnCells); + }).getOr(''); + }; + const opGetCellsType = (table, target) => { + const house = Warehouse.fromTable(table); + const details = onCells(house, target); + return details.bind(findCommonCellType).getOr(''); + }; + const opGetRowsType = (table, target) => { + const house = Warehouse.fromTable(table); + const details = onCells(house, target); + return details.bind(selectedCells => { + const lastSelectedCell = selectedCells[selectedCells.length - 1]; + const minRowRange = selectedCells[0].row; + const maxRowRange = lastSelectedCell.row + lastSelectedCell.rowspan; + const selectedRows = house.all.slice(minRowRange, maxRowRange); + return findCommonRowType(selectedRows); + }).getOr(''); + }; + const resize = (table, list, details, behaviours) => adjustWidthTo(table, list, details, behaviours.sizing); + const adjustAndRedistributeWidths = (table, list, details, behaviours) => adjustAndRedistributeWidths$1(table, list, details, behaviours.sizing, behaviours.resize); + const firstColumnIsLocked = (_warehouse, details) => exists(details, detail => detail.column === 0 && detail.isLocked); + const lastColumnIsLocked = (warehouse, details) => exists(details, detail => detail.column + detail.colspan >= warehouse.grid.columns && detail.isLocked); + const getColumnsWidth = (warehouse, details) => { + const columns$1 = columns(warehouse); + const uniqueCols = uniqueColumns(details); + return foldl(uniqueCols, (acc, detail) => { + const column = columns$1[detail.column]; + const colWidth = column.map(getOuter$2).getOr(0); + return acc + colWidth; + }, 0); + }; + const insertColumnsExtractor = before => (warehouse, target) => onCells(warehouse, target).filter(details => { + const checkLocked = before ? firstColumnIsLocked : lastColumnIsLocked; + return !checkLocked(warehouse, details); + }).map(details => ({ + details, + pixelDelta: getColumnsWidth(warehouse, details) + })); + const eraseColumnsExtractor = (warehouse, target) => onUnlockedCells(warehouse, target).map(details => ({ + details, + pixelDelta: -getColumnsWidth(warehouse, details) + })); + const pasteColumnsExtractor = before => (warehouse, target) => onPasteByEditor(warehouse, target).filter(details => { + const checkLocked = before ? firstColumnIsLocked : lastColumnIsLocked; + return !checkLocked(warehouse, details.cells); + }); + const headerCellGenerator = Generators.transform('th'); + const bodyCellGenerator = Generators.transform('td'); + const insertRowsBefore = run(opInsertRowsBefore, onCells, noop, noop, Generators.modification); + const insertRowsAfter = run(opInsertRowsAfter, onCells, noop, noop, Generators.modification); + const insertColumnsBefore = run(opInsertColumnsBefore, insertColumnsExtractor(true), adjustAndRedistributeWidths, noop, Generators.modification); + const insertColumnsAfter = run(opInsertColumnsAfter, insertColumnsExtractor(false), adjustAndRedistributeWidths, noop, Generators.modification); + const eraseColumns = run(opEraseColumns, eraseColumnsExtractor, adjustAndRedistributeWidths, prune, Generators.modification); + const eraseRows = run(opEraseRows, onCells, noop, prune, Generators.modification); + const makeColumnsHeader = run(opMakeColumnsHeader, onUnlockedCells, noop, noop, headerCellGenerator); + const unmakeColumnsHeader = run(opUnmakeColumnsHeader, onUnlockedCells, noop, noop, bodyCellGenerator); + const makeRowsHeader = run(opMakeRowsHeader, onUnlockedCells, noop, noop, headerCellGenerator); + const makeRowsBody = run(opMakeRowsBody, onUnlockedCells, noop, noop, bodyCellGenerator); + const makeRowsFooter = run(opMakeRowsFooter, onUnlockedCells, noop, noop, bodyCellGenerator); + const makeCellsHeader = run(opMakeCellsHeader, onUnlockedCells, noop, noop, headerCellGenerator); + const unmakeCellsHeader = run(opUnmakeCellsHeader, onUnlockedCells, noop, noop, bodyCellGenerator); + const mergeCells = run(opMergeCells, onUnlockedMergable, resize, noop, Generators.merging); + const unmergeCells = run(opUnmergeCells, onUnlockedUnmergable, resize, noop, Generators.merging); + const pasteCells = run(opPasteCells, onPaste, resize, noop, Generators.modification); + const pasteColsBefore = run(opPasteColsBefore, pasteColumnsExtractor(true), noop, noop, Generators.modification); + const pasteColsAfter = run(opPasteColsAfter, pasteColumnsExtractor(false), noop, noop, Generators.modification); + const pasteRowsBefore = run(opPasteRowsBefore, onPasteByEditor, noop, noop, Generators.modification); + const pasteRowsAfter = run(opPasteRowsAfter, onPasteByEditor, noop, noop, Generators.modification); + const getColumnsType = opGetColumnsType; + const getCellsType = opGetCellsType; + const getRowsType = opGetRowsType; + + const fireNewRow = (editor, row) => editor.dispatch('NewRow', { node: row }); + const fireNewCell = (editor, cell) => editor.dispatch('NewCell', { node: cell }); + const fireTableModified = (editor, table, data) => { + editor.dispatch('TableModified', { + ...data, + table + }); + }; + const fireTableSelectionChange = (editor, cells, start, finish, otherCells) => { + editor.dispatch('TableSelectionChange', { + cells, + start, + finish, + otherCells + }); + }; + const fireTableSelectionClear = editor => { + editor.dispatch('TableSelectionClear'); + }; + const fireObjectResizeStart = (editor, target, width, height, origin) => { + editor.dispatch('ObjectResizeStart', { + target, + width, + height, + origin + }); + }; + const fireObjectResized = (editor, target, width, height, origin) => { + editor.dispatch('ObjectResized', { + target, + width, + height, + origin + }); + }; + const styleModified = { + structure: false, + style: true + }; + const structureModified = { + structure: true, + style: false + }; + const styleAndStructureModified = { + structure: true, + style: true + }; + + const get$5 = (editor, table) => { + if (isTablePercentagesForced(editor)) { + return TableSize.percentageSize(table); + } else if (isTablePixelsForced(editor)) { + return TableSize.pixelSize(table); + } else { + return TableSize.getTableSize(table); + } + }; + + const TableActions = (editor, resizeHandler, cellSelectionHandler) => { + const isTableBody = editor => name(getBody(editor)) === 'table'; + const lastRowGuard = table => !isTableBody(editor) || getGridSize(table).rows > 1; + const lastColumnGuard = table => !isTableBody(editor) || getGridSize(table).columns > 1; + const cloneFormats = getTableCloneElements(editor); + const colMutationOp = isResizeTableColumnResizing(editor) ? noop : halve; + const getTableSectionType = table => { + switch (getTableHeaderType(editor)) { + case 'section': + return TableSection.section(); + case 'sectionCells': + return TableSection.sectionCells(); + case 'cells': + return TableSection.cells(); + default: + return TableSection.getTableSectionType(table, 'section'); + } + }; + const setSelectionFromAction = (table, result) => result.cursor.fold(() => { + const cells = cells$1(table); + return head(cells).filter(inBody).map(firstCell => { + cellSelectionHandler.clearSelectedCells(table.dom); + const rng = editor.dom.createRng(); + rng.selectNode(firstCell.dom); + editor.selection.setRng(rng); + set$2(firstCell, 'data-mce-selected', '1'); + return rng; + }); + }, cell => { + const des = freefallRtl(cell); + const rng = editor.dom.createRng(); + rng.setStart(des.element.dom, des.offset); + rng.setEnd(des.element.dom, des.offset); + editor.selection.setRng(rng); + cellSelectionHandler.clearSelectedCells(table.dom); + return Optional.some(rng); + }); + const execute = (operation, guard, mutate, effect) => (table, target, noEvents = false) => { + removeDataStyle(table); + const doc = SugarElement.fromDom(editor.getDoc()); + const generators = cellOperations(mutate, doc, cloneFormats); + const behaviours = { + sizing: get$5(editor, table), + resize: isResizeTableColumnResizing(editor) ? resizeTable() : preserveTable(), + section: getTableSectionType(table) + }; + return guard(table) ? operation(table, target, generators, behaviours).bind(result => { + resizeHandler.refresh(table.dom); + each$2(result.newRows, row => { + fireNewRow(editor, row.dom); + }); + each$2(result.newCells, cell => { + fireNewCell(editor, cell.dom); + }); + const range = setSelectionFromAction(table, result); + if (inBody(table)) { + removeDataStyle(table); + if (!noEvents) { + fireTableModified(editor, table.dom, effect); + } + } + return range.map(rng => ({ + rng, + effect + })); + }) : Optional.none(); + }; + const deleteRow = execute(eraseRows, lastRowGuard, noop, structureModified); + const deleteColumn = execute(eraseColumns, lastColumnGuard, noop, structureModified); + const insertRowsBefore$1 = execute(insertRowsBefore, always, noop, structureModified); + const insertRowsAfter$1 = execute(insertRowsAfter, always, noop, structureModified); + const insertColumnsBefore$1 = execute(insertColumnsBefore, always, colMutationOp, structureModified); + const insertColumnsAfter$1 = execute(insertColumnsAfter, always, colMutationOp, structureModified); + const mergeCells$1 = execute(mergeCells, always, noop, structureModified); + const unmergeCells$1 = execute(unmergeCells, always, noop, structureModified); + const pasteColsBefore$1 = execute(pasteColsBefore, always, noop, structureModified); + const pasteColsAfter$1 = execute(pasteColsAfter, always, noop, structureModified); + const pasteRowsBefore$1 = execute(pasteRowsBefore, always, noop, structureModified); + const pasteRowsAfter$1 = execute(pasteRowsAfter, always, noop, structureModified); + const pasteCells$1 = execute(pasteCells, always, noop, styleAndStructureModified); + const makeCellsHeader$1 = execute(makeCellsHeader, always, noop, structureModified); + const unmakeCellsHeader$1 = execute(unmakeCellsHeader, always, noop, structureModified); + const makeColumnsHeader$1 = execute(makeColumnsHeader, always, noop, structureModified); + const unmakeColumnsHeader$1 = execute(unmakeColumnsHeader, always, noop, structureModified); + const makeRowsHeader$1 = execute(makeRowsHeader, always, noop, structureModified); + const makeRowsBody$1 = execute(makeRowsBody, always, noop, structureModified); + const makeRowsFooter$1 = execute(makeRowsFooter, always, noop, structureModified); + const getTableCellType = getCellsType; + const getTableColType = getColumnsType; + const getTableRowType = getRowsType; + return { + deleteRow, + deleteColumn, + insertRowsBefore: insertRowsBefore$1, + insertRowsAfter: insertRowsAfter$1, + insertColumnsBefore: insertColumnsBefore$1, + insertColumnsAfter: insertColumnsAfter$1, + mergeCells: mergeCells$1, + unmergeCells: unmergeCells$1, + pasteColsBefore: pasteColsBefore$1, + pasteColsAfter: pasteColsAfter$1, + pasteRowsBefore: pasteRowsBefore$1, + pasteRowsAfter: pasteRowsAfter$1, + pasteCells: pasteCells$1, + makeCellsHeader: makeCellsHeader$1, + unmakeCellsHeader: unmakeCellsHeader$1, + makeColumnsHeader: makeColumnsHeader$1, + unmakeColumnsHeader: unmakeColumnsHeader$1, + makeRowsHeader: makeRowsHeader$1, + makeRowsBody: makeRowsBody$1, + makeRowsFooter: makeRowsFooter$1, + getTableRowType, + getTableCellType, + getTableColType + }; + }; + + const constrainSpan = (element, property, value) => { + const currentColspan = getAttrValue(element, property, 1); + if (value === 1 || currentColspan <= 1) { + remove$7(element, property); + } else { + set$2(element, property, Math.min(value, currentColspan)); + } + }; + const isColInRange = (minColRange, maxColRange) => cell => { + const endCol = cell.column + cell.colspan - 1; + const startCol = cell.column; + return endCol >= minColRange && startCol < maxColRange; + }; + const generateColGroup = (house, minColRange, maxColRange) => { + if (Warehouse.hasColumns(house)) { + const colsToCopy = filter$2(Warehouse.justColumns(house), isColInRange(minColRange, maxColRange)); + const copiedCols = map$1(colsToCopy, c => { + const clonedCol = deep(c.element); + constrainSpan(clonedCol, 'span', maxColRange - minColRange); + return clonedCol; + }); + const fakeColgroup = SugarElement.fromTag('colgroup'); + append(fakeColgroup, copiedCols); + return [fakeColgroup]; + } else { + return []; + } + }; + const generateRows = (house, minColRange, maxColRange) => map$1(house.all, row => { + const cellsToCopy = filter$2(row.cells, isColInRange(minColRange, maxColRange)); + const copiedCells = map$1(cellsToCopy, cell => { + const clonedCell = deep(cell.element); + constrainSpan(clonedCell, 'colspan', maxColRange - minColRange); + return clonedCell; + }); + const fakeTR = SugarElement.fromTag('tr'); + append(fakeTR, copiedCells); + return fakeTR; + }); + const copyCols = (table, target) => { + const house = Warehouse.fromTable(table); + const details = onUnlockedCells(house, target); + return details.map(selectedCells => { + const lastSelectedCell = selectedCells[selectedCells.length - 1]; + const minColRange = selectedCells[0].column; + const maxColRange = lastSelectedCell.column + lastSelectedCell.colspan; + const fakeColGroups = generateColGroup(house, minColRange, maxColRange); + const fakeRows = generateRows(house, minColRange, maxColRange); + return [ + ...fakeColGroups, + ...fakeRows + ]; + }); + }; + + const copyRows = (table, target, generators) => { + const warehouse = Warehouse.fromTable(table); + const details = onCells(warehouse, target); + return details.bind(selectedCells => { + const grid = toGrid(warehouse, generators, false); + const rows = extractGridDetails(grid).rows; + const slicedGrid = rows.slice(selectedCells[0].row, selectedCells[selectedCells.length - 1].row + selectedCells[selectedCells.length - 1].rowspan); + const filteredGrid = bind$2(slicedGrid, row => { + const newCells = filter$2(row.cells, cell => !cell.isLocked); + return newCells.length > 0 ? [{ + ...row, + cells: newCells + }] : []; + }); + const slicedDetails = toDetailList(filteredGrid); + return someIf(slicedDetails.length > 0, slicedDetails); + }).map(slicedDetails => copy(slicedDetails)); + }; + + const adt$5 = Adt.generate([ + { invalid: ['raw'] }, + { pixels: ['value'] }, + { percent: ['value'] } + ]); + const validateFor = (suffix, type, value) => { + const rawAmount = value.substring(0, value.length - suffix.length); + const amount = parseFloat(rawAmount); + return rawAmount === amount.toString() ? type(amount) : adt$5.invalid(value); + }; + const from = value => { + if (endsWith(value, '%')) { + return validateFor('%', adt$5.percent, value); + } + if (endsWith(value, 'px')) { + return validateFor('px', adt$5.pixels, value); + } + return adt$5.invalid(value); + }; + const Size = { + ...adt$5, + from + }; + + const redistributeToPercent = (widths, totalWidth) => { + return map$1(widths, w => { + const colType = Size.from(w); + return colType.fold(() => { + return w; + }, px => { + const ratio = px / totalWidth * 100; + return ratio + '%'; + }, pc => { + return pc + '%'; + }); + }); + }; + const redistributeToPx = (widths, totalWidth, newTotalWidth) => { + const scale = newTotalWidth / totalWidth; + return map$1(widths, w => { + const colType = Size.from(w); + return colType.fold(() => { + return w; + }, px => { + return px * scale + 'px'; + }, pc => { + return pc / 100 * newTotalWidth + 'px'; + }); + }); + }; + const redistributeEmpty = (newWidthType, columns) => { + const f = newWidthType.fold(() => constant(''), pixels => { + const num = pixels / columns; + return constant(num + 'px'); + }, () => { + const num = 100 / columns; + return constant(num + '%'); + }); + return range$1(columns, f); + }; + const redistributeValues = (newWidthType, widths, totalWidth) => { + return newWidthType.fold(() => { + return widths; + }, px => { + return redistributeToPx(widths, totalWidth, px); + }, _pc => { + return redistributeToPercent(widths, totalWidth); + }); + }; + const redistribute$1 = (widths, totalWidth, newWidth) => { + const newType = Size.from(newWidth); + const floats = forall(widths, s => { + return s === '0px'; + }) ? redistributeEmpty(newType, widths.length) : redistributeValues(newType, widths, totalWidth); + return normalize(floats); + }; + const sum = (values, fallback) => { + if (values.length === 0) { + return fallback; + } + return foldr(values, (rest, v) => { + return Size.from(v).fold(constant(0), identity, identity) + rest; + }, 0); + }; + const roundDown = (num, unit) => { + const floored = Math.floor(num); + return { + value: floored + unit, + remainder: num - floored + }; + }; + const add$3 = (value, amount) => { + return Size.from(value).fold(constant(value), px => { + return px + amount + 'px'; + }, pc => { + return pc + amount + '%'; + }); + }; + const normalize = values => { + if (values.length === 0) { + return values; + } + const scan = foldr(values, (rest, value) => { + const info = Size.from(value).fold(() => ({ + value, + remainder: 0 + }), num => roundDown(num, 'px'), num => ({ + value: num + '%', + remainder: 0 + })); + return { + output: [info.value].concat(rest.output), + remainder: rest.remainder + info.remainder + }; + }, { + output: [], + remainder: 0 + }); + const r = scan.output; + return r.slice(0, r.length - 1).concat([add$3(r[r.length - 1], Math.round(scan.remainder))]); + }; + const validate = Size.from; + + const redistributeToW = (newWidths, cells, unit) => { + each$2(cells, cell => { + const widths = newWidths.slice(cell.column, cell.colspan + cell.column); + const w = sum(widths, minWidth()); + set$1(cell.element, 'width', w + unit); + }); + }; + const redistributeToColumns = (newWidths, columns, unit) => { + each$2(columns, (column, index) => { + const width = sum([newWidths[index]], minWidth()); + set$1(column.element, 'width', width + unit); + }); + }; + const redistributeToH = (newHeights, rows, cells, unit) => { + each$2(cells, cell => { + const heights = newHeights.slice(cell.row, cell.rowspan + cell.row); + const h = sum(heights, minHeight()); + set$1(cell.element, 'height', h + unit); + }); + each$2(rows, (row, i) => { + set$1(row.element, 'height', newHeights[i]); + }); + }; + const getUnit = newSize => { + return validate(newSize).fold(constant('px'), constant('px'), constant('%')); + }; + const redistribute = (table, optWidth, optHeight) => { + const warehouse = Warehouse.fromTable(table); + const rows = warehouse.all; + const cells = Warehouse.justCells(warehouse); + const columns = Warehouse.justColumns(warehouse); + optWidth.each(newWidth => { + const widthUnit = getUnit(newWidth); + const totalWidth = get$9(table); + const oldWidths = getRawWidths(warehouse, table); + const nuWidths = redistribute$1(oldWidths, totalWidth, newWidth); + if (Warehouse.hasColumns(warehouse)) { + redistributeToColumns(nuWidths, columns, widthUnit); + } else { + redistributeToW(nuWidths, cells, widthUnit); + } + set$1(table, 'width', newWidth); + }); + optHeight.each(newHeight => { + const hUnit = getUnit(newHeight); + const totalHeight = get$8(table); + const oldHeights = getRawHeights(warehouse, table, height); + const nuHeights = redistribute$1(oldHeights, totalHeight, newHeight); + redistributeToH(nuHeights, rows, cells, hUnit); + set$1(table, 'height', newHeight); + }); + }; + const isPercentSizing = isPercentSizing$1; + const isPixelSizing = isPixelSizing$1; + const isNoneSizing = isNoneSizing$1; + + const cleanupLegacyAttributes = element => { + remove$7(element, 'width'); + }; + const convertToPercentSize = table => { + const newWidth = getPercentTableWidth(table); + redistribute(table, Optional.some(newWidth), Optional.none()); + cleanupLegacyAttributes(table); + }; + const convertToPixelSize = table => { + const newWidth = getPixelTableWidth(table); + redistribute(table, Optional.some(newWidth), Optional.none()); + cleanupLegacyAttributes(table); + }; + const convertToNoneSize = table => { + remove$5(table, 'width'); + const columns = columns$1(table); + const rowElements = columns.length > 0 ? columns : cells$1(table); + each$2(rowElements, cell => { + remove$5(cell, 'width'); + cleanupLegacyAttributes(cell); + }); + cleanupLegacyAttributes(table); + }; + + const DefaultRenderOptions = { + styles: { + 'border-collapse': 'collapse', + 'width': '100%' + }, + attributes: { border: '1' }, + colGroups: false + }; + const tableHeaderCell = () => SugarElement.fromTag('th'); + const tableCell = () => SugarElement.fromTag('td'); + const tableColumn = () => SugarElement.fromTag('col'); + const createRow = (columns, rowHeaders, columnHeaders, rowIndex) => { + const tr = SugarElement.fromTag('tr'); + for (let j = 0; j < columns; j++) { + const td = rowIndex < rowHeaders || j < columnHeaders ? tableHeaderCell() : tableCell(); + if (j < columnHeaders) { + set$2(td, 'scope', 'row'); + } + if (rowIndex < rowHeaders) { + set$2(td, 'scope', 'col'); + } + append$1(td, SugarElement.fromTag('br')); + append$1(tr, td); + } + return tr; + }; + const createGroupRow = columns => { + const columnGroup = SugarElement.fromTag('colgroup'); + range$1(columns, () => append$1(columnGroup, tableColumn())); + return columnGroup; + }; + const createRows = (rows, columns, rowHeaders, columnHeaders) => range$1(rows, r => createRow(columns, rowHeaders, columnHeaders, r)); + const render = (rows, columns, rowHeaders, columnHeaders, headerType, renderOpts = DefaultRenderOptions) => { + const table = SugarElement.fromTag('table'); + const rowHeadersGoInThead = headerType !== 'cells'; + setAll(table, renderOpts.styles); + setAll$1(table, renderOpts.attributes); + if (renderOpts.colGroups) { + append$1(table, createGroupRow(columns)); + } + const actualRowHeaders = Math.min(rows, rowHeaders); + if (rowHeadersGoInThead && rowHeaders > 0) { + const thead = SugarElement.fromTag('thead'); + append$1(table, thead); + const theadRowHeaders = headerType === 'sectionCells' ? actualRowHeaders : 0; + const theadRows = createRows(rowHeaders, columns, theadRowHeaders, columnHeaders); + append(thead, theadRows); + } + const tbody = SugarElement.fromTag('tbody'); + append$1(table, tbody); + const numRows = rowHeadersGoInThead ? rows - actualRowHeaders : rows; + const numRowHeaders = rowHeadersGoInThead ? 0 : rowHeaders; + const tbodyRows = createRows(numRows, columns, numRowHeaders, columnHeaders); + append(tbody, tbodyRows); + return table; + }; + + const get$4 = element => element.dom.innerHTML; + const getOuter = element => { + const container = SugarElement.fromTag('div'); + const clone = SugarElement.fromDom(element.dom.cloneNode(true)); + append$1(container, clone); + return get$4(container); + }; + + const placeCaretInCell = (editor, cell) => { + editor.selection.select(cell.dom, true); + editor.selection.collapse(true); + }; + const selectFirstCellInTable = (editor, tableElm) => { + descendant(tableElm, 'td,th').each(curry(placeCaretInCell, editor)); + }; + const fireEvents = (editor, table) => { + each$2(descendants(table, 'tr'), row => { + fireNewRow(editor, row.dom); + each$2(descendants(row, 'th,td'), cell => { + fireNewCell(editor, cell.dom); + }); + }); + }; + const isPercentage = width => isString(width) && width.indexOf('%') !== -1; + const insert = (editor, columns, rows, colHeaders, rowHeaders) => { + const defaultStyles = getTableDefaultStyles(editor); + const options = { + styles: defaultStyles, + attributes: getTableDefaultAttributes(editor), + colGroups: tableUseColumnGroup(editor) + }; + editor.undoManager.ignore(() => { + const table = render(rows, columns, rowHeaders, colHeaders, getTableHeaderType(editor), options); + set$2(table, 'data-mce-id', '__mce'); + const html = getOuter(table); + editor.insertContent(html); + editor.addVisual(); + }); + return descendant(getBody(editor), 'table[data-mce-id="__mce"]').map(table => { + if (isTablePixelsForced(editor)) { + convertToPixelSize(table); + } else if (isTableResponsiveForced(editor)) { + convertToNoneSize(table); + } else if (isTablePercentagesForced(editor) || isPercentage(defaultStyles.width)) { + convertToPercentSize(table); + } + removeDataStyle(table); + remove$7(table, 'data-mce-id'); + fireEvents(editor, table); + selectFirstCellInTable(editor, table); + return table.dom; + }).getOrNull(); + }; + const insertTable = (editor, rows, columns, options = {}) => { + const checkInput = val => isNumber(val) && val > 0; + if (checkInput(rows) && checkInput(columns)) { + const headerRows = options.headerRows || 0; + const headerColumns = options.headerColumns || 0; + return insert(editor, columns, rows, headerColumns, headerRows); + } else { + console.error('Invalid values for mceInsertTable - rows and columns values are required to insert a table.'); + return null; + } + }; + + var global = tinymce.util.Tools.resolve('tinymce.FakeClipboard'); + + const tableTypeBase = 'x-tinymce/dom-table-'; + const tableTypeRow = tableTypeBase + 'rows'; + const tableTypeColumn = tableTypeBase + 'columns'; + const setData = items => { + const fakeClipboardItem = global.FakeClipboardItem(items); + global.write([fakeClipboardItem]); + }; + const getData = type => { + var _a; + const items = (_a = global.read()) !== null && _a !== void 0 ? _a : []; + return findMap(items, item => Optional.from(item.getType(type))); + }; + const clearData = type => { + if (getData(type).isSome()) { + global.clear(); + } + }; + const setRows = rowsOpt => { + rowsOpt.fold(clearRows, rows => setData({ [tableTypeRow]: rows })); + }; + const getRows = () => getData(tableTypeRow); + const clearRows = () => clearData(tableTypeRow); + const setColumns = columnsOpt => { + columnsOpt.fold(clearColumns, columns => setData({ [tableTypeColumn]: columns })); + }; + const getColumns = () => getData(tableTypeColumn); + const clearColumns = () => clearData(tableTypeColumn); + + const getSelectionStartCellOrCaption = editor => getSelectionCellOrCaption(getSelectionStart(editor), getIsRoot(editor)).filter(isInEditableContext$1); + const getSelectionStartCell = editor => getSelectionCell(getSelectionStart(editor), getIsRoot(editor)).filter(isInEditableContext$1); + const registerCommands = (editor, actions) => { + const isRoot = getIsRoot(editor); + const eraseTable = () => getSelectionStartCellOrCaption(editor).each(cellOrCaption => { + table(cellOrCaption, isRoot).filter(not(isRoot)).each(table => { + const cursor = SugarElement.fromText(''); + after$5(table, cursor); + remove$6(table); + if (editor.dom.isEmpty(editor.getBody())) { + editor.setContent(''); + editor.selection.setCursorLocation(); + } else { + const rng = editor.dom.createRng(); + rng.setStart(cursor.dom, 0); + rng.setEnd(cursor.dom, 0); + editor.selection.setRng(rng); + editor.nodeChanged(); + } + }); + }); + const setSizingMode = sizing => getSelectionStartCellOrCaption(editor).each(cellOrCaption => { + const isForcedSizing = isTableResponsiveForced(editor) || isTablePixelsForced(editor) || isTablePercentagesForced(editor); + if (!isForcedSizing) { + table(cellOrCaption, isRoot).each(table => { + if (sizing === 'relative' && !isPercentSizing(table)) { + convertToPercentSize(table); + } else if (sizing === 'fixed' && !isPixelSizing(table)) { + convertToPixelSize(table); + } else if (sizing === 'responsive' && !isNoneSizing(table)) { + convertToNoneSize(table); + } + removeDataStyle(table); + fireTableModified(editor, table.dom, structureModified); + }); + } + }); + const getTableFromCell = cell => table(cell, isRoot); + const performActionOnSelection = action => getSelectionStartCell(editor).bind(cell => getTableFromCell(cell).map(table => action(table, cell))); + const toggleTableClass = (_ui, clazz) => { + performActionOnSelection(table => { + editor.formatter.toggle('tableclass', { value: clazz }, table.dom); + fireTableModified(editor, table.dom, styleModified); + }); + }; + const toggleTableCellClass = (_ui, clazz) => { + performActionOnSelection(table => { + const selectedCells = getCellsFromSelection(editor); + const allHaveClass = forall(selectedCells, cell => editor.formatter.match('tablecellclass', { value: clazz }, cell.dom)); + const formatterAction = allHaveClass ? editor.formatter.remove : editor.formatter.apply; + each$2(selectedCells, cell => formatterAction('tablecellclass', { value: clazz }, cell.dom)); + fireTableModified(editor, table.dom, styleModified); + }); + }; + const toggleCaption = () => { + getSelectionStartCellOrCaption(editor).each(cellOrCaption => { + table(cellOrCaption, isRoot).each(table => { + child(table, 'caption').fold(() => { + const caption = SugarElement.fromTag('caption'); + append$1(caption, SugarElement.fromText('Caption')); + appendAt(table, caption, 0); + editor.selection.setCursorLocation(caption.dom, 0); + }, caption => { + if (isTag('caption')(cellOrCaption)) { + one('td', table).each(td => editor.selection.setCursorLocation(td.dom, 0)); + } + remove$6(caption); + }); + fireTableModified(editor, table.dom, structureModified); + }); + }); + }; + const postExecute = _data => { + editor.focus(); + }; + const actOnSelection = (execute, noEvents = false) => performActionOnSelection((table, startCell) => { + const targets = forMenu(getCellsFromSelection(editor), table, startCell); + execute(table, targets, noEvents).each(postExecute); + }); + const copyRowSelection = () => performActionOnSelection((table, startCell) => { + const targets = forMenu(getCellsFromSelection(editor), table, startCell); + const generators = cellOperations(noop, SugarElement.fromDom(editor.getDoc()), Optional.none()); + return copyRows(table, targets, generators); + }); + const copyColSelection = () => performActionOnSelection((table, startCell) => { + const targets = forMenu(getCellsFromSelection(editor), table, startCell); + return copyCols(table, targets); + }); + const pasteOnSelection = (execute, getRows) => getRows().each(rows => { + const clonedRows = map$1(rows, row => deep(row)); + performActionOnSelection((table, startCell) => { + const generators = paste$1(SugarElement.fromDom(editor.getDoc())); + const targets = pasteRows(getCellsFromSelection(editor), startCell, clonedRows, generators); + execute(table, targets).each(postExecute); + }); + }); + const actOnType = getAction => (_ui, args) => get$c(args, 'type').each(type => { + actOnSelection(getAction(type), args.no_events); + }); + each$1({ + mceTableSplitCells: () => actOnSelection(actions.unmergeCells), + mceTableMergeCells: () => actOnSelection(actions.mergeCells), + mceTableInsertRowBefore: () => actOnSelection(actions.insertRowsBefore), + mceTableInsertRowAfter: () => actOnSelection(actions.insertRowsAfter), + mceTableInsertColBefore: () => actOnSelection(actions.insertColumnsBefore), + mceTableInsertColAfter: () => actOnSelection(actions.insertColumnsAfter), + mceTableDeleteCol: () => actOnSelection(actions.deleteColumn), + mceTableDeleteRow: () => actOnSelection(actions.deleteRow), + mceTableCutCol: () => copyColSelection().each(selection => { + setColumns(selection); + actOnSelection(actions.deleteColumn); + }), + mceTableCutRow: () => copyRowSelection().each(selection => { + setRows(selection); + actOnSelection(actions.deleteRow); + }), + mceTableCopyCol: () => copyColSelection().each(selection => setColumns(selection)), + mceTableCopyRow: () => copyRowSelection().each(selection => setRows(selection)), + mceTablePasteColBefore: () => pasteOnSelection(actions.pasteColsBefore, getColumns), + mceTablePasteColAfter: () => pasteOnSelection(actions.pasteColsAfter, getColumns), + mceTablePasteRowBefore: () => pasteOnSelection(actions.pasteRowsBefore, getRows), + mceTablePasteRowAfter: () => pasteOnSelection(actions.pasteRowsAfter, getRows), + mceTableDelete: eraseTable, + mceTableCellToggleClass: toggleTableCellClass, + mceTableToggleClass: toggleTableClass, + mceTableToggleCaption: toggleCaption, + mceTableSizingMode: (_ui, sizing) => setSizingMode(sizing), + mceTableCellType: actOnType(type => type === 'th' ? actions.makeCellsHeader : actions.unmakeCellsHeader), + mceTableColType: actOnType(type => type === 'th' ? actions.makeColumnsHeader : actions.unmakeColumnsHeader), + mceTableRowType: actOnType(type => { + switch (type) { + case 'header': + return actions.makeRowsHeader; + case 'footer': + return actions.makeRowsFooter; + default: + return actions.makeRowsBody; + } + }) + }, (func, name) => editor.addCommand(name, func)); + editor.addCommand('mceInsertTable', (_ui, args) => { + insertTable(editor, args.rows, args.columns, args.options); + }); + editor.addCommand('mceTableApplyCellStyle', (_ui, args) => { + const getFormatName = style => 'tablecell' + style.toLowerCase().replace('-', ''); + if (!isObject(args)) { + return; + } + const cells = filter$2(getCellsFromSelection(editor), isInEditableContext$1); + if (cells.length === 0) { + return; + } + const validArgs = filter$1(args, (value, style) => editor.formatter.has(getFormatName(style)) && isString(value)); + if (isEmpty(validArgs)) { + return; + } + each$1(validArgs, (value, style) => { + const formatName = getFormatName(style); + each$2(cells, cell => { + if (value === '') { + editor.formatter.remove(formatName, { value: null }, cell.dom, true); + } else { + editor.formatter.apply(formatName, { value }, cell.dom); + } + }); + }); + getTableFromCell(cells[0]).each(table => fireTableModified(editor, table.dom, styleModified)); + }); + }; + + const registerQueryCommands = (editor, actions) => { + const isRoot = getIsRoot(editor); + const lookupOnSelection = action => getSelectionCell(getSelectionStart(editor)).bind(cell => table(cell, isRoot).map(table => { + const targets = forMenu(getCellsFromSelection(editor), table, cell); + return action(table, targets); + })).getOr(''); + each$1({ + mceTableRowType: () => lookupOnSelection(actions.getTableRowType), + mceTableCellType: () => lookupOnSelection(actions.getTableCellType), + mceTableColType: () => lookupOnSelection(actions.getTableColType) + }, (func, name) => editor.addQueryValueHandler(name, func)); + }; + + const adt$4 = Adt.generate([ + { before: ['element'] }, + { + on: [ + 'element', + 'offset' + ] + }, + { after: ['element'] } + ]); + const cata$1 = (subject, onBefore, onOn, onAfter) => subject.fold(onBefore, onOn, onAfter); + const getStart$1 = situ => situ.fold(identity, identity, identity); + const before$2 = adt$4.before; + const on = adt$4.on; + const after$3 = adt$4.after; + const Situ = { + before: before$2, + on, + after: after$3, + cata: cata$1, + getStart: getStart$1 + }; + + const create$4 = (selection, kill) => ({ + selection, + kill + }); + const Response = { create: create$4 }; + + const selectNode = (win, element) => { + const rng = win.document.createRange(); + rng.selectNode(element.dom); + return rng; + }; + const selectNodeContents = (win, element) => { + const rng = win.document.createRange(); + selectNodeContentsUsing(rng, element); + return rng; + }; + const selectNodeContentsUsing = (rng, element) => rng.selectNodeContents(element.dom); + const setStart = (rng, situ) => { + situ.fold(e => { + rng.setStartBefore(e.dom); + }, (e, o) => { + rng.setStart(e.dom, o); + }, e => { + rng.setStartAfter(e.dom); + }); + }; + const setFinish = (rng, situ) => { + situ.fold(e => { + rng.setEndBefore(e.dom); + }, (e, o) => { + rng.setEnd(e.dom, o); + }, e => { + rng.setEndAfter(e.dom); + }); + }; + const relativeToNative = (win, startSitu, finishSitu) => { + const range = win.document.createRange(); + setStart(range, startSitu); + setFinish(range, finishSitu); + return range; + }; + const exactToNative = (win, start, soffset, finish, foffset) => { + const rng = win.document.createRange(); + rng.setStart(start.dom, soffset); + rng.setEnd(finish.dom, foffset); + return rng; + }; + const toRect = rect => ({ + left: rect.left, + top: rect.top, + right: rect.right, + bottom: rect.bottom, + width: rect.width, + height: rect.height + }); + const getFirstRect$1 = rng => { + const rects = rng.getClientRects(); + const rect = rects.length > 0 ? rects[0] : rng.getBoundingClientRect(); + return rect.width > 0 || rect.height > 0 ? Optional.some(rect).map(toRect) : Optional.none(); + }; + + const adt$3 = Adt.generate([ + { + ltr: [ + 'start', + 'soffset', + 'finish', + 'foffset' + ] + }, + { + rtl: [ + 'start', + 'soffset', + 'finish', + 'foffset' + ] + } + ]); + const fromRange = (win, type, range) => type(SugarElement.fromDom(range.startContainer), range.startOffset, SugarElement.fromDom(range.endContainer), range.endOffset); + const getRanges = (win, selection) => selection.match({ + domRange: rng => { + return { + ltr: constant(rng), + rtl: Optional.none + }; + }, + relative: (startSitu, finishSitu) => { + return { + ltr: cached(() => relativeToNative(win, startSitu, finishSitu)), + rtl: cached(() => Optional.some(relativeToNative(win, finishSitu, startSitu))) + }; + }, + exact: (start, soffset, finish, foffset) => { + return { + ltr: cached(() => exactToNative(win, start, soffset, finish, foffset)), + rtl: cached(() => Optional.some(exactToNative(win, finish, foffset, start, soffset))) + }; + } + }); + const doDiagnose = (win, ranges) => { + const rng = ranges.ltr(); + if (rng.collapsed) { + const reversed = ranges.rtl().filter(rev => rev.collapsed === false); + return reversed.map(rev => adt$3.rtl(SugarElement.fromDom(rev.endContainer), rev.endOffset, SugarElement.fromDom(rev.startContainer), rev.startOffset)).getOrThunk(() => fromRange(win, adt$3.ltr, rng)); + } else { + return fromRange(win, adt$3.ltr, rng); + } + }; + const diagnose = (win, selection) => { + const ranges = getRanges(win, selection); + return doDiagnose(win, ranges); + }; + const asLtrRange = (win, selection) => { + const diagnosis = diagnose(win, selection); + return diagnosis.match({ + ltr: (start, soffset, finish, foffset) => { + const rng = win.document.createRange(); + rng.setStart(start.dom, soffset); + rng.setEnd(finish.dom, foffset); + return rng; + }, + rtl: (start, soffset, finish, foffset) => { + const rng = win.document.createRange(); + rng.setStart(finish.dom, foffset); + rng.setEnd(start.dom, soffset); + return rng; + } + }); + }; + adt$3.ltr; + adt$3.rtl; + + const create$3 = (start, soffset, finish, foffset) => ({ + start, + soffset, + finish, + foffset + }); + const SimRange = { create: create$3 }; + + const create$2 = (start, soffset, finish, foffset) => { + return { + start: Situ.on(start, soffset), + finish: Situ.on(finish, foffset) + }; + }; + const Situs = { create: create$2 }; + + const convertToRange = (win, selection) => { + const rng = asLtrRange(win, selection); + return SimRange.create(SugarElement.fromDom(rng.startContainer), rng.startOffset, SugarElement.fromDom(rng.endContainer), rng.endOffset); + }; + const makeSitus = Situs.create; + + const sync = (container, isRoot, start, soffset, finish, foffset, selectRange) => { + if (!(eq$1(start, finish) && soffset === foffset)) { + return closest$1(start, 'td,th', isRoot).bind(s => { + return closest$1(finish, 'td,th', isRoot).bind(f => { + return detect(container, isRoot, s, f, selectRange); + }); + }); + } else { + return Optional.none(); + } + }; + const detect = (container, isRoot, start, finish, selectRange) => { + if (!eq$1(start, finish)) { + return identify(start, finish, isRoot).bind(cellSel => { + const boxes = cellSel.boxes.getOr([]); + if (boxes.length > 1) { + selectRange(container, boxes, cellSel.start, cellSel.finish); + return Optional.some(Response.create(Optional.some(makeSitus(start, 0, start, getEnd(start))), true)); + } else { + return Optional.none(); + } + }); + } else { + return Optional.none(); + } + }; + const update = (rows, columns, container, selected, annotations) => { + const updateSelection = newSels => { + annotations.clearBeforeUpdate(container); + annotations.selectRange(container, newSels.boxes, newSels.start, newSels.finish); + return newSels.boxes; + }; + return shiftSelection(selected, rows, columns, annotations.firstSelectedSelector, annotations.lastSelectedSelector).map(updateSelection); + }; + + const traverse = (item, mode) => ({ + item, + mode + }); + const backtrack = (universe, item, _direction, transition = sidestep) => { + return universe.property().parent(item).map(p => { + return traverse(p, transition); + }); + }; + const sidestep = (universe, item, direction, transition = advance) => { + return direction.sibling(universe, item).map(p => { + return traverse(p, transition); + }); + }; + const advance = (universe, item, direction, transition = advance) => { + const children = universe.property().children(item); + const result = direction.first(children); + return result.map(r => { + return traverse(r, transition); + }); + }; + const successors = [ + { + current: backtrack, + next: sidestep, + fallback: Optional.none() + }, + { + current: sidestep, + next: advance, + fallback: Optional.some(backtrack) + }, + { + current: advance, + next: advance, + fallback: Optional.some(sidestep) + } + ]; + const go = (universe, item, mode, direction, rules = successors) => { + const ruleOpt = find$1(rules, succ => { + return succ.current === mode; + }); + return ruleOpt.bind(rule => { + return rule.current(universe, item, direction, rule.next).orThunk(() => { + return rule.fallback.bind(fb => { + return go(universe, item, fb, direction); + }); + }); + }); + }; + + const left$1 = () => { + const sibling = (universe, item) => { + return universe.query().prevSibling(item); + }; + const first = children => { + return children.length > 0 ? Optional.some(children[children.length - 1]) : Optional.none(); + }; + return { + sibling, + first + }; + }; + const right$1 = () => { + const sibling = (universe, item) => { + return universe.query().nextSibling(item); + }; + const first = children => { + return children.length > 0 ? Optional.some(children[0]) : Optional.none(); + }; + return { + sibling, + first + }; + }; + const Walkers = { + left: left$1, + right: right$1 + }; + + const hone = (universe, item, predicate, mode, direction, isRoot) => { + const next = go(universe, item, mode, direction); + return next.bind(n => { + if (isRoot(n.item)) { + return Optional.none(); + } else { + return predicate(n.item) ? Optional.some(n.item) : hone(universe, n.item, predicate, n.mode, direction, isRoot); + } + }); + }; + const left = (universe, item, predicate, isRoot) => { + return hone(universe, item, predicate, sidestep, Walkers.left(), isRoot); + }; + const right = (universe, item, predicate, isRoot) => { + return hone(universe, item, predicate, sidestep, Walkers.right(), isRoot); + }; + + const isLeaf = universe => element => universe.property().children(element).length === 0; + const before$1 = (universe, item, isRoot) => { + return seekLeft$1(universe, item, isLeaf(universe), isRoot); + }; + const after$2 = (universe, item, isRoot) => { + return seekRight$1(universe, item, isLeaf(universe), isRoot); + }; + const seekLeft$1 = left; + const seekRight$1 = right; + + const universe = DomUniverse(); + const before = (element, isRoot) => { + return before$1(universe, element, isRoot); + }; + const after$1 = (element, isRoot) => { + return after$2(universe, element, isRoot); + }; + const seekLeft = (element, predicate, isRoot) => { + return seekLeft$1(universe, element, predicate, isRoot); + }; + const seekRight = (element, predicate, isRoot) => { + return seekRight$1(universe, element, predicate, isRoot); + }; + + const ancestor = (scope, predicate, isRoot) => ancestor$2(scope, predicate, isRoot).isSome(); + + const adt$2 = Adt.generate([ + { none: ['message'] }, + { success: [] }, + { failedUp: ['cell'] }, + { failedDown: ['cell'] } + ]); + const isOverlapping = (bridge, before, after) => { + const beforeBounds = bridge.getRect(before); + const afterBounds = bridge.getRect(after); + return afterBounds.right > beforeBounds.left && afterBounds.left < beforeBounds.right; + }; + const isRow = elem => { + return closest$1(elem, 'tr'); + }; + const verify = (bridge, before, beforeOffset, after, afterOffset, failure, isRoot) => { + return closest$1(after, 'td,th', isRoot).bind(afterCell => { + return closest$1(before, 'td,th', isRoot).map(beforeCell => { + if (!eq$1(afterCell, beforeCell)) { + return sharedOne(isRow, [ + afterCell, + beforeCell + ]).fold(() => { + return isOverlapping(bridge, beforeCell, afterCell) ? adt$2.success() : failure(beforeCell); + }, _sharedRow => { + return failure(beforeCell); + }); + } else { + return eq$1(after, afterCell) && getEnd(afterCell) === afterOffset ? failure(beforeCell) : adt$2.none('in same cell'); + } + }); + }).getOr(adt$2.none('default')); + }; + const cata = (subject, onNone, onSuccess, onFailedUp, onFailedDown) => { + return subject.fold(onNone, onSuccess, onFailedUp, onFailedDown); + }; + const BeforeAfter = { + ...adt$2, + verify, + cata + }; + + const inParent = (parent, children, element, index) => ({ + parent, + children, + element, + index + }); + const indexInParent = element => parent(element).bind(parent => { + const children = children$2(parent); + return indexOf(children, element).map(index => inParent(parent, children, element, index)); + }); + const indexOf = (elements, element) => findIndex(elements, curry(eq$1, element)); + + const isBr = isTag('br'); + const gatherer = (cand, gather, isRoot) => { + return gather(cand, isRoot).bind(target => { + return isText(target) && get$6(target).trim().length === 0 ? gatherer(target, gather, isRoot) : Optional.some(target); + }); + }; + const handleBr = (isRoot, element, direction) => { + return direction.traverse(element).orThunk(() => { + return gatherer(element, direction.gather, isRoot); + }).map(direction.relative); + }; + const findBr = (element, offset) => { + return child$2(element, offset).filter(isBr).orThunk(() => { + return child$2(element, offset - 1).filter(isBr); + }); + }; + const handleParent = (isRoot, element, offset, direction) => { + return findBr(element, offset).bind(br => { + return direction.traverse(br).fold(() => { + return gatherer(br, direction.gather, isRoot).map(direction.relative); + }, adjacent => { + return indexInParent(adjacent).map(info => { + return Situ.on(info.parent, info.index); + }); + }); + }); + }; + const tryBr = (isRoot, element, offset, direction) => { + const target = isBr(element) ? handleBr(isRoot, element, direction) : handleParent(isRoot, element, offset, direction); + return target.map(tgt => { + return { + start: tgt, + finish: tgt + }; + }); + }; + const process = analysis => { + return BeforeAfter.cata(analysis, _message => { + return Optional.none(); + }, () => { + return Optional.none(); + }, cell => { + return Optional.some(point(cell, 0)); + }, cell => { + return Optional.some(point(cell, getEnd(cell))); + }); + }; + + const moveDown = (caret, amount) => { + return { + left: caret.left, + top: caret.top + amount, + right: caret.right, + bottom: caret.bottom + amount + }; + }; + const moveUp = (caret, amount) => { + return { + left: caret.left, + top: caret.top - amount, + right: caret.right, + bottom: caret.bottom - amount + }; + }; + const translate = (caret, xDelta, yDelta) => { + return { + left: caret.left + xDelta, + top: caret.top + yDelta, + right: caret.right + xDelta, + bottom: caret.bottom + yDelta + }; + }; + const getTop = caret => { + return caret.top; + }; + const getBottom = caret => { + return caret.bottom; + }; + + const getPartialBox = (bridge, element, offset) => { + if (offset >= 0 && offset < getEnd(element)) { + return bridge.getRangedRect(element, offset, element, offset + 1); + } else if (offset > 0) { + return bridge.getRangedRect(element, offset - 1, element, offset); + } + return Optional.none(); + }; + const toCaret = rect => ({ + left: rect.left, + top: rect.top, + right: rect.right, + bottom: rect.bottom + }); + const getElemBox = (bridge, element) => { + return Optional.some(bridge.getRect(element)); + }; + const getBoxAt = (bridge, element, offset) => { + if (isElement(element)) { + return getElemBox(bridge, element).map(toCaret); + } else if (isText(element)) { + return getPartialBox(bridge, element, offset).map(toCaret); + } else { + return Optional.none(); + } + }; + const getEntireBox = (bridge, element) => { + if (isElement(element)) { + return getElemBox(bridge, element).map(toCaret); + } else if (isText(element)) { + return bridge.getRangedRect(element, 0, element, getEnd(element)).map(toCaret); + } else { + return Optional.none(); + } + }; + + const JUMP_SIZE = 5; + const NUM_RETRIES = 100; + const adt$1 = Adt.generate([ + { none: [] }, + { retry: ['caret'] } + ]); + const isOutside = (caret, box) => { + return caret.left < box.left || Math.abs(box.right - caret.left) < 1 || caret.left > box.right; + }; + const inOutsideBlock = (bridge, element, caret) => { + return closest$2(element, isBlock).fold(never, cell => { + return getEntireBox(bridge, cell).exists(box => { + return isOutside(caret, box); + }); + }); + }; + const adjustDown = (bridge, element, guessBox, original, caret) => { + const lowerCaret = moveDown(caret, JUMP_SIZE); + if (Math.abs(guessBox.bottom - original.bottom) < 1) { + return adt$1.retry(lowerCaret); + } else if (guessBox.top > caret.bottom) { + return adt$1.retry(lowerCaret); + } else if (guessBox.top === caret.bottom) { + return adt$1.retry(moveDown(caret, 1)); + } else { + return inOutsideBlock(bridge, element, caret) ? adt$1.retry(translate(lowerCaret, JUMP_SIZE, 0)) : adt$1.none(); + } + }; + const adjustUp = (bridge, element, guessBox, original, caret) => { + const higherCaret = moveUp(caret, JUMP_SIZE); + if (Math.abs(guessBox.top - original.top) < 1) { + return adt$1.retry(higherCaret); + } else if (guessBox.bottom < caret.top) { + return adt$1.retry(higherCaret); + } else if (guessBox.bottom === caret.top) { + return adt$1.retry(moveUp(caret, 1)); + } else { + return inOutsideBlock(bridge, element, caret) ? adt$1.retry(translate(higherCaret, JUMP_SIZE, 0)) : adt$1.none(); + } + }; + const upMovement = { + point: getTop, + adjuster: adjustUp, + move: moveUp, + gather: before + }; + const downMovement = { + point: getBottom, + adjuster: adjustDown, + move: moveDown, + gather: after$1 + }; + const isAtTable = (bridge, x, y) => { + return bridge.elementFromPoint(x, y).filter(elm => { + return name(elm) === 'table'; + }).isSome(); + }; + const adjustForTable = (bridge, movement, original, caret, numRetries) => { + return adjustTil(bridge, movement, original, movement.move(caret, JUMP_SIZE), numRetries); + }; + const adjustTil = (bridge, movement, original, caret, numRetries) => { + if (numRetries === 0) { + return Optional.some(caret); + } + if (isAtTable(bridge, caret.left, movement.point(caret))) { + return adjustForTable(bridge, movement, original, caret, numRetries - 1); + } + return bridge.situsFromPoint(caret.left, movement.point(caret)).bind(guess => { + return guess.start.fold(Optional.none, element => { + return getEntireBox(bridge, element).bind(guessBox => { + return movement.adjuster(bridge, element, guessBox, original, caret).fold(Optional.none, newCaret => { + return adjustTil(bridge, movement, original, newCaret, numRetries - 1); + }); + }).orThunk(() => { + return Optional.some(caret); + }); + }, Optional.none); + }); + }; + const checkScroll = (movement, adjusted, bridge) => { + if (movement.point(adjusted) > bridge.getInnerHeight()) { + return Optional.some(movement.point(adjusted) - bridge.getInnerHeight()); + } else if (movement.point(adjusted) < 0) { + return Optional.some(-movement.point(adjusted)); + } else { + return Optional.none(); + } + }; + const retry = (movement, bridge, caret) => { + const moved = movement.move(caret, JUMP_SIZE); + const adjusted = adjustTil(bridge, movement, caret, moved, NUM_RETRIES).getOr(moved); + return checkScroll(movement, adjusted, bridge).fold(() => { + return bridge.situsFromPoint(adjusted.left, movement.point(adjusted)); + }, delta => { + bridge.scrollBy(0, delta); + return bridge.situsFromPoint(adjusted.left, movement.point(adjusted) - delta); + }); + }; + const Retries = { + tryUp: curry(retry, upMovement), + tryDown: curry(retry, downMovement), + getJumpSize: constant(JUMP_SIZE) + }; + + const MAX_RETRIES = 20; + const findSpot = (bridge, isRoot, direction) => { + return bridge.getSelection().bind(sel => { + return tryBr(isRoot, sel.finish, sel.foffset, direction).fold(() => { + return Optional.some(point(sel.finish, sel.foffset)); + }, brNeighbour => { + const range = bridge.fromSitus(brNeighbour); + const analysis = BeforeAfter.verify(bridge, sel.finish, sel.foffset, range.finish, range.foffset, direction.failure, isRoot); + return process(analysis); + }); + }); + }; + const scan = (bridge, isRoot, element, offset, direction, numRetries) => { + if (numRetries === 0) { + return Optional.none(); + } + return tryCursor(bridge, isRoot, element, offset, direction).bind(situs => { + const range = bridge.fromSitus(situs); + const analysis = BeforeAfter.verify(bridge, element, offset, range.finish, range.foffset, direction.failure, isRoot); + return BeforeAfter.cata(analysis, () => { + return Optional.none(); + }, () => { + return Optional.some(situs); + }, cell => { + if (eq$1(element, cell) && offset === 0) { + return tryAgain(bridge, element, offset, moveUp, direction); + } else { + return scan(bridge, isRoot, cell, 0, direction, numRetries - 1); + } + }, cell => { + if (eq$1(element, cell) && offset === getEnd(cell)) { + return tryAgain(bridge, element, offset, moveDown, direction); + } else { + return scan(bridge, isRoot, cell, getEnd(cell), direction, numRetries - 1); + } + }); + }); + }; + const tryAgain = (bridge, element, offset, move, direction) => { + return getBoxAt(bridge, element, offset).bind(box => { + return tryAt(bridge, direction, move(box, Retries.getJumpSize())); + }); + }; + const tryAt = (bridge, direction, box) => { + const browser = detect$2().browser; + if (browser.isChromium() || browser.isSafari() || browser.isFirefox()) { + return direction.retry(bridge, box); + } else { + return Optional.none(); + } + }; + const tryCursor = (bridge, isRoot, element, offset, direction) => { + return getBoxAt(bridge, element, offset).bind(box => { + return tryAt(bridge, direction, box); + }); + }; + const handle$1 = (bridge, isRoot, direction) => { + return findSpot(bridge, isRoot, direction).bind(spot => { + return scan(bridge, isRoot, spot.element, spot.offset, direction, MAX_RETRIES).map(bridge.fromSitus); + }); + }; + + const inSameTable = (elem, table) => { + return ancestor(elem, e => { + return parent(e).exists(p => { + return eq$1(p, table); + }); + }); + }; + const simulate = (bridge, isRoot, direction, initial, anchor) => { + return closest$1(initial, 'td,th', isRoot).bind(start => { + return closest$1(start, 'table', isRoot).bind(table => { + if (!inSameTable(anchor, table)) { + return Optional.none(); + } + return handle$1(bridge, isRoot, direction).bind(range => { + return closest$1(range.finish, 'td,th', isRoot).map(finish => { + return { + start, + finish, + range + }; + }); + }); + }); + }); + }; + const navigate = (bridge, isRoot, direction, initial, anchor, precheck) => { + return precheck(initial, isRoot).orThunk(() => { + return simulate(bridge, isRoot, direction, initial, anchor).map(info => { + const range = info.range; + return Response.create(Optional.some(makeSitus(range.start, range.soffset, range.finish, range.foffset)), true); + }); + }); + }; + const firstUpCheck = (initial, isRoot) => { + return closest$1(initial, 'tr', isRoot).bind(startRow => { + return closest$1(startRow, 'table', isRoot).bind(table => { + const rows = descendants(table, 'tr'); + if (eq$1(startRow, rows[0])) { + return seekLeft(table, element => { + return last$1(element).isSome(); + }, isRoot).map(last => { + const lastOffset = getEnd(last); + return Response.create(Optional.some(makeSitus(last, lastOffset, last, lastOffset)), true); + }); + } else { + return Optional.none(); + } + }); + }); + }; + const lastDownCheck = (initial, isRoot) => { + return closest$1(initial, 'tr', isRoot).bind(startRow => { + return closest$1(startRow, 'table', isRoot).bind(table => { + const rows = descendants(table, 'tr'); + if (eq$1(startRow, rows[rows.length - 1])) { + return seekRight(table, element => { + return first(element).isSome(); + }, isRoot).map(first => { + return Response.create(Optional.some(makeSitus(first, 0, first, 0)), true); + }); + } else { + return Optional.none(); + } + }); + }); + }; + const select = (bridge, container, isRoot, direction, initial, anchor, selectRange) => { + return simulate(bridge, isRoot, direction, initial, anchor).bind(info => { + return detect(container, isRoot, info.start, info.finish, selectRange); + }); + }; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + const singleton = doRevoke => { + const subject = Cell(Optional.none()); + const revoke = () => subject.get().each(doRevoke); + const clear = () => { + revoke(); + subject.set(Optional.none()); + }; + const isSet = () => subject.get().isSome(); + const get = () => subject.get(); + const set = s => { + revoke(); + subject.set(Optional.some(s)); + }; + return { + clear, + isSet, + get, + set + }; + }; + const value = () => { + const subject = singleton(noop); + const on = f => subject.get().each(f); + return { + ...subject, + on + }; + }; + + const findCell = (target, isRoot) => closest$1(target, 'td,th', isRoot); + const isInEditableContext = cell => parentElement(cell).exists(isEditable$1); + const MouseSelection = (bridge, container, isRoot, annotations) => { + const cursor = value(); + const clearstate = cursor.clear; + const applySelection = event => { + cursor.on(start => { + annotations.clearBeforeUpdate(container); + findCell(event.target, isRoot).each(finish => { + identify(start, finish, isRoot).each(cellSel => { + const boxes = cellSel.boxes.getOr([]); + if (boxes.length === 1) { + const singleCell = boxes[0]; + const isNonEditableCell = getRaw(singleCell) === 'false'; + const isCellClosestContentEditable = is(closest(event.target), singleCell, eq$1); + if (isNonEditableCell && isCellClosestContentEditable) { + annotations.selectRange(container, boxes, singleCell, singleCell); + bridge.selectContents(singleCell); + } + } else if (boxes.length > 1) { + annotations.selectRange(container, boxes, cellSel.start, cellSel.finish); + bridge.selectContents(finish); + } + }); + }); + }); + }; + const mousedown = event => { + annotations.clear(container); + findCell(event.target, isRoot).filter(isInEditableContext).each(cursor.set); + }; + const mouseover = event => { + applySelection(event); + }; + const mouseup = event => { + applySelection(event); + clearstate(); + }; + return { + clearstate, + mousedown, + mouseover, + mouseup + }; + }; + + const down = { + traverse: nextSibling, + gather: after$1, + relative: Situ.before, + retry: Retries.tryDown, + failure: BeforeAfter.failedDown + }; + const up = { + traverse: prevSibling, + gather: before, + relative: Situ.before, + retry: Retries.tryUp, + failure: BeforeAfter.failedUp + }; + + const isKey = key => { + return keycode => { + return keycode === key; + }; + }; + const isUp = isKey(38); + const isDown = isKey(40); + const isNavigation = keycode => { + return keycode >= 37 && keycode <= 40; + }; + const ltr = { + isBackward: isKey(37), + isForward: isKey(39) + }; + const rtl = { + isBackward: isKey(39), + isForward: isKey(37) + }; + + const get$3 = _DOC => { + const doc = _DOC !== undefined ? _DOC.dom : document; + const x = doc.body.scrollLeft || doc.documentElement.scrollLeft; + const y = doc.body.scrollTop || doc.documentElement.scrollTop; + return SugarPosition(x, y); + }; + const by = (x, y, _DOC) => { + const doc = _DOC !== undefined ? _DOC.dom : document; + const win = doc.defaultView; + if (win) { + win.scrollBy(x, y); + } + }; + + const adt = Adt.generate([ + { domRange: ['rng'] }, + { + relative: [ + 'startSitu', + 'finishSitu' + ] + }, + { + exact: [ + 'start', + 'soffset', + 'finish', + 'foffset' + ] + } + ]); + const exactFromRange = simRange => adt.exact(simRange.start, simRange.soffset, simRange.finish, simRange.foffset); + const getStart = selection => selection.match({ + domRange: rng => SugarElement.fromDom(rng.startContainer), + relative: (startSitu, _finishSitu) => Situ.getStart(startSitu), + exact: (start, _soffset, _finish, _foffset) => start + }); + const domRange = adt.domRange; + const relative = adt.relative; + const exact = adt.exact; + const getWin = selection => { + const start = getStart(selection); + return defaultView(start); + }; + const range = SimRange.create; + const SimSelection = { + domRange, + relative, + exact, + exactFromRange, + getWin, + range + }; + + const caretPositionFromPoint = (doc, x, y) => { + var _a, _b; + return Optional.from((_b = (_a = doc.dom).caretPositionFromPoint) === null || _b === void 0 ? void 0 : _b.call(_a, x, y)).bind(pos => { + if (pos.offsetNode === null) { + return Optional.none(); + } + const r = doc.dom.createRange(); + r.setStart(pos.offsetNode, pos.offset); + r.collapse(); + return Optional.some(r); + }); + }; + const caretRangeFromPoint = (doc, x, y) => { + var _a, _b; + return Optional.from((_b = (_a = doc.dom).caretRangeFromPoint) === null || _b === void 0 ? void 0 : _b.call(_a, x, y)); + }; + const availableSearch = (() => { + if (document.caretPositionFromPoint) { + return caretPositionFromPoint; + } else if (document.caretRangeFromPoint) { + return caretRangeFromPoint; + } else { + return Optional.none; + } + })(); + const fromPoint = (win, x, y) => { + const doc = SugarElement.fromDom(win.document); + return availableSearch(doc, x, y).map(rng => SimRange.create(SugarElement.fromDom(rng.startContainer), rng.startOffset, SugarElement.fromDom(rng.endContainer), rng.endOffset)); + }; + + const beforeSpecial = (element, offset) => { + const name$1 = name(element); + if ('input' === name$1) { + return Situ.after(element); + } else if (!contains$2([ + 'br', + 'img' + ], name$1)) { + return Situ.on(element, offset); + } else { + return offset === 0 ? Situ.before(element) : Situ.after(element); + } + }; + const preprocessRelative = (startSitu, finishSitu) => { + const start = startSitu.fold(Situ.before, beforeSpecial, Situ.after); + const finish = finishSitu.fold(Situ.before, beforeSpecial, Situ.after); + return SimSelection.relative(start, finish); + }; + const preprocessExact = (start, soffset, finish, foffset) => { + const startSitu = beforeSpecial(start, soffset); + const finishSitu = beforeSpecial(finish, foffset); + return SimSelection.relative(startSitu, finishSitu); + }; + + const makeRange = (start, soffset, finish, foffset) => { + const doc = owner(start); + const rng = doc.dom.createRange(); + rng.setStart(start.dom, soffset); + rng.setEnd(finish.dom, foffset); + return rng; + }; + const after = (start, soffset, finish, foffset) => { + const r = makeRange(start, soffset, finish, foffset); + const same = eq$1(start, finish) && soffset === foffset; + return r.collapsed && !same; + }; + + const getNativeSelection = win => Optional.from(win.getSelection()); + const doSetNativeRange = (win, rng) => { + getNativeSelection(win).each(selection => { + selection.removeAllRanges(); + selection.addRange(rng); + }); + }; + const doSetRange = (win, start, soffset, finish, foffset) => { + const rng = exactToNative(win, start, soffset, finish, foffset); + doSetNativeRange(win, rng); + }; + const setLegacyRtlRange = (win, selection, start, soffset, finish, foffset) => { + selection.collapse(start.dom, soffset); + selection.extend(finish.dom, foffset); + }; + const setRangeFromRelative = (win, relative) => diagnose(win, relative).match({ + ltr: (start, soffset, finish, foffset) => { + doSetRange(win, start, soffset, finish, foffset); + }, + rtl: (start, soffset, finish, foffset) => { + getNativeSelection(win).each(selection => { + if (selection.setBaseAndExtent) { + selection.setBaseAndExtent(start.dom, soffset, finish.dom, foffset); + } else if (selection.extend) { + try { + setLegacyRtlRange(win, selection, start, soffset, finish, foffset); + } catch (e) { + doSetRange(win, finish, foffset, start, soffset); + } + } else { + doSetRange(win, finish, foffset, start, soffset); + } + }); + } + }); + const setExact = (win, start, soffset, finish, foffset) => { + const relative = preprocessExact(start, soffset, finish, foffset); + setRangeFromRelative(win, relative); + }; + const setRelative = (win, startSitu, finishSitu) => { + const relative = preprocessRelative(startSitu, finishSitu); + setRangeFromRelative(win, relative); + }; + const readRange = selection => { + if (selection.rangeCount > 0) { + const firstRng = selection.getRangeAt(0); + const lastRng = selection.getRangeAt(selection.rangeCount - 1); + return Optional.some(SimRange.create(SugarElement.fromDom(firstRng.startContainer), firstRng.startOffset, SugarElement.fromDom(lastRng.endContainer), lastRng.endOffset)); + } else { + return Optional.none(); + } + }; + const doGetExact = selection => { + if (selection.anchorNode === null || selection.focusNode === null) { + return readRange(selection); + } else { + const anchor = SugarElement.fromDom(selection.anchorNode); + const focus = SugarElement.fromDom(selection.focusNode); + return after(anchor, selection.anchorOffset, focus, selection.focusOffset) ? Optional.some(SimRange.create(anchor, selection.anchorOffset, focus, selection.focusOffset)) : readRange(selection); + } + }; + const setToElement = (win, element, selectNodeContents$1 = true) => { + const rngGetter = selectNodeContents$1 ? selectNodeContents : selectNode; + const rng = rngGetter(win, element); + doSetNativeRange(win, rng); + }; + const getExact = win => getNativeSelection(win).filter(sel => sel.rangeCount > 0).bind(doGetExact); + const get$2 = win => getExact(win).map(range => SimSelection.exact(range.start, range.soffset, range.finish, range.foffset)); + const getFirstRect = (win, selection) => { + const rng = asLtrRange(win, selection); + return getFirstRect$1(rng); + }; + const getAtPoint = (win, x, y) => fromPoint(win, x, y); + const clear = win => { + getNativeSelection(win).each(selection => selection.removeAllRanges()); + }; + + const WindowBridge = win => { + const elementFromPoint = (x, y) => { + return SugarElement.fromPoint(SugarElement.fromDom(win.document), x, y); + }; + const getRect = element => { + return element.dom.getBoundingClientRect(); + }; + const getRangedRect = (start, soffset, finish, foffset) => { + const sel = SimSelection.exact(start, soffset, finish, foffset); + return getFirstRect(win, sel); + }; + const getSelection = () => { + return get$2(win).map(exactAdt => { + return convertToRange(win, exactAdt); + }); + }; + const fromSitus = situs => { + const relative = SimSelection.relative(situs.start, situs.finish); + return convertToRange(win, relative); + }; + const situsFromPoint = (x, y) => { + return getAtPoint(win, x, y).map(exact => { + return Situs.create(exact.start, exact.soffset, exact.finish, exact.foffset); + }); + }; + const clearSelection = () => { + clear(win); + }; + const collapseSelection = (toStart = false) => { + get$2(win).each(sel => sel.fold(rng => rng.collapse(toStart), (startSitu, finishSitu) => { + const situ = toStart ? startSitu : finishSitu; + setRelative(win, situ, situ); + }, (start, soffset, finish, foffset) => { + const node = toStart ? start : finish; + const offset = toStart ? soffset : foffset; + setExact(win, node, offset, node, offset); + })); + }; + const selectNode = element => { + setToElement(win, element, false); + }; + const selectContents = element => { + setToElement(win, element); + }; + const setSelection = sel => { + setExact(win, sel.start, sel.soffset, sel.finish, sel.foffset); + }; + const setRelativeSelection = (start, finish) => { + setRelative(win, start, finish); + }; + const getInnerHeight = () => { + return win.innerHeight; + }; + const getScrollY = () => { + const pos = get$3(SugarElement.fromDom(win.document)); + return pos.top; + }; + const scrollBy = (x, y) => { + by(x, y, SugarElement.fromDom(win.document)); + }; + return { + elementFromPoint, + getRect, + getRangedRect, + getSelection, + fromSitus, + situsFromPoint, + clearSelection, + collapseSelection, + setSelection, + setRelativeSelection, + selectNode, + selectContents, + getInnerHeight, + getScrollY, + scrollBy + }; + }; + + const rc = (rows, cols) => ({ + rows, + cols + }); + const mouse = (win, container, isRoot, annotations) => { + const bridge = WindowBridge(win); + const handlers = MouseSelection(bridge, container, isRoot, annotations); + return { + clearstate: handlers.clearstate, + mousedown: handlers.mousedown, + mouseover: handlers.mouseover, + mouseup: handlers.mouseup + }; + }; + const isEditableNode = node => closest$2(node, isHTMLElement).exists(isEditable$1); + const isEditableSelection = (start, finish) => isEditableNode(start) || isEditableNode(finish); + const keyboard = (win, container, isRoot, annotations) => { + const bridge = WindowBridge(win); + const clearToNavigate = () => { + annotations.clear(container); + return Optional.none(); + }; + const keydown = (event, start, soffset, finish, foffset, direction) => { + const realEvent = event.raw; + const keycode = realEvent.which; + const shiftKey = realEvent.shiftKey === true; + const handler = retrieve$1(container, annotations.selectedSelector).fold(() => { + if (isNavigation(keycode) && !shiftKey) { + annotations.clearBeforeUpdate(container); + } + if (isNavigation(keycode) && shiftKey && !isEditableSelection(start, finish)) { + return Optional.none; + } else if (isDown(keycode) && shiftKey) { + return curry(select, bridge, container, isRoot, down, finish, start, annotations.selectRange); + } else if (isUp(keycode) && shiftKey) { + return curry(select, bridge, container, isRoot, up, finish, start, annotations.selectRange); + } else if (isDown(keycode)) { + return curry(navigate, bridge, isRoot, down, finish, start, lastDownCheck); + } else if (isUp(keycode)) { + return curry(navigate, bridge, isRoot, up, finish, start, firstUpCheck); + } else { + return Optional.none; + } + }, selected => { + const update$1 = attempts => { + return () => { + const navigation = findMap(attempts, delta => { + return update(delta.rows, delta.cols, container, selected, annotations); + }); + return navigation.fold(() => { + return getEdges(container, annotations.firstSelectedSelector, annotations.lastSelectedSelector).map(edges => { + const relative = isDown(keycode) || direction.isForward(keycode) ? Situ.after : Situ.before; + bridge.setRelativeSelection(Situ.on(edges.first, 0), relative(edges.table)); + annotations.clear(container); + return Response.create(Optional.none(), true); + }); + }, _ => { + return Optional.some(Response.create(Optional.none(), true)); + }); + }; + }; + if (isNavigation(keycode) && shiftKey && !isEditableSelection(start, finish)) { + return Optional.none; + } else if (isDown(keycode) && shiftKey) { + return update$1([rc(+1, 0)]); + } else if (isUp(keycode) && shiftKey) { + return update$1([rc(-1, 0)]); + } else if (direction.isBackward(keycode) && shiftKey) { + return update$1([ + rc(0, -1), + rc(-1, 0) + ]); + } else if (direction.isForward(keycode) && shiftKey) { + return update$1([ + rc(0, +1), + rc(+1, 0) + ]); + } else if (isNavigation(keycode) && !shiftKey) { + return clearToNavigate; + } else { + return Optional.none; + } + }); + return handler(); + }; + const keyup = (event, start, soffset, finish, foffset) => { + return retrieve$1(container, annotations.selectedSelector).fold(() => { + const realEvent = event.raw; + const keycode = realEvent.which; + const shiftKey = realEvent.shiftKey === true; + if (!shiftKey) { + return Optional.none(); + } + if (isNavigation(keycode) && isEditableSelection(start, finish)) { + return sync(container, isRoot, start, soffset, finish, foffset, annotations.selectRange); + } else { + return Optional.none(); + } + }, Optional.none); + }; + return { + keydown, + keyup + }; + }; + const external = (win, container, isRoot, annotations) => { + const bridge = WindowBridge(win); + return (start, finish) => { + annotations.clearBeforeUpdate(container); + identify(start, finish, isRoot).each(cellSel => { + const boxes = cellSel.boxes.getOr([]); + annotations.selectRange(container, boxes, cellSel.start, cellSel.finish); + bridge.selectContents(finish); + bridge.collapseSelection(); + }); + }; + }; + + const read = (element, attr) => { + const value = get$b(element, attr); + return value === undefined || value === '' ? [] : value.split(' '); + }; + const add$2 = (element, attr, id) => { + const old = read(element, attr); + const nu = old.concat([id]); + set$2(element, attr, nu.join(' ')); + return true; + }; + const remove$4 = (element, attr, id) => { + const nu = filter$2(read(element, attr), v => v !== id); + if (nu.length > 0) { + set$2(element, attr, nu.join(' ')); + } else { + remove$7(element, attr); + } + return false; + }; + + const supports = element => element.dom.classList !== undefined; + const get$1 = element => read(element, 'class'); + const add$1 = (element, clazz) => add$2(element, 'class', clazz); + const remove$3 = (element, clazz) => remove$4(element, 'class', clazz); + + const add = (element, clazz) => { + if (supports(element)) { + element.dom.classList.add(clazz); + } else { + add$1(element, clazz); + } + }; + const cleanClass = element => { + const classList = supports(element) ? element.dom.classList : get$1(element); + if (classList.length === 0) { + remove$7(element, 'class'); + } + }; + const remove$2 = (element, clazz) => { + if (supports(element)) { + const classList = element.dom.classList; + classList.remove(clazz); + } else { + remove$3(element, clazz); + } + cleanClass(element); + }; + const has = (element, clazz) => supports(element) && element.dom.classList.contains(clazz); + + const remove$1 = (element, classes) => { + each$2(classes, x => { + remove$2(element, x); + }); + }; + + const addClass = clazz => element => { + add(element, clazz); + }; + const removeClasses = classes => element => { + remove$1(element, classes); + }; + + const byClass = ephemera => { + const addSelectionClass = addClass(ephemera.selected); + const removeSelectionClasses = removeClasses([ + ephemera.selected, + ephemera.lastSelected, + ephemera.firstSelected + ]); + const clear = container => { + const sels = descendants(container, ephemera.selectedSelector); + each$2(sels, removeSelectionClasses); + }; + const selectRange = (container, cells, start, finish) => { + clear(container); + each$2(cells, addSelectionClass); + add(start, ephemera.firstSelected); + add(finish, ephemera.lastSelected); + }; + return { + clearBeforeUpdate: clear, + clear, + selectRange, + selectedSelector: ephemera.selectedSelector, + firstSelectedSelector: ephemera.firstSelectedSelector, + lastSelectedSelector: ephemera.lastSelectedSelector + }; + }; + const byAttr = (ephemera, onSelection, onClear) => { + const removeSelectionAttributes = element => { + remove$7(element, ephemera.selected); + remove$7(element, ephemera.firstSelected); + remove$7(element, ephemera.lastSelected); + }; + const addSelectionAttribute = element => { + set$2(element, ephemera.selected, '1'); + }; + const clear = container => { + clearBeforeUpdate(container); + onClear(); + }; + const clearBeforeUpdate = container => { + const sels = descendants(container, `${ ephemera.selectedSelector },${ ephemera.firstSelectedSelector },${ ephemera.lastSelectedSelector }`); + each$2(sels, removeSelectionAttributes); + }; + const selectRange = (container, cells, start, finish) => { + clear(container); + each$2(cells, addSelectionAttribute); + set$2(start, ephemera.firstSelected, '1'); + set$2(finish, ephemera.lastSelected, '1'); + onSelection(cells, start, finish); + }; + return { + clearBeforeUpdate, + clear, + selectRange, + selectedSelector: ephemera.selectedSelector, + firstSelectedSelector: ephemera.firstSelectedSelector, + lastSelectedSelector: ephemera.lastSelectedSelector + }; + }; + const SelectionAnnotation = { + byClass, + byAttr + }; + + const fold = (subject, onNone, onMultiple, onSingle) => { + switch (subject.tag) { + case 'none': + return onNone(); + case 'single': + return onSingle(subject.element); + case 'multiple': + return onMultiple(subject.elements); + } + }; + const none = () => ({ tag: 'none' }); + const multiple = elements => ({ + tag: 'multiple', + elements + }); + const single = element => ({ + tag: 'single', + element + }); + + const Selections = (lazyRoot, getStart, selectedSelector) => { + const get = () => retrieve(lazyRoot(), selectedSelector).fold(() => getStart().fold(none, single), multiple); + return { get }; + }; + + const getUpOrLeftCells = (grid, selectedCells) => { + const upGrid = grid.slice(0, selectedCells[selectedCells.length - 1].row + 1); + const upDetails = toDetailList(upGrid); + return bind$2(upDetails, detail => { + const slicedCells = detail.cells.slice(0, selectedCells[selectedCells.length - 1].column + 1); + return map$1(slicedCells, cell => cell.element); + }); + }; + const getDownOrRightCells = (grid, selectedCells) => { + const downGrid = grid.slice(selectedCells[0].row + selectedCells[0].rowspan - 1, grid.length); + const downDetails = toDetailList(downGrid); + return bind$2(downDetails, detail => { + const slicedCells = detail.cells.slice(selectedCells[0].column + selectedCells[0].colspan - 1, detail.cells.length); + return map$1(slicedCells, cell => cell.element); + }); + }; + const getOtherCells = (table, target, generators) => { + const warehouse = Warehouse.fromTable(table); + const details = onCells(warehouse, target); + return details.map(selectedCells => { + const grid = toGrid(warehouse, generators, false); + const {rows} = extractGridDetails(grid); + const upOrLeftCells = getUpOrLeftCells(rows, selectedCells); + const downOrRightCells = getDownOrRightCells(rows, selectedCells); + return { + upOrLeftCells, + downOrRightCells + }; + }); + }; + + const mkEvent = (target, x, y, stop, prevent, kill, raw) => ({ + target, + x, + y, + stop, + prevent, + kill, + raw + }); + const fromRawEvent$1 = rawEvent => { + const target = SugarElement.fromDom(getOriginalEventTarget(rawEvent).getOr(rawEvent.target)); + const stop = () => rawEvent.stopPropagation(); + const prevent = () => rawEvent.preventDefault(); + const kill = compose(prevent, stop); + return mkEvent(target, rawEvent.clientX, rawEvent.clientY, stop, prevent, kill, rawEvent); + }; + const handle = (filter, handler) => rawEvent => { + if (filter(rawEvent)) { + handler(fromRawEvent$1(rawEvent)); + } + }; + const binder = (element, event, filter, handler, useCapture) => { + const wrapped = handle(filter, handler); + element.dom.addEventListener(event, wrapped, useCapture); + return { unbind: curry(unbind, element, event, wrapped, useCapture) }; + }; + const bind$1 = (element, event, filter, handler) => binder(element, event, filter, handler, false); + const unbind = (element, event, handler, useCapture) => { + element.dom.removeEventListener(event, handler, useCapture); + }; + + const filter = always; + const bind = (element, event, handler) => bind$1(element, event, filter, handler); + const fromRawEvent = fromRawEvent$1; + + const hasInternalTarget = e => !has(SugarElement.fromDom(e.target), 'ephox-snooker-resizer-bar'); + const TableCellSelectionHandler = (editor, resizeHandler) => { + const cellSelection = Selections(() => SugarElement.fromDom(editor.getBody()), () => getSelectionCell(getSelectionStart(editor), getIsRoot(editor)), ephemera.selectedSelector); + const onSelection = (cells, start, finish) => { + const tableOpt = table(start); + tableOpt.each(table => { + const cloneFormats = getTableCloneElements(editor); + const generators = cellOperations(noop, SugarElement.fromDom(editor.getDoc()), cloneFormats); + const selectedCells = getCellsFromSelection(editor); + const otherCells = getOtherCells(table, { selection: selectedCells }, generators); + fireTableSelectionChange(editor, cells, start, finish, otherCells); + }); + }; + const onClear = () => fireTableSelectionClear(editor); + const annotations = SelectionAnnotation.byAttr(ephemera, onSelection, onClear); + editor.on('init', _e => { + const win = editor.getWin(); + const body = getBody(editor); + const isRoot = getIsRoot(editor); + const syncSelection = () => { + const sel = editor.selection; + const start = SugarElement.fromDom(sel.getStart()); + const end = SugarElement.fromDom(sel.getEnd()); + const shared = sharedOne(table, [ + start, + end + ]); + shared.fold(() => annotations.clear(body), noop); + }; + const mouseHandlers = mouse(win, body, isRoot, annotations); + const keyHandlers = keyboard(win, body, isRoot, annotations); + const external$1 = external(win, body, isRoot, annotations); + const hasShiftKey = event => event.raw.shiftKey === true; + editor.on('TableSelectorChange', e => external$1(e.start, e.finish)); + const handleResponse = (event, response) => { + if (!hasShiftKey(event)) { + return; + } + if (response.kill) { + event.kill(); + } + response.selection.each(ns => { + const relative = SimSelection.relative(ns.start, ns.finish); + const rng = asLtrRange(win, relative); + editor.selection.setRng(rng); + }); + }; + const keyup = event => { + const wrappedEvent = fromRawEvent(event); + if (wrappedEvent.raw.shiftKey && isNavigation(wrappedEvent.raw.which)) { + const rng = editor.selection.getRng(); + const start = SugarElement.fromDom(rng.startContainer); + const end = SugarElement.fromDom(rng.endContainer); + keyHandlers.keyup(wrappedEvent, start, rng.startOffset, end, rng.endOffset).each(response => { + handleResponse(wrappedEvent, response); + }); + } + }; + const keydown = event => { + const wrappedEvent = fromRawEvent(event); + resizeHandler.hide(); + const rng = editor.selection.getRng(); + const start = SugarElement.fromDom(rng.startContainer); + const end = SugarElement.fromDom(rng.endContainer); + const direction = onDirection(ltr, rtl)(SugarElement.fromDom(editor.selection.getStart())); + keyHandlers.keydown(wrappedEvent, start, rng.startOffset, end, rng.endOffset, direction).each(response => { + handleResponse(wrappedEvent, response); + }); + resizeHandler.show(); + }; + const isLeftMouse = raw => raw.button === 0; + const isLeftButtonPressed = raw => { + if (raw.buttons === undefined) { + return true; + } + return (raw.buttons & 1) !== 0; + }; + const dragStart = _e => { + mouseHandlers.clearstate(); + }; + const mouseDown = e => { + if (isLeftMouse(e) && hasInternalTarget(e)) { + mouseHandlers.mousedown(fromRawEvent(e)); + } + }; + const mouseOver = e => { + if (isLeftButtonPressed(e) && hasInternalTarget(e)) { + mouseHandlers.mouseover(fromRawEvent(e)); + } + }; + const mouseUp = e => { + if (isLeftMouse(e) && hasInternalTarget(e)) { + mouseHandlers.mouseup(fromRawEvent(e)); + } + }; + const getDoubleTap = () => { + const lastTarget = Cell(SugarElement.fromDom(body)); + const lastTimeStamp = Cell(0); + const touchEnd = t => { + const target = SugarElement.fromDom(t.target); + if (isTag('td')(target) || isTag('th')(target)) { + const lT = lastTarget.get(); + const lTS = lastTimeStamp.get(); + if (eq$1(lT, target) && t.timeStamp - lTS < 300) { + t.preventDefault(); + external$1(target, target); + } + } + lastTarget.set(target); + lastTimeStamp.set(t.timeStamp); + }; + return { touchEnd }; + }; + const doubleTap = getDoubleTap(); + editor.on('dragstart', dragStart); + editor.on('mousedown', mouseDown); + editor.on('mouseover', mouseOver); + editor.on('mouseup', mouseUp); + editor.on('touchend', doubleTap.touchEnd); + editor.on('keyup', keyup); + editor.on('keydown', keydown); + editor.on('NodeChange', syncSelection); + }); + editor.on('PreInit', () => { + editor.serializer.addTempAttr(ephemera.firstSelected); + editor.serializer.addTempAttr(ephemera.lastSelected); + }); + const clearSelectedCells = container => annotations.clear(SugarElement.fromDom(container)); + const getSelectedCells = () => fold(cellSelection.get(), constant([]), cells => { + return map$1(cells, cell => cell.dom); + }, cell => [cell.dom]); + return { + getSelectedCells, + clearSelectedCells + }; + }; + + const Event = fields => { + let handlers = []; + const bind = handler => { + if (handler === undefined) { + throw new Error('Event bind error: undefined handler'); + } + handlers.push(handler); + }; + const unbind = handler => { + handlers = filter$2(handlers, h => { + return h !== handler; + }); + }; + const trigger = (...args) => { + const event = {}; + each$2(fields, (name, i) => { + event[name] = args[i]; + }); + each$2(handlers, handler => { + handler(event); + }); + }; + return { + bind, + unbind, + trigger + }; + }; + + const create$1 = typeDefs => { + const registry = map(typeDefs, event => { + return { + bind: event.bind, + unbind: event.unbind + }; + }); + const trigger = map(typeDefs, event => { + return event.trigger; + }); + return { + registry, + trigger + }; + }; + + const last = (fn, rate) => { + let timer = null; + const cancel = () => { + if (!isNull(timer)) { + clearTimeout(timer); + timer = null; + } + }; + const throttle = (...args) => { + cancel(); + timer = setTimeout(() => { + timer = null; + fn.apply(null, args); + }, rate); + }; + return { + cancel, + throttle + }; + }; + + const sort = arr => { + return arr.slice(0).sort(); + }; + const reqMessage = (required, keys) => { + throw new Error('All required keys (' + sort(required).join(', ') + ') were not specified. Specified keys were: ' + sort(keys).join(', ') + '.'); + }; + const unsuppMessage = unsupported => { + throw new Error('Unsupported keys for object: ' + sort(unsupported).join(', ')); + }; + const validateStrArr = (label, array) => { + if (!isArray(array)) { + throw new Error('The ' + label + ' fields must be an array. Was: ' + array + '.'); + } + each$2(array, a => { + if (!isString(a)) { + throw new Error('The value ' + a + ' in the ' + label + ' fields was not a string.'); + } + }); + }; + const invalidTypeMessage = (incorrect, type) => { + throw new Error('All values need to be of type: ' + type + '. Keys (' + sort(incorrect).join(', ') + ') were not.'); + }; + const checkDupes = everything => { + const sorted = sort(everything); + const dupe = find$1(sorted, (s, i) => { + return i < sorted.length - 1 && s === sorted[i + 1]; + }); + dupe.each(d => { + throw new Error('The field: ' + d + ' occurs more than once in the combined fields: [' + sorted.join(', ') + '].'); + }); + }; + + const base = (handleUnsupported, required) => { + return baseWith(handleUnsupported, required, { + validate: isFunction, + label: 'function' + }); + }; + const baseWith = (handleUnsupported, required, pred) => { + if (required.length === 0) { + throw new Error('You must specify at least one required field.'); + } + validateStrArr('required', required); + checkDupes(required); + return obj => { + const keys$1 = keys(obj); + const allReqd = forall(required, req => { + return contains$2(keys$1, req); + }); + if (!allReqd) { + reqMessage(required, keys$1); + } + handleUnsupported(required, keys$1); + const invalidKeys = filter$2(required, key => { + return !pred.validate(obj[key], key); + }); + if (invalidKeys.length > 0) { + invalidTypeMessage(invalidKeys, pred.label); + } + return obj; + }; + }; + const handleExact = (required, keys) => { + const unsupported = filter$2(keys, key => { + return !contains$2(required, key); + }); + if (unsupported.length > 0) { + unsuppMessage(unsupported); + } + }; + const exactly = required => base(handleExact, required); + + const DragMode = exactly([ + 'compare', + 'extract', + 'mutate', + 'sink' + ]); + const DragSink = exactly([ + 'element', + 'start', + 'stop', + 'destroy' + ]); + const DragApi = exactly([ + 'forceDrop', + 'drop', + 'move', + 'delayDrop' + ]); + + const InDrag = () => { + let previous = Optional.none(); + const reset = () => { + previous = Optional.none(); + }; + const update = (mode, nu) => { + const result = previous.map(old => { + return mode.compare(old, nu); + }); + previous = Optional.some(nu); + return result; + }; + const onEvent = (event, mode) => { + const dataOption = mode.extract(event); + dataOption.each(data => { + const offset = update(mode, data); + offset.each(d => { + events.trigger.move(d); + }); + }); + }; + const events = create$1({ move: Event(['info']) }); + return { + onEvent, + reset, + events: events.registry + }; + }; + + const NoDrag = () => { + const events = create$1({ move: Event(['info']) }); + return { + onEvent: noop, + reset: noop, + events: events.registry + }; + }; + + const Movement = () => { + const noDragState = NoDrag(); + const inDragState = InDrag(); + let dragState = noDragState; + const on = () => { + dragState.reset(); + dragState = inDragState; + }; + const off = () => { + dragState.reset(); + dragState = noDragState; + }; + const onEvent = (event, mode) => { + dragState.onEvent(event, mode); + }; + const isOn = () => { + return dragState === inDragState; + }; + return { + on, + off, + isOn, + onEvent, + events: inDragState.events + }; + }; + + const setup = (mutation, mode, settings) => { + let active = false; + const events = create$1({ + start: Event([]), + stop: Event([]) + }); + const movement = Movement(); + const drop = () => { + sink.stop(); + if (movement.isOn()) { + movement.off(); + events.trigger.stop(); + } + }; + const throttledDrop = last(drop, 200); + const go = parent => { + sink.start(parent); + movement.on(); + events.trigger.start(); + }; + const mousemove = event => { + throttledDrop.cancel(); + movement.onEvent(event, mode); + }; + movement.events.move.bind(event => { + mode.mutate(mutation, event.info); + }); + const on = () => { + active = true; + }; + const off = () => { + active = false; + }; + const isActive = () => active; + const runIfActive = f => { + return (...args) => { + if (active) { + f.apply(null, args); + } + }; + }; + const sink = mode.sink(DragApi({ + forceDrop: drop, + drop: runIfActive(drop), + move: runIfActive(mousemove), + delayDrop: runIfActive(throttledDrop.throttle) + }), settings); + const destroy = () => { + sink.destroy(); + }; + return { + element: sink.element, + go, + on, + off, + isActive, + destroy, + events: events.registry + }; + }; + + const css = namespace => { + const dashNamespace = namespace.replace(/\./g, '-'); + const resolve = str => { + return dashNamespace + '-' + str; + }; + return { resolve }; + }; + + const styles$1 = css('ephox-dragster'); + const resolve$1 = styles$1.resolve; + + const Blocker = options => { + const settings = { + layerClass: resolve$1('blocker'), + ...options + }; + const div = SugarElement.fromTag('div'); + set$2(div, 'role', 'presentation'); + setAll(div, { + position: 'fixed', + left: '0px', + top: '0px', + width: '100%', + height: '100%' + }); + add(div, resolve$1('blocker')); + add(div, settings.layerClass); + const element = constant(div); + const destroy = () => { + remove$6(div); + }; + return { + element, + destroy + }; + }; + + const compare = (old, nu) => { + return SugarPosition(nu.left - old.left, nu.top - old.top); + }; + const extract = event => { + return Optional.some(SugarPosition(event.x, event.y)); + }; + const mutate = (mutation, info) => { + mutation.mutate(info.left, info.top); + }; + const sink = (dragApi, settings) => { + const blocker = Blocker(settings); + const mdown = bind(blocker.element(), 'mousedown', dragApi.forceDrop); + const mup = bind(blocker.element(), 'mouseup', dragApi.drop); + const mmove = bind(blocker.element(), 'mousemove', dragApi.move); + const mout = bind(blocker.element(), 'mouseout', dragApi.delayDrop); + const destroy = () => { + blocker.destroy(); + mup.unbind(); + mmove.unbind(); + mout.unbind(); + mdown.unbind(); + }; + const start = parent => { + append$1(parent, blocker.element()); + }; + const stop = () => { + remove$6(blocker.element()); + }; + return DragSink({ + element: blocker.element, + start, + stop, + destroy + }); + }; + var MouseDrag = DragMode({ + compare, + extract, + sink, + mutate + }); + + const transform = (mutation, settings = {}) => { + var _a; + const mode = (_a = settings.mode) !== null && _a !== void 0 ? _a : MouseDrag; + return setup(mutation, mode, settings); + }; + + const styles = css('ephox-snooker'); + const resolve = styles.resolve; + + const Mutation = () => { + const events = create$1({ + drag: Event([ + 'xDelta', + 'yDelta' + ]) + }); + const mutate = (x, y) => { + events.trigger.drag(x, y); + }; + return { + mutate, + events: events.registry + }; + }; + + const BarMutation = () => { + const events = create$1({ + drag: Event([ + 'xDelta', + 'yDelta', + 'target' + ]) + }); + let target = Optional.none(); + const delegate = Mutation(); + delegate.events.drag.bind(event => { + target.each(t => { + events.trigger.drag(event.xDelta, event.yDelta, t); + }); + }); + const assign = t => { + target = Optional.some(t); + }; + const get = () => { + return target; + }; + return { + assign, + get, + mutate: delegate.mutate, + events: events.registry + }; + }; + + const col = (column, x, y, w, h) => { + const bar = SugarElement.fromTag('div'); + setAll(bar, { + position: 'absolute', + left: x - w / 2 + 'px', + top: y + 'px', + height: h + 'px', + width: w + 'px' + }); + setAll$1(bar, { + 'data-column': column, + 'role': 'presentation' + }); + return bar; + }; + const row = (r, x, y, w, h) => { + const bar = SugarElement.fromTag('div'); + setAll(bar, { + position: 'absolute', + left: x + 'px', + top: y - h / 2 + 'px', + height: h + 'px', + width: w + 'px' + }); + setAll$1(bar, { + 'data-row': r, + 'role': 'presentation' + }); + return bar; + }; + + const resizeBar = resolve('resizer-bar'); + const resizeRowBar = resolve('resizer-rows'); + const resizeColBar = resolve('resizer-cols'); + const BAR_THICKNESS = 7; + const resizableRows = (warehouse, isResizable) => bind$2(warehouse.all, (row, i) => isResizable(row.element) ? [i] : []); + const resizableColumns = (warehouse, isResizable) => { + const resizableCols = []; + range$1(warehouse.grid.columns, index => { + const colElmOpt = Warehouse.getColumnAt(warehouse, index).map(col => col.element); + if (colElmOpt.forall(isResizable)) { + resizableCols.push(index); + } + }); + return filter$2(resizableCols, colIndex => { + const columnCells = Warehouse.filterItems(warehouse, cell => cell.column === colIndex); + return forall(columnCells, cell => isResizable(cell.element)); + }); + }; + const destroy = wire => { + const previous = descendants(wire.parent(), '.' + resizeBar); + each$2(previous, remove$6); + }; + const drawBar = (wire, positions, create) => { + const origin = wire.origin(); + each$2(positions, cpOption => { + cpOption.each(cp => { + const bar = create(origin, cp); + add(bar, resizeBar); + append$1(wire.parent(), bar); + }); + }); + }; + const refreshCol = (wire, colPositions, position, tableHeight) => { + drawBar(wire, colPositions, (origin, cp) => { + const colBar = col(cp.col, cp.x - origin.left, position.top - origin.top, BAR_THICKNESS, tableHeight); + add(colBar, resizeColBar); + return colBar; + }); + }; + const refreshRow = (wire, rowPositions, position, tableWidth) => { + drawBar(wire, rowPositions, (origin, cp) => { + const rowBar = row(cp.row, position.left - origin.left, cp.y - origin.top, tableWidth, BAR_THICKNESS); + add(rowBar, resizeRowBar); + return rowBar; + }); + }; + const refreshGrid = (warhouse, wire, table, rows, cols) => { + const position = absolute(table); + const isResizable = wire.isResizable; + const rowPositions = rows.length > 0 ? height.positions(rows, table) : []; + const resizableRowBars = rowPositions.length > 0 ? resizableRows(warhouse, isResizable) : []; + const resizableRowPositions = filter$2(rowPositions, (_pos, i) => exists(resizableRowBars, barIndex => i === barIndex)); + refreshRow(wire, resizableRowPositions, position, getOuter$2(table)); + const colPositions = cols.length > 0 ? width.positions(cols, table) : []; + const resizableColBars = colPositions.length > 0 ? resizableColumns(warhouse, isResizable) : []; + const resizableColPositions = filter$2(colPositions, (_pos, i) => exists(resizableColBars, barIndex => i === barIndex)); + refreshCol(wire, resizableColPositions, position, getOuter$1(table)); + }; + const refresh = (wire, table) => { + destroy(wire); + if (wire.isResizable(table)) { + const warehouse = Warehouse.fromTable(table); + const rows$1 = rows(warehouse); + const cols = columns(warehouse); + refreshGrid(warehouse, wire, table, rows$1, cols); + } + }; + const each = (wire, f) => { + const bars = descendants(wire.parent(), '.' + resizeBar); + each$2(bars, f); + }; + const hide = wire => { + each(wire, bar => { + set$1(bar, 'display', 'none'); + }); + }; + const show = wire => { + each(wire, bar => { + set$1(bar, 'display', 'block'); + }); + }; + const isRowBar = element => { + return has(element, resizeRowBar); + }; + const isColBar = element => { + return has(element, resizeColBar); + }; + + const resizeBarDragging = resolve('resizer-bar-dragging'); + const BarManager = wire => { + const mutation = BarMutation(); + const resizing = transform(mutation, {}); + let hoverTable = Optional.none(); + const getResizer = (element, type) => { + return Optional.from(get$b(element, type)); + }; + mutation.events.drag.bind(event => { + getResizer(event.target, 'data-row').each(_dataRow => { + const currentRow = getCssValue(event.target, 'top'); + set$1(event.target, 'top', currentRow + event.yDelta + 'px'); + }); + getResizer(event.target, 'data-column').each(_dataCol => { + const currentCol = getCssValue(event.target, 'left'); + set$1(event.target, 'left', currentCol + event.xDelta + 'px'); + }); + }); + const getDelta = (target, dir) => { + const newX = getCssValue(target, dir); + const oldX = getAttrValue(target, 'data-initial-' + dir, 0); + return newX - oldX; + }; + resizing.events.stop.bind(() => { + mutation.get().each(target => { + hoverTable.each(table => { + getResizer(target, 'data-row').each(row => { + const delta = getDelta(target, 'top'); + remove$7(target, 'data-initial-top'); + events.trigger.adjustHeight(table, delta, parseInt(row, 10)); + }); + getResizer(target, 'data-column').each(column => { + const delta = getDelta(target, 'left'); + remove$7(target, 'data-initial-left'); + events.trigger.adjustWidth(table, delta, parseInt(column, 10)); + }); + refresh(wire, table); + }); + }); + }); + const handler = (target, dir) => { + events.trigger.startAdjust(); + mutation.assign(target); + set$2(target, 'data-initial-' + dir, getCssValue(target, dir)); + add(target, resizeBarDragging); + set$1(target, 'opacity', '0.2'); + resizing.go(wire.parent()); + }; + const mousedown = bind(wire.parent(), 'mousedown', event => { + if (isRowBar(event.target)) { + handler(event.target, 'top'); + } + if (isColBar(event.target)) { + handler(event.target, 'left'); + } + }); + const isRoot = e => { + return eq$1(e, wire.view()); + }; + const findClosestEditableTable = target => closest$1(target, 'table', isRoot).filter(isEditable$1); + const mouseover = bind(wire.view(), 'mouseover', event => { + findClosestEditableTable(event.target).fold(() => { + if (inBody(event.target)) { + destroy(wire); + } + }, table => { + if (resizing.isActive()) { + hoverTable = Optional.some(table); + refresh(wire, table); + } + }); + }); + const destroy$1 = () => { + mousedown.unbind(); + mouseover.unbind(); + resizing.destroy(); + destroy(wire); + }; + const refresh$1 = tbl => { + refresh(wire, tbl); + }; + const events = create$1({ + adjustHeight: Event([ + 'table', + 'delta', + 'row' + ]), + adjustWidth: Event([ + 'table', + 'delta', + 'column' + ]), + startAdjust: Event([]) + }); + return { + destroy: destroy$1, + refresh: refresh$1, + on: resizing.on, + off: resizing.off, + hideBars: curry(hide, wire), + showBars: curry(show, wire), + events: events.registry + }; + }; + + const create = (wire, resizing, lazySizing) => { + const hdirection = height; + const vdirection = width; + const manager = BarManager(wire); + const events = create$1({ + beforeResize: Event([ + 'table', + 'type' + ]), + afterResize: Event([ + 'table', + 'type' + ]), + startDrag: Event([]) + }); + manager.events.adjustHeight.bind(event => { + const table = event.table; + events.trigger.beforeResize(table, 'row'); + const delta = hdirection.delta(event.delta, table); + adjustHeight(table, delta, event.row, hdirection); + events.trigger.afterResize(table, 'row'); + }); + manager.events.startAdjust.bind(_event => { + events.trigger.startDrag(); + }); + manager.events.adjustWidth.bind(event => { + const table = event.table; + events.trigger.beforeResize(table, 'col'); + const delta = vdirection.delta(event.delta, table); + const tableSize = lazySizing(table); + adjustWidth(table, delta, event.column, resizing, tableSize); + events.trigger.afterResize(table, 'col'); + }); + return { + on: manager.on, + off: manager.off, + refreshBars: manager.refresh, + hideBars: manager.hideBars, + showBars: manager.showBars, + destroy: manager.destroy, + events: events.registry + }; + }; + const TableResize = { create }; + + const only = (element, isResizable) => { + const parent = isDocument(element) ? documentElement(element) : element; + return { + parent: constant(parent), + view: constant(element), + origin: constant(SugarPosition(0, 0)), + isResizable + }; + }; + const detached = (editable, chrome, isResizable) => { + const origin = () => absolute(chrome); + return { + parent: constant(chrome), + view: constant(editable), + origin, + isResizable + }; + }; + const body = (editable, chrome, isResizable) => { + return { + parent: constant(chrome), + view: constant(editable), + origin: constant(SugarPosition(0, 0)), + isResizable + }; + }; + const ResizeWire = { + only, + detached, + body + }; + + const createContainer = () => { + const container = SugarElement.fromTag('div'); + setAll(container, { + position: 'static', + height: '0', + width: '0', + padding: '0', + margin: '0', + border: '0' + }); + append$1(body$1(), container); + return container; + }; + const get = (editor, isResizable) => { + return editor.inline ? ResizeWire.body(SugarElement.fromDom(editor.getBody()), createContainer(), isResizable) : ResizeWire.only(SugarElement.fromDom(editor.getDoc()), isResizable); + }; + const remove = (editor, wire) => { + if (editor.inline) { + remove$6(wire.parent()); + } + }; + + const isTable = node => isNonNullable(node) && node.nodeName === 'TABLE'; + const barResizerPrefix = 'bar-'; + const isResizable = elm => get$b(elm, 'data-mce-resize') !== 'false'; + const syncPixels = table => { + const warehouse = Warehouse.fromTable(table); + if (!Warehouse.hasColumns(warehouse)) { + each$2(cells$1(table), cell => { + const computedWidth = get$a(cell, 'width'); + set$1(cell, 'width', computedWidth); + remove$7(cell, 'width'); + }); + } + }; + const TableResizeHandler = editor => { + const selectionRng = value(); + const tableResize = value(); + const resizeWire = value(); + let startW; + let startRawW; + const lazySizing = table => get$5(editor, table); + const lazyResizingBehaviour = () => isPreserveTableColumnResizing(editor) ? preserveTable() : resizeTable(); + const getNumColumns = table => getGridSize(table).columns; + const afterCornerResize = (table, origin, width) => { + const isRightEdgeResize = endsWith(origin, 'e'); + if (startRawW === '') { + convertToPercentSize(table); + } + if (width !== startW && startRawW !== '') { + set$1(table, 'width', startRawW); + const resizing = lazyResizingBehaviour(); + const tableSize = lazySizing(table); + const col = isPreserveTableColumnResizing(editor) || isRightEdgeResize ? getNumColumns(table) - 1 : 0; + adjustWidth(table, width - startW, col, resizing, tableSize); + } else if (isPercentage$1(startRawW)) { + const percentW = parseFloat(startRawW.replace('%', '')); + const targetPercentW = width * percentW / startW; + set$1(table, 'width', targetPercentW + '%'); + } + if (isPixel(startRawW)) { + syncPixels(table); + } + }; + const destroy = () => { + tableResize.on(sz => { + sz.destroy(); + }); + resizeWire.on(w => { + remove(editor, w); + }); + }; + editor.on('init', () => { + const rawWire = get(editor, isResizable); + resizeWire.set(rawWire); + if (hasTableObjectResizing(editor) && hasTableResizeBars(editor)) { + const resizing = lazyResizingBehaviour(); + const sz = TableResize.create(rawWire, resizing, lazySizing); + sz.on(); + sz.events.startDrag.bind(_event => { + selectionRng.set(editor.selection.getRng()); + }); + sz.events.beforeResize.bind(event => { + const rawTable = event.table.dom; + fireObjectResizeStart(editor, rawTable, getPixelWidth(rawTable), getPixelHeight(rawTable), barResizerPrefix + event.type); + }); + sz.events.afterResize.bind(event => { + const table = event.table; + const rawTable = table.dom; + removeDataStyle(table); + selectionRng.on(rng => { + editor.selection.setRng(rng); + editor.focus(); + }); + fireObjectResized(editor, rawTable, getPixelWidth(rawTable), getPixelHeight(rawTable), barResizerPrefix + event.type); + editor.undoManager.add(); + }); + tableResize.set(sz); + } + }); + editor.on('ObjectResizeStart', e => { + const targetElm = e.target; + if (isTable(targetElm)) { + const table = SugarElement.fromDom(targetElm); + each$2(editor.dom.select('.mce-clonedresizable'), clone => { + editor.dom.addClass(clone, 'mce-' + getTableColumnResizingBehaviour(editor) + '-columns'); + }); + if (!isPixelSizing(table) && isTablePixelsForced(editor)) { + convertToPixelSize(table); + } else if (!isPercentSizing(table) && isTablePercentagesForced(editor)) { + convertToPercentSize(table); + } + if (isNoneSizing(table) && startsWith(e.origin, barResizerPrefix)) { + convertToPercentSize(table); + } + startW = e.width; + startRawW = isTableResponsiveForced(editor) ? '' : getRawWidth(editor, targetElm).getOr(''); + } + }); + editor.on('ObjectResized', e => { + const targetElm = e.target; + if (isTable(targetElm)) { + const table = SugarElement.fromDom(targetElm); + const origin = e.origin; + if (startsWith(origin, 'corner-')) { + afterCornerResize(table, origin, e.width); + } + removeDataStyle(table); + fireTableModified(editor, table.dom, styleModified); + } + }); + editor.on('SwitchMode', () => { + tableResize.on(resize => { + if (editor.mode.isReadOnly()) { + resize.hideBars(); + } else { + resize.showBars(); + } + }); + }); + editor.on('dragstart dragend', e => { + tableResize.on(resize => { + if (e.type === 'dragstart') { + resize.hideBars(); + resize.off(); + } else { + resize.on(); + resize.showBars(); + } + }); + }); + editor.on('remove', () => { + destroy(); + }); + const refresh = table => { + tableResize.on(resize => resize.refreshBars(SugarElement.fromDom(table))); + }; + const hide = () => { + tableResize.on(resize => resize.hideBars()); + }; + const show = () => { + tableResize.on(resize => resize.showBars()); + }; + return { + refresh, + hide, + show + }; + }; + + const setupTable = editor => { + register(editor); + const resizeHandler = TableResizeHandler(editor); + const cellSelectionHandler = TableCellSelectionHandler(editor, resizeHandler); + const actions = TableActions(editor, resizeHandler, cellSelectionHandler); + registerCommands(editor, actions); + registerQueryCommands(editor, actions); + registerEvents(editor, actions); + return { + getSelectedCells: cellSelectionHandler.getSelectedCells, + clearSelectedCells: cellSelectionHandler.clearSelectedCells + }; + }; + + const DomModel = editor => { + const table = setupTable(editor); + return { table }; + }; + var Model = () => { + global$1.add('dom', DomModel); + }; + + Model(); + +})(); diff --git a/deform/static/tinymce/models/dom/model.min.js b/deform/static/tinymce/models/dom/model.min.js new file mode 100644 index 00000000..4d5dd17e --- /dev/null +++ b/deform/static/tinymce/models/dom/model.min.js @@ -0,0 +1,4 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.ModelManager");const t=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(o=n=e,(r=String).prototype.isPrototypeOf(o)||(null===(s=n.constructor)||void 0===s?void 0:s.name)===r.name)?"string":t;var o,n,r,s})(t)===e,o=e=>t=>typeof t===e,n=e=>t=>e===t,r=t("string"),s=t("object"),l=t("array"),a=n(null),c=o("boolean"),i=n(void 0),m=e=>!(e=>null==e)(e),d=o("function"),u=o("number"),f=()=>{},g=e=>()=>e,h=e=>e,p=(e,t)=>e===t;function w(e,...t){return(...o)=>{const n=t.concat(o);return e.apply(null,n)}}const b=e=>t=>!e(t),v=e=>e(),y=g(!1),x=g(!0);class C{constructor(e,t){this.tag=e,this.value=t}static some(e){return new C(!0,e)}static none(){return C.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?C.some(e(this.value)):C.none()}bind(e){return this.tag?e(this.value):C.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:C.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return m(e)?C.some(e):C.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}C.singletonNone=new C(!1);const S=Array.prototype.slice,T=Array.prototype.indexOf,R=Array.prototype.push,D=(e,t)=>{return o=e,n=t,T.call(o,n)>-1;var o,n},O=(e,t)=>{for(let o=0,n=e.length;o{const o=[];for(let n=0;n{const o=e.length,n=new Array(o);for(let r=0;r{for(let o=0,n=e.length;o{const o=[],n=[];for(let r=0,s=e.length;r{const o=[];for(let n=0,r=e.length;n(((e,t)=>{for(let o=e.length-1;o>=0;o--)t(e[o],o)})(e,((e,n)=>{o=t(o,e,n)})),o),A=(e,t,o)=>(N(e,((e,n)=>{o=t(o,e,n)})),o),L=(e,t)=>((e,t,o)=>{for(let n=0,r=e.length;n{for(let o=0,n=e.length;o{const t=[];for(let o=0,n=e.length;oM(E(e,t)),P=(e,t)=>{for(let o=0,n=e.length;o{const o={};for(let n=0,r=e.length;nt>=0&&tF(e,0),$=e=>F(e,e.length-1),V=(e,t)=>{for(let o=0;o{const o=q(e);for(let n=0,r=o.length;nY(e,((e,o)=>({k:o,v:t(e,o)}))),Y=(e,t)=>{const o={};return G(e,((e,n)=>{const r=t(e,n);o[r.k]=r.v})),o},J=(e,t)=>{const o=[];return G(e,((e,n)=>{o.push(t(e,n))})),o},Q=e=>J(e,h),X=(e,t)=>U.call(e,t),Z="undefined"!=typeof window?window:Function("return this;")(),ee=(e,t)=>((e,t)=>{let o=null!=t?t:Z;for(let t=0;t{const t=ee("ownerDocument.defaultView",e);return s(e)&&((e=>((e,t)=>{const o=((e,t)=>ee(e,t))(e,t);if(null==o)throw new Error(e+" not available on this browser");return o})("HTMLElement",e))(t).prototype.isPrototypeOf(e)||/^HTML\w*Element$/.test(te(e).constructor.name))},ne=e=>e.dom.nodeName.toLowerCase(),re=e=>e.dom.nodeType,se=e=>t=>re(t)===e,le=e=>8===re(e)||"#comment"===ne(e),ae=e=>ce(e)&&oe(e.dom),ce=se(1),ie=se(3),me=se(9),de=se(11),ue=e=>t=>ce(t)&&ne(t)===e,fe=(e,t,o)=>{if(!(r(o)||c(o)||u(o)))throw console.error("Invalid call to Attribute.set. Key ",t,":: Value ",o,":: Element ",e),new Error("Attribute value was not simple");e.setAttribute(t,o+"")},ge=(e,t,o)=>{fe(e.dom,t,o)},he=(e,t)=>{const o=e.dom;G(t,((e,t)=>{fe(o,t,e)}))},pe=(e,t)=>{const o=e.dom.getAttribute(t);return null===o?void 0:o},we=(e,t)=>C.from(pe(e,t)),be=(e,t)=>{e.dom.removeAttribute(t)},ve=e=>A(e.dom.attributes,((e,t)=>(e[t.name]=t.value,e)),{}),ye=e=>{if(null==e)throw new Error("Node cannot be null or undefined");return{dom:e}},xe={fromHtml:(e,t)=>{const o=(t||document).createElement("div");if(o.innerHTML=e,!o.hasChildNodes()||o.childNodes.length>1){const t="HTML does not have a single root node";throw console.error(t,e),new Error(t)}return ye(o.childNodes[0])},fromTag:(e,t)=>{const o=(t||document).createElement(e);return ye(o)},fromText:(e,t)=>{const o=(t||document).createTextNode(e);return ye(o)},fromDom:ye,fromPoint:(e,t,o)=>C.from(e.dom.elementFromPoint(t,o)).map(ye)},Ce=(e,t)=>{const o=e.dom;if(1!==o.nodeType)return!1;{const e=o;if(void 0!==e.matches)return e.matches(t);if(void 0!==e.msMatchesSelector)return e.msMatchesSelector(t);if(void 0!==e.webkitMatchesSelector)return e.webkitMatchesSelector(t);if(void 0!==e.mozMatchesSelector)return e.mozMatchesSelector(t);throw new Error("Browser lacks native selectors")}},Se=e=>1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType||0===e.childElementCount,Te=(e,t)=>{const o=void 0===t?document:t.dom;return Se(o)?C.none():C.from(o.querySelector(e)).map(xe.fromDom)},Re=(e,t)=>e.dom===t.dom,De=(e,t)=>{const o=e.dom,n=t.dom;return o!==n&&o.contains(n)},Oe=Ce,ke=e=>xe.fromDom(e.dom.ownerDocument),Ee=e=>me(e)?e:ke(e),Ne=e=>C.from(e.dom.parentNode).map(xe.fromDom),Be=e=>C.from(e.dom.parentElement).map(xe.fromDom),_e=(e,t)=>{const o=d(t)?t:y;let n=e.dom;const r=[];for(;null!==n.parentNode&&void 0!==n.parentNode;){const e=n.parentNode,t=xe.fromDom(e);if(r.push(t),!0===o(t))break;n=e}return r},ze=e=>C.from(e.dom.previousSibling).map(xe.fromDom),Ae=e=>C.from(e.dom.nextSibling).map(xe.fromDom),Le=e=>E(e.dom.childNodes,xe.fromDom),We=(e,t)=>{const o=e.dom.childNodes;return C.from(o[t]).map(xe.fromDom)},Me=(e,t)=>{Ne(e).each((o=>{o.dom.insertBefore(t.dom,e.dom)}))},je=(e,t)=>{Ae(e).fold((()=>{Ne(e).each((e=>{Ie(e,t)}))}),(e=>{Me(e,t)}))},Pe=(e,t)=>{const o=(e=>We(e,0))(e);o.fold((()=>{Ie(e,t)}),(o=>{e.dom.insertBefore(t.dom,o.dom)}))},Ie=(e,t)=>{e.dom.appendChild(t.dom)},Fe=(e,t)=>{Me(e,t),Ie(t,e)},He=(e,t)=>{N(t,((o,n)=>{const r=0===n?e:t[n-1];je(r,o)}))},$e=(e,t)=>{N(t,(t=>{Ie(e,t)}))},Ve=e=>{e.dom.textContent="",N(Le(e),(e=>{qe(e)}))},qe=e=>{const t=e.dom;null!==t.parentNode&&t.parentNode.removeChild(t)},Ue=e=>{const t=Le(e);t.length>0&&He(e,t),qe(e)},Ge=(e,t)=>xe.fromDom(e.dom.cloneNode(t)),Ke=e=>Ge(e,!1),Ye=e=>Ge(e,!0),Je=(e,t)=>{const o=xe.fromTag(t),n=ve(e);return he(o,n),o},Qe=["tfoot","thead","tbody","colgroup"],Xe=(e,t,o)=>({element:e,rowspan:t,colspan:o}),Ze=(e,t,o)=>({element:e,cells:t,section:o}),et=(e,t,o)=>({element:e,isNew:t,isLocked:o}),tt=(e,t,o,n)=>({element:e,cells:t,section:o,isNew:n}),ot=d(Element.prototype.attachShadow)&&d(Node.prototype.getRootNode),nt=g(ot),rt=ot?e=>xe.fromDom(e.dom.getRootNode()):Ee,st=e=>xe.fromDom(e.dom.host),lt=e=>{const t=ie(e)?e.dom.parentNode:e.dom;if(null==t||null===t.ownerDocument)return!1;const o=t.ownerDocument;return(e=>{const t=rt(e);return de(o=t)&&m(o.dom.host)?C.some(t):C.none();var o})(xe.fromDom(t)).fold((()=>o.body.contains(t)),(n=lt,r=st,e=>n(r(e))));var n,r},at=e=>{const t=e.dom.body;if(null==t)throw new Error("Body is not available yet");return xe.fromDom(t)},ct=(e,t)=>{let o=[];return N(Le(e),(e=>{t(e)&&(o=o.concat([e])),o=o.concat(ct(e,t))})),o},it=(e,t,o)=>((e,o,n)=>_(_e(e,n),(e=>Ce(e,t))))(e,0,o),mt=(e,t)=>((e,o)=>_(Le(e),(e=>Ce(e,t))))(e),dt=(e,t)=>((e,t)=>{const o=void 0===t?document:t.dom;return Se(o)?[]:E(o.querySelectorAll(e),xe.fromDom)})(t,e);var ut=(e,t,o,n,r)=>e(o,n)?C.some(o):d(r)&&r(o)?C.none():t(o,n,r);const ft=(e,t,o)=>{let n=e.dom;const r=d(o)?o:y;for(;n.parentNode;){n=n.parentNode;const e=xe.fromDom(n);if(t(e))return C.some(e);if(r(e))break}return C.none()},gt=(e,t,o)=>ut(((e,t)=>t(e)),ft,e,t,o),ht=(e,t,o)=>ft(e,(e=>Ce(e,t)),o),pt=(e,t)=>((e,o)=>L(e.dom.childNodes,(e=>{return o=xe.fromDom(e),Ce(o,t);var o})).map(xe.fromDom))(e),wt=(e,t)=>Te(t,e),bt=(e,t,o)=>ut(((e,t)=>Ce(e,t)),ht,e,t,o),vt=(e,t,o=p)=>e.exists((e=>o(e,t))),yt=e=>{const t=[],o=e=>{t.push(e)};for(let t=0;te?C.some(t):C.none(),Ct=(e,t,o)=>""===t||e.length>=t.length&&e.substr(o,o+t.length)===t,St=(e,t,o=0,n)=>{const r=e.indexOf(t,o);return-1!==r&&(!!i(n)||r+t.length<=n)},Tt=(e,t)=>Ct(e,t,0),Rt=(e,t)=>Ct(e,t,e.length-t.length),Dt=(e=>t=>t.replace(e,""))(/^\s+|\s+$/g),Ot=e=>e.length>0,kt=e=>void 0!==e.style&&d(e.style.getPropertyValue),Et=(e,t,o)=>{if(!r(o))throw console.error("Invalid call to CSS.set. Property ",t,":: Value ",o,":: Element ",e),new Error("CSS value must be a string: "+o);kt(e)&&e.style.setProperty(t,o)},Nt=(e,t,o)=>{const n=e.dom;Et(n,t,o)},Bt=(e,t)=>{const o=e.dom;G(t,((e,t)=>{Et(o,t,e)}))},_t=(e,t)=>{const o=e.dom,n=window.getComputedStyle(o).getPropertyValue(t);return""!==n||lt(e)?n:zt(o,t)},zt=(e,t)=>kt(e)?e.style.getPropertyValue(t):"",At=(e,t)=>{const o=e.dom,n=zt(o,t);return C.from(n).filter((e=>e.length>0))},Lt=(e,t)=>{((e,t)=>{kt(e)&&e.style.removeProperty(t)})(e.dom,t),vt(we(e,"style").map(Dt),"")&&be(e,"style")},Wt=(e,t,o=0)=>we(e,t).map((e=>parseInt(e,10))).getOr(o),Mt=(e,t)=>Wt(e,t,1),jt=e=>ue("col")(e)?Wt(e,"span",1)>1:Mt(e,"colspan")>1,Pt=e=>Mt(e,"rowspan")>1,It=(e,t)=>parseInt(_t(e,t),10),Ft=g(10),Ht=g(10),$t=(e,t)=>Vt(e,t,x),Vt=(e,t,o)=>j(Le(e),(e=>Ce(e,t)?o(e)?[e]:[]:Vt(e,t,o))),qt=(e,t)=>((e,t,o=y)=>o(t)?C.none():D(e,ne(t))?C.some(t):ht(t,e.join(","),(e=>Ce(e,"table")||o(e))))(["td","th"],e,t),Ut=e=>$t(e,"th,td"),Gt=e=>Ce(e,"colgroup")?mt(e,"col"):j(Jt(e),(e=>mt(e,"col"))),Kt=(e,t)=>bt(e,"table",t),Yt=e=>$t(e,"tr"),Jt=e=>Kt(e).fold(g([]),(e=>mt(e,"colgroup"))),Qt=(e,t)=>E(e,(e=>{if("colgroup"===ne(e)){const t=E(Gt(e),(e=>{const t=Wt(e,"span",1);return Xe(e,1,t)}));return Ze(e,t,"colgroup")}{const o=E(Ut(e),(e=>{const t=Wt(e,"rowspan",1),o=Wt(e,"colspan",1);return Xe(e,t,o)}));return Ze(e,o,t(e))}})),Xt=e=>Ne(e).map((e=>{const t=ne(e);return(e=>D(Qe,e))(t)?t:"tbody"})).getOr("tbody"),Zt=e=>{const t=Yt(e),o=[...Jt(e),...t];return Qt(o,Xt)},eo=e=>{let t,o=!1;return(...n)=>(o||(o=!0,t=e.apply(null,n)),t)},to=()=>oo(0,0),oo=(e,t)=>({major:e,minor:t}),no={nu:oo,detect:(e,t)=>{const o=String(t).toLowerCase();return 0===e.length?to():((e,t)=>{const o=((e,t)=>{for(let o=0;oNumber(t.replace(o,"$"+e));return oo(n(1),n(2))})(e,o)},unknown:to},ro=(e,t)=>{const o=String(t).toLowerCase();return L(e,(e=>e.search(o)))},so=/.*?version\/\ ?([0-9]+)\.([0-9]+).*/,lo=e=>t=>St(t,e),ao=[{name:"Edge",versionRegexes:[/.*?edge\/ ?([0-9]+)\.([0-9]+)$/],search:e=>St(e,"edge/")&&St(e,"chrome")&&St(e,"safari")&&St(e,"applewebkit")},{name:"Chromium",brand:"Chromium",versionRegexes:[/.*?chrome\/([0-9]+)\.([0-9]+).*/,so],search:e=>St(e,"chrome")&&!St(e,"chromeframe")},{name:"IE",versionRegexes:[/.*?msie\ ?([0-9]+)\.([0-9]+).*/,/.*?rv:([0-9]+)\.([0-9]+).*/],search:e=>St(e,"msie")||St(e,"trident")},{name:"Opera",versionRegexes:[so,/.*?opera\/([0-9]+)\.([0-9]+).*/],search:lo("opera")},{name:"Firefox",versionRegexes:[/.*?firefox\/\ ?([0-9]+)\.([0-9]+).*/],search:lo("firefox")},{name:"Safari",versionRegexes:[so,/.*?cpu os ([0-9]+)_([0-9]+).*/],search:e=>(St(e,"safari")||St(e,"mobile/"))&&St(e,"applewebkit")}],co=[{name:"Windows",search:lo("win"),versionRegexes:[/.*?windows\ nt\ ?([0-9]+)\.([0-9]+).*/]},{name:"iOS",search:e=>St(e,"iphone")||St(e,"ipad"),versionRegexes:[/.*?version\/\ ?([0-9]+)\.([0-9]+).*/,/.*cpu os ([0-9]+)_([0-9]+).*/,/.*cpu iphone os ([0-9]+)_([0-9]+).*/]},{name:"Android",search:lo("android"),versionRegexes:[/.*?android\ ?([0-9]+)\.([0-9]+).*/]},{name:"macOS",search:lo("mac os x"),versionRegexes:[/.*?mac\ os\ x\ ?([0-9]+)_([0-9]+).*/]},{name:"Linux",search:lo("linux"),versionRegexes:[]},{name:"Solaris",search:lo("sunos"),versionRegexes:[]},{name:"FreeBSD",search:lo("freebsd"),versionRegexes:[]},{name:"ChromeOS",search:lo("cros"),versionRegexes:[/.*?chrome\/([0-9]+)\.([0-9]+).*/]}],io={browsers:g(ao),oses:g(co)},mo="Edge",uo="Chromium",fo="Opera",go="Firefox",ho="Safari",po=e=>{const t=e.current,o=e.version,n=e=>()=>t===e;return{current:t,version:o,isEdge:n(mo),isChromium:n(uo),isIE:n("IE"),isOpera:n(fo),isFirefox:n(go),isSafari:n(ho)}},wo=()=>po({current:void 0,version:no.unknown()}),bo=po,vo=(g(mo),g(uo),g("IE"),g(fo),g(go),g(ho),"Windows"),yo="Android",xo="Linux",Co="macOS",So="Solaris",To="FreeBSD",Ro="ChromeOS",Do=e=>{const t=e.current,o=e.version,n=e=>()=>t===e;return{current:t,version:o,isWindows:n(vo),isiOS:n("iOS"),isAndroid:n(yo),isMacOS:n(Co),isLinux:n(xo),isSolaris:n(So),isFreeBSD:n(To),isChromeOS:n(Ro)}},Oo=()=>Do({current:void 0,version:no.unknown()}),ko=Do,Eo=(g(vo),g("iOS"),g(yo),g(xo),g(Co),g(So),g(To),g(Ro),e=>window.matchMedia(e).matches);let No=eo((()=>((e,t,o)=>{const n=io.browsers(),r=io.oses(),s=t.bind((e=>((e,t)=>V(t.brands,(t=>{const o=t.brand.toLowerCase();return L(e,(e=>{var t;return o===(null===(t=e.brand)||void 0===t?void 0:t.toLowerCase())})).map((e=>({current:e.name,version:no.nu(parseInt(t.version,10),0)})))})))(n,e))).orThunk((()=>((e,t)=>ro(e,t).map((e=>{const o=no.detect(e.versionRegexes,t);return{current:e.name,version:o}})))(n,e))).fold(wo,bo),l=((e,t)=>ro(e,t).map((e=>{const o=no.detect(e.versionRegexes,t);return{current:e.name,version:o}})))(r,e).fold(Oo,ko),a=((e,t,o,n)=>{const r=e.isiOS()&&!0===/ipad/i.test(o),s=e.isiOS()&&!r,l=e.isiOS()||e.isAndroid(),a=l||n("(pointer:coarse)"),c=r||!s&&l&&n("(min-device-width:768px)"),i=s||l&&!c,m=t.isSafari()&&e.isiOS()&&!1===/safari/i.test(o),d=!i&&!c&&!m;return{isiPad:g(r),isiPhone:g(s),isTablet:g(c),isPhone:g(i),isTouch:g(a),isAndroid:e.isAndroid,isiOS:e.isiOS,isWebView:g(m),isDesktop:g(d)}})(l,s,e,o);return{browser:s,os:l,deviceType:a}})(navigator.userAgent,C.from(navigator.userAgentData),Eo)));const Bo=()=>No(),_o=(e,t)=>{const o=o=>{const n=t(o);if(n<=0||null===n){const t=_t(o,e);return parseFloat(t)||0}return n},n=(e,t)=>A(t,((t,o)=>{const n=_t(e,o),r=void 0===n?0:parseInt(n,10);return isNaN(r)?t:t+r}),0);return{set:(t,o)=>{if(!u(o)&&!o.match(/^[0-9]+$/))throw new Error(e+".set accepts only positive integer values. Value was "+o);const n=t.dom;kt(n)&&(n.style[e]=o+"px")},get:o,getOuter:o,aggregate:n,max:(e,t,o)=>{const r=n(e,o);return t>r?t-r:0}}},zo=(e,t,o)=>((e,t)=>(e=>{const t=parseFloat(e);return isNaN(t)?C.none():C.some(t)})(e).getOr(t))(_t(e,t),o),Ao=_o("width",(e=>e.dom.offsetWidth)),Lo=e=>Ao.get(e),Wo=e=>Ao.getOuter(e),Mo=e=>((e,t)=>{const o=e.dom,n=o.getBoundingClientRect().width||o.offsetWidth;return"border-box"===t?n:((e,t,o,n)=>t-zo(e,`padding-${o}`,0)-zo(e,`padding-${n}`,0)-zo(e,`border-${o}-width`,0)-zo(e,`border-${n}-width`,0))(e,n,"left","right")})(e,"content-box"),jo=(e,t,o)=>{const n=e.cells,r=n.slice(0,t),s=n.slice(t),l=r.concat(o).concat(s);return Fo(e,l)},Po=(e,t,o)=>jo(e,t,[o]),Io=(e,t,o)=>{e.cells[t]=o},Fo=(e,t)=>tt(e.element,t,e.section,e.isNew),Ho=(e,t)=>e.cells[t],$o=(e,t)=>Ho(e,t).element,Vo=e=>e.cells.length,qo=e=>{const t=B(e,(e=>"colgroup"===e.section));return{rows:t.fail,cols:t.pass}},Uo=(e,t,o)=>{const n=E(e.cells,o);return tt(t(e.element),n,e.section,!0)},Go="data-snooker-locked-cols",Ko=e=>we(e,Go).bind((e=>C.from(e.match(/\d+/g)))).map((e=>I(e,x))),Yo=e=>{const t=A(qo(e).rows,((e,t)=>(N(t.cells,((t,o)=>{t.isLocked&&(e[o]=!0)})),e)),{}),o=J(t,((e,t)=>parseInt(t,10)));return((e,t)=>{const o=S.call(e,0);return o.sort(void 0),o})(o)},Jo=(e,t)=>e+","+t,Qo=(e,t)=>{const o=j(e.all,(e=>e.cells));return _(o,t)},Xo=e=>{const t={},o=[],n=H(e).map((e=>e.element)).bind(Kt).bind(Ko).getOr({});let r=0,s=0,l=0;const{pass:a,fail:c}=B(e,(e=>"colgroup"===e.section));N(c,(e=>{const a=[];N(e.cells,(e=>{let o=0;for(;void 0!==t[Jo(l,o)];)o++;const r=((e,t)=>X(e,t)&&void 0!==e[t]&&null!==e[t])(n,o.toString()),c=((e,t,o,n,r,s)=>({element:e,rowspan:t,colspan:o,row:n,column:r,isLocked:s}))(e.element,e.rowspan,e.colspan,l,o,r);for(let n=0;n{const t=(e=>{const t={};let o=0;return N(e.cells,(e=>{const n=e.colspan;k(n,(r=>{const s=o+r;t[s]=((e,t,o)=>({element:e,colspan:t,column:o}))(e.element,n,s)})),o+=n})),t})(e),o=((e,t)=>({element:e,columns:t}))(e.element,Q(t));return{colgroups:[o],columns:t}})).getOrThunk((()=>({colgroups:[],columns:{}}))),d=((e,t)=>({rows:e,columns:t}))(r,s);return{grid:d,access:t,all:o,columns:i,colgroups:m}},Zo=e=>{const t=Zt(e);return Xo(t)},en=Xo,tn=(e,t,o)=>C.from(e.access[Jo(t,o)]),on=(e,t,o)=>{const n=Qo(e,(e=>o(t,e.element)));return n.length>0?C.some(n[0]):C.none()},nn=Qo,rn=e=>j(e.all,(e=>e.cells)),sn=e=>Q(e.columns),ln=e=>q(e.columns).length>0,an=(e,t)=>C.from(e.columns[t]),cn=(e,t=x)=>{const o=e.grid,n=k(o.columns,h),r=k(o.rows,h);return E(n,(o=>mn((()=>j(r,(t=>tn(e,t,o).filter((e=>e.column===o)).toArray()))),(e=>1===e.colspan&&t(e.element)),(()=>tn(e,0,o)))))},mn=(e,t,o)=>{const n=e();return L(n,t).orThunk((()=>C.from(n[0]).orThunk(o))).map((e=>e.element))},dn=e=>{const t=e.grid,o=k(t.rows,h),n=k(t.columns,h);return E(o,(t=>mn((()=>j(n,(o=>tn(e,t,o).filter((e=>e.row===t)).fold(g([]),(e=>[e]))))),(e=>1===e.rowspan),(()=>tn(e,t,0)))))},un=(e,t)=>o=>"rtl"===fn(o)?t:e,fn=e=>"rtl"===_t(e,"direction")?"rtl":"ltr",gn=_o("height",(e=>{const t=e.dom;return lt(e)?t.getBoundingClientRect().height:t.offsetHeight})),hn=e=>gn.get(e),pn=e=>gn.getOuter(e),wn=(e,t)=>({left:e,top:t,translate:(o,n)=>wn(e+o,t+n)}),bn=wn,vn=(e,t)=>void 0!==e?e:void 0!==t?t:0,yn=e=>{const t=e.dom.ownerDocument,o=t.body,n=t.defaultView,r=t.documentElement;if(o===e.dom)return bn(o.offsetLeft,o.offsetTop);const s=vn(null==n?void 0:n.pageYOffset,r.scrollTop),l=vn(null==n?void 0:n.pageXOffset,r.scrollLeft),a=vn(r.clientTop,o.clientTop),c=vn(r.clientLeft,o.clientLeft);return xn(e).translate(l-c,s-a)},xn=e=>{const t=e.dom,o=t.ownerDocument.body;return o===t?bn(o.offsetLeft,o.offsetTop):lt(e)?(e=>{const t=e.getBoundingClientRect();return bn(t.left,t.top)})(t):bn(0,0)},Cn=(e,t)=>({row:e,y:t}),Sn=(e,t)=>({col:e,x:t}),Tn=e=>yn(e).left+Wo(e),Rn=e=>yn(e).left,Dn=(e,t)=>Sn(e,Rn(t)),On=(e,t)=>Sn(e,Tn(t)),kn=e=>yn(e).top,En=(e,t)=>Cn(e,kn(t)),Nn=(e,t)=>Cn(e,kn(t)+pn(t)),Bn=(e,t,o)=>{if(0===o.length)return[];const n=E(o.slice(1),((t,o)=>t.map((t=>e(o,t))))),r=o[o.length-1].map((e=>t(o.length-1,e)));return n.concat([r])},_n={delta:h,positions:e=>Bn(En,Nn,e),edge:kn},zn=un({delta:h,edge:Rn,positions:e=>Bn(Dn,On,e)},{delta:e=>-e,edge:Tn,positions:e=>Bn(On,Dn,e)}),An={delta:(e,t)=>zn(t).delta(e,t),positions:(e,t)=>zn(t).positions(e,t),edge:e=>zn(e).edge(e)},Ln={unsupportedLength:["em","ex","cap","ch","ic","rem","lh","rlh","vw","vh","vi","vb","vmin","vmax","cm","mm","Q","in","pc","pt","px"],fixed:["px","pt"],relative:["%"],empty:[""]},Wn=(()=>{const e="[0-9]+",t="[eE][+-]?"+e,o=e=>`(?:${e})?`,n=["Infinity",e+"\\."+o(e)+o(t),"\\."+e+o(t),e+o(t)].join("|");return new RegExp(`^([+-]?(?:${n}))(.*)$`)})(),Mn=/(\d+(\.\d+)?)%/,jn=/(\d+(\.\d+)?)px|em/,Pn=ue("col"),In=(e,t,o)=>{const n=Be(e).getOrThunk((()=>at(ke(e))));return t(e)/o(n)*100},Fn=(e,t)=>{Nt(e,"width",t+"px")},Hn=(e,t)=>{Nt(e,"width",t+"%")},$n=(e,t)=>{Nt(e,"height",t+"px")},Vn=e=>{const t=(e=>{return zo(t=e,"height",t.dom.offsetHeight)+"px";var t})(e);return t?((e,t,o,n)=>{const r=parseFloat(e);return Rt(e,"%")&&"table"!==ne(t)?((e,t,o,n)=>{const r=Kt(e).map((e=>{const n=o(e);return Math.floor(t/100*n)})).getOr(t);return n(e,r),r})(t,r,o,n):r})(t,e,hn,$n):hn(e)},qn=(e,t)=>At(e,t).orThunk((()=>we(e,t).map((e=>e+"px")))),Un=e=>qn(e,"width"),Gn=e=>In(e,Lo,Mo),Kn=e=>{return Pn(e)?Lo(e):zo(t=e,"width",t.dom.offsetWidth);var t},Yn=e=>((e,t,o)=>o(e)/Mt(e,"rowspan"))(e,0,Vn),Jn=(e,t,o)=>{Nt(e,"width",t+o)},Qn=e=>In(e,Lo,Mo)+"%",Xn=g(Mn),Zn=ue("col"),er=e=>Un(e).getOrThunk((()=>Kn(e)+"px")),tr=e=>{return(t=e,qn(t,"height")).getOrThunk((()=>Yn(e)+"px"));var t},or=(e,t,o,n,r,s)=>e.filter(n).fold((()=>s(((e,t)=>{if(t<0||t>=e.length-1)return C.none();const o=e[t].fold((()=>{const o=(e=>{const t=S.call(e,0);return t.reverse(),t})(e.slice(0,t));return V(o,((e,t)=>e.map((e=>({value:e,delta:t+1})))))}),(e=>C.some({value:e,delta:0}))),n=e[t+1].fold((()=>{const o=e.slice(t+1);return V(o,((e,t)=>e.map((e=>({value:e,delta:t+1})))))}),(e=>C.some({value:e,delta:1})));return o.bind((e=>n.map((t=>{const o=t.delta+e.delta;return Math.abs(t.value-e.value)/o}))))})(o,t))),(e=>r(e))),nr=(e,t,o,n)=>{const r=cn(e),s=ln(e)?(e=>E(sn(e),(e=>C.from(e.element))))(e):r,l=[C.some(An.edge(t))].concat(E(An.positions(r,t),(e=>e.map((e=>e.x))))),a=b(jt);return E(s,((e,t)=>or(e,t,l,a,(e=>{if((e=>{const t=Bo().browser,o=t.isChromium()||t.isFirefox();return!Zn(e)||o})(e))return o(e);{const e=null!=(s=r[t])?h(s):C.none();return or(e,t,l,a,(e=>n(C.some(Lo(e)))),n)}var s}),n)))},rr=e=>e.map((e=>e+"px")).getOr(""),sr=(e,t,o)=>nr(e,t,Kn,(e=>e.getOrThunk(o.minCellWidth))),lr=(e,t,o,n,r)=>{const s=dn(e),l=[C.some(o.edge(t))].concat(E(o.positions(s,t),(e=>e.map((e=>e.y)))));return E(s,((e,t)=>or(e,t,l,b(Pt),n,r)))},ar=(e,t)=>()=>lt(e)?t(e):parseFloat(At(e,"width").getOr("0")),cr=e=>{const t=ar(e,(e=>parseFloat(Qn(e)))),o=ar(e,Lo);return{width:t,pixelWidth:o,getWidths:(t,o)=>((e,t,o)=>nr(e,t,Gn,(e=>e.fold((()=>o.minCellWidth()),(e=>e/o.pixelWidth()*100)))))(t,e,o),getCellDelta:e=>e/o()*100,singleColumnWidth:(e,t)=>[100-e],minCellWidth:()=>Ft()/o()*100,setElementWidth:Hn,adjustTableWidth:o=>{const n=t();Hn(e,n+o/100*n)},isRelative:!0,label:"percent"}},ir=e=>{const t=ar(e,Lo);return{width:t,pixelWidth:t,getWidths:(t,o)=>sr(t,e,o),getCellDelta:h,singleColumnWidth:(e,t)=>[Math.max(Ft(),e+t)-e],minCellWidth:Ft,setElementWidth:Fn,adjustTableWidth:o=>{const n=t()+o;Fn(e,n)},isRelative:!1,label:"pixel"}},mr=e=>Un(e).fold((()=>(e=>{const t=ar(e,Lo),o=g(0);return{width:t,pixelWidth:t,getWidths:(t,o)=>sr(t,e,o),getCellDelta:o,singleColumnWidth:g([0]),minCellWidth:o,setElementWidth:f,adjustTableWidth:f,isRelative:!0,label:"none"}})(e)),(t=>((e,t)=>null!==Xn().exec(t)?cr(e):ir(e))(e,t))),dr=ir,ur=cr,fr=(e,t,o)=>{const n=e[o].element,r=xe.fromTag("td");Ie(r,xe.fromTag("br")),(t?Ie:Pe)(n,r)},gr=((e,t)=>{const o=t=>e(t)?C.from(t.dom.nodeValue):C.none();return{get:t=>{if(!e(t))throw new Error("Can only get text value of a text node");return o(t).getOr("")},getOption:o,set:(t,o)=>{if(!e(t))throw new Error("Can only set raw text value of a text node");t.dom.nodeValue=o}}})(ie),hr=e=>gr.get(e),pr=e=>gr.getOption(e),wr=(e,t)=>gr.set(e,t),br=e=>"img"===ne(e)?1:pr(e).fold((()=>Le(e).length),(e=>e.length)),vr=["img","br"],yr=e=>pr(e).filter((e=>0!==e.trim().length||e.indexOf("\xa0")>-1)).isSome()||D(vr,ne(e))||(e=>ae(e)&&"false"===pe(e,"contenteditable"))(e),xr=e=>((e,t)=>{const o=e=>{for(let n=0;nSr(e,yr),Sr=(e,t)=>{const o=e=>{const n=Le(e);for(let e=n.length-1;e>=0;e--){const r=n[e];if(t(r))return C.some(r);const s=o(r);if(s.isSome())return s}return C.none()};return o(e)},Tr={scope:["row","col"]},Rr=e=>()=>{const t=xe.fromTag("td",e.dom);return Ie(t,xe.fromTag("br",e.dom)),t},Dr=e=>()=>xe.fromTag("col",e.dom),Or=e=>()=>xe.fromTag("colgroup",e.dom),kr=e=>()=>xe.fromTag("tr",e.dom),Er=(e,t,o)=>{const n=((e,t)=>{const o=Je(e,t),n=Le(Ye(e));return $e(o,n),o})(e,t);return G(o,((e,t)=>{null===e?be(n,t):ge(n,t,e)})),n},Nr=e=>e,Br=(e,t,o)=>{const n=(e,t)=>{((e,t)=>{const o=e.dom,n=t.dom;kt(o)&&kt(n)&&(n.style.cssText=o.style.cssText)})(e.element,t),Lt(t,"height"),1!==e.colspan&&Lt(t,"width")};return{col:o=>{const r=xe.fromTag(ne(o.element),t.dom);return n(o,r),e(o.element,r),r},colgroup:Or(t),row:kr(t),cell:r=>{const s=xe.fromTag(ne(r.element),t.dom),l=o.getOr(["strong","em","b","i","span","font","h1","h2","h3","h4","h5","h6","p","div"]),a=l.length>0?((e,t,o)=>xr(e).map((n=>{const r=o.join(","),s=it(n,r,(t=>Re(t,e)));return z(s,((e,t)=>{const o=Ke(t);return Ie(e,o),o}),t)})).getOr(t))(r.element,s,l):s;return Ie(a,xe.fromTag("br")),n(r,s),((e,t)=>{G(Tr,((o,n)=>we(e,n).filter((e=>D(o,e))).each((e=>ge(t,n,e)))))})(r.element,s),e(r.element,s),s},replace:Er,colGap:Dr(t),gap:Rr(t)}},_r=e=>({col:Dr(e),colgroup:Or(e),row:kr(e),cell:Rr(e),replace:Nr,colGap:Dr(e),gap:Rr(e)}),zr=e=>t=>t.options.get(e),Ar="100%",Lr=e=>{var t;const o=e.dom,n=null!==(t=o.getParent(e.selection.getStart(),o.isBlock))&&void 0!==t?t:e.getBody();return Mo(xe.fromDom(n))+"px"},Wr=e=>C.from(e.options.get("table_clone_elements")),Mr=zr("table_header_type"),jr=zr("table_column_resizing"),Pr=e=>"preservetable"===jr(e),Ir=e=>"resizetable"===jr(e),Fr=zr("table_sizing_mode"),Hr=e=>"relative"===Fr(e),$r=e=>"fixed"===Fr(e),Vr=e=>"responsive"===Fr(e),qr=zr("table_resize_bars"),Ur=zr("table_style_by_css"),Gr=zr("table_merge_content_on_paste"),Kr=e=>{const t=e.options,o=t.get("table_default_attributes");return t.isSet("table_default_attributes")?o:((e,t)=>Vr(e)||Ur(e)?t:$r(e)?{...t,width:Lr(e)}:{...t,width:Ar})(e,o)},Yr=zr("table_use_colgroups"),Jr=e=>bt(e,"[contenteditable]"),Qr=(e,t=!1)=>lt(e)?e.dom.isContentEditable:Jr(e).fold(g(t),(e=>"true"===Xr(e))),Xr=e=>e.dom.contentEditable,Zr=e=>xe.fromDom(e.getBody()),es=e=>t=>Re(t,Zr(e)),ts=e=>{be(e,"data-mce-style");const t=e=>be(e,"data-mce-style");N(Ut(e),t),N(Gt(e),t),N(Yt(e),t)},os=e=>xe.fromDom(e.selection.getStart()),ns=e=>e.getBoundingClientRect().width,rs=e=>e.getBoundingClientRect().height,ss=e=>gt(e,ue("table")).exists(Qr),ls=(e,t)=>{const o=t.column,n=t.column+t.colspan-1,r=t.row,s=t.row+t.rowspan-1;return o<=e.finishCol&&n>=e.startCol&&r<=e.finishRow&&s>=e.startRow},as=(e,t)=>t.column>=e.startCol&&t.column+t.colspan-1<=e.finishCol&&t.row>=e.startRow&&t.row+t.rowspan-1<=e.finishRow,cs=(e,t,o)=>{const n=on(e,t,Re),r=on(e,o,Re);return n.bind((e=>r.map((t=>{return o=e,n=t,{startRow:Math.min(o.row,n.row),startCol:Math.min(o.column,n.column),finishRow:Math.max(o.row+o.rowspan-1,n.row+n.rowspan-1),finishCol:Math.max(o.column+o.colspan-1,n.column+n.colspan-1)};var o,n}))))},is=(e,t,o)=>cs(e,t,o).map((t=>{const o=nn(e,w(ls,t));return E(o,(e=>e.element))})),ms=(e,t)=>on(e,t,((e,t)=>De(t,e))).map((e=>e.element)),ds=(e,t,o)=>{const n=fs(e);return is(n,t,o)},us=(e,t,o,n,r)=>{const s=fs(e),l=Re(e,o)?C.some(t):ms(s,t),a=Re(e,r)?C.some(n):ms(s,n);return l.bind((e=>a.bind((t=>is(s,e,t)))))},fs=Zo;var gs=["body","p","div","article","aside","figcaption","figure","footer","header","nav","section","ol","ul","li","table","thead","tbody","tfoot","caption","tr","td","th","h1","h2","h3","h4","h5","h6","blockquote","pre","address"],hs=()=>({up:g({selector:ht,closest:bt,predicate:ft,all:_e}),down:g({selector:dt,predicate:ct}),styles:g({get:_t,getRaw:At,set:Nt,remove:Lt}),attrs:g({get:pe,set:ge,remove:be,copyTo:(e,t)=>{const o=ve(e);he(t,o)}}),insert:g({before:Me,after:je,afterAll:He,append:Ie,appendAll:$e,prepend:Pe,wrap:Fe}),remove:g({unwrap:Ue,remove:qe}),create:g({nu:xe.fromTag,clone:e=>xe.fromDom(e.dom.cloneNode(!1)),text:xe.fromText}),query:g({comparePosition:(e,t)=>e.dom.compareDocumentPosition(t.dom),prevSibling:ze,nextSibling:Ae}),property:g({children:Le,name:ne,parent:Ne,document:e=>Ee(e).dom,isText:ie,isComment:le,isElement:ce,isSpecial:e=>{const t=ne(e);return D(["script","noscript","iframe","noframes","noembed","title","style","textarea","xmp"],t)},getLanguage:e=>ce(e)?we(e,"lang"):C.none(),getText:hr,setText:wr,isBoundary:e=>!!ce(e)&&("body"===ne(e)||D(gs,ne(e))),isEmptyTag:e=>!!ce(e)&&D(["br","img","hr","input"],ne(e)),isNonEditable:e=>ce(e)&&"false"===pe(e,"contenteditable")}),eq:Re,is:Oe});const ps=(e,t,o,n)=>{const r=t(e,o);return z(n,((o,n)=>{const r=t(e,n);return ws(e,o,r)}),r)},ws=(e,t,o)=>t.bind((t=>o.filter(w(e.eq,t)))),bs=hs(),vs=(e,t)=>((e,t,o)=>o.length>0?((e,t,o,n)=>n(e,t,o[0],o.slice(1)))(e,t,o,ps):C.none())(bs,((t,o)=>e(o)),t),ys=e=>ht(e,"table"),xs=(e,t,o)=>{const n=e=>t=>void 0!==o&&o(t)||Re(t,e);return Re(e,t)?C.some({boxes:C.some([e]),start:e,finish:t}):ys(e).bind((r=>ys(t).bind((s=>{if(Re(r,s))return C.some({boxes:ds(r,e,t),start:e,finish:t});if(De(r,s)){const o=it(t,"td,th",n(r)),l=o.length>0?o[o.length-1]:t;return C.some({boxes:us(r,e,r,t,s),start:e,finish:l})}if(De(s,r)){const o=it(e,"td,th",n(s)),l=o.length>0?o[o.length-1]:e;return C.some({boxes:us(s,e,r,t,s),start:e,finish:l})}return((e,t,o)=>((e,t,o,n=y)=>{const r=[t].concat(e.up().all(t)),s=[o].concat(e.up().all(o)),l=e=>W(e,n).fold((()=>e),(t=>e.slice(0,t+1))),a=l(r),c=l(s),i=L(a,(t=>O(c,((e,t)=>w(e.eq,t))(e,t))));return{firstpath:a,secondpath:c,shared:i}})(bs,e,t,void 0))(e,t).shared.bind((l=>bt(l,"table",o).bind((o=>{const l=it(t,"td,th",n(o)),a=l.length>0?l[l.length-1]:t,c=it(e,"td,th",n(o)),i=c.length>0?c[c.length-1]:e;return C.some({boxes:us(o,e,r,t,s),start:i,finish:a})}))))}))))},Cs=(e,t)=>{const o=dt(e,t);return o.length>0?C.some(o):C.none()},Ss=(e,t,o)=>wt(e,t).bind((t=>wt(e,o).bind((e=>vs(ys,[t,e]).map((o=>({first:t,last:e,table:o}))))))),Ts=(e,t,o,n,r)=>((e,t)=>L(e,(e=>Ce(e,t))))(e,r).bind((e=>((e,t,o)=>Kt(e).bind((n=>((e,t,o,n)=>on(e,t,Re).bind((t=>{const r=o>0?t.row+t.rowspan-1:t.row,s=n>0?t.column+t.colspan-1:t.column;return tn(e,r+o,s+n).map((e=>e.element))})))(fs(n),e,t,o))))(e,t,o).bind((e=>((e,t)=>ht(e,"table").bind((o=>wt(o,t).bind((t=>xs(t,e).bind((e=>e.boxes.map((t=>({boxes:t,start:e.start,finish:e.finish}))))))))))(e,n))))),Rs=(e,t)=>Cs(e,t),Ds=(e,t,o)=>Ss(e,t,o).bind((t=>{const o=t=>Re(e,t),n="thead,tfoot,tbody,table",r=ht(t.first,n,o),s=ht(t.last,n,o);return r.bind((e=>s.bind((o=>Re(e,o)?((e,t,o)=>((e,t,o)=>cs(e,t,o).bind((t=>((e,t)=>{let o=!0;const n=w(as,t);for(let r=t.startRow;r<=t.finishRow;r++)for(let s=t.startCol;s<=t.finishCol;s++)o=o&&tn(e,r,s).exists(n);return o?C.some(t):C.none()})(e,t))))(fs(e),t,o))(t.table,t.first,t.last):C.none()))))})),Os=h,ks=e=>{const t=(e,t)=>we(e,t).exists((e=>parseInt(e,10)>1));return e.length>0&&P(e,(e=>t(e,"rowspan")||t(e,"colspan")))?C.some(e):C.none()},Es=(e,t,o)=>t.length<=1?C.none():Ds(e,o.firstSelectedSelector,o.lastSelectedSelector).map((e=>({bounds:e,cells:t}))),Ns="data-mce-selected",Bs="data-mce-first-selected",_s="data-mce-last-selected",zs="["+Ns+"]",As={selected:Ns,selectedSelector:"td["+Ns+"],th["+Ns+"]",firstSelected:Bs,firstSelectedSelector:"td["+Bs+"],th["+Bs+"]",lastSelected:_s,lastSelectedSelector:"td["+_s+"],th["+_s+"]"},Ls=(e,t,o)=>({element:o,mergable:Es(t,e,As),unmergable:ks(e),selection:Os(e)}),Ws=e=>(t,o)=>{const n=ne(t),r="col"===n||"colgroup"===n?Kt(s=t).bind((e=>Rs(e,As.firstSelectedSelector))).fold(g(s),(e=>e[0])):t;var s;return bt(r,e,o)},Ms=Ws("th,td,caption"),js=Ws("th,td"),Ps=e=>{return t=e.model.table.getSelectedCells(),E(t,xe.fromDom);var t},Is=(e,t)=>{e.on("BeforeGetContent",(t=>{const o=o=>{t.preventDefault(),(e=>Kt(e[0]).map((e=>{const t=((e,t)=>{const o=e=>Ce(e.element,t),n=Ye(e),r=Zt(n),s=mr(e),l=en(r),a=((e,t)=>{const o=e.grid.columns;let n=e.grid.rows,r=o,s=0,l=0;const a=[],c=[];return G(e.access,(e=>{if(a.push(e),t(e)){c.push(e);const t=e.row,o=t+e.rowspan-1,a=e.column,i=a+e.colspan-1;ts&&(s=o),al&&(l=i)}})),((e,t,o,n,r,s)=>({minRow:e,minCol:t,maxRow:o,maxCol:n,allCells:r,selectedCells:s}))(n,r,s,l,a,c)})(l,o),c="th:not("+t+"),td:not("+t+")",i=Vt(n,"th,td",(e=>Ce(e,c)));N(i,qe),((e,t,o,n)=>{const r=_(e,(e=>"colgroup"!==e.section)),s=t.grid.columns,l=t.grid.rows;for(let e=0;eo.maxRow||ao.maxCol||(tn(t,e,a).filter(n).isNone()?fr(r,l,e):l=!0)}})(r,l,a,o);const m=((e,t,o,n)=>{if(0===n.minCol&&t.grid.columns===n.maxCol+1)return 0;const r=sr(t,e,o),s=A(r,((e,t)=>e+t),0),l=A(r.slice(n.minCol,n.maxCol+1),((e,t)=>e+t),0),a=l/s*o.pixelWidth()-o.pixelWidth();return o.getCellDelta(a)})(e,Zo(e),s,a);return((e,t,o,n)=>{G(o.columns,(e=>{(e.columnt.maxCol)&&qe(e.element)}));const r=_($t(e,"tr"),(e=>0===e.dom.childElementCount));N(r,qe),t.minCol!==t.maxCol&&t.minRow!==t.maxRow||N($t(e,"th,td"),(e=>{be(e,"rowspan"),be(e,"colspan")})),be(e,Go),be(e,"data-snooker-col-series"),mr(e).adjustTableWidth(n)})(n,a,l,m),n})(e,zs);return ts(t),[t]})))(o).each((o=>{t.content="text"===t.format?(e=>E(e,(e=>e.dom.innerText)).join(""))(o):((e,t)=>E(t,(t=>e.selection.serializer.serialize(t.dom,{}))).join(""))(e,o)}))};if(!0===t.selection){const t=(e=>_(Ps(e),(e=>Ce(e,As.selectedSelector))))(e);t.length>=1&&o(t)}})),e.on("BeforeSetContent",(o=>{if(!0===o.selection&&!0===o.paste){const n=Ps(e);H(n).each((n=>{Kt(n).each((r=>{const s=_(((e,t)=>{const o=document.createElement("div");return o.innerHTML=e,Le(xe.fromDom(o))})(o.content),(e=>"meta"!==ne(e))),l=ue("table");if(Gr(e)&&1===s.length&&l(s[0])){o.preventDefault();const l=xe.fromDom(e.getDoc()),a=_r(l),c=((e,t,o)=>({element:e,clipboard:t,generators:o}))(n,s[0],a);t.pasteCells(r,c).each((()=>{e.focus()}))}}))}))}}))},Fs=(e,t)=>({element:e,offset:t}),Hs=(e,t,o)=>e.property().isText(t)&&0===e.property().getText(t).trim().length||e.property().isComment(t)?o(t).bind((t=>Hs(e,t,o).orThunk((()=>C.some(t))))):C.none(),$s=(e,t)=>e.property().isText(t)?e.property().getText(t).length:e.property().children(t).length,Vs=(e,t)=>{const o=Hs(e,t,e.query().prevSibling).getOr(t);if(e.property().isText(o))return Fs(o,$s(e,o));const n=e.property().children(o);return n.length>0?Vs(e,n[n.length-1]):Fs(o,$s(e,o))},qs=Vs,Us=hs(),Gs=(e,t)=>{if(!jt(e)){const o=(e=>Un(e).bind((e=>{return t=e,o=["fixed","relative","empty"],C.from(Wn.exec(t)).bind((e=>{const t=Number(e[1]),n=e[2];return((e,t)=>O(t,(t=>O(Ln[t],(t=>e===t)))))(n,o)?C.some({value:t,unit:n}):C.none()}));var t,o})))(e);o.each((o=>{const n=o.value/2;Jn(e,n,o.unit),Jn(t,n,o.unit)}))}},Ks=e=>E(e,g(0)),Ys=(e,t,o,n,r)=>r(e.slice(0,t)).concat(n).concat(r(e.slice(o))),Js=e=>(t,o,n,r)=>{if(e(n)){const e=Math.max(r,t[o]-Math.abs(n)),s=Math.abs(e-t[o]);return n>=0?s:-s}return n},Qs=Js((e=>e<0)),Xs=Js(x),Zs=()=>{const e=(e,t,o,n)=>{const r=(100+o)/100,s=Math.max(n,(e[t]+o)/r);return E(e,((e,o)=>(o===t?s:e/r)-e))},t=(t,o,n,r,s,l)=>l?e(t,o,r,s):((e,t,o,n,r)=>{const s=Qs(e,t,n,r);return Ys(e,t,o+1,[s,0],Ks)})(t,o,n,r,s);return{resizeTable:(e,t)=>e(t),clampTableDelta:Qs,calcLeftEdgeDeltas:t,calcMiddleDeltas:(e,o,n,r,s,l,a)=>t(e,n,r,s,l,a),calcRightEdgeDeltas:(t,o,n,r,s,l)=>{if(l)return e(t,n,r,s);{const e=Qs(t,n,r,s);return Ks(t.slice(0,n)).concat([e])}},calcRedestributedWidths:(e,t,o,n)=>{if(n){const n=(t+o)/t,r=E(e,(e=>e/n));return{delta:100*n-100,newSizes:r}}return{delta:o,newSizes:e}}}},el=()=>{const e=(e,t,o,n,r)=>{const s=Xs(e,n>=0?o:t,n,r);return Ys(e,t,o+1,[s,-s],Ks)};return{resizeTable:(e,t,o)=>{o&&e(t)},clampTableDelta:(e,t,o,n,r)=>{if(r){if(o>=0)return o;{const t=A(e,((e,t)=>e+t-n),0);return Math.max(-t,o)}}return Qs(e,t,o,n)},calcLeftEdgeDeltas:e,calcMiddleDeltas:(t,o,n,r,s,l)=>e(t,n,r,s,l),calcRightEdgeDeltas:(e,t,o,n,r,s)=>{if(s)return Ks(e);{const t=n/e.length;return E(e,g(t))}},calcRedestributedWidths:(e,t,o,n)=>({delta:0,newSizes:e})}},tl=e=>Zo(e).grid,ol=ue("th"),nl=e=>P(e,(e=>ol(e.element))),rl=(e,t)=>e&&t?"sectionCells":e?"section":"cells",sl=e=>{const t="thead"===e.section,o=vt(ll(e.cells),"th");return"tfoot"===e.section?{type:"footer"}:t||o?{type:"header",subType:rl(t,o)}:{type:"body"}},ll=e=>{const t=_(e,(e=>ol(e.element)));return 0===t.length?C.some("td"):t.length===e.length?C.some("th"):C.none()},al=(e,t,o)=>et(o(e.element,t),!0,e.isLocked),cl=(e,t)=>e.section!==t?tt(e.element,e.cells,t,e.isNew):e,il=()=>({transformRow:cl,transformCell:(e,t,o)=>{const n=o(e.element,t),r="td"!==ne(n)?((e,t)=>{const o=Je(e,"td");je(e,o);const n=Le(e);return $e(o,n),qe(e),o})(n):n;return et(r,e.isNew,e.isLocked)}}),ml=()=>({transformRow:cl,transformCell:al}),dl=()=>({transformRow:(e,t)=>cl(e,"thead"===t?"tbody":t),transformCell:al}),ul=il,fl=ml,gl=dl,hl=()=>({transformRow:h,transformCell:al}),pl=(e,t,o,n)=>{o===n?be(e,t):ge(e,t,o)},wl=(e,t,o)=>{$(mt(e,t)).fold((()=>Pe(e,o)),(e=>je(e,o)))},bl=(e,t)=>{const o=[],n=[],r=e=>E(e,(e=>{e.isNew&&o.push(e.element);const t=e.element;return Ve(t),N(e.cells,(e=>{e.isNew&&n.push(e.element),pl(e.element,"colspan",e.colspan,1),pl(e.element,"rowspan",e.rowspan,1),Ie(t,e.element)})),t})),s=e=>j(e,(e=>E(e.cells,(e=>(pl(e.element,"span",e.colspan,1),e.element))))),l=(t,o)=>{const n=((e,t)=>{const o=pt(e,t).getOrThunk((()=>{const o=xe.fromTag(t,ke(e).dom);return"thead"===t?wl(e,"caption,colgroup",o):"colgroup"===t?wl(e,"caption",o):Ie(e,o),o}));return Ve(o),o})(e,o),l=("colgroup"===o?s:r)(t);$e(n,l)},a=(t,o)=>{t.length>0?l(t,o):(t=>{pt(e,t).each(qe)})(o)},c=[],i=[],m=[],d=[];return N(t,(e=>{switch(e.section){case"thead":c.push(e);break;case"tbody":i.push(e);break;case"tfoot":m.push(e);break;case"colgroup":d.push(e)}})),a(d,"colgroup"),a(c,"thead"),a(i,"tbody"),a(m,"tfoot"),{newRows:o,newCells:n}},vl=(e,t)=>{if(0===e.length)return 0;const o=e[0];return W(e,(e=>!t(o.element,e.element))).getOr(e.length)},yl=(e,t)=>{const o=E(e,(e=>E(e.cells,y)));return E(e,((n,r)=>{const s=j(n.cells,((n,s)=>{if(!1===o[r][s]){const m=((e,t,o,n)=>{const r=((e,t)=>e[t])(e,t),s="colgroup"===r.section,l=vl(r.cells.slice(o),n),a=s?1:vl(((e,t)=>E(e,(e=>Ho(e,t))))(e.slice(t),o),n);return{colspan:l,rowspan:a}})(e,r,s,t);return((e,t,n,r)=>{for(let s=e;s({element:e,cells:t,section:o,isNew:n}))(n.element,s,n.section,n.isNew)}))},xl=(e,t,o)=>{const n=[];N(e.colgroups,(r=>{const s=[];for(let n=0;net(e.element,o,!1))).getOrThunk((()=>et(t.colGap(),!0,!1)));s.push(r)}n.push(tt(r.element,s,"colgroup",o))}));for(let r=0;ret(e.element,o,e.isLocked))).getOrThunk((()=>et(t.gap(),!0,!1)));s.push(l)}const l=e.all[r],a=tt(l.element,s,l.section,o);n.push(a)}return n},Cl=e=>yl(e,Re),Sl=(e,t)=>V(e.all,(e=>L(e.cells,(e=>Re(t,e.element))))),Tl=(e,t,o)=>{const n=E(t.selection,(t=>qt(t).bind((t=>Sl(e,t))).filter(o))),r=yt(n);return xt(r.length>0,r)},Rl=(e,t,o,n,r)=>(s,l,a,c)=>{const i=Zo(s),m=C.from(null==c?void 0:c.section).getOrThunk(hl);return t(i,l).map((t=>{const o=((e,t)=>xl(e,t,!1))(i,a),n=e(o,t,Re,r(a),m),s=Yo(n.grid);return{info:t,grid:Cl(n.grid),cursor:n.cursor,lockedColumns:s}})).bind((e=>{const t=bl(s,e.grid),r=C.from(null==c?void 0:c.sizing).getOrThunk((()=>mr(s))),l=C.from(null==c?void 0:c.resize).getOrThunk(el);return o(s,e.grid,e.info,{sizing:r,resize:l,section:m}),n(s),be(s,Go),e.lockedColumns.length>0&&ge(s,Go,e.lockedColumns.join(",")),C.some({cursor:e.cursor,newRows:t.newRows,newCells:t.newCells})}))},Dl=(e,t)=>Tl(e,t,x).map((e=>({cells:e,generators:t.generators,clipboard:t.clipboard}))),Ol=(e,t)=>Tl(e,t,x),kl=(e,t)=>Tl(e,t,(e=>!e.isLocked)),El=(e,t)=>P(t,(t=>((e,t)=>Sl(e,t).exists((e=>!e.isLocked)))(e,t))),Nl=(e,t,o,n)=>{const r=qo(e).rows;let s=!0;for(let e=0;e{const t=t=>t(e),o=g(e),n=()=>r,r={tag:!0,inner:e,fold:(t,o)=>o(e),isValue:x,isError:y,map:t=>zl.value(t(e)),mapError:n,bind:t,exists:t,forall:t,getOr:o,or:n,getOrThunk:o,orThunk:n,getOrDie:o,each:t=>{t(e)},toOptional:()=>C.some(e)};return r},_l=e=>{const t=()=>o,o={tag:!1,inner:e,fold:(t,o)=>t(e),isValue:y,isError:x,map:t,mapError:t=>zl.error(t(e)),bind:t,exists:y,forall:x,getOr:h,or:h,getOrThunk:v,orThunk:v,getOrDie:(n=String(e),()=>{throw new Error(n)}),each:f,toOptional:C.none};var n;return o},zl={value:Bl,error:_l,fromOption:(e,t)=>e.fold((()=>_l(t)),Bl)},Al=(e,t)=>({rowDelta:0,colDelta:Vo(e[0])-Vo(t[0])}),Ll=(e,t)=>({rowDelta:e.length-t.length,colDelta:0}),Wl=(e,t,o,n)=>{const r="colgroup"===t.section?o.col:o.cell;return k(e,(e=>et(r(),!0,n(e))))},Ml=(e,t,o,n)=>{const r=e[e.length-1];return e.concat(k(t,(()=>{const e="colgroup"===r.section?o.colgroup:o.row,t=Uo(r,e,h),s=Wl(t.cells.length,t,o,(e=>X(n,e.toString())));return Fo(t,s)})))},jl=(e,t,o,n)=>E(e,(e=>{const r=Wl(t,e,o,y);return jo(e,n,r)})),Pl=(e,t,o)=>{const n=t.colDelta<0?jl:h,r=t.rowDelta<0?Ml:h,s=Yo(e),l=Vo(e[0]),a=O(s,(e=>e===l-1)),c=n(e,Math.abs(t.colDelta),o,a?l-1:l),i=Yo(c);return r(c,Math.abs(t.rowDelta),o,I(i,x))},Il=(e,t,o,n)=>{const r=w(n,Ho(e[t],o).element),s=e[t];return e.length>1&&Vo(s)>1&&(o>0&&r($o(s,o-1))||o0&&r($o(e[t-1],o))||t_(o,(o=>o>=e.column&&o<=Vo(t[0])+e.column)),Hl=(e,t,o,n,r)=>{((e,t,o,n)=>{t>0&&t{const r=e.cells[t-1];let s=0;const l=n();for(;e.cells.length>t+s&&o(r.element,e.cells[t+s].element);)Io(e,t+s,et(l,!0,e.cells[t+s].isLocked)),s++}))})(t,e,r,n.cell);const s=Ll(o,t),l=Pl(o,s,n),a=Ll(t,l),c=Pl(t,a,n);return E(c,((t,o)=>jo(t,e,l[o].cells)))},$l=(e,t,o,n,r)=>{((e,t,o,n)=>{const r=qo(e).rows;if(t>0&&tA(e,((e,o)=>O(e,(e=>t(e.element,o.element)))?e:e.concat([o])),[]))(r[t-1].cells,o);N(e,(e=>{let s=C.none();for(let l=t;l{Io(a,t,et(e,!0,c.isLocked))})))}}))}})(t,e,r,n.cell);const s=Yo(t),l=Al(t,o),a={...l,colDelta:l.colDelta-s.length},c=Pl(t,a,n),{cols:i,rows:m}=qo(c),d=Yo(c),u=Al(o,t),f={...u,colDelta:u.colDelta+d.length},g=(p=n,w=d,E(o,(e=>A(w,((t,o)=>{const n=Wl(1,e,p,x)[0];return Po(t,o,n)}),e)))),h=Pl(g,f,n);var p,w;return[...i,...m.slice(0,e),...h,...m.slice(e,m.length)]},Vl=(e,t,o,n,r)=>{const{rows:s,cols:l}=qo(e),a=s.slice(0,t),c=s.slice(t);return[...l,...a,((e,t,o,n)=>Uo(e,(e=>n(e,o)),t))(s[o],((e,o)=>t>0&&tE(e,(e=>{const s=t>0&&t{if("colgroup"!==o&&n)return Ho(e,t);{const t=Ho(e,r);return et(l(t.element,s),!0,!1)}})(e,t,e.section,s,o,n,r);return Po(e,t,l)})),Ul=(e,t,o,n)=>((e,t,o,n)=>void 0!==$o(e[t],o)&&t>0&&n($o(e[t-1],o),$o(e[t],o)))(e,t,o,n)||((e,t,o)=>t>0&&o($o(e,t-1),$o(e,t)))(e[t],o,n),Gl=(e,t,o,n)=>{const r=e=>(e=>"row"===e?Pt(t):jt(t))(e)?`${e}group`:e;return e?ol(t)?r(o):null:n&&ol(t)?r("row"===o?"col":"row"):null},Kl=(e,t,o)=>et(o(e.element,t),!0,e.isLocked),Yl=(e,t,o,n,r,s,l)=>E(e,((e,a)=>((e,c)=>{const i=e.cells,m=E(i,((e,c)=>{if((e=>O(t,(t=>o(e.element,t.element))))(e)){const t=l(e,a,c)?r(e,o,n):e;return s(t,a,c).each((e=>{var o,n;o=t.element,n={scope:C.from(e)},G(n,((e,t)=>{e.fold((()=>{be(o,t)}),(e=>{fe(o.dom,t,e)}))}))})),t}return e}));return tt(e.element,m,e.section,e.isNew)})(e))),Jl=(e,t,o)=>j(e,((n,r)=>Ul(e,r,t,o)?[]:[Ho(n,t)])),Ql=(e,t,o,n,r)=>{const s=qo(e).rows,l=j(t,(e=>Jl(s,e,n))),a=E(s,(e=>nl(e.cells))),c=((e,t)=>P(t,h)&&nl(e)?x:(e,o,n)=>!("th"===ne(e.element)&&t[o]))(l,a),i=((e,t)=>(o,n)=>C.some(Gl(e,o.element,"row",t[n])))(o,a);return Yl(e,l,n,r,Kl,i,c)},Xl=(e,t,o,n)=>{const r=qo(e).rows,s=E(t,(e=>Ho(r[e.row],e.column)));return Yl(e,s,o,n,Kl,C.none,x)},Zl=e=>{if(!l(e))throw new Error("cases must be an array");if(0===e.length)throw new Error("there must be at least one case");const t=[],o={};return N(e,((n,r)=>{const s=q(n);if(1!==s.length)throw new Error("one and only one name per case");const a=s[0],c=n[a];if(void 0!==o[a])throw new Error("duplicate key detected:"+a);if("cata"===a)throw new Error("cannot have a case named cata (sorry)");if(!l(c))throw new Error("case arguments must be an array");t.push(a),o[a]=(...o)=>{const n=o.length;if(n!==c.length)throw new Error("Wrong number of arguments to case "+a+". Expected "+c.length+" ("+c+"), got "+n);return{fold:(...t)=>{if(t.length!==e.length)throw new Error("Wrong number of arguments to fold. Expected "+e.length+", got "+t.length);return t[r].apply(null,o)},match:e=>{const n=q(e);if(t.length!==n.length)throw new Error("Wrong number of arguments to match. Expected: "+t.join(",")+"\nActual: "+n.join(","));if(!P(t,(e=>D(n,e))))throw new Error("Not all branches were specified when using match. Specified: "+n.join(", ")+"\nRequired: "+t.join(", "));return e[a].apply(null,o)},log:e=>{console.log(e,{constructors:t,constructor:a,params:o})}}}})),o},ea={...Zl([{none:[]},{only:["index"]},{left:["index","next"]},{middle:["prev","index","next"]},{right:["prev","index"]}])},ta=(e,t,o)=>{let n=0;for(let r=e;r{const o=rn(e);return E(o,(e=>{const o=ta(e.row,e.row+e.rowspan,t);return{element:e.element,height:o,rowspan:e.rowspan}}))},na=(e,t,o)=>{const n=((e,t)=>ln(e)?((e,t)=>{const o=sn(e);return E(o,((e,o)=>({element:e.element,width:t[o],colspan:e.colspan})))})(e,t):((e,t)=>{const o=rn(e);return E(o,(e=>{const o=ta(e.column,e.column+e.colspan,t);return{element:e.element,width:o,colspan:e.colspan}}))})(e,t))(e,t);N(n,(e=>{o.setElementWidth(e.element,e.width)}))},ra=(e,t,o,n,r)=>{const s=Zo(e),l=r.getCellDelta(t),a=r.getWidths(s,r),c=o===s.grid.columns-1,i=n.clampTableDelta(a,o,l,r.minCellWidth(),c),m=((e,t,o,n,r)=>{const s=e.slice(0),l=((e,t)=>0===e.length?ea.none():1===e.length?ea.only(0):0===t?ea.left(0,1):t===e.length-1?ea.right(t-1,t):t>0&&tn.singleColumnWidth(s[e],o)),((e,t)=>r.calcLeftEdgeDeltas(s,e,t,o,n.minCellWidth(),n.isRelative)),((e,t,l)=>r.calcMiddleDeltas(s,e,t,l,o,n.minCellWidth(),n.isRelative)),((e,t)=>r.calcRightEdgeDeltas(s,e,t,o,n.minCellWidth(),n.isRelative)))})(a,o,i,r,n),d=E(m,((e,t)=>e+a[t]));na(s,d,r),n.resizeTable(r.adjustTableWidth,i,c)},sa=e=>A(e,((e,t)=>O(e,(e=>e.column===t.column))?e:e.concat([t])),[]).sort(((e,t)=>e.column-t.column)),la=ue("col"),aa=ue("colgroup"),ca=e=>"tr"===ne(e)||aa(e),ia=e=>({element:e,colspan:Wt(e,"colspan",1),rowspan:Wt(e,"rowspan",1)}),ma=e=>we(e,"scope").map((e=>e.substr(0,3))),da=(e,t=ia)=>{const o=o=>{if(ca(o))return aa((r={element:o}).element)?e.colgroup(r):e.row(r);{const r=o,s=(t=>la(t.element)?e.col(t):e.cell(t))(t(r));return n=C.some({item:r,replacement:s}),s}var r};let n=C.none();return{getOrInit:(e,t)=>n.fold((()=>o(e)),(n=>t(e,n.item)?n.replacement:o(e)))}},ua=e=>t=>{const o=[],n=n=>{const r="td"===e?{scope:null}:{},s=t.replace(n,e,r);return o.push({item:n,sub:s}),s};return{replaceOrInit:(e,t)=>{if(ca(e)||la(e))return e;{const r=e;return((e,t)=>L(o,(o=>t(o.item,e))))(r,t).fold((()=>n(r)),(o=>t(e,o.item)?o.sub:n(r)))}}}},fa=e=>({unmerge:t=>{const o=ma(t);return o.each((e=>ge(t,"scope",e))),()=>{const n=e.cell({element:t,colspan:1,rowspan:1});return Lt(n,"width"),Lt(t,"width"),o.each((e=>ge(n,"scope",e))),n}},merge:e=>(Lt(e[0],"width"),(()=>{const t=yt(E(e,ma));if(0===t.length)return C.none();{const e=t[0],o=["row","col"];return O(t,(t=>t!==e&&D(o,t)))?C.none():C.from(e)}})().fold((()=>be(e[0],"scope")),(t=>ge(e[0],"scope",t+"group"))),g(e[0]))}),ga=["body","p","div","article","aside","figcaption","figure","footer","header","nav","section","ol","ul","table","thead","tfoot","tbody","caption","tr","td","th","h1","h2","h3","h4","h5","h6","blockquote","pre","address"],ha=hs(),pa=e=>((e,t)=>{const o=e.property().name(t);return D(ga,o)})(ha,e),wa=e=>((e,t)=>{const o=e.property().name(t);return D(["ol","ul"],o)})(ha,e),ba=e=>{const t=ue("br"),o=e=>Cr(e).bind((o=>{const n=Ae(o).map((e=>!!pa(e)||!!((e,t)=>D(["br","img","hr","input"],e.property().name(t)))(ha,e)&&"img"!==ne(e))).getOr(!1);return Ne(o).map((r=>{return!0===n||("li"===ne(s=r)||ft(s,wa).isSome())||t(o)||pa(r)&&!Re(e,r)?[]:[xe.fromTag("br")];var s}))})).getOr([]),n=(()=>{const n=j(e,(e=>{const n=Le(e);return(e=>P(e,(e=>t(e)||ie(e)&&0===hr(e).trim().length)))(n)?[]:n.concat(o(e))}));return 0===n.length?[xe.fromTag("br")]:n})();Ve(e[0]),$e(e[0],n)},va=e=>Qr(e,!0),ya=e=>{0===Ut(e).length&&qe(e)},xa=(e,t)=>({grid:e,cursor:t}),Ca=(e,t,o)=>{const n=((e,t,o)=>{var n,r;const s=qo(e).rows;return C.from(null===(r=null===(n=s[t])||void 0===n?void 0:n.cells[o])||void 0===r?void 0:r.element).filter(va).orThunk((()=>(e=>V(e,(e=>V(e.cells,(e=>{const t=e.element;return xt(va(t),t)})))))(s)))})(e,t,o);return xa(e,n)},Sa=e=>A(e,((e,t)=>O(e,(e=>e.row===t.row))?e:e.concat([t])),[]).sort(((e,t)=>e.row-t.row)),Ta=(e,t)=>(o,n,r,s,l)=>{const a=Sa(n),c=E(a,(e=>e.row)),i=((e,t,o,n,r,s,l)=>{const{cols:a,rows:c}=qo(e),i=c[t[0]],m=j(t,(e=>((e,t,o)=>{const n=e[t];return j(n.cells,((n,r)=>Ul(e,t,r,o)?[]:[n]))})(c,e,r))),d=E(i.cells,((e,t)=>nl(Jl(c,t,r)))),u=[...c];N(t,(e=>{u[e]=l.transformRow(c[e],o)}));const f=[...a,...u],g=((e,t)=>P(t,h)&&nl(e.cells)?x:(e,o,n)=>!("th"===ne(e.element)&&t[n]))(i,d),p=((e,t)=>(o,n,r)=>C.some(Gl(e,o.element,"col",t[r])))(n,d);return Yl(f,m,r,s,l.transformCell,p,g)})(o,c,e,t,r,s.replaceOrInit,l);return Ca(i,n[0].row,n[0].column)},Ra=Ta("thead",!0),Da=Ta("tbody",!1),Oa=Ta("tfoot",!1),ka=(e,t,o)=>{const n=((e,t)=>Qt(e,(()=>t)))(e,o.section),r=en(n);return xl(r,t,!0)},Ea=(e,t,o,n)=>((e,t,o,n)=>{const r=en(t),s=n.getWidths(r,n);na(r,s,n)})(0,t,0,n.sizing),Na=(e,t,o,n)=>((e,t,o,n,r)=>{const s=en(t),l=n.getWidths(s,n),a=n.pixelWidth(),{newSizes:c,delta:i}=r.calcRedestributedWidths(l,a,o.pixelDelta,n.isRelative);na(s,c,n),n.adjustTableWidth(i)})(0,t,o,n.sizing,n.resize),Ba=(e,t)=>O(t,(e=>0===e.column&&e.isLocked)),_a=(e,t)=>O(t,(t=>t.column+t.colspan>=e.grid.columns&&t.isLocked)),za=(e,t)=>{const o=cn(e),n=sa(t);return A(n,((e,t)=>e+o[t.column].map(Wo).getOr(0)),0)},Aa=e=>(t,o)=>Ol(t,o).filter((o=>!(e?Ba:_a)(t,o))).map((e=>({details:e,pixelDelta:za(t,e)}))),La=e=>(t,o)=>Dl(t,o).filter((o=>!(e?Ba:_a)(t,o.cells))),Wa=ua("th"),Ma=ua("td"),ja=Rl(((e,t,o,n)=>{const r=t[0].row,s=Sa(t),l=z(s,((e,t)=>({grid:Vl(e.grid,r,t.row+e.delta,o,n.getOrInit),delta:e.delta+1})),{grid:e,delta:0}).grid;return Ca(l,r,t[0].column)}),Ol,f,f,da),Pa=Rl(((e,t,o,n)=>{const r=Sa(t),s=r[r.length-1],l=s.row+s.rowspan,a=z(r,((e,t)=>Vl(e,l,t.row,o,n.getOrInit)),e);return Ca(a,l,t[0].column)}),Ol,f,f,da),Ia=Rl(((e,t,o,n)=>{const r=t.details,s=sa(r),l=s[0].column,a=z(s,((e,t)=>({grid:ql(e.grid,l,t.column+e.delta,o,n.getOrInit),delta:e.delta+1})),{grid:e,delta:0}).grid;return Ca(a,r[0].row,l)}),Aa(!0),Na,f,da),Fa=Rl(((e,t,o,n)=>{const r=t.details,s=r[r.length-1],l=s.column+s.colspan,a=sa(r),c=z(a,((e,t)=>ql(e,l,t.column,o,n.getOrInit)),e);return Ca(c,r[0].row,l)}),Aa(!1),Na,f,da),Ha=Rl(((e,t,o,n)=>{const r=sa(t.details),s=((e,t)=>j(e,(e=>{const o=e.cells,n=z(t,((e,t)=>t>=0&&t0?[tt(e.element,n,e.section,e.isNew)]:[]})))(e,E(r,(e=>e.column))),l=s.length>0?s[0].cells.length-1:0;return Ca(s,r[0].row,Math.min(r[0].column,l))}),((e,t)=>kl(e,t).map((t=>({details:t,pixelDelta:-za(e,t)})))),Na,ya,da),$a=Rl(((e,t,o,n)=>{const r=Sa(t),s=((e,t,o)=>{const{rows:n,cols:r}=qo(e);return[...r,...n.slice(0,t),...n.slice(o+1)]})(e,r[0].row,r[r.length-1].row),l=s.length>0?s.length-1:0;return Ca(s,Math.min(t[0].row,l),t[0].column)}),Ol,f,ya,da),Va=Rl(((e,t,o,n)=>{const r=sa(t),s=E(r,(e=>e.column)),l=Ql(e,s,!0,o,n.replaceOrInit);return Ca(l,t[0].row,t[0].column)}),kl,f,f,Wa),qa=Rl(((e,t,o,n)=>{const r=sa(t),s=E(r,(e=>e.column)),l=Ql(e,s,!1,o,n.replaceOrInit);return Ca(l,t[0].row,t[0].column)}),kl,f,f,Ma),Ua=Rl(Ra,kl,f,f,Wa),Ga=Rl(Da,kl,f,f,Ma),Ka=Rl(Oa,kl,f,f,Ma),Ya=Rl(((e,t,o,n)=>{const r=Xl(e,t,o,n.replaceOrInit);return Ca(r,t[0].row,t[0].column)}),kl,f,f,Wa),Ja=Rl(((e,t,o,n)=>{const r=Xl(e,t,o,n.replaceOrInit);return Ca(r,t[0].row,t[0].column)}),kl,f,f,Ma),Qa=Rl(((e,t,o,n)=>{const r=t.cells;ba(r);const s=((e,t,o,n)=>{const r=qo(e).rows;if(0===r.length)return e;for(let e=t.startRow;e<=t.finishRow;e++)for(let o=t.startCol;o<=t.finishCol;o++){const t=r[e],s=Ho(t,o).isLocked;Io(t,o,et(n(),!1,s))}return e})(e,t.bounds,0,n.merge(r));return xa(s,C.from(r[0]))}),((e,t)=>((e,t)=>t.mergable)(0,t).filter((t=>El(e,t.cells)))),Ea,f,fa),Xa=Rl(((e,t,o,n)=>{const r=z(t,((e,t)=>Nl(e,t,o,n.unmerge(t))),e);return xa(r,C.from(t[0]))}),((e,t)=>((e,t)=>t.unmergable)(0,t).filter((t=>El(e,t)))),Ea,f,fa),Za=Rl(((e,t,o,n)=>{const r=((e,t)=>{const o=Zo(e);return xl(o,t,!0)})(t.clipboard,t.generators);var s,l;return((e,t,o,n,r)=>{const s=Yo(t),l=((e,t,o)=>{const n=Vo(t[0]),r=qo(t).cols.length+e.row,s=k(n-e.column,(t=>t+e.column));return{row:r,column:L(s,(e=>P(o,(t=>t!==e)))).getOr(n-1)}})(e,t,s),a=qo(o).rows,c=Fl(l,a,s),i=((e,t,o)=>{if(e.row>=t.length||e.column>Vo(t[0]))return zl.error("invalid start address out of table bounds, row: "+e.row+", column: "+e.column);const n=t.slice(e.row),r=n[0].cells.slice(e.column),s=Vo(o[0]),l=o.length;return zl.value({rowDelta:n.length-l,colDelta:r.length-s})})(l,t,a);return i.map((e=>{const o={...e,colDelta:e.colDelta-c.length},s=Pl(t,o,n),i=Yo(s),m=Fl(l,a,i);return((e,t,o,n,r,s)=>{const l=e.row,a=e.column,c=l+o.length,i=a+Vo(o[0])+s.length,m=I(s,x);for(let e=l;exa(e,C.some(t.element))),(e=>Ca(e,t.row,t.column)))}),((e,t)=>qt(t.element).bind((o=>Sl(e,o).map((e=>({...e,generators:t.generators,clipboard:t.clipboard})))))),Ea,f,da),ec=Rl(((e,t,o,n)=>{const r=qo(e).rows,s=t.cells[0].column,l=r[t.cells[0].row],a=ka(t.clipboard,t.generators,l),c=Hl(s,e,a,t.generators,o);return Ca(c,t.cells[0].row,t.cells[0].column)}),La(!0),f,f,da),tc=Rl(((e,t,o,n)=>{const r=qo(e).rows,s=t.cells[t.cells.length-1].column+t.cells[t.cells.length-1].colspan,l=r[t.cells[0].row],a=ka(t.clipboard,t.generators,l),c=Hl(s,e,a,t.generators,o);return Ca(c,t.cells[0].row,t.cells[0].column)}),La(!1),f,f,da),oc=Rl(((e,t,o,n)=>{const r=qo(e).rows,s=t.cells[0].row,l=r[s],a=ka(t.clipboard,t.generators,l),c=$l(s,e,a,t.generators,o);return Ca(c,t.cells[0].row,t.cells[0].column)}),Dl,f,f,da),nc=Rl(((e,t,o,n)=>{const r=qo(e).rows,s=t.cells[t.cells.length-1].row+t.cells[t.cells.length-1].rowspan,l=r[t.cells[0].row],a=ka(t.clipboard,t.generators,l),c=$l(s,e,a,t.generators,o);return Ca(c,t.cells[0].row,t.cells[0].column)}),Dl,f,f,da),rc=(e,t)=>{const o=Zo(e);return Ol(o,t).bind((e=>{const t=e[e.length-1],n=e[0].column,r=t.column+t.colspan,s=M(E(o.all,(e=>_(e.cells,(e=>e.column>=n&&e.column{const o=Zo(e);return Ol(o,t).bind(ll).getOr("")},lc=(e,t)=>{const o=Zo(e);return Ol(o,t).bind((e=>{const t=e[e.length-1],n=e[0].row,r=t.row+t.rowspan;return(e=>{const t=E(e,(e=>sl(e).type)),o=D(t,"header"),n=D(t,"footer");if(o||n){const e=D(t,"body");return!o||e||n?o||e||!n?C.none():C.some("footer"):C.some("header")}return C.some("body")})(o.all.slice(n,r))})).getOr("")},ac=(e,t)=>e.dispatch("NewRow",{node:t}),cc=(e,t)=>e.dispatch("NewCell",{node:t}),ic=(e,t,o)=>{e.dispatch("TableModified",{...o,table:t})},mc={structure:!1,style:!0},dc={structure:!0,style:!1},uc={structure:!0,style:!0},fc=(e,t)=>Hr(e)?ur(t):$r(e)?dr(t):mr(t),gc=(e,t,o)=>{const n=e=>"table"===ne(Zr(e)),r=Wr(e),s=Ir(e)?f:Gs,l=t=>{switch(Mr(e)){case"section":return ul();case"sectionCells":return fl();case"cells":return gl();default:return((e,t)=>{var o;switch((o=Zo(e),V(o.all,(e=>{const t=sl(e);return"header"===t.type?C.from(t.subType):C.none()}))).getOr(t)){case"section":return il();case"sectionCells":return ml();case"cells":return dl()}})(t,"section")}},a=(n,s,a,c)=>(i,m,d=!1)=>{ts(i);const u=xe.fromDom(e.getDoc()),f=Br(a,u,r),g={sizing:fc(e,i),resize:Ir(e)?Zs():el(),section:l(i)};return s(i)?n(i,m,f,g).bind((n=>{t.refresh(i.dom),N(n.newRows,(t=>{ac(e,t.dom)})),N(n.newCells,(t=>{cc(e,t.dom)}));const r=((t,n)=>n.cursor.fold((()=>{const n=Ut(t);return H(n).filter(lt).map((n=>{o.clearSelectedCells(t.dom);const r=e.dom.createRng();return r.selectNode(n.dom),e.selection.setRng(r),ge(n,"data-mce-selected","1"),r}))}),(n=>{const r=qs(Us,n),s=e.dom.createRng();return s.setStart(r.element.dom,r.offset),s.setEnd(r.element.dom,r.offset),e.selection.setRng(s),o.clearSelectedCells(t.dom),C.some(s)})))(i,n);return lt(i)&&(ts(i),d||ic(e,i.dom,c)),r.map((e=>({rng:e,effect:c})))})):C.none()},c=a($a,(t=>!n(e)||tl(t).rows>1),f,dc),i=a(Ha,(t=>!n(e)||tl(t).columns>1),f,dc);return{deleteRow:c,deleteColumn:i,insertRowsBefore:a(ja,x,f,dc),insertRowsAfter:a(Pa,x,f,dc),insertColumnsBefore:a(Ia,x,s,dc),insertColumnsAfter:a(Fa,x,s,dc),mergeCells:a(Qa,x,f,dc),unmergeCells:a(Xa,x,f,dc),pasteColsBefore:a(ec,x,f,dc),pasteColsAfter:a(tc,x,f,dc),pasteRowsBefore:a(oc,x,f,dc),pasteRowsAfter:a(nc,x,f,dc),pasteCells:a(Za,x,f,uc),makeCellsHeader:a(Ya,x,f,dc),unmakeCellsHeader:a(Ja,x,f,dc),makeColumnsHeader:a(Va,x,f,dc),unmakeColumnsHeader:a(qa,x,f,dc),makeRowsHeader:a(Ua,x,f,dc),makeRowsBody:a(Ga,x,f,dc),makeRowsFooter:a(Ka,x,f,dc),getTableRowType:lc,getTableCellType:sc,getTableColType:rc}},hc=(e,t,o)=>{const n=Wt(e,t,1);1===o||n<=1?be(e,t):ge(e,t,Math.min(o,n))},pc=(e,t)=>o=>{const n=o.column+o.colspan-1,r=o.column;return n>=e&&r{const n=o.substring(0,o.length-e.length),r=parseFloat(n);return n===r.toString()?t(r):wc.invalid(o)},vc={...wc,from:e=>Rt(e,"%")?bc("%",wc.percent,e):Rt(e,"px")?bc("px",wc.pixels,e):wc.invalid(e)},yc=(e,t,o)=>{const n=vc.from(o),r=P(e,(e=>"0px"===e))?((e,t)=>{const o=e.fold((()=>g("")),(e=>g(e/t+"px")),(()=>g(100/t+"%")));return k(t,o)})(n,e.length):((e,t,o)=>e.fold((()=>t),(e=>((e,t,o)=>{const n=o/t;return E(e,(e=>vc.from(e).fold((()=>e),(e=>e*n+"px"),(e=>e/100*o+"px"))))})(t,o,e)),(e=>((e,t)=>E(e,(e=>vc.from(e).fold((()=>e),(e=>e/t*100+"%"),(e=>e+"%")))))(t,o))))(n,e,t);return Sc(r)},xc=(e,t)=>0===e.length?t:z(e,((e,t)=>vc.from(t).fold(g(0),h,h)+e),0),Cc=(e,t)=>vc.from(e).fold(g(e),(e=>e+t+"px"),(e=>e+t+"%")),Sc=e=>{if(0===e.length)return e;const t=z(e,((e,t)=>{const o=vc.from(t).fold((()=>({value:t,remainder:0})),(e=>((e,t)=>{const o=Math.floor(e);return{value:o+"px",remainder:e-o}})(e)),(e=>({value:e+"%",remainder:0})));return{output:[o.value].concat(e.output),remainder:e.remainder+o.remainder}}),{output:[],remainder:0}),o=t.output;return o.slice(0,o.length-1).concat([Cc(o[o.length-1],Math.round(t.remainder))])},Tc=vc.from,Rc=e=>Tc(e).fold(g("px"),g("px"),g("%")),Dc=(e,t,o)=>{const n=Zo(e),r=n.all,s=rn(n),l=sn(n);t.each((t=>{const o=Rc(t),r=Lo(e),a=((e,t)=>nr(e,t,er,rr))(n,e),c=yc(a,r,t);ln(n)?((e,t,o)=>{N(t,((t,n)=>{const r=xc([e[n]],Ft());Nt(t.element,"width",r+o)}))})(c,l,o):((e,t,o)=>{N(t,(t=>{const n=e.slice(t.column,t.colspan+t.column),r=xc(n,Ft());Nt(t.element,"width",r+o)}))})(c,s,o),Nt(e,"width",t)})),o.each((t=>{const o=Rc(t),l=hn(e),a=((e,t,o)=>lr(e,t,o,tr,rr))(n,e,_n);((e,t,o,n)=>{N(o,(t=>{const o=e.slice(t.row,t.rowspan+t.row),r=xc(o,Ht());Nt(t.element,"height",r+n)})),N(t,((t,o)=>{Nt(t.element,"height",e[o])}))})(yc(a,l,t),r,s,o),Nt(e,"height",t)}))},Oc=e=>Un(e).exists((e=>Mn.test(e))),kc=e=>Un(e).exists((e=>jn.test(e))),Ec=e=>Un(e).isNone(),Nc=e=>{be(e,"width")},Bc=e=>{const t=Qn(e);Dc(e,C.some(t),C.none()),Nc(e)},_c=e=>{const t=(e=>Lo(e)+"px")(e);Dc(e,C.some(t),C.none()),Nc(e)},zc=e=>{Lt(e,"width");const t=Gt(e),o=t.length>0?t:Ut(e);N(o,(e=>{Lt(e,"width"),Nc(e)})),Nc(e)},Ac={styles:{"border-collapse":"collapse",width:"100%"},attributes:{border:"1"},colGroups:!1},Lc=(e,t,o,n)=>k(e,(e=>((e,t,o,n)=>{const r=xe.fromTag("tr");for(let s=0;s{e.selection.select(t.dom,!0),e.selection.collapse(!0)},Mc=(e,t,o,n,s)=>{const l=(e=>{const t=e.options,o=t.get("table_default_styles");return t.isSet("table_default_styles")?o:((e,t)=>Vr(e)||!Ur(e)?t:$r(e)?{...t,width:Lr(e)}:{...t,width:Ar})(e,o)})(e),a={styles:l,attributes:Kr(e),colGroups:Yr(e)};return e.undoManager.ignore((()=>{const r=((e,t,o,n,r,s=Ac)=>{const l=xe.fromTag("table"),a="cells"!==r;Bt(l,s.styles),he(l,s.attributes),s.colGroups&&Ie(l,(e=>{const t=xe.fromTag("colgroup");return k(e,(()=>Ie(t,xe.fromTag("col")))),t})(t));const c=Math.min(e,o);if(a&&o>0){const e=xe.fromTag("thead");Ie(l,e);const s=Lc(o,t,"sectionCells"===r?c:0,n);$e(e,s)}const i=xe.fromTag("tbody");Ie(l,i);const m=Lc(a?e-c:e,t,a?0:o,n);return $e(i,m),l})(o,t,s,n,Mr(e),a);ge(r,"data-mce-id","__mce");const l=(e=>{const t=xe.fromTag("div"),o=xe.fromDom(e.dom.cloneNode(!0));return Ie(t,o),(e=>e.dom.innerHTML)(t)})(r);e.insertContent(l),e.addVisual()})),wt(Zr(e),'table[data-mce-id="__mce"]').map((t=>($r(e)?_c(t):Vr(e)?zc(t):(Hr(e)||(e=>r(e)&&-1!==e.indexOf("%"))(l.width))&&Bc(t),ts(t),be(t,"data-mce-id"),((e,t)=>{N(dt(t,"tr"),(t=>{ac(e,t.dom),N(dt(t,"th,td"),(t=>{cc(e,t.dom)}))}))})(e,t),((e,t)=>{wt(t,"td,th").each(w(Wc,e))})(e,t),t.dom))).getOrNull()};var jc=tinymce.util.Tools.resolve("tinymce.FakeClipboard");const Pc="x-tinymce/dom-table-",Ic=Pc+"rows",Fc=Pc+"columns",Hc=e=>{const t=jc.FakeClipboardItem(e);jc.write([t])},$c=e=>{var t;const o=null!==(t=jc.read())&&void 0!==t?t:[];return V(o,(t=>C.from(t.getType(e))))},Vc=e=>{$c(e).isSome()&&jc.clear()},qc=e=>{e.fold(Gc,(e=>Hc({[Ic]:e})))},Uc=()=>$c(Ic),Gc=()=>Vc(Ic),Kc=e=>{e.fold(Jc,(e=>Hc({[Fc]:e})))},Yc=()=>$c(Fc),Jc=()=>Vc(Fc),Qc=e=>Ms(os(e),es(e)).filter(ss),Xc=(e,t)=>{const o=es(e),n=e=>Kt(e,o),l=t=>(e=>js(os(e),es(e)).filter(ss))(e).bind((e=>n(e).map((o=>t(o,e))))),a=t=>{e.focus()},c=(t,o=!1)=>l(((n,r)=>{const s=Ls(Ps(e),n,r);t(n,s,o).each(a)})),i=()=>l(((t,o)=>((e,t,o)=>{const n=Zo(e);return Ol(n,t).bind((e=>{const t=xl(n,o,!1),r=qo(t).rows.slice(e[0].row,e[e.length-1].row+e[e.length-1].rowspan),s=j(r,(e=>{const t=_(e.cells,(e=>!e.isLocked));return t.length>0?[{...e,cells:t}]:[]})),l=Cl(s);return xt(l.length>0,l)})).map((e=>E(e,(e=>{const t=Ke(e.element);return N(e.cells,(e=>{const o=Ye(e.element);pl(o,"colspan",e.colspan,1),pl(o,"rowspan",e.rowspan,1),Ie(t,o)})),t}))))})(t,Ls(Ps(e),t,o),Br(f,xe.fromDom(e.getDoc()),C.none())))),m=()=>l(((t,o)=>((e,t)=>{const o=Zo(e);return kl(o,t).map((e=>{const t=e[e.length-1],n=e[0].column,r=t.column+t.colspan,s=((e,t,o)=>{if(ln(e)){const n=_(sn(e),pc(t,o)),r=E(n,(e=>{const n=Ye(e.element);return hc(n,"span",o-t),n})),s=xe.fromTag("colgroup");return $e(s,r),[s]}return[]})(o,n,r),l=((e,t,o)=>E(e.all,(e=>{const n=_(e.cells,pc(t,o)),r=E(n,(e=>{const n=Ye(e.element);return hc(n,"colspan",o-t),n})),s=xe.fromTag("tr");return $e(s,r),s})))(o,n,r);return[...s,...l]}))})(t,Ls(Ps(e),t,o)))),d=(t,o)=>o().each((o=>{const n=E(o,(e=>Ye(e)));l(((o,r)=>{const s=_r(xe.fromDom(e.getDoc())),l=((e,t,o,n)=>({selection:Os(e),clipboard:o,generators:n}))(Ps(e),0,n,s);t(o,l).each(a)}))})),g=e=>(t,o)=>((e,t)=>X(e,t)?C.from(e[t]):C.none())(o,"type").each((t=>{c(e(t),o.no_events)}));G({mceTableSplitCells:()=>c(t.unmergeCells),mceTableMergeCells:()=>c(t.mergeCells),mceTableInsertRowBefore:()=>c(t.insertRowsBefore),mceTableInsertRowAfter:()=>c(t.insertRowsAfter),mceTableInsertColBefore:()=>c(t.insertColumnsBefore),mceTableInsertColAfter:()=>c(t.insertColumnsAfter),mceTableDeleteCol:()=>c(t.deleteColumn),mceTableDeleteRow:()=>c(t.deleteRow),mceTableCutCol:()=>m().each((e=>{Kc(e),c(t.deleteColumn)})),mceTableCutRow:()=>i().each((e=>{qc(e),c(t.deleteRow)})),mceTableCopyCol:()=>m().each((e=>Kc(e))),mceTableCopyRow:()=>i().each((e=>qc(e))),mceTablePasteColBefore:()=>d(t.pasteColsBefore,Yc),mceTablePasteColAfter:()=>d(t.pasteColsAfter,Yc),mceTablePasteRowBefore:()=>d(t.pasteRowsBefore,Uc),mceTablePasteRowAfter:()=>d(t.pasteRowsAfter,Uc),mceTableDelete:()=>Qc(e).each((t=>{Kt(t,o).filter(b(o)).each((t=>{const o=xe.fromText("");if(je(t,o),qe(t),e.dom.isEmpty(e.getBody()))e.setContent(""),e.selection.setCursorLocation();else{const t=e.dom.createRng();t.setStart(o.dom,0),t.setEnd(o.dom,0),e.selection.setRng(t),e.nodeChanged()}}))})),mceTableCellToggleClass:(t,o)=>{l((t=>{const n=Ps(e),r=P(n,(t=>e.formatter.match("tablecellclass",{value:o},t.dom))),s=r?e.formatter.remove:e.formatter.apply;N(n,(e=>s("tablecellclass",{value:o},e.dom))),ic(e,t.dom,mc)}))},mceTableToggleClass:(t,o)=>{l((t=>{e.formatter.toggle("tableclass",{value:o},t.dom),ic(e,t.dom,mc)}))},mceTableToggleCaption:()=>{Qc(e).each((t=>{Kt(t,o).each((o=>{pt(o,"caption").fold((()=>{const t=xe.fromTag("caption");Ie(t,xe.fromText("Caption")),((e,t,o)=>{We(e,0).fold((()=>{Ie(e,t)}),(e=>{Me(e,t)}))})(o,t),e.selection.setCursorLocation(t.dom,0)}),(n=>{ue("caption")(t)&&Te("td",o).each((t=>e.selection.setCursorLocation(t.dom,0))),qe(n)})),ic(e,o.dom,dc)}))}))},mceTableSizingMode:(t,n)=>(t=>Qc(e).each((n=>{Vr(e)||$r(e)||Hr(e)||Kt(n,o).each((o=>{"relative"!==t||Oc(o)?"fixed"!==t||kc(o)?"responsive"!==t||Ec(o)||zc(o):_c(o):Bc(o),ts(o),ic(e,o.dom,dc)}))})))(n),mceTableCellType:g((e=>"th"===e?t.makeCellsHeader:t.unmakeCellsHeader)),mceTableColType:g((e=>"th"===e?t.makeColumnsHeader:t.unmakeColumnsHeader)),mceTableRowType:g((e=>{switch(e){case"header":return t.makeRowsHeader;case"footer":return t.makeRowsFooter;default:return t.makeRowsBody}}))},((t,o)=>e.addCommand(o,t))),e.addCommand("mceInsertTable",((t,o)=>{((e,t,o,n={})=>{const r=e=>u(e)&&e>0;if(r(t)&&r(o)){const r=n.headerRows||0,s=n.headerColumns||0;return Mc(e,o,t,s,r)}console.error("Invalid values for mceInsertTable - rows and columns values are required to insert a table.")})(e,o.rows,o.columns,o.options)})),e.addCommand("mceTableApplyCellStyle",((t,o)=>{const l=e=>"tablecell"+e.toLowerCase().replace("-","");if(!s(o))return;const a=_(Ps(e),ss);if(0===a.length)return;const c=((e,t)=>{const o={};return((e,t,o,n)=>{G(e,((e,r)=>{(t(e,r)?o:n)(e,r)}))})(e,t,(e=>(t,o)=>{e[o]=t})(o),f),o})(o,((t,o)=>e.formatter.has(l(o))&&r(t)));(e=>{for(const t in e)if(U.call(e,t))return!1;return!0})(c)||(G(c,((t,o)=>{const n=l(o);N(a,(o=>{""===t?e.formatter.remove(n,{value:null},o.dom,!0):e.formatter.apply(n,{value:t},o.dom)}))})),n(a[0]).each((t=>ic(e,t.dom,mc))))}))},Zc=Zl([{before:["element"]},{on:["element","offset"]},{after:["element"]}]),ei={before:Zc.before,on:Zc.on,after:Zc.after,cata:(e,t,o,n)=>e.fold(t,o,n),getStart:e=>e.fold(h,h,h)},ti=(e,t)=>({selection:e,kill:t}),oi=(e,t)=>{const o=e.document.createRange();return o.selectNode(t.dom),o},ni=(e,t)=>{const o=e.document.createRange();return ri(o,t),o},ri=(e,t)=>e.selectNodeContents(t.dom),si=(e,t,o)=>{const n=e.document.createRange();var r;return r=n,t.fold((e=>{r.setStartBefore(e.dom)}),((e,t)=>{r.setStart(e.dom,t)}),(e=>{r.setStartAfter(e.dom)})),((e,t)=>{t.fold((t=>{e.setEndBefore(t.dom)}),((t,o)=>{e.setEnd(t.dom,o)}),(t=>{e.setEndAfter(t.dom)}))})(n,o),n},li=(e,t,o,n,r)=>{const s=e.document.createRange();return s.setStart(t.dom,o),s.setEnd(n.dom,r),s},ai=e=>({left:e.left,top:e.top,right:e.right,bottom:e.bottom,width:e.width,height:e.height}),ci=Zl([{ltr:["start","soffset","finish","foffset"]},{rtl:["start","soffset","finish","foffset"]}]),ii=(e,t,o)=>t(xe.fromDom(o.startContainer),o.startOffset,xe.fromDom(o.endContainer),o.endOffset),mi=(e,t)=>{const o=((e,t)=>t.match({domRange:e=>({ltr:g(e),rtl:C.none}),relative:(t,o)=>({ltr:eo((()=>si(e,t,o))),rtl:eo((()=>C.some(si(e,o,t))))}),exact:(t,o,n,r)=>({ltr:eo((()=>li(e,t,o,n,r))),rtl:eo((()=>C.some(li(e,n,r,t,o))))})}))(e,t);return((e,t)=>{const o=t.ltr();return o.collapsed?t.rtl().filter((e=>!1===e.collapsed)).map((e=>ci.rtl(xe.fromDom(e.endContainer),e.endOffset,xe.fromDom(e.startContainer),e.startOffset))).getOrThunk((()=>ii(0,ci.ltr,o))):ii(0,ci.ltr,o)})(0,o)},di=(e,t)=>mi(e,t).match({ltr:(t,o,n,r)=>{const s=e.document.createRange();return s.setStart(t.dom,o),s.setEnd(n.dom,r),s},rtl:(t,o,n,r)=>{const s=e.document.createRange();return s.setStart(n.dom,r),s.setEnd(t.dom,o),s}});ci.ltr,ci.rtl;const ui=(e,t,o,n)=>({start:e,soffset:t,finish:o,foffset:n}),fi=(e,t,o,n)=>({start:ei.on(e,t),finish:ei.on(o,n)}),gi=(e,t)=>{const o=di(e,t);return ui(xe.fromDom(o.startContainer),o.startOffset,xe.fromDom(o.endContainer),o.endOffset)},hi=fi,pi=(e,t,o,n,r)=>Re(o,n)?C.none():xs(o,n,t).bind((t=>{const n=t.boxes.getOr([]);return n.length>1?(r(e,n,t.start,t.finish),C.some(ti(C.some(hi(o,0,o,br(o))),!0))):C.none()})),wi=(e,t)=>({item:e,mode:t}),bi=(e,t,o,n=vi)=>e.property().parent(t).map((e=>wi(e,n))),vi=(e,t,o,n=yi)=>o.sibling(e,t).map((e=>wi(e,n))),yi=(e,t,o,n=yi)=>{const r=e.property().children(t);return o.first(r).map((e=>wi(e,n)))},xi=[{current:bi,next:vi,fallback:C.none()},{current:vi,next:yi,fallback:C.some(bi)},{current:yi,next:yi,fallback:C.some(vi)}],Ci=(e,t,o,n,r=xi)=>L(r,(e=>e.current===o)).bind((o=>o.current(e,t,n,o.next).orThunk((()=>o.fallback.bind((o=>Ci(e,t,o,n))))))),Si=(e,t,o,n,r,s)=>Ci(e,t,n,r).bind((t=>s(t.item)?C.none():o(t.item)?C.some(t.item):Si(e,t.item,o,t.mode,r,s))),Ti=e=>t=>0===e.property().children(t).length,Ri=(e,t,o,n)=>Si(e,t,o,vi,{sibling:(e,t)=>e.query().prevSibling(t),first:e=>e.length>0?C.some(e[e.length-1]):C.none()},n),Di=(e,t,o,n)=>Si(e,t,o,vi,{sibling:(e,t)=>e.query().nextSibling(t),first:e=>e.length>0?C.some(e[0]):C.none()},n),Oi=hs(),ki=(e,t)=>((e,t,o)=>Ri(e,t,Ti(e),o))(Oi,e,t),Ei=(e,t)=>((e,t,o)=>Di(e,t,Ti(e),o))(Oi,e,t),Ni=Zl([{none:["message"]},{success:[]},{failedUp:["cell"]},{failedDown:["cell"]}]),Bi=e=>bt(e,"tr"),_i={...Ni,verify:(e,t,o,n,r,s,l)=>bt(n,"td,th",l).bind((o=>bt(t,"td,th",l).map((t=>Re(o,t)?Re(n,o)&&br(o)===r?s(t):Ni.none("in same cell"):vs(Bi,[o,t]).fold((()=>((e,t,o)=>{const n=e.getRect(t),r=e.getRect(o);return r.right>n.left&&r.lefts(t))))))).getOr(Ni.none("default")),cata:(e,t,o,n,r)=>e.fold(t,o,n,r)},zi=ue("br"),Ai=(e,t,o)=>t(e,o).bind((e=>ie(e)&&0===hr(e).trim().length?Ai(e,t,o):C.some(e))),Li=(e,t,o,n)=>((e,t)=>We(e,t).filter(zi).orThunk((()=>We(e,t-1).filter(zi))))(t,o).bind((t=>n.traverse(t).fold((()=>Ai(t,n.gather,e).map(n.relative)),(e=>(e=>Ne(e).bind((t=>{const o=Le(t);return((e,t)=>W(e,w(Re,t)))(o,e).map((n=>((e,t,o,n)=>({parent:e,children:t,element:o,index:n}))(t,o,e,n)))})))(e).map((e=>ei.on(e.parent,e.index))))))),Wi=(e,t)=>({left:e.left,top:e.top+t,right:e.right,bottom:e.bottom+t}),Mi=(e,t)=>({left:e.left,top:e.top-t,right:e.right,bottom:e.bottom-t}),ji=(e,t,o)=>({left:e.left+t,top:e.top+o,right:e.right+t,bottom:e.bottom+o}),Pi=e=>({left:e.left,top:e.top,right:e.right,bottom:e.bottom}),Ii=(e,t)=>C.some(e.getRect(t)),Fi=(e,t,o)=>ce(t)?Ii(e,t).map(Pi):ie(t)?((e,t,o)=>o>=0&&o0?e.getRangedRect(t,o-1,t,o):C.none())(e,t,o).map(Pi):C.none(),Hi=(e,t)=>ce(t)?Ii(e,t).map(Pi):ie(t)?e.getRangedRect(t,0,t,br(t)).map(Pi):C.none(),$i=Zl([{none:[]},{retry:["caret"]}]),Vi=(e,t,o)=>gt(t,pa).fold(y,(t=>Hi(e,t).exists((e=>((e,t)=>e.leftt.right)(o,e))))),qi={point:e=>e.bottom,adjuster:(e,t,o,n,r)=>{const s=Wi(r,5);return Math.abs(o.bottom-n.bottom)<1||o.top>r.bottom?$i.retry(s):o.top===r.bottom?$i.retry(Wi(r,1)):Vi(e,t,r)?$i.retry(ji(s,5,0)):$i.none()},move:Wi,gather:Ei},Ui=(e,t,o,n,r)=>0===r?C.some(n):((e,t,o)=>e.elementFromPoint(t,o).filter((e=>"table"===ne(e))).isSome())(e,n.left,t.point(n))?((e,t,o,n,r)=>Ui(e,t,o,t.move(n,5),r))(e,t,o,n,r-1):e.situsFromPoint(n.left,t.point(n)).bind((s=>s.start.fold(C.none,(s=>Hi(e,s).bind((l=>t.adjuster(e,s,l,o,n).fold(C.none,(n=>Ui(e,t,o,n,r-1))))).orThunk((()=>C.some(n)))),C.none))),Gi=(e,t,o)=>{const n=e.move(o,5),r=Ui(t,e,o,n,100).getOr(n);return((e,t,o)=>e.point(t)>o.getInnerHeight()?C.some(e.point(t)-o.getInnerHeight()):e.point(t)<0?C.some(-e.point(t)):C.none())(e,r,t).fold((()=>t.situsFromPoint(r.left,e.point(r))),(o=>(t.scrollBy(0,o),t.situsFromPoint(r.left,e.point(r)-o))))},Ki={tryUp:w(Gi,{point:e=>e.top,adjuster:(e,t,o,n,r)=>{const s=Mi(r,5);return Math.abs(o.top-n.top)<1||o.bottome.getSelection().bind((n=>((e,t,o,n)=>{const r=zi(t)?((e,t,o)=>o.traverse(t).orThunk((()=>Ai(t,o.gather,e))).map(o.relative))(e,t,n):Li(e,t,o,n);return r.map((e=>({start:e,finish:e})))})(t,n.finish,n.foffset,o).fold((()=>C.some(Fs(n.finish,n.foffset))),(r=>{const s=e.fromSitus(r);return l=_i.verify(e,n.finish,n.foffset,s.finish,s.foffset,o.failure,t),_i.cata(l,(e=>C.none()),(()=>C.none()),(e=>C.some(Fs(e,0))),(e=>C.some(Fs(e,br(e)))));var l})))),Ji=(e,t,o,n,r,s)=>0===s?C.none():Zi(e,t,o,n,r).bind((l=>{const a=e.fromSitus(l),c=_i.verify(e,o,n,a.finish,a.foffset,r.failure,t);return _i.cata(c,(()=>C.none()),(()=>C.some(l)),(l=>Re(o,l)&&0===n?Qi(e,o,n,Mi,r):Ji(e,t,l,0,r,s-1)),(l=>Re(o,l)&&n===br(l)?Qi(e,o,n,Wi,r):Ji(e,t,l,br(l),r,s-1)))})),Qi=(e,t,o,n,r)=>Fi(e,t,o).bind((t=>Xi(e,r,n(t,Ki.getJumpSize())))),Xi=(e,t,o)=>{const n=Bo().browser;return n.isChromium()||n.isSafari()||n.isFirefox()?t.retry(e,o):C.none()},Zi=(e,t,o,n,r)=>Fi(e,o,n).bind((t=>Xi(e,r,t))),em=(e,t,o,n,r)=>bt(n,"td,th",t).bind((n=>bt(n,"table",t).bind((s=>((e,t)=>ft(e,(e=>Ne(e).exists((e=>Re(e,t)))),void 0).isSome())(r,s)?((e,t,o)=>Yi(e,t,o).bind((n=>Ji(e,t,n.element,n.offset,o,20).map(e.fromSitus))))(e,t,o).bind((e=>bt(e.finish,"td,th",t).map((t=>({start:n,finish:t,range:e}))))):C.none())))),tm=(e,t,o,n,r,s)=>s(n,t).orThunk((()=>em(e,t,o,n,r).map((e=>{const t=e.range;return ti(C.some(hi(t.start,t.soffset,t.finish,t.foffset)),!0)})))),om=(e,t)=>bt(e,"tr",t).bind((e=>bt(e,"table",t).bind((o=>{const n=dt(o,"tr");return Re(e,n[0])?((e,t,o)=>Ri(Oi,e,(e=>Cr(e).isSome()),o))(o,0,t).map((e=>{const t=br(e);return ti(C.some(hi(e,t,e,t)),!0)})):C.none()})))),nm=(e,t)=>bt(e,"tr",t).bind((e=>bt(e,"table",t).bind((o=>{const n=dt(o,"tr");return Re(e,n[n.length-1])?((e,t,o)=>Di(Oi,e,(e=>xr(e).isSome()),o))(o,0,t).map((e=>ti(C.some(hi(e,0,e,0)),!0))):C.none()})))),rm=(e,t,o,n,r,s,l)=>em(e,o,n,r,s).bind((e=>pi(t,o,e.start,e.finish,l))),sm=e=>{let t=e;return{get:()=>t,set:e=>{t=e}}},lm=()=>{const e=(e=>{const t=sm(C.none()),o=()=>t.get().each(e);return{clear:()=>{o(),t.set(C.none())},isSet:()=>t.get().isSome(),get:()=>t.get(),set:e=>{o(),t.set(C.some(e))}}})(f);return{...e,on:t=>e.get().each(t)}},am=(e,t)=>bt(e,"td,th",t),cm=e=>Be(e).exists(Qr),im={traverse:Ae,gather:Ei,relative:ei.before,retry:Ki.tryDown,failure:_i.failedDown},mm={traverse:ze,gather:ki,relative:ei.before,retry:Ki.tryUp,failure:_i.failedUp},dm=e=>t=>t===e,um=dm(38),fm=dm(40),gm=e=>e>=37&&e<=40,hm={isBackward:dm(37),isForward:dm(39)},pm={isBackward:dm(39),isForward:dm(37)},wm=Zl([{domRange:["rng"]},{relative:["startSitu","finishSitu"]},{exact:["start","soffset","finish","foffset"]}]),bm={domRange:wm.domRange,relative:wm.relative,exact:wm.exact,exactFromRange:e=>wm.exact(e.start,e.soffset,e.finish,e.foffset),getWin:e=>{const t=(e=>e.match({domRange:e=>xe.fromDom(e.startContainer),relative:(e,t)=>ei.getStart(e),exact:(e,t,o,n)=>e}))(e);return xe.fromDom(Ee(t).dom.defaultView)},range:ui},vm=document.caretPositionFromPoint?(e,t,o)=>{var n,r;return C.from(null===(r=(n=e.dom).caretPositionFromPoint)||void 0===r?void 0:r.call(n,t,o)).bind((t=>{if(null===t.offsetNode)return C.none();const o=e.dom.createRange();return o.setStart(t.offsetNode,t.offset),o.collapse(),C.some(o)}))}:document.caretRangeFromPoint?(e,t,o)=>{var n,r;return C.from(null===(r=(n=e.dom).caretRangeFromPoint)||void 0===r?void 0:r.call(n,t,o))}:C.none,ym=(e,t)=>{const o=ne(e);return"input"===o?ei.after(e):D(["br","img"],o)?0===t?ei.before(e):ei.after(e):ei.on(e,t)},xm=e=>C.from(e.getSelection()),Cm=(e,t)=>{xm(e).each((e=>{e.removeAllRanges(),e.addRange(t)}))},Sm=(e,t,o,n,r)=>{const s=li(e,t,o,n,r);Cm(e,s)},Tm=(e,t)=>mi(e,t).match({ltr:(t,o,n,r)=>{Sm(e,t,o,n,r)},rtl:(t,o,n,r)=>{xm(e).each((s=>{if(s.setBaseAndExtent)s.setBaseAndExtent(t.dom,o,n.dom,r);else if(s.extend)try{((e,t,o,n,r,s)=>{t.collapse(o.dom,n),t.extend(r.dom,s)})(0,s,t,o,n,r)}catch(s){Sm(e,n,r,t,o)}else Sm(e,n,r,t,o)}))}}),Rm=(e,t,o,n,r)=>{const s=((e,t,o,n)=>{const r=ym(e,t),s=ym(o,n);return bm.relative(r,s)})(t,o,n,r);Tm(e,s)},Dm=(e,t,o)=>{const n=((e,t)=>{const o=e.fold(ei.before,ym,ei.after),n=t.fold(ei.before,ym,ei.after);return bm.relative(o,n)})(t,o);Tm(e,n)},Om=e=>{if(e.rangeCount>0){const t=e.getRangeAt(0),o=e.getRangeAt(e.rangeCount-1);return C.some(ui(xe.fromDom(t.startContainer),t.startOffset,xe.fromDom(o.endContainer),o.endOffset))}return C.none()},km=e=>{if(null===e.anchorNode||null===e.focusNode)return Om(e);{const t=xe.fromDom(e.anchorNode),o=xe.fromDom(e.focusNode);return((e,t,o,n)=>{const r=((e,t,o,n)=>{const r=ke(e).dom.createRange();return r.setStart(e.dom,t),r.setEnd(o.dom,n),r})(e,t,o,n),s=Re(e,o)&&t===n;return r.collapsed&&!s})(t,e.anchorOffset,o,e.focusOffset)?C.some(ui(t,e.anchorOffset,o,e.focusOffset)):Om(e)}},Em=(e,t,o=!0)=>{const n=(o?ni:oi)(e,t);Cm(e,n)},Nm=e=>(e=>xm(e).filter((e=>e.rangeCount>0)).bind(km))(e).map((e=>bm.exact(e.start,e.soffset,e.finish,e.foffset))),Bm=e=>({elementFromPoint:(t,o)=>xe.fromPoint(xe.fromDom(e.document),t,o),getRect:e=>e.dom.getBoundingClientRect(),getRangedRect:(t,o,n,r)=>{const s=bm.exact(t,o,n,r);return((e,t)=>(e=>{const t=e.getClientRects(),o=t.length>0?t[0]:e.getBoundingClientRect();return o.width>0||o.height>0?C.some(o).map(ai):C.none()})(di(e,t)))(e,s)},getSelection:()=>Nm(e).map((t=>gi(e,t))),fromSitus:t=>{const o=bm.relative(t.start,t.finish);return gi(e,o)},situsFromPoint:(t,o)=>((e,t,o)=>((e,t,o)=>{const n=xe.fromDom(e.document);return vm(n,t,o).map((e=>ui(xe.fromDom(e.startContainer),e.startOffset,xe.fromDom(e.endContainer),e.endOffset)))})(e,t,o))(e,t,o).map((e=>fi(e.start,e.soffset,e.finish,e.foffset))),clearSelection:()=>{(e=>{xm(e).each((e=>e.removeAllRanges()))})(e)},collapseSelection:(t=!1)=>{Nm(e).each((o=>o.fold((e=>e.collapse(t)),((o,n)=>{const r=t?o:n;Dm(e,r,r)}),((o,n,r,s)=>{const l=t?o:r,a=t?n:s;Rm(e,l,a,l,a)}))))},setSelection:t=>{Rm(e,t.start,t.soffset,t.finish,t.foffset)},setRelativeSelection:(t,o)=>{Dm(e,t,o)},selectNode:t=>{Em(e,t,!1)},selectContents:t=>{Em(e,t)},getInnerHeight:()=>e.innerHeight,getScrollY:()=>(e=>{const t=void 0!==e?e.dom:document,o=t.body.scrollLeft||t.documentElement.scrollLeft,n=t.body.scrollTop||t.documentElement.scrollTop;return bn(o,n)})(xe.fromDom(e.document)).top,scrollBy:(t,o)=>{((e,t,o)=>{const n=(void 0!==o?o.dom:document).defaultView;n&&n.scrollBy(e,t)})(t,o,xe.fromDom(e.document))}}),_m=(e,t)=>({rows:e,cols:t}),zm=e=>gt(e,ae).exists(Qr),Am=(e,t)=>zm(e)||zm(t),Lm=e=>void 0!==e.dom.classList,Wm=(e,t)=>((e,t,o)=>{const n=((e,t)=>{const o=pe(e,t);return void 0===o||""===o?[]:o.split(" ")})(e,t).concat([o]);return ge(e,t,n.join(" ")),!0})(e,"class",t),Mm=(e,t)=>{Lm(e)?e.dom.classList.add(t):Wm(e,t)},jm=(e,t)=>Lm(e)&&e.dom.classList.contains(t),Pm=()=>({tag:"none"}),Im=e=>({tag:"multiple",elements:e}),Fm=e=>({tag:"single",element:e}),Hm=e=>{const t=xe.fromDom((e=>{if(nt()&&m(e.target)){const t=xe.fromDom(e.target);if(ce(t)&&m(t.dom.shadowRoot)&&e.composed&&e.composedPath){const t=e.composedPath();if(t)return H(t)}}return C.from(e.target)})(e).getOr(e.target)),o=()=>e.stopPropagation(),n=()=>e.preventDefault(),r=(s=n,l=o,(...e)=>s(l.apply(null,e)));var s,l;return((e,t,o,n,r,s,l)=>({target:e,x:t,y:o,stop:n,prevent:r,kill:s,raw:l}))(t,e.clientX,e.clientY,o,n,r,e)},$m=(e,t,o,n)=>{e.dom.removeEventListener(t,o,n)},Vm=x,qm=(e,t,o)=>((e,t,o,n)=>((e,t,o,n,r)=>{const s=((e,t)=>o=>{e(o)&&t(Hm(o))})(o,n);return e.dom.addEventListener(t,s,r),{unbind:w($m,e,t,s,r)}})(e,t,o,n,!1))(e,t,Vm,o),Um=Hm,Gm=e=>!jm(xe.fromDom(e.target),"ephox-snooker-resizer-bar"),Km=(e,t)=>{const o=(r=As.selectedSelector,{get:()=>Rs(xe.fromDom(e.getBody()),r).fold((()=>js(os(e),es(e)).fold(Pm,Fm)),Im)}),n=((e,t,o)=>{const n=t=>{be(t,e.selected),be(t,e.firstSelected),be(t,e.lastSelected)},r=t=>{ge(t,e.selected,"1")},s=e=>{l(e),o()},l=t=>{const o=dt(t,`${e.selectedSelector},${e.firstSelectedSelector},${e.lastSelectedSelector}`);N(o,n)};return{clearBeforeUpdate:l,clear:s,selectRange:(o,n,l,a)=>{s(o),N(n,r),ge(l,e.firstSelected,"1"),ge(a,e.lastSelected,"1"),t(n,l,a)},selectedSelector:e.selectedSelector,firstSelectedSelector:e.firstSelectedSelector,lastSelectedSelector:e.lastSelectedSelector}})(As,((t,o,n)=>{Kt(o).each((r=>{const s=Wr(e),l=Br(f,xe.fromDom(e.getDoc()),s),a=((e,t,o)=>{const n=Zo(e);return Ol(n,t).map((e=>{const t=xl(n,o,!1),{rows:r}=qo(t),s=((e,t)=>{const o=e.slice(0,t[t.length-1].row+1),n=Cl(o);return j(n,(e=>{const o=e.cells.slice(0,t[t.length-1].column+1);return E(o,(e=>e.element))}))})(r,e),l=((e,t)=>{const o=e.slice(t[0].row+t[0].rowspan-1,e.length),n=Cl(o);return j(n,(e=>{const o=e.cells.slice(t[0].column+t[0].colspan-1,e.cells.length);return E(o,(e=>e.element))}))})(r,e);return{upOrLeftCells:s,downOrRightCells:l}}))})(r,{selection:Ps(e)},l);((e,t,o,n,r)=>{e.dispatch("TableSelectionChange",{cells:t,start:o,finish:n,otherCells:r})})(e,t,o,n,a)}))}),(()=>(e=>{e.dispatch("TableSelectionClear")})(e)));var r;return e.on("init",(o=>{const r=e.getWin(),s=Zr(e),l=es(e),a=((e,t,o,n)=>{const r=((e,t,o,n)=>{const r=lm(),s=r.clear,l=s=>{r.on((r=>{n.clearBeforeUpdate(t),am(s.target,o).each((l=>{xs(r,l,o).each((o=>{const r=o.boxes.getOr([]);if(1===r.length){const o=r[0],l="false"===Xr(o),a=vt(Jr(s.target),o,Re);l&&a&&(n.selectRange(t,r,o,o),e.selectContents(o))}else r.length>1&&(n.selectRange(t,r,o.start,o.finish),e.selectContents(l))}))}))}))};return{clearstate:s,mousedown:e=>{n.clear(t),am(e.target,o).filter(cm).each(r.set)},mouseover:e=>{l(e)},mouseup:e=>{l(e),s()}}})(Bm(e),t,o,n);return{clearstate:r.clearstate,mousedown:r.mousedown,mouseover:r.mouseover,mouseup:r.mouseup}})(r,s,l,n),c=((e,t,o,n)=>{const r=Bm(e),s=()=>(n.clear(t),C.none());return{keydown:(e,l,a,c,i,m)=>{const d=e.raw,u=d.which,f=!0===d.shiftKey,g=Cs(t,n.selectedSelector).fold((()=>(gm(u)&&!f&&n.clearBeforeUpdate(t),gm(u)&&f&&!Am(l,c)?C.none:fm(u)&&f?w(rm,r,t,o,im,c,l,n.selectRange):um(u)&&f?w(rm,r,t,o,mm,c,l,n.selectRange):fm(u)?w(tm,r,o,im,c,l,nm):um(u)?w(tm,r,o,mm,c,l,om):C.none)),(e=>{const o=o=>()=>{const s=V(o,(o=>((e,t,o,n,r)=>Ts(n,e,t,r.firstSelectedSelector,r.lastSelectedSelector).map((e=>(r.clearBeforeUpdate(o),r.selectRange(o,e.boxes,e.start,e.finish),e.boxes))))(o.rows,o.cols,t,e,n)));return s.fold((()=>Ss(t,n.firstSelectedSelector,n.lastSelectedSelector).map((e=>{const o=fm(u)||m.isForward(u)?ei.after:ei.before;return r.setRelativeSelection(ei.on(e.first,0),o(e.table)),n.clear(t),ti(C.none(),!0)}))),(e=>C.some(ti(C.none(),!0))))};return gm(u)&&f&&!Am(l,c)?C.none:fm(u)&&f?o([_m(1,0)]):um(u)&&f?o([_m(-1,0)]):m.isBackward(u)&&f?o([_m(0,-1),_m(-1,0)]):m.isForward(u)&&f?o([_m(0,1),_m(1,0)]):gm(u)&&!f?s:C.none}));return g()},keyup:(e,r,s,l,a)=>Cs(t,n.selectedSelector).fold((()=>{const c=e.raw,i=c.which;return!0===c.shiftKey&&gm(i)&&Am(r,l)?((e,t,o,n,r,s,l)=>Re(o,r)&&n===s?C.none():bt(o,"td,th",t).bind((o=>bt(r,"td,th",t).bind((n=>pi(e,t,o,n,l))))))(t,o,r,s,l,a,n.selectRange):C.none()}),C.none)}})(r,s,l,n),i=((e,t,o,n)=>{const r=Bm(e);return(e,s)=>{n.clearBeforeUpdate(t),xs(e,s,o).each((e=>{const o=e.boxes.getOr([]);n.selectRange(t,o,e.start,e.finish),r.selectContents(s),r.collapseSelection()}))}})(r,s,l,n);e.on("TableSelectorChange",(e=>i(e.start,e.finish)));const m=(t,o)=>{(e=>!0===e.raw.shiftKey)(t)&&(o.kill&&t.kill(),o.selection.each((t=>{const o=bm.relative(t.start,t.finish),n=di(r,o);e.selection.setRng(n)})))},d=e=>0===e.button,u=(()=>{const e=sm(xe.fromDom(s)),t=sm(0);return{touchEnd:o=>{const n=xe.fromDom(o.target);if(ue("td")(n)||ue("th")(n)){const r=e.get(),s=t.get();Re(r,n)&&o.timeStamp-s<300&&(o.preventDefault(),i(n,n))}e.set(n),t.set(o.timeStamp)}}})();e.on("dragstart",(e=>{a.clearstate()})),e.on("mousedown",(e=>{d(e)&&Gm(e)&&a.mousedown(Um(e))})),e.on("mouseover",(e=>{var t;void 0!==(t=e).buttons&&0==(1&t.buttons)||!Gm(e)||a.mouseover(Um(e))})),e.on("mouseup",(e=>{d(e)&&Gm(e)&&a.mouseup(Um(e))})),e.on("touchend",u.touchEnd),e.on("keyup",(t=>{const o=Um(t);if(o.raw.shiftKey&&gm(o.raw.which)){const t=e.selection.getRng(),n=xe.fromDom(t.startContainer),r=xe.fromDom(t.endContainer);c.keyup(o,n,t.startOffset,r,t.endOffset).each((e=>{m(o,e)}))}})),e.on("keydown",(o=>{const n=Um(o);t.hide();const r=e.selection.getRng(),s=xe.fromDom(r.startContainer),l=xe.fromDom(r.endContainer),a=un(hm,pm)(xe.fromDom(e.selection.getStart()));c.keydown(n,s,r.startOffset,l,r.endOffset,a).each((e=>{m(n,e)})),t.show()})),e.on("NodeChange",(()=>{const t=e.selection,o=xe.fromDom(t.getStart()),r=xe.fromDom(t.getEnd());vs(Kt,[o,r]).fold((()=>n.clear(s)),f)}))})),e.on("PreInit",(()=>{e.serializer.addTempAttr(As.firstSelected),e.serializer.addTempAttr(As.lastSelected)})),{getSelectedCells:()=>((e,t,o,n)=>{switch(e.tag){case"none":return t();case"single":return(e=>[e.dom])(e.element);case"multiple":return(e=>E(e,(e=>e.dom)))(e.elements)}})(o.get(),g([])),clearSelectedCells:e=>n.clear(xe.fromDom(e))}},Ym=e=>{let t=[];return{bind:e=>{if(void 0===e)throw new Error("Event bind error: undefined handler");t.push(e)},unbind:e=>{t=_(t,(t=>t!==e))},trigger:(...o)=>{const n={};N(e,((e,t)=>{n[e]=o[t]})),N(t,(e=>{e(n)}))}}},Jm=e=>({registry:K(e,(e=>({bind:e.bind,unbind:e.unbind}))),trigger:K(e,(e=>e.trigger))}),Qm=e=>e.slice(0).sort(),Xm=(e,t)=>{const o=_(t,(t=>!D(e,t)));o.length>0&&(e=>{throw new Error("Unsupported keys for object: "+Qm(e).join(", "))})(o)},Zm=e=>((e,t)=>((e,t,o)=>{if(0===t.length)throw new Error("You must specify at least one required field.");return((e,t)=>{if(!l(t))throw new Error("The "+e+" fields must be an array. Was: "+t+".");N(t,(t=>{if(!r(t))throw new Error("The value "+t+" in the "+e+" fields was not a string.")}))})("required",t),(e=>{const t=Qm(e);L(t,((e,o)=>o{throw new Error("The field: "+e+" occurs more than once in the combined fields: ["+t.join(", ")+"].")}))})(t),n=>{const r=q(n);P(t,(e=>D(r,e)))||((e,t)=>{throw new Error("All required keys ("+Qm(e).join(", ")+") were not specified. Specified keys were: "+Qm(t).join(", ")+".")})(t,r),e(t,r);const s=_(t,(e=>!o.validate(n[e],e)));return s.length>0&&((e,t)=>{throw new Error("All values need to be of type: "+t+". Keys ("+Qm(e).join(", ")+") were not.")})(s,o.label),n}})(e,t,{validate:d,label:"function"}))(Xm,e),ed=Zm(["compare","extract","mutate","sink"]),td=Zm(["element","start","stop","destroy"]),od=Zm(["forceDrop","drop","move","delayDrop"]),nd=()=>{const e=(()=>{const e=Jm({move:Ym(["info"])});return{onEvent:f,reset:f,events:e.registry}})(),t=(()=>{let e=C.none();const t=Jm({move:Ym(["info"])});return{onEvent:(o,n)=>{n.extract(o).each((o=>{const r=((t,o)=>{const n=e.map((e=>t.compare(e,o)));return e=C.some(o),n})(n,o);r.each((e=>{t.trigger.move(e)}))}))},reset:()=>{e=C.none()},events:t.registry}})();let o=e;return{on:()=>{o.reset(),o=t},off:()=>{o.reset(),o=e},isOn:()=>o===t,onEvent:(e,t)=>{o.onEvent(e,t)},events:t.events}},rd=e=>{const t=e.replace(/\./g,"-");return{resolve:e=>t+"-"+e}},sd=rd("ephox-dragster").resolve;var ld=ed({compare:(e,t)=>bn(t.left-e.left,t.top-e.top),extract:e=>C.some(bn(e.x,e.y)),sink:(e,t)=>{const o=(e=>{const t={layerClass:sd("blocker"),...e},o=xe.fromTag("div");return ge(o,"role","presentation"),Bt(o,{position:"fixed",left:"0px",top:"0px",width:"100%",height:"100%"}),Mm(o,sd("blocker")),Mm(o,t.layerClass),{element:g(o),destroy:()=>{qe(o)}}})(t),n=qm(o.element(),"mousedown",e.forceDrop),r=qm(o.element(),"mouseup",e.drop),s=qm(o.element(),"mousemove",e.move),l=qm(o.element(),"mouseout",e.delayDrop);return td({element:o.element,start:e=>{Ie(e,o.element())},stop:()=>{qe(o.element())},destroy:()=>{o.destroy(),r.unbind(),s.unbind(),l.unbind(),n.unbind()}})},mutate:(e,t)=>{e.mutate(t.left,t.top)}});const ad=rd("ephox-snooker").resolve,cd=ad("resizer-bar"),id=ad("resizer-rows"),md=ad("resizer-cols"),dd=e=>{const t=dt(e.parent(),"."+cd);N(t,qe)},ud=(e,t,o)=>{const n=e.origin();N(t,(t=>{t.each((t=>{const r=o(n,t);Mm(r,cd),Ie(e.parent(),r)}))}))},fd=(e,t,o,n,r)=>{const s=yn(o),l=t.isResizable,a=n.length>0?_n.positions(n,o):[],c=a.length>0?((e,t)=>j(e.all,((e,o)=>t(e.element)?[o]:[])))(e,l):[];((e,t,o,n)=>{ud(e,t,((e,t)=>{const r=((e,t,o,n,r)=>{const s=xe.fromTag("div");return Bt(s,{position:"absolute",left:t+"px",top:o-3.5+"px",height:"7px",width:n+"px"}),he(s,{"data-row":e,role:"presentation"}),s})(t.row,o.left-e.left,t.y-e.top,n);return Mm(r,id),r}))})(t,_(a,((e,t)=>O(c,(e=>t===e)))),s,Wo(o));const i=r.length>0?An.positions(r,o):[],m=i.length>0?((e,t)=>{const o=[];return k(e.grid.columns,(n=>{an(e,n).map((e=>e.element)).forall(t)&&o.push(n)})),_(o,(o=>{const n=nn(e,(e=>e.column===o));return P(n,(e=>t(e.element)))}))})(e,l):[];((e,t,o,n)=>{ud(e,t,((e,t)=>{const r=((e,t,o,n,r)=>{const s=xe.fromTag("div");return Bt(s,{position:"absolute",left:t-3.5+"px",top:o+"px",height:r+"px",width:"7px"}),he(s,{"data-column":e,role:"presentation"}),s})(t.col,t.x-e.left,o.top-e.top,0,n);return Mm(r,md),r}))})(t,_(i,((e,t)=>O(m,(e=>t===e)))),s,pn(o))},gd=(e,t)=>{if(dd(e),e.isResizable(t)){const o=Zo(t),n=dn(o),r=cn(o);fd(o,e,t,n,r)}},hd=(e,t)=>{const o=dt(e.parent(),"."+cd);N(o,t)},pd=e=>{hd(e,(e=>{Nt(e,"display","none")}))},wd=e=>{hd(e,(e=>{Nt(e,"display","block")}))},bd=ad("resizer-bar-dragging"),vd=e=>{const t=(()=>{const e=Jm({drag:Ym(["xDelta","yDelta","target"])});let t=C.none();const o=(()=>{const e=Jm({drag:Ym(["xDelta","yDelta"])});return{mutate:(t,o)=>{e.trigger.drag(t,o)},events:e.registry}})();return o.events.drag.bind((o=>{t.each((t=>{e.trigger.drag(o.xDelta,o.yDelta,t)}))})),{assign:e=>{t=C.some(e)},get:()=>t,mutate:o.mutate,events:e.registry}})(),o=((e,t={})=>{var o;return((e,t,o)=>{let n=!1;const r=Jm({start:Ym([]),stop:Ym([])}),s=nd(),l=()=>{m.stop(),s.isOn()&&(s.off(),r.trigger.stop())},c=((e,t)=>{let o=null;const n=()=>{a(o)||(clearTimeout(o),o=null)};return{cancel:n,throttle:(...t)=>{n(),o=setTimeout((()=>{o=null,e.apply(null,t)}),200)}}})(l);s.events.move.bind((o=>{t.mutate(e,o.info)}));const i=e=>(...t)=>{n&&e.apply(null,t)},m=t.sink(od({forceDrop:l,drop:i(l),move:i((e=>{c.cancel(),s.onEvent(e,t)})),delayDrop:i(c.throttle)}),o);return{element:m.element,go:e=>{m.start(e),s.on(),r.trigger.start()},on:()=>{n=!0},off:()=>{n=!1},isActive:()=>n,destroy:()=>{m.destroy()},events:r.registry}})(e,null!==(o=t.mode)&&void 0!==o?o:ld,t)})(t,{});let n=C.none();const r=(e,t)=>C.from(pe(e,t));t.events.drag.bind((e=>{r(e.target,"data-row").each((t=>{const o=It(e.target,"top");Nt(e.target,"top",o+e.yDelta+"px")})),r(e.target,"data-column").each((t=>{const o=It(e.target,"left");Nt(e.target,"left",o+e.xDelta+"px")}))}));const s=(e,t)=>It(e,t)-Wt(e,"data-initial-"+t,0);o.events.stop.bind((()=>{t.get().each((t=>{n.each((o=>{r(t,"data-row").each((e=>{const n=s(t,"top");be(t,"data-initial-top"),d.trigger.adjustHeight(o,n,parseInt(e,10))})),r(t,"data-column").each((e=>{const n=s(t,"left");be(t,"data-initial-left"),d.trigger.adjustWidth(o,n,parseInt(e,10))})),gd(e,o)}))}))}));const l=(n,r)=>{d.trigger.startAdjust(),t.assign(n),ge(n,"data-initial-"+r,It(n,r)),Mm(n,bd),Nt(n,"opacity","0.2"),o.go(e.parent())},c=qm(e.parent(),"mousedown",(e=>{var t;t=e.target,jm(t,id)&&l(e.target,"top"),(e=>jm(e,md))(e.target)&&l(e.target,"left")})),i=t=>Re(t,e.view()),m=qm(e.view(),"mouseover",(t=>{var r;(r=t.target,bt(r,"table",i).filter(Qr)).fold((()=>{lt(t.target)&&dd(e)}),(t=>{o.isActive()&&(n=C.some(t),gd(e,t))}))})),d=Jm({adjustHeight:Ym(["table","delta","row"]),adjustWidth:Ym(["table","delta","column"]),startAdjust:Ym([])});return{destroy:()=>{c.unbind(),m.unbind(),o.destroy(),dd(e)},refresh:t=>{gd(e,t)},on:o.on,off:o.off,hideBars:w(pd,e),showBars:w(wd,e),events:d.registry}},yd=(e,t,o)=>{const n=_n,r=An,s=vd(e),l=Jm({beforeResize:Ym(["table","type"]),afterResize:Ym(["table","type"]),startDrag:Ym([])});return s.events.adjustHeight.bind((e=>{const t=e.table;l.trigger.beforeResize(t,"row");((e,t,o,n)=>{const r=Zo(e),s=((e,t,o)=>lr(e,t,o,Yn,(e=>e.getOrThunk(Ht))))(r,e,n),l=E(s,((e,n)=>o===n?Math.max(t+e,Ht()):e)),a=oa(r,l),c=((e,t)=>E(e.all,((e,o)=>({element:e.element,height:t[o]}))))(r,l);N(c,(e=>{$n(e.element,e.height)})),N(a,(e=>{$n(e.element,e.height)}));const i=z(l,((e,t)=>e+t),0);$n(e,i)})(t,n.delta(e.delta,t),e.row,n),l.trigger.afterResize(t,"row")})),s.events.startAdjust.bind((e=>{l.trigger.startDrag()})),s.events.adjustWidth.bind((e=>{const n=e.table;l.trigger.beforeResize(n,"col");const s=r.delta(e.delta,n),a=o(n);ra(n,s,e.column,t,a),l.trigger.afterResize(n,"col")})),{on:s.on,off:s.off,refreshBars:s.refresh,hideBars:s.hideBars,showBars:s.showBars,destroy:s.destroy,events:l.registry}},xd=e=>m(e)&&"TABLE"===e.nodeName,Cd="bar-",Sd=e=>"false"!==pe(e,"data-mce-resize"),Td=e=>{const t=lm(),o=lm(),n=lm();let r,s;const l=t=>fc(e,t),a=()=>Pr(e)?el():Zs();return e.on("init",(()=>{const r=((e,t)=>e.inline?((e,t,o)=>({parent:g(t),view:g(e),origin:g(bn(0,0)),isResizable:o}))(xe.fromDom(e.getBody()),(()=>{const e=xe.fromTag("div");return Bt(e,{position:"static",height:"0",width:"0",padding:"0",margin:"0",border:"0"}),Ie(at(xe.fromDom(document)),e),e})(),t):((e,t)=>{const o=me(e)?(e=>xe.fromDom(Ee(e).dom.documentElement))(e):e;return{parent:g(o),view:g(e),origin:g(bn(0,0)),isResizable:t}})(xe.fromDom(e.getDoc()),t))(e,Sd);if(n.set(r),(e=>{const t=e.options.get("object_resizing");return D(t.split(","),"table")})(e)&&qr(e)){const n=a(),s=yd(r,n,l);s.on(),s.events.startDrag.bind((o=>{t.set(e.selection.getRng())})),s.events.beforeResize.bind((t=>{const o=t.table.dom;((e,t,o,n,r)=>{e.dispatch("ObjectResizeStart",{target:t,width:o,height:n,origin:r})})(e,o,ns(o),rs(o),Cd+t.type)})),s.events.afterResize.bind((o=>{const n=o.table,r=n.dom;ts(n),t.on((t=>{e.selection.setRng(t),e.focus()})),((e,t,o,n,r)=>{e.dispatch("ObjectResized",{target:t,width:o,height:n,origin:r})})(e,r,ns(r),rs(r),Cd+o.type),e.undoManager.add()})),o.set(s)}})),e.on("ObjectResizeStart",(t=>{const o=t.target;if(xd(o)){const n=xe.fromDom(o);N(e.dom.select(".mce-clonedresizable"),(t=>{e.dom.addClass(t,"mce-"+jr(e)+"-columns")})),!kc(n)&&$r(e)?_c(n):!Oc(n)&&Hr(e)&&Bc(n),Ec(n)&&Tt(t.origin,Cd)&&Bc(n),r=t.width,s=Vr(e)?"":((e,t)=>{const o=e.dom.getStyle(t,"width")||e.dom.getAttrib(t,"width");return C.from(o).filter(Ot)})(e,o).getOr("")}})),e.on("ObjectResized",(t=>{const o=t.target;if(xd(o)){const n=xe.fromDom(o),c=t.origin;Tt(c,"corner-")&&((t,o,n)=>{const c=Rt(o,"e");if(""===s&&Bc(t),n!==r&&""!==s){Nt(t,"width",s);const o=a(),i=l(t),m=Pr(e)||c?(e=>tl(e).columns)(t)-1:0;ra(t,n-r,m,o,i)}else if((e=>/^(\d+(\.\d+)?)%$/.test(e))(s)){const e=parseFloat(s.replace("%",""));Nt(t,"width",n*e/r+"%")}(e=>/^(\d+(\.\d+)?)px$/.test(e))(s)&&(e=>{const t=Zo(e);ln(t)||N(Ut(e),(e=>{const t=_t(e,"width");Nt(e,"width",t),be(e,"width")}))})(t)})(n,c,t.width),ts(n),ic(e,n.dom,mc)}})),e.on("SwitchMode",(()=>{o.on((t=>{e.mode.isReadOnly()?t.hideBars():t.showBars()}))})),e.on("dragstart dragend",(e=>{o.on((t=>{"dragstart"===e.type?(t.hideBars(),t.off()):(t.on(),t.showBars())}))})),e.on("remove",(()=>{o.on((e=>{e.destroy()})),n.on((t=>{((e,t)=>{e.inline&&qe(t.parent())})(e,t)}))})),{refresh:e=>{o.on((t=>t.refreshBars(xe.fromDom(e))))},hide:()=>{o.on((e=>e.hideBars()))},show:()=>{o.on((e=>e.showBars()))}}},Rd=e=>{(e=>{const t=e.options.register;t("table_clone_elements",{processor:"string[]"}),t("table_use_colgroups",{processor:"boolean",default:!0}),t("table_header_type",{processor:e=>{const t=D(["section","cells","sectionCells","auto"],e);return t?{value:e,valid:t}:{valid:!1,message:"Must be one of: section, cells, sectionCells or auto."}},default:"section"}),t("table_sizing_mode",{processor:"string",default:"auto"}),t("table_default_attributes",{processor:"object",default:{border:"1"}}),t("table_default_styles",{processor:"object",default:{"border-collapse":"collapse"}}),t("table_column_resizing",{processor:e=>{const t=D(["preservetable","resizetable"],e);return t?{value:e,valid:t}:{valid:!1,message:"Must be preservetable, or resizetable."}},default:"preservetable"}),t("table_resize_bars",{processor:"boolean",default:!0}),t("table_style_by_css",{processor:"boolean",default:!0}),t("table_merge_content_on_paste",{processor:"boolean",default:!0})})(e);const t=Td(e),o=Km(e,t),n=gc(e,t,o);return Xc(e,n),((e,t)=>{const o=es(e),n=t=>js(os(e)).bind((n=>Kt(n,o).map((o=>{const r=Ls(Ps(e),o,n);return t(o,r)})))).getOr("");G({mceTableRowType:()=>n(t.getTableRowType),mceTableCellType:()=>n(t.getTableCellType),mceTableColType:()=>n(t.getTableColType)},((t,o)=>e.addQueryValueHandler(o,t)))})(e,n),Is(e,n),{getSelectedCells:o.getSelectedCells,clearSelectedCells:o.clearSelectedCells}};e.add("dom",(e=>({table:Rd(e)})))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/accordion/index.js b/deform/static/tinymce/plugins/accordion/index.js new file mode 100644 index 00000000..bba98071 --- /dev/null +++ b/deform/static/tinymce/plugins/accordion/index.js @@ -0,0 +1,7 @@ +// Exports the "accordion" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/accordion') +// ES2015: +// import 'tinymce/plugins/accordion' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/accordion/plugin.js b/deform/static/tinymce/plugins/accordion/plugin.js new file mode 100644 index 00000000..422d5066 --- /dev/null +++ b/deform/static/tinymce/plugins/accordion/plugin.js @@ -0,0 +1,1033 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$3 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + let unique = 0; + const generate = prefix => { + const date = new Date(); + const time = date.getTime(); + const random = Math.floor(Math.random() * 1000000000); + unique++; + return prefix + '_' + random + unique + String(time); + }; + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType$1 = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const isString = isType$1('string'); + const isBoolean = isSimpleType('boolean'); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + const isNumber = isSimpleType('number'); + + const compose1 = (fbc, fab) => a => fbc(fab(a)); + const constant = value => { + return () => { + return value; + }; + }; + const tripleEquals = (a, b) => { + return a === b; + }; + const never = constant(false); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const nativeIndexOf = Array.prototype.indexOf; + const rawIndexOf = (ts, t) => nativeIndexOf.call(ts, t); + const contains = (xs, x) => rawIndexOf(xs, x) > -1; + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each$1 = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const filter = (xs, pred) => { + const r = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + r.push(x); + } + } + return r; + }; + const foldl = (xs, f, acc) => { + each$1(xs, (x, i) => { + acc = f(acc, x, i); + }); + return acc; + }; + + const keys = Object.keys; + const each = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + + typeof window !== 'undefined' ? window : Function('return this;')(); + + const COMMENT = 8; + const DOCUMENT = 9; + const DOCUMENT_FRAGMENT = 11; + const ELEMENT = 1; + const TEXT = 3; + + const name = element => { + const r = element.dom.nodeName; + return r.toLowerCase(); + }; + const type = element => element.dom.nodeType; + const isType = t => element => type(element) === t; + const isComment = element => type(element) === COMMENT || name(element) === '#comment'; + const isElement = isType(ELEMENT); + const isText = isType(TEXT); + const isDocument = isType(DOCUMENT); + const isDocumentFragment = isType(DOCUMENT_FRAGMENT); + + const rawSet = (dom, key, value) => { + if (isString(value) || isBoolean(value) || isNumber(value)) { + dom.setAttribute(key, value + ''); + } else { + console.error('Invalid call to Attribute.set. Key ', key, ':: Value ', value, ':: Element ', dom); + throw new Error('Attribute value was not simple'); + } + }; + const set$2 = (element, key, value) => { + rawSet(element.dom, key, value); + }; + const setAll = (element, attrs) => { + const dom = element.dom; + each(attrs, (v, k) => { + rawSet(dom, k, v); + }); + }; + const get$2 = (element, key) => { + const v = element.dom.getAttribute(key); + return v === null ? undefined : v; + }; + const getOpt = (element, key) => Optional.from(get$2(element, key)); + const remove$2 = (element, key) => { + element.dom.removeAttribute(key); + }; + const clone = element => foldl(element.dom.attributes, (acc, attr) => { + acc[attr.name] = attr.value; + return acc; + }, {}); + + const fromHtml = (html, scope) => { + const doc = scope || document; + const div = doc.createElement('div'); + div.innerHTML = html; + if (!div.hasChildNodes() || div.childNodes.length > 1) { + const message = 'HTML does not have a single root node'; + console.error(message, html); + throw new Error(message); + } + return fromDom(div.childNodes[0]); + }; + const fromTag = (tag, scope) => { + const doc = scope || document; + const node = doc.createElement(tag); + return fromDom(node); + }; + const fromText = (text, scope) => { + const doc = scope || document; + const node = doc.createTextNode(text); + return fromDom(node); + }; + const fromDom = node => { + if (node === null || node === undefined) { + throw new Error('Node cannot be null or undefined'); + } + return { dom: node }; + }; + const fromPoint = (docElm, x, y) => Optional.from(docElm.dom.elementFromPoint(x, y)).map(fromDom); + const SugarElement = { + fromHtml, + fromTag, + fromText, + fromDom, + fromPoint + }; + + const is$2 = (element, selector) => { + const dom = element.dom; + if (dom.nodeType !== ELEMENT) { + return false; + } else { + const elem = dom; + if (elem.matches !== undefined) { + return elem.matches(selector); + } else if (elem.msMatchesSelector !== undefined) { + return elem.msMatchesSelector(selector); + } else if (elem.webkitMatchesSelector !== undefined) { + return elem.webkitMatchesSelector(selector); + } else if (elem.mozMatchesSelector !== undefined) { + return elem.mozMatchesSelector(selector); + } else { + throw new Error('Browser lacks native selectors'); + } + } + }; + const bypassSelector = dom => dom.nodeType !== ELEMENT && dom.nodeType !== DOCUMENT && dom.nodeType !== DOCUMENT_FRAGMENT || dom.childElementCount === 0; + const all = (selector, scope) => { + const base = scope === undefined ? document : scope.dom; + return bypassSelector(base) ? [] : map(base.querySelectorAll(selector), SugarElement.fromDom); + }; + const one = (selector, scope) => { + const base = scope === undefined ? document : scope.dom; + return bypassSelector(base) ? Optional.none() : Optional.from(base.querySelector(selector)).map(SugarElement.fromDom); + }; + + const eq = (e1, e2) => e1.dom === e2.dom; + const is$1 = is$2; + + const is = (lhs, rhs, comparator = tripleEquals) => lhs.exists(left => comparator(left, rhs)); + + const blank = r => s => s.replace(r, ''); + const trim = blank(/^\s+|\s+$/g); + + const isSupported = dom => dom.style !== undefined && isFunction(dom.style.getPropertyValue); + + const owner = element => SugarElement.fromDom(element.dom.ownerDocument); + const documentOrOwner = dos => isDocument(dos) ? dos : owner(dos); + const parent = element => Optional.from(element.dom.parentNode).map(SugarElement.fromDom); + const parents = (element, isRoot) => { + const stop = isFunction(isRoot) ? isRoot : never; + let dom = element.dom; + const ret = []; + while (dom.parentNode !== null && dom.parentNode !== undefined) { + const rawParent = dom.parentNode; + const p = SugarElement.fromDom(rawParent); + ret.push(p); + if (stop(p) === true) { + break; + } else { + dom = rawParent; + } + } + return ret; + }; + const prevSibling = element => Optional.from(element.dom.previousSibling).map(SugarElement.fromDom); + const nextSibling = element => Optional.from(element.dom.nextSibling).map(SugarElement.fromDom); + const children = element => map(element.dom.childNodes, SugarElement.fromDom); + const child = (element, index) => { + const cs = element.dom.childNodes; + return Optional.from(cs[index]).map(SugarElement.fromDom); + }; + const firstChild = element => child(element, 0); + + const isShadowRoot = dos => isDocumentFragment(dos) && isNonNullable(dos.dom.host); + const supported = isFunction(Element.prototype.attachShadow) && isFunction(Node.prototype.getRootNode); + const getRootNode = supported ? e => SugarElement.fromDom(e.dom.getRootNode()) : documentOrOwner; + const getShadowRoot = e => { + const r = getRootNode(e); + return isShadowRoot(r) ? Optional.some(r) : Optional.none(); + }; + const getShadowHost = e => SugarElement.fromDom(e.dom.host); + + const inBody = element => { + const dom = isText(element) ? element.dom.parentNode : element.dom; + if (dom === undefined || dom === null || dom.ownerDocument === null) { + return false; + } + const doc = dom.ownerDocument; + return getShadowRoot(SugarElement.fromDom(dom)).fold(() => doc.body.contains(dom), compose1(inBody, getShadowHost)); + }; + + const internalSet = (dom, property, value) => { + if (!isString(value)) { + console.error('Invalid call to CSS.set. Property ', property, ':: Value ', value, ':: Element ', dom); + throw new Error('CSS value must be a string: ' + value); + } + if (isSupported(dom)) { + dom.style.setProperty(property, value); + } + }; + const internalRemove = (dom, property) => { + if (isSupported(dom)) { + dom.style.removeProperty(property); + } + }; + const set$1 = (element, property, value) => { + const dom = element.dom; + internalSet(dom, property, value); + }; + const get$1 = (element, property) => { + const dom = element.dom; + const styles = window.getComputedStyle(dom); + const r = styles.getPropertyValue(property); + return r === '' && !inBody(element) ? getUnsafeProperty(dom, property) : r; + }; + const getUnsafeProperty = (dom, property) => isSupported(dom) ? dom.style.getPropertyValue(property) : ''; + const getRaw = (element, property) => { + const dom = element.dom; + const raw = getUnsafeProperty(dom, property); + return Optional.from(raw).filter(r => r.length > 0); + }; + const remove$1 = (element, property) => { + const dom = element.dom; + internalRemove(dom, property); + if (is(getOpt(element, 'style').map(trim), '')) { + remove$2(element, 'style'); + } + }; + + const before = (marker, element) => { + const parent$1 = parent(marker); + parent$1.each(v => { + v.dom.insertBefore(element.dom, marker.dom); + }); + }; + const after$1 = (marker, element) => { + const sibling = nextSibling(marker); + sibling.fold(() => { + const parent$1 = parent(marker); + parent$1.each(v => { + append$1(v, element); + }); + }, v => { + before(v, element); + }); + }; + const prepend = (parent, element) => { + const firstChild$1 = firstChild(parent); + firstChild$1.fold(() => { + append$1(parent, element); + }, v => { + parent.dom.insertBefore(element.dom, v.dom); + }); + }; + const append$1 = (parent, element) => { + parent.dom.appendChild(element.dom); + }; + const wrap = (element, wrapper) => { + before(element, wrapper); + append$1(wrapper, element); + }; + + const after = (marker, elements) => { + each$1(elements, (x, i) => { + const e = i === 0 ? marker : elements[i - 1]; + after$1(e, x); + }); + }; + const append = (parent, elements) => { + each$1(elements, x => { + append$1(parent, x); + }); + }; + + const descendants$1 = (scope, predicate) => { + let result = []; + each$1(children(scope), x => { + if (predicate(x)) { + result = result.concat([x]); + } + result = result.concat(descendants$1(x, predicate)); + }); + return result; + }; + + var ClosestOrAncestor = (is, ancestor, scope, a, isRoot) => { + if (is(scope, a)) { + return Optional.some(scope); + } else if (isFunction(isRoot) && isRoot(scope)) { + return Optional.none(); + } else { + return ancestor(scope, a, isRoot); + } + }; + + const ancestor$1 = (scope, predicate, isRoot) => { + let element = scope.dom; + const stop = isFunction(isRoot) ? isRoot : never; + while (element.parentNode) { + element = element.parentNode; + const el = SugarElement.fromDom(element); + if (predicate(el)) { + return Optional.some(el); + } else if (stop(el)) { + break; + } + } + return Optional.none(); + }; + + const remove = element => { + const dom = element.dom; + if (dom.parentNode !== null) { + dom.parentNode.removeChild(dom); + } + }; + const unwrap = wrapper => { + const children$1 = children(wrapper); + if (children$1.length > 0) { + after(wrapper, children$1); + } + remove(wrapper); + }; + + const descendants = (scope, selector) => all(selector, scope); + + const ancestor = (scope, selector, isRoot) => ancestor$1(scope, e => is$2(e, selector), isRoot); + const descendant = (scope, selector) => one(selector, scope); + const closest = (scope, selector, isRoot) => { + const is = (element, selector) => is$2(element, selector); + return ClosestOrAncestor(is, ancestor, scope, selector, isRoot); + }; + + const NodeValue = (is, name) => { + const get = element => { + if (!is(element)) { + throw new Error('Can only get ' + name + ' value of a ' + name + ' node'); + } + return getOption(element).getOr(''); + }; + const getOption = element => is(element) ? Optional.from(element.dom.nodeValue) : Optional.none(); + const set = (element, value) => { + if (!is(element)) { + throw new Error('Can only set raw ' + name + ' value of a ' + name + ' node'); + } + element.dom.nodeValue = value; + }; + return { + get, + getOption, + set + }; + }; + + const api = NodeValue(isText, 'text'); + const get = element => api.get(element); + const set = (element, value) => api.set(element, value); + + var TagBoundaries = [ + 'body', + 'p', + 'div', + 'article', + 'aside', + 'figcaption', + 'figure', + 'footer', + 'header', + 'nav', + 'section', + 'ol', + 'ul', + 'li', + 'table', + 'thead', + 'tbody', + 'tfoot', + 'caption', + 'tr', + 'td', + 'th', + 'h1', + 'h2', + 'h3', + 'h4', + 'h5', + 'h6', + 'blockquote', + 'pre', + 'address' + ]; + + var DomUniverse = () => { + const clone$1 = element => { + return SugarElement.fromDom(element.dom.cloneNode(false)); + }; + const document = element => documentOrOwner(element).dom; + const isBoundary = element => { + if (!isElement(element)) { + return false; + } + if (name(element) === 'body') { + return true; + } + return contains(TagBoundaries, name(element)); + }; + const isEmptyTag = element => { + if (!isElement(element)) { + return false; + } + return contains([ + 'br', + 'img', + 'hr', + 'input' + ], name(element)); + }; + const isNonEditable = element => isElement(element) && get$2(element, 'contenteditable') === 'false'; + const comparePosition = (element, other) => { + return element.dom.compareDocumentPosition(other.dom); + }; + const copyAttributesTo = (source, destination) => { + const as = clone(source); + setAll(destination, as); + }; + const isSpecial = element => { + const tag = name(element); + return contains([ + 'script', + 'noscript', + 'iframe', + 'noframes', + 'noembed', + 'title', + 'style', + 'textarea', + 'xmp' + ], tag); + }; + const getLanguage = element => isElement(element) ? getOpt(element, 'lang') : Optional.none(); + return { + up: constant({ + selector: ancestor, + closest: closest, + predicate: ancestor$1, + all: parents + }), + down: constant({ + selector: descendants, + predicate: descendants$1 + }), + styles: constant({ + get: get$1, + getRaw: getRaw, + set: set$1, + remove: remove$1 + }), + attrs: constant({ + get: get$2, + set: set$2, + remove: remove$2, + copyTo: copyAttributesTo + }), + insert: constant({ + before: before, + after: after$1, + afterAll: after, + append: append$1, + appendAll: append, + prepend: prepend, + wrap: wrap + }), + remove: constant({ + unwrap: unwrap, + remove: remove + }), + create: constant({ + nu: SugarElement.fromTag, + clone: clone$1, + text: SugarElement.fromText + }), + query: constant({ + comparePosition, + prevSibling: prevSibling, + nextSibling: nextSibling + }), + property: constant({ + children: children, + name: name, + parent: parent, + document, + isText: isText, + isComment: isComment, + isElement: isElement, + isSpecial, + getLanguage, + getText: get, + setText: set, + isBoundary, + isEmptyTag, + isNonEditable + }), + eq: eq, + is: is$1 + }; + }; + + const point = (element, offset) => ({ + element, + offset + }); + + const scan = (universe, element, direction) => { + if (universe.property().isText(element) && universe.property().getText(element).trim().length === 0 || universe.property().isComment(element)) { + return direction(element).bind(elem => { + return scan(universe, elem, direction).orThunk(() => { + return Optional.some(elem); + }); + }); + } else { + return Optional.none(); + } + }; + const toEnd = (universe, element) => { + if (universe.property().isText(element)) { + return universe.property().getText(element).length; + } + const children = universe.property().children(element); + return children.length; + }; + const freefallRtl$2 = (universe, element) => { + const candidate = scan(universe, element, universe.query().prevSibling).getOr(element); + if (universe.property().isText(candidate)) { + return point(candidate, toEnd(universe, candidate)); + } + const children = universe.property().children(candidate); + return children.length > 0 ? freefallRtl$2(universe, children[children.length - 1]) : point(candidate, toEnd(universe, candidate)); + }; + + const freefallRtl$1 = freefallRtl$2; + + const universe = DomUniverse(); + const freefallRtl = element => { + return freefallRtl$1(universe, element); + }; + + const fireToggleAccordionEvent = (editor, element, state) => editor.dispatch('ToggledAccordion', { + element, + state + }); + const fireToggleAllAccordionsEvent = (editor, elements, state) => editor.dispatch('ToggledAllAccordions', { + elements, + state + }); + + const accordionTag = 'details'; + const accordionDetailsClass = 'mce-accordion'; + const accordionSummaryClass = 'mce-accordion-summary'; + const accordionBodyWrapperClass = 'mce-accordion-body'; + const accordionBodyWrapperTag = 'div'; + + var global$2 = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const isSummary = node => (node === null || node === void 0 ? void 0 : node.nodeName) === 'SUMMARY'; + const isDetails = node => (node === null || node === void 0 ? void 0 : node.nodeName) === 'DETAILS'; + const isOpen = details => details.hasAttribute('open'); + const isInSummary = editor => { + const node = editor.selection.getNode(); + return isSummary(node) || Boolean(editor.dom.getParent(node, isSummary)); + }; + const isInsertAllowed = editor => !isInSummary(editor) && editor.dom.isEditable(editor.selection.getNode()); + const getSelectedDetails = editor => Optional.from(editor.dom.getParent(editor.selection.getNode(), isDetails)); + const isDetailsSelected = editor => getSelectedDetails(editor).isSome(); + const insertBogus = element => { + element.innerHTML = '
'; + return element; + }; + const createParagraph = editor => insertBogus(editor.dom.create('p')); + const createSummary = editor => insertBogus(editor.dom.create('summary')); + const insertAndSelectParagraphAfter = (editor, target) => { + const paragraph = createParagraph(editor); + target.insertAdjacentElement('afterend', paragraph); + editor.selection.setCursorLocation(paragraph, 0); + }; + const normalizeContent = (editor, accordion) => { + if (isSummary(accordion === null || accordion === void 0 ? void 0 : accordion.lastChild)) { + const paragraph = createParagraph(editor); + accordion.appendChild(paragraph); + editor.selection.setCursorLocation(paragraph, 0); + } + }; + const normalizeSummary = (editor, accordion) => { + if (!isSummary(accordion === null || accordion === void 0 ? void 0 : accordion.firstChild)) { + const summary = createSummary(editor); + accordion.prepend(summary); + editor.selection.setCursorLocation(summary, 0); + } + }; + const normalizeAccordion = editor => accordion => { + normalizeContent(editor, accordion); + normalizeSummary(editor, accordion); + }; + const normalizeDetails = editor => { + global$2.each(global$2.grep(editor.dom.select('details', editor.getBody())), normalizeAccordion(editor)); + }; + + const insertAccordion = editor => { + if (!isInsertAllowed(editor)) { + return; + } + const editorBody = SugarElement.fromDom(editor.getBody()); + const uid = generate('acc'); + const summaryText = editor.dom.encode(editor.selection.getRng().toString() || editor.translate('Accordion summary...')); + const bodyText = editor.dom.encode(editor.translate('Accordion body...')); + const accordionSummaryHtml = `${ summaryText }`; + const accordionBodyHtml = `<${ accordionBodyWrapperTag } class="${ accordionBodyWrapperClass }">

${ bodyText }

`; + editor.undoManager.transact(() => { + editor.insertContent([ + `
`, + accordionSummaryHtml, + accordionBodyHtml, + `
` + ].join('')); + descendant(editorBody, `[data-mce-id="${ uid }"]`).each(detailsElm => { + remove$2(detailsElm, 'data-mce-id'); + descendant(detailsElm, `summary`).each(summaryElm => { + const rng = editor.dom.createRng(); + const des = freefallRtl(summaryElm); + rng.setStart(des.element.dom, des.offset); + rng.setEnd(des.element.dom, des.offset); + editor.selection.setRng(rng); + }); + }); + }); + }; + const toggleDetailsElement = (details, state) => { + const shouldOpen = state !== null && state !== void 0 ? state : !isOpen(details); + if (shouldOpen) { + details.setAttribute('open', 'open'); + } else { + details.removeAttribute('open'); + } + return shouldOpen; + }; + const toggleAccordion = (editor, state) => { + getSelectedDetails(editor).each(details => { + fireToggleAccordionEvent(editor, details, toggleDetailsElement(details, state)); + }); + }; + const removeAccordion = editor => { + getSelectedDetails(editor).each(details => { + const {nextSibling} = details; + if (nextSibling) { + editor.selection.select(nextSibling, true); + editor.selection.collapse(true); + } else { + insertAndSelectParagraphAfter(editor, details); + } + details.remove(); + }); + }; + const toggleAllAccordions = (editor, state) => { + const accordions = Array.from(editor.getBody().querySelectorAll('details')); + if (accordions.length === 0) { + return; + } + each$1(accordions, accordion => toggleDetailsElement(accordion, state !== null && state !== void 0 ? state : !isOpen(accordion))); + fireToggleAllAccordionsEvent(editor, accordions, state); + }; + + const register$1 = editor => { + editor.addCommand('InsertAccordion', () => insertAccordion(editor)); + editor.addCommand('ToggleAccordion', (_ui, value) => toggleAccordion(editor, value)); + editor.addCommand('ToggleAllAccordions', (_ui, value) => toggleAllAccordions(editor, value)); + editor.addCommand('RemoveAccordion', () => removeAccordion(editor)); + }; + + var global$1 = tinymce.util.Tools.resolve('tinymce.html.Node'); + + const getClassList = node => { + var _a, _b; + return (_b = (_a = node.attr('class')) === null || _a === void 0 ? void 0 : _a.split(' ')) !== null && _b !== void 0 ? _b : []; + }; + const addClasses = (node, classes) => { + const classListSet = new Set([ + ...getClassList(node), + ...classes + ]); + const newClassList = Array.from(classListSet); + if (newClassList.length > 0) { + node.attr('class', newClassList.join(' ')); + } + }; + const removeClasses = (node, classes) => { + const newClassList = filter(getClassList(node), clazz => !classes.has(clazz)); + node.attr('class', newClassList.length > 0 ? newClassList.join(' ') : null); + }; + const isAccordionDetailsNode = node => node.name === accordionTag && contains(getClassList(node), accordionDetailsClass); + const isAccordionBodyWrapperNode = node => node.name === accordionBodyWrapperTag && contains(getClassList(node), accordionBodyWrapperClass); + const getAccordionChildren = accordionNode => { + const children = accordionNode.children(); + let summaryNode; + let wrapperNode; + const otherNodes = []; + for (let i = 0; i < children.length; i++) { + const child = children[i]; + if (child.name === 'summary' && isNullable(summaryNode)) { + summaryNode = child; + } else if (isAccordionBodyWrapperNode(child) && isNullable(wrapperNode)) { + wrapperNode = child; + } else { + otherNodes.push(child); + } + } + return { + summaryNode, + wrapperNode, + otherNodes + }; + }; + const padInputNode = node => { + const br = new global$1('br', 1); + br.attr('data-mce-bogus', '1'); + node.empty(); + node.append(br); + }; + const setup$1 = editor => { + editor.on('PreInit', () => { + const {serializer, parser} = editor; + parser.addNodeFilter(accordionTag, nodes => { + for (let i = 0; i < nodes.length; i++) { + const node = nodes[i]; + if (isAccordionDetailsNode(node)) { + const accordionNode = node; + const {summaryNode, wrapperNode, otherNodes} = getAccordionChildren(accordionNode); + const hasSummaryNode = isNonNullable(summaryNode); + const newSummaryNode = hasSummaryNode ? summaryNode : new global$1('summary', 1); + if (isNullable(newSummaryNode.firstChild)) { + padInputNode(newSummaryNode); + } + addClasses(newSummaryNode, [accordionSummaryClass]); + if (!hasSummaryNode) { + if (isNonNullable(accordionNode.firstChild)) { + accordionNode.insert(newSummaryNode, accordionNode.firstChild, true); + } else { + accordionNode.append(newSummaryNode); + } + } + const hasWrapperNode = isNonNullable(wrapperNode); + const newWrapperNode = hasWrapperNode ? wrapperNode : new global$1(accordionBodyWrapperTag, 1); + addClasses(newWrapperNode, [accordionBodyWrapperClass]); + if (otherNodes.length > 0) { + for (let j = 0; j < otherNodes.length; j++) { + const otherNode = otherNodes[j]; + newWrapperNode.append(otherNode); + } + } + if (isNullable(newWrapperNode.firstChild)) { + const pNode = new global$1('p', 1); + padInputNode(pNode); + newWrapperNode.append(pNode); + } + if (!hasWrapperNode) { + accordionNode.append(newWrapperNode); + } + } + } + }); + serializer.addNodeFilter(accordionTag, nodes => { + const summaryClassRemoveSet = new Set([accordionSummaryClass]); + for (let i = 0; i < nodes.length; i++) { + const node = nodes[i]; + if (isAccordionDetailsNode(node)) { + const accordionNode = node; + const {summaryNode, wrapperNode} = getAccordionChildren(accordionNode); + if (isNonNullable(summaryNode)) { + removeClasses(summaryNode, summaryClassRemoveSet); + } + if (isNonNullable(wrapperNode)) { + wrapperNode.unwrap(); + } + } + } + }); + }); + }; + + var global = tinymce.util.Tools.resolve('tinymce.util.VK'); + + const setupEnterKeyInSummary = editor => { + editor.on('keydown', event => { + if (event.shiftKey || event.keyCode !== global.ENTER || !isInSummary(editor)) { + return; + } + event.preventDefault(); + editor.execCommand('ToggleAccordion'); + }); + }; + const setup = editor => { + setupEnterKeyInSummary(editor); + editor.on('ExecCommand', e => { + const cmd = e.command.toLowerCase(); + if ((cmd === 'delete' || cmd === 'forwarddelete') && isDetailsSelected(editor)) { + normalizeDetails(editor); + } + }); + }; + + const onSetup = editor => buttonApi => { + const onNodeChange = () => buttonApi.setEnabled(isInsertAllowed(editor)); + editor.on('NodeChange', onNodeChange); + return () => editor.off('NodeChange', onNodeChange); + }; + const register = editor => { + const onAction = () => editor.execCommand('InsertAccordion'); + editor.ui.registry.addButton('accordion', { + icon: 'accordion', + tooltip: 'Insert accordion', + onSetup: onSetup(editor), + onAction + }); + editor.ui.registry.addMenuItem('accordion', { + icon: 'accordion', + text: 'Accordion', + onSetup: onSetup(editor), + onAction + }); + editor.ui.registry.addToggleButton('accordiontoggle', { + icon: 'accordion-toggle', + tooltip: 'Toggle accordion', + onAction: () => editor.execCommand('ToggleAccordion') + }); + editor.ui.registry.addToggleButton('accordionremove', { + icon: 'remove', + tooltip: 'Delete accordion', + onAction: () => editor.execCommand('RemoveAccordion') + }); + editor.ui.registry.addContextToolbar('accordion', { + predicate: accordion => editor.dom.is(accordion, 'details') && editor.getBody().contains(accordion) && editor.dom.isEditable(accordion.parentNode), + items: 'accordiontoggle accordionremove', + scope: 'node', + position: 'node' + }); + }; + + var Plugin = () => { + global$3.add('accordion', editor => { + register(editor); + register$1(editor); + setup(editor); + setup$1(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/accordion/plugin.min.js b/deform/static/tinymce/plugins/accordion/plugin.min.js new file mode 100644 index 00000000..bd85899d --- /dev/null +++ b/deform/static/tinymce/plugins/accordion/plugin.min.js @@ -0,0 +1,4 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");let t=0;const o=e=>t=>typeof t===e,n=e=>"string"===(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(o=n=e,(r=String).prototype.isPrototypeOf(o)||(null===(s=n.constructor)||void 0===s?void 0:s.name)===r.name)?"string":t;var o,n,r,s})(e),r=o("boolean"),s=e=>null==e,i=e=>!s(e),a=o("function"),d=o("number"),l=e=>()=>e,c=(e,t)=>e===t,m=l(!1);class u{constructor(e,t){this.tag=e,this.value=t}static some(e){return new u(!0,e)}static none(){return u.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?u.some(e(this.value)):u.none()}bind(e){return this.tag?e(this.value):u.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:u.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return i(e)?u.some(e):u.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}u.singletonNone=new u(!1);const p=Array.prototype.indexOf,g=(e,t)=>{return o=e,n=t,p.call(o,n)>-1;var o,n},h=(e,t)=>{const o=e.length,n=new Array(o);for(let r=0;r{for(let o=0,n=e.length;oe.dom.nodeName.toLowerCase(),w=e=>e.dom.nodeType,b=e=>t=>w(t)===e,N=b(1),T=b(3),A=b(9),C=b(11),S=(e,t,o)=>{if(!(n(o)||r(o)||d(o)))throw console.error("Invalid call to Attribute.set. Key ",t,":: Value ",o,":: Element ",e),new Error("Attribute value was not simple");e.setAttribute(t,o+"")},x=(e,t)=>{const o=e.dom.getAttribute(t);return null===o?void 0:o},D=(e,t)=>u.from(x(e,t)),E=(e,t)=>{e.dom.removeAttribute(t)},M=e=>{if(null==e)throw new Error("Node cannot be null or undefined");return{dom:e}},P={fromHtml:(e,t)=>{const o=(t||document).createElement("div");if(o.innerHTML=e,!o.hasChildNodes()||o.childNodes.length>1){const t="HTML does not have a single root node";throw console.error(t,e),new Error(t)}return M(o.childNodes[0])},fromTag:(e,t)=>{const o=(t||document).createElement(e);return M(o)},fromText:(e,t)=>{const o=(t||document).createTextNode(e);return M(o)},fromDom:M,fromPoint:(e,t,o)=>u.from(e.dom.elementFromPoint(t,o)).map(M)},k=(e,t)=>{const o=e.dom;if(1!==o.nodeType)return!1;{const e=o;if(void 0!==e.matches)return e.matches(t);if(void 0!==e.msMatchesSelector)return e.msMatchesSelector(t);if(void 0!==e.webkitMatchesSelector)return e.webkitMatchesSelector(t);if(void 0!==e.mozMatchesSelector)return e.mozMatchesSelector(t);throw new Error("Browser lacks native selectors")}},B=e=>1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType||0===e.childElementCount,O=k,$=(L=/^\s+|\s+$/g,e=>e.replace(L,""));var L;const R=e=>void 0!==e.style&&a(e.style.getPropertyValue),I=e=>A(e)?e:P.fromDom(e.dom.ownerDocument),V=e=>u.from(e.dom.parentNode).map(P.fromDom),j=e=>u.from(e.dom.nextSibling).map(P.fromDom),q=e=>h(e.dom.childNodes,P.fromDom),F=a(Element.prototype.attachShadow)&&a(Node.prototype.getRootNode)?e=>P.fromDom(e.dom.getRootNode()):I,H=e=>P.fromDom(e.dom.host),z=e=>{const t=T(e)?e.dom.parentNode:e.dom;if(null==t||null===t.ownerDocument)return!1;const o=t.ownerDocument;return(e=>{const t=F(e);return C(o=t)&&i(o.dom.host)?u.some(t):u.none();var o})(P.fromDom(t)).fold((()=>o.body.contains(t)),(n=z,r=H,e=>n(r(e))));var n,r},K=(e,t)=>R(e)?e.style.getPropertyValue(t):"",U=(e,t)=>{V(e).each((o=>{o.dom.insertBefore(t.dom,e.dom)}))},Y=(e,t)=>{j(e).fold((()=>{V(e).each((e=>{_(e,t)}))}),(e=>{U(e,t)}))},_=(e,t)=>{e.dom.appendChild(t.dom)},G=(e,t)=>{f(t,((o,n)=>{const r=0===n?e:t[n-1];Y(r,o)}))},J=(e,t)=>{let o=[];return f(q(e),(e=>{t(e)&&(o=o.concat([e])),o=o.concat(J(e,t))})),o},Q=(e,t,o)=>{let n=e.dom;const r=a(o)?o:m;for(;n.parentNode;){n=n.parentNode;const e=P.fromDom(n);if(t(e))return u.some(e);if(r(e))break}return u.none()},W=e=>{const t=e.dom;null!==t.parentNode&&t.parentNode.removeChild(t)},X=(e,t,o)=>Q(e,(e=>k(e,t)),o),Z=(e,t)=>((e,t)=>{const o=void 0===t?document:t.dom;return B(o)?u.none():u.from(o.querySelector(e)).map(P.fromDom)})(t,e),ee=((e,t)=>{const o=t=>e(t)?u.from(t.dom.nodeValue):u.none();return{get:t=>{if(!e(t))throw new Error("Can only get text value of a text node");return o(t).getOr("")},getOption:o,set:(t,o)=>{if(!e(t))throw new Error("Can only set raw text value of a text node");t.dom.nodeValue=o}}})(T);var te=["body","p","div","article","aside","figcaption","figure","footer","header","nav","section","ol","ul","li","table","thead","tbody","tfoot","caption","tr","td","th","h1","h2","h3","h4","h5","h6","blockquote","pre","address"];const oe=(e,t)=>({element:e,offset:t}),ne=(e,t,o)=>e.property().isText(t)&&0===e.property().getText(t).trim().length||e.property().isComment(t)?o(t).bind((t=>ne(e,t,o).orThunk((()=>u.some(t))))):u.none(),re=(e,t)=>e.property().isText(t)?e.property().getText(t).length:e.property().children(t).length,se=(e,t)=>{const o=ne(e,t,e.query().prevSibling).getOr(t);if(e.property().isText(o))return oe(o,re(e,o));const n=e.property().children(o);return n.length>0?se(e,n[n.length-1]):oe(o,re(e,o))},ie=se,ae={up:l({selector:X,closest:(e,t,o)=>((e,t,o,n,r)=>((e,t)=>k(e,t))(o,n)?u.some(o):a(r)&&r(o)?u.none():t(o,n,r))(0,X,e,t,o),predicate:Q,all:(e,t)=>{const o=a(t)?t:m;let n=e.dom;const r=[];for(;null!==n.parentNode&&void 0!==n.parentNode;){const e=n.parentNode,t=P.fromDom(e);if(r.push(t),!0===o(t))break;n=e}return r}}),down:l({selector:(e,t)=>((e,t)=>{const o=void 0===t?document:t.dom;return B(o)?[]:h(o.querySelectorAll(e),P.fromDom)})(t,e),predicate:J}),styles:l({get:(e,t)=>{const o=e.dom,n=window.getComputedStyle(o).getPropertyValue(t);return""!==n||z(e)?n:K(o,t)},getRaw:(e,t)=>{const o=e.dom,n=K(o,t);return u.from(n).filter((e=>e.length>0))},set:(e,t,o)=>{((e,t,o)=>{if(!n(o))throw console.error("Invalid call to CSS.set. Property ",t,":: Value ",o,":: Element ",e),new Error("CSS value must be a string: "+o);R(e)&&e.style.setProperty(t,o)})(e.dom,t,o)},remove:(e,t)=>{((e,t)=>{R(e)&&e.style.removeProperty(t)})(e.dom,t),((e,t,o=c)=>e.exists((e=>o(e,t))))(D(e,"style").map($),"")&&E(e,"style")}}),attrs:l({get:x,set:(e,t,o)=>{S(e.dom,t,o)},remove:E,copyTo:(e,t)=>{const o=(n=e.dom.attributes,r=(e,t)=>(e[t.name]=t.value,e),s={},f(n,((e,t)=>{s=r(s,e)})),s);var n,r,s;((e,t)=>{const o=e.dom;((e,t)=>{const o=y(e);for(let n=0,r=o.length;n{S(o,t,e)}))})(t,o)}}),insert:l({before:U,after:Y,afterAll:G,append:_,appendAll:(e,t)=>{f(t,(t=>{_(e,t)}))},prepend:(e,t)=>{(e=>((e,t)=>{const o=e.dom.childNodes;return u.from(o[0]).map(P.fromDom)})(e))(e).fold((()=>{_(e,t)}),(o=>{e.dom.insertBefore(t.dom,o.dom)}))},wrap:(e,t)=>{U(e,t),_(t,e)}}),remove:l({unwrap:e=>{const t=q(e);t.length>0&&G(e,t),W(e)},remove:W}),create:l({nu:P.fromTag,clone:e=>P.fromDom(e.dom.cloneNode(!1)),text:P.fromText}),query:l({comparePosition:(e,t)=>e.dom.compareDocumentPosition(t.dom),prevSibling:e=>u.from(e.dom.previousSibling).map(P.fromDom),nextSibling:j}),property:l({children:q,name:v,parent:V,document:e=>I(e).dom,isText:T,isComment:e=>8===w(e)||"#comment"===v(e),isElement:N,isSpecial:e=>{const t=v(e);return g(["script","noscript","iframe","noframes","noembed","title","style","textarea","xmp"],t)},getLanguage:e=>N(e)?D(e,"lang"):u.none(),getText:e=>ee.get(e),setText:(e,t)=>ee.set(e,t),isBoundary:e=>!!N(e)&&("body"===v(e)||g(te,v(e))),isEmptyTag:e=>!!N(e)&&g(["br","img","hr","input"],v(e)),isNonEditable:e=>N(e)&&"false"===x(e,"contenteditable")}),eq:(e,t)=>e.dom===t.dom,is:O},de="details",le="mce-accordion",ce="mce-accordion-summary",me="mce-accordion-body",ue="div";var pe=tinymce.util.Tools.resolve("tinymce.util.Tools");const ge=e=>"SUMMARY"===(null==e?void 0:e.nodeName),he=e=>"DETAILS"===(null==e?void 0:e.nodeName),fe=e=>e.hasAttribute("open"),ye=e=>{const t=e.selection.getNode();return ge(t)||Boolean(e.dom.getParent(t,ge))},ve=e=>!ye(e)&&e.dom.isEditable(e.selection.getNode()),we=e=>u.from(e.dom.getParent(e.selection.getNode(),he)),be=e=>(e.innerHTML='
',e),Ne=e=>be(e.dom.create("p")),Te=e=>t=>{((e,t)=>{if(ge(null==t?void 0:t.lastChild)){const o=Ne(e);t.appendChild(o),e.selection.setCursorLocation(o,0)}})(e,t),((e,t)=>{if(!ge(null==t?void 0:t.firstChild)){const o=(e=>be(e.dom.create("summary")))(e);t.prepend(o),e.selection.setCursorLocation(o,0)}})(e,t)},Ae=(e,t)=>{const o=null!=t?t:!fe(e);return o?e.setAttribute("open","open"):e.removeAttribute("open"),o},Ce=e=>{e.addCommand("InsertAccordion",(()=>(e=>{if(!ve(e))return;const o=P.fromDom(e.getBody()),n=(e=>{const o=(new Date).getTime(),n=Math.floor(1e9*Math.random());return t++,"acc_"+n+t+String(o)})(),r=e.dom.encode(e.selection.getRng().toString()||e.translate("Accordion summary...")),s=e.dom.encode(e.translate("Accordion body...")),i=`${r}`,a=`<${ue} class="${me}">

${s}

`;e.undoManager.transact((()=>{e.insertContent([`
`,i,a,"
"].join("")),Z(o,`[data-mce-id="${n}"]`).each((t=>{E(t,"data-mce-id"),Z(t,"summary").each((t=>{const o=e.dom.createRng(),n=ie(ae,t);o.setStart(n.element.dom,n.offset),o.setEnd(n.element.dom,n.offset),e.selection.setRng(o)}))}))}))})(e))),e.addCommand("ToggleAccordion",((t,o)=>((e,t)=>{we(e).each((o=>{((e,t,o)=>{e.dispatch("ToggledAccordion",{element:t,state:o})})(e,o,Ae(o,t))}))})(e,o))),e.addCommand("ToggleAllAccordions",((t,o)=>((e,t)=>{const o=Array.from(e.getBody().querySelectorAll("details"));0!==o.length&&(f(o,(e=>Ae(e,null!=t?t:!fe(e)))),((e,t,o)=>{e.dispatch("ToggledAllAccordions",{elements:t,state:o})})(e,o,t))})(e,o))),e.addCommand("RemoveAccordion",(()=>(e=>{we(e).each((t=>{const{nextSibling:o}=t;o?(e.selection.select(o,!0),e.selection.collapse(!0)):((e,t)=>{const o=Ne(e);t.insertAdjacentElement("afterend",o),e.selection.setCursorLocation(o,0)})(e,t),t.remove()}))})(e)))};var Se=tinymce.util.Tools.resolve("tinymce.html.Node");const xe=e=>{var t,o;return null!==(o=null===(t=e.attr("class"))||void 0===t?void 0:t.split(" "))&&void 0!==o?o:[]},De=(e,t)=>{const o=new Set([...xe(e),...t]),n=Array.from(o);n.length>0&&e.attr("class",n.join(" "))},Ee=(e,t)=>{const o=((e,o)=>{const n=[];for(let o=0,s=e.length;o0?o.join(" "):null)},Me=e=>e.name===de&&g(xe(e),le),Pe=e=>{const t=e.children();let o,n;const r=[];for(let e=0;e{const t=new Se("br",1);t.attr("data-mce-bogus","1"),e.empty(),e.append(t)};var Be=tinymce.util.Tools.resolve("tinymce.util.VK");const Oe=e=>t=>{const o=()=>t.setEnabled(ve(e));return e.on("NodeChange",o),()=>e.off("NodeChange",o)};e.add("accordion",(e=>{(e=>{const t=()=>e.execCommand("InsertAccordion");e.ui.registry.addButton("accordion",{icon:"accordion",tooltip:"Insert accordion",onSetup:Oe(e),onAction:t}),e.ui.registry.addMenuItem("accordion",{icon:"accordion",text:"Accordion",onSetup:Oe(e),onAction:t}),e.ui.registry.addToggleButton("accordiontoggle",{icon:"accordion-toggle",tooltip:"Toggle accordion",onAction:()=>e.execCommand("ToggleAccordion")}),e.ui.registry.addToggleButton("accordionremove",{icon:"remove",tooltip:"Delete accordion",onAction:()=>e.execCommand("RemoveAccordion")}),e.ui.registry.addContextToolbar("accordion",{predicate:t=>e.dom.is(t,"details")&&e.getBody().contains(t)&&e.dom.isEditable(t.parentNode),items:"accordiontoggle accordionremove",scope:"node",position:"node"})})(e),Ce(e),(e=>{(e=>{e.on("keydown",(t=>{!t.shiftKey&&t.keyCode===Be.ENTER&&ye(e)&&(t.preventDefault(),e.execCommand("ToggleAccordion"))}))})(e),e.on("ExecCommand",(t=>{const o=t.command.toLowerCase();"delete"!==o&&"forwarddelete"!==o||!(e=>we(e).isSome())(e)||(e=>{pe.each(pe.grep(e.dom.select("details",e.getBody())),Te(e))})(e)}))})(e),(e=>{e.on("PreInit",(()=>{const{serializer:t,parser:o}=e;o.addNodeFilter(de,(e=>{for(let t=0;t0)for(let e=0;e{const t=new Set([ce]);for(let o=0;o { + const cmd = listName === 'UL' ? 'InsertUnorderedList' : 'InsertOrderedList'; + editor.execCommand(cmd, false, styleValue === false ? null : { 'list-style-type': styleValue }); + }; + + const register$2 = editor => { + editor.addCommand('ApplyUnorderedListStyle', (ui, value) => { + applyListFormat(editor, 'UL', value['list-style-type']); + }); + editor.addCommand('ApplyOrderedListStyle', (ui, value) => { + applyListFormat(editor, 'OL', value['list-style-type']); + }); + }; + + const option = name => editor => editor.options.get(name); + const register$1 = editor => { + const registerOption = editor.options.register; + registerOption('advlist_number_styles', { + processor: 'string[]', + default: 'default,lower-alpha,lower-greek,lower-roman,upper-alpha,upper-roman'.split(',') + }); + registerOption('advlist_bullet_styles', { + processor: 'string[]', + default: 'default,circle,square'.split(',') + }); + }; + const getNumberStyles = option('advlist_number_styles'); + const getBulletStyles = option('advlist_bullet_styles'); + + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const findUntil = (xs, pred, until) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return Optional.some(x); + } else if (until(x, i)) { + break; + } + } + return Optional.none(); + }; + + const isCustomList = list => /\btox\-/.test(list.className); + const isChildOfBody = (editor, elm) => { + return editor.dom.isChildOf(elm, editor.getBody()); + }; + const matchNodeNames = regex => node => isNonNullable(node) && regex.test(node.nodeName); + const isListNode = matchNodeNames(/^(OL|UL|DL)$/); + const isTableCellNode = matchNodeNames(/^(TH|TD)$/); + const inList = (editor, parents, nodeName) => findUntil(parents, parent => isListNode(parent) && !isCustomList(parent), isTableCellNode).exists(list => list.nodeName === nodeName && isChildOfBody(editor, list)); + const getSelectedStyleType = editor => { + const listElm = editor.dom.getParent(editor.selection.getNode(), 'ol,ul'); + const style = editor.dom.getStyle(listElm, 'listStyleType'); + return Optional.from(style); + }; + const isWithinNonEditable = (editor, element) => element !== null && !editor.dom.isEditable(element); + const isWithinNonEditableList = (editor, element) => { + const parentList = editor.dom.getParent(element, 'ol,ul,dl'); + return isWithinNonEditable(editor, parentList) && editor.selection.isEditable(); + }; + const setNodeChangeHandler = (editor, nodeChangeHandler) => { + const initialNode = editor.selection.getNode(); + nodeChangeHandler({ + parents: editor.dom.getParents(initialNode), + element: initialNode + }); + editor.on('NodeChange', nodeChangeHandler); + return () => editor.off('NodeChange', nodeChangeHandler); + }; + + const styleValueToText = styleValue => { + return styleValue.replace(/\-/g, ' ').replace(/\b\w/g, chr => { + return chr.toUpperCase(); + }); + }; + const normalizeStyleValue = styleValue => isNullable(styleValue) || styleValue === 'default' ? '' : styleValue; + const makeSetupHandler = (editor, nodeName) => api => { + const updateButtonState = (editor, parents) => { + const element = editor.selection.getStart(true); + api.setActive(inList(editor, parents, nodeName)); + api.setEnabled(!isWithinNonEditableList(editor, element) && editor.selection.isEditable()); + }; + const nodeChangeHandler = e => updateButtonState(editor, e.parents); + return setNodeChangeHandler(editor, nodeChangeHandler); + }; + const addSplitButton = (editor, id, tooltip, cmd, nodeName, styles) => { + editor.ui.registry.addSplitButton(id, { + tooltip, + icon: nodeName === 'OL' ? 'ordered-list' : 'unordered-list', + presets: 'listpreview', + columns: 3, + fetch: callback => { + const items = global.map(styles, styleValue => { + const iconStyle = nodeName === 'OL' ? 'num' : 'bull'; + const iconName = styleValue === 'disc' || styleValue === 'decimal' ? 'default' : styleValue; + const itemValue = normalizeStyleValue(styleValue); + const displayText = styleValueToText(styleValue); + return { + type: 'choiceitem', + value: itemValue, + icon: 'list-' + iconStyle + '-' + iconName, + text: displayText + }; + }); + callback(items); + }, + onAction: () => editor.execCommand(cmd), + onItemAction: (_splitButtonApi, value) => { + applyListFormat(editor, nodeName, value); + }, + select: value => { + const listStyleType = getSelectedStyleType(editor); + return listStyleType.map(listStyle => value === listStyle).getOr(false); + }, + onSetup: makeSetupHandler(editor, nodeName) + }); + }; + const addButton = (editor, id, tooltip, cmd, nodeName, styleValue) => { + editor.ui.registry.addToggleButton(id, { + active: false, + tooltip, + icon: nodeName === 'OL' ? 'ordered-list' : 'unordered-list', + onSetup: makeSetupHandler(editor, nodeName), + onAction: () => editor.queryCommandState(cmd) || styleValue === '' ? editor.execCommand(cmd) : applyListFormat(editor, nodeName, styleValue) + }); + }; + const addControl = (editor, id, tooltip, cmd, nodeName, styles) => { + if (styles.length > 1) { + addSplitButton(editor, id, tooltip, cmd, nodeName, styles); + } else { + addButton(editor, id, tooltip, cmd, nodeName, normalizeStyleValue(styles[0])); + } + }; + const register = editor => { + addControl(editor, 'numlist', 'Numbered list', 'InsertOrderedList', 'OL', getNumberStyles(editor)); + addControl(editor, 'bullist', 'Bullet list', 'InsertUnorderedList', 'UL', getBulletStyles(editor)); + }; + + var Plugin = () => { + global$1.add('advlist', editor => { + if (editor.hasPlugin('lists')) { + register$1(editor); + register(editor); + register$2(editor); + } else { + console.error('Please use the Lists plugin together with the Advanced List plugin.'); + } + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/advlist/plugin.min.js b/deform/static/tinymce/plugins/advlist/plugin.min.js index da1cdb2b..556ebd77 100644 --- a/deform/static/tinymce/plugins/advlist/plugin.min.js +++ b/deform/static/tinymce/plugins/advlist/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("advlist",function(t){function e(t,e){var n=[];return tinymce.each(e.split(/[ ,]/),function(t){n.push({text:t.replace(/\-/g," ").replace(/\b\w/g,function(t){return t.toUpperCase()}),data:"default"==t?"":t})}),n}function n(e,n){var i,r=t.dom,a=t.selection;i=r.getParent(a.getNode(),"ol,ul"),i&&i.nodeName==e&&n!==!1||t.execCommand("UL"==e?"InsertUnorderedList":"InsertOrderedList"),n=n===!1?o[e]:n,o[e]=n,i=r.getParent(a.getNode(),"ol,ul"),i&&(r.setStyle(i,"listStyleType",n),i.removeAttribute("data-mce-style")),t.focus()}function i(e){var n=t.dom.getStyle(t.dom.getParent(t.selection.getNode(),"ol,ul"),"listStyleType")||"";e.control.items().each(function(t){t.active(t.settings.data===n)})}var r,a,o={};r=e("OL",t.getParam("advlist_number_styles","default,lower-alpha,lower-greek,lower-roman,upper-alpha,upper-roman")),a=e("UL",t.getParam("advlist_bullet_styles","default,circle,disc,square")),t.addButton("numlist",{type:"splitbutton",tooltip:"Numbered list",menu:r,onshow:i,onselect:function(t){n("OL",t.control.settings.data)},onclick:function(){n("OL",!1)}}),t.addButton("bullist",{type:"splitbutton",tooltip:"Bullet list",menu:a,onshow:i,onselect:function(t){n("UL",t.control.settings.data)},onclick:function(){n("UL",!1)}})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var t=tinymce.util.Tools.resolve("tinymce.PluginManager");const e=(t,e,s)=>{const r="UL"===e?"InsertUnorderedList":"InsertOrderedList";t.execCommand(r,!1,!1===s?null:{"list-style-type":s})},s=t=>e=>e.options.get(t),r=s("advlist_number_styles"),n=s("advlist_bullet_styles"),i=t=>null==t,l=t=>!i(t);var o=tinymce.util.Tools.resolve("tinymce.util.Tools");class a{constructor(t,e){this.tag=t,this.value=e}static some(t){return new a(!0,t)}static none(){return a.singletonNone}fold(t,e){return this.tag?e(this.value):t()}isSome(){return this.tag}isNone(){return!this.tag}map(t){return this.tag?a.some(t(this.value)):a.none()}bind(t){return this.tag?t(this.value):a.none()}exists(t){return this.tag&&t(this.value)}forall(t){return!this.tag||t(this.value)}filter(t){return!this.tag||t(this.value)?this:a.none()}getOr(t){return this.tag?this.value:t}or(t){return this.tag?this:t}getOrThunk(t){return this.tag?this.value:t()}orThunk(t){return this.tag?this:t()}getOrDie(t){if(this.tag)return this.value;throw new Error(null!=t?t:"Called getOrDie on None")}static from(t){return l(t)?a.some(t):a.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(t){this.tag&&t(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}a.singletonNone=new a(!1);const u=t=>e=>l(e)&&t.test(e.nodeName),d=u(/^(OL|UL|DL)$/),g=u(/^(TH|TD)$/),c=t=>i(t)||"default"===t?"":t,h=(t,e)=>s=>((t,e)=>{const s=t.selection.getNode();return e({parents:t.dom.getParents(s),element:s}),t.on("NodeChange",e),()=>t.off("NodeChange",e)})(t,(r=>((t,r)=>{const n=t.selection.getStart(!0);s.setActive(((t,e,s)=>((t,e,s)=>{for(let e=0,n=t.length;ee.nodeName===s&&((t,e)=>t.dom.isChildOf(e,t.getBody()))(t,e))))(t,r,e)),s.setEnabled(!((t,e)=>{const s=t.dom.getParent(e,"ol,ul,dl");return((t,e)=>null!==e&&!t.dom.isEditable(e))(t,s)&&t.selection.isEditable()})(t,n)&&t.selection.isEditable())})(t,r.parents))),m=(t,s,r,n,i,l)=>{l.length>1?((t,s,r,n,i,l)=>{t.ui.registry.addSplitButton(s,{tooltip:r,icon:"OL"===i?"ordered-list":"unordered-list",presets:"listpreview",columns:3,fetch:t=>{t(o.map(l,(t=>{const e="OL"===i?"num":"bull",s="disc"===t||"decimal"===t?"default":t,r=c(t),n=(t=>t.replace(/\-/g," ").replace(/\b\w/g,(t=>t.toUpperCase())))(t);return{type:"choiceitem",value:r,icon:"list-"+e+"-"+s,text:n}})))},onAction:()=>t.execCommand(n),onItemAction:(s,r)=>{e(t,i,r)},select:e=>{const s=(t=>{const e=t.dom.getParent(t.selection.getNode(),"ol,ul"),s=t.dom.getStyle(e,"listStyleType");return a.from(s)})(t);return s.map((t=>e===t)).getOr(!1)},onSetup:h(t,i)})})(t,s,r,n,i,l):((t,s,r,n,i,l)=>{t.ui.registry.addToggleButton(s,{active:!1,tooltip:r,icon:"OL"===i?"ordered-list":"unordered-list",onSetup:h(t,i),onAction:()=>t.queryCommandState(n)||""===l?t.execCommand(n):e(t,i,l)})})(t,s,r,n,i,c(l[0]))};t.add("advlist",(t=>{t.hasPlugin("lists")?((t=>{const e=t.options.register;e("advlist_number_styles",{processor:"string[]",default:"default,lower-alpha,lower-greek,lower-roman,upper-alpha,upper-roman".split(",")}),e("advlist_bullet_styles",{processor:"string[]",default:"default,circle,square".split(",")})})(t),(t=>{m(t,"numlist","Numbered list","InsertOrderedList","OL",r(t)),m(t,"bullist","Bullet list","InsertUnorderedList","UL",n(t))})(t),(t=>{t.addCommand("ApplyUnorderedListStyle",((s,r)=>{e(t,"UL",r["list-style-type"])})),t.addCommand("ApplyOrderedListStyle",((s,r)=>{e(t,"OL",r["list-style-type"])}))})(t)):console.error("Please use the Lists plugin together with the Advanced List plugin.")}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/anchor/index.js b/deform/static/tinymce/plugins/anchor/index.js new file mode 100644 index 00000000..ceddfe3d --- /dev/null +++ b/deform/static/tinymce/plugins/anchor/index.js @@ -0,0 +1,7 @@ +// Exports the "anchor" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/anchor') +// ES2015: +// import 'tinymce/plugins/anchor' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/anchor/plugin.js b/deform/static/tinymce/plugins/anchor/plugin.js new file mode 100644 index 00000000..47663ea4 --- /dev/null +++ b/deform/static/tinymce/plugins/anchor/plugin.js @@ -0,0 +1,214 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$2 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + var global$1 = tinymce.util.Tools.resolve('tinymce.dom.RangeUtils'); + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('allow_html_in_named_anchor', { + processor: 'boolean', + default: false + }); + }; + const allowHtmlInNamedAnchor = option('allow_html_in_named_anchor'); + + const namedAnchorSelector = 'a:not([href])'; + const isEmptyString = str => !str; + const getIdFromAnchor = elm => { + const id = elm.getAttribute('id') || elm.getAttribute('name'); + return id || ''; + }; + const isAnchor = elm => elm.nodeName.toLowerCase() === 'a'; + const isNamedAnchor = elm => isAnchor(elm) && !elm.getAttribute('href') && getIdFromAnchor(elm) !== ''; + const isEmptyNamedAnchor = elm => isNamedAnchor(elm) && !elm.firstChild; + + const removeEmptyNamedAnchorsInSelection = editor => { + const dom = editor.dom; + global$1(dom).walk(editor.selection.getRng(), nodes => { + global.each(nodes, node => { + if (isEmptyNamedAnchor(node)) { + dom.remove(node, false); + } + }); + }); + }; + const isValidId = id => /^[A-Za-z][A-Za-z0-9\-:._]*$/.test(id); + const getNamedAnchor = editor => editor.dom.getParent(editor.selection.getStart(), namedAnchorSelector); + const getId = editor => { + const anchor = getNamedAnchor(editor); + if (anchor) { + return getIdFromAnchor(anchor); + } else { + return ''; + } + }; + const createAnchor = (editor, id) => { + editor.undoManager.transact(() => { + if (!allowHtmlInNamedAnchor(editor)) { + editor.selection.collapse(true); + } + if (editor.selection.isCollapsed()) { + editor.insertContent(editor.dom.createHTML('a', { id })); + } else { + removeEmptyNamedAnchorsInSelection(editor); + editor.formatter.remove('namedAnchor', undefined, undefined, true); + editor.formatter.apply('namedAnchor', { value: id }); + editor.addVisual(); + } + }); + }; + const updateAnchor = (editor, id, anchorElement) => { + anchorElement.removeAttribute('name'); + anchorElement.id = id; + editor.addVisual(); + editor.undoManager.add(); + }; + const insert = (editor, id) => { + const anchor = getNamedAnchor(editor); + if (anchor) { + updateAnchor(editor, id, anchor); + } else { + createAnchor(editor, id); + } + editor.focus(); + }; + + const insertAnchor = (editor, newId) => { + if (!isValidId(newId)) { + editor.windowManager.alert('ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores.'); + return false; + } else { + insert(editor, newId); + return true; + } + }; + const open = editor => { + const currentId = getId(editor); + editor.windowManager.open({ + title: 'Anchor', + size: 'normal', + body: { + type: 'panel', + items: [{ + name: 'id', + type: 'input', + label: 'ID', + placeholder: 'example' + }] + }, + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + initialData: { id: currentId }, + onSubmit: api => { + if (insertAnchor(editor, api.getData().id)) { + api.close(); + } + } + }); + }; + + const register$1 = editor => { + editor.addCommand('mceAnchor', () => { + open(editor); + }); + }; + + const isNamedAnchorNode = node => isEmptyString(node.attr('href')) && !isEmptyString(node.attr('id') || node.attr('name')); + const isEmptyNamedAnchorNode = node => isNamedAnchorNode(node) && !node.firstChild; + const setContentEditable = state => nodes => { + for (let i = 0; i < nodes.length; i++) { + const node = nodes[i]; + if (isEmptyNamedAnchorNode(node)) { + node.attr('contenteditable', state); + } + } + }; + const setup = editor => { + editor.on('PreInit', () => { + editor.parser.addNodeFilter('a', setContentEditable('false')); + editor.serializer.addNodeFilter('a', setContentEditable(null)); + }); + }; + + const registerFormats = editor => { + editor.formatter.register('namedAnchor', { + inline: 'a', + selector: namedAnchorSelector, + remove: 'all', + split: true, + deep: true, + attributes: { id: '%value' }, + onmatch: (node, _fmt, _itemName) => { + return isNamedAnchor(node); + } + }); + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const onAction = () => editor.execCommand('mceAnchor'); + editor.ui.registry.addToggleButton('anchor', { + icon: 'bookmark', + tooltip: 'Anchor', + onAction, + onSetup: buttonApi => { + const unbindSelectorChanged = editor.selection.selectorChangedWithUnbind('a:not([href])', buttonApi.setActive).unbind; + const unbindEditableChanged = onSetupEditable(editor)(buttonApi); + return () => { + unbindSelectorChanged(); + unbindEditableChanged(); + }; + } + }); + editor.ui.registry.addMenuItem('anchor', { + icon: 'bookmark', + text: 'Anchor...', + onAction, + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$2.add('anchor', editor => { + register$2(editor); + setup(editor); + register$1(editor); + register(editor); + editor.on('PreInit', () => { + registerFormats(editor); + }); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/anchor/plugin.min.js b/deform/static/tinymce/plugins/anchor/plugin.min.js index 6a3fd792..812764c2 100644 --- a/deform/static/tinymce/plugins/anchor/plugin.min.js +++ b/deform/static/tinymce/plugins/anchor/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("anchor",function(e){function t(){var t=e.selection.getNode();e.windowManager.open({title:"Anchor",body:{type:"textbox",name:"name",size:40,label:"Name",value:t.name||t.id},onsubmit:function(t){e.execCommand("mceInsertContent",!1,e.dom.createHTML("a",{id:t.data.name}))}})}e.addButton("anchor",{icon:"anchor",tooltip:"Anchor",onclick:t,stateSelector:"a:not([href])"}),e.addMenuItem("anchor",{icon:"anchor",text:"Anchor",context:"insert",onclick:t})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager"),t=tinymce.util.Tools.resolve("tinymce.dom.RangeUtils"),o=tinymce.util.Tools.resolve("tinymce.util.Tools");const n=("allow_html_in_named_anchor",e=>e.options.get("allow_html_in_named_anchor"));const a="a:not([href])",r=e=>!e,i=e=>e.getAttribute("id")||e.getAttribute("name")||"",l=e=>(e=>"a"===e.nodeName.toLowerCase())(e)&&!e.getAttribute("href")&&""!==i(e),s=e=>e.dom.getParent(e.selection.getStart(),a),d=(e,a)=>{const r=s(e);r?((e,t,o)=>{o.removeAttribute("name"),o.id=t,e.addVisual(),e.undoManager.add()})(e,a,r):((e,a)=>{e.undoManager.transact((()=>{n(e)||e.selection.collapse(!0),e.selection.isCollapsed()?e.insertContent(e.dom.createHTML("a",{id:a})):((e=>{const n=e.dom;t(n).walk(e.selection.getRng(),(e=>{o.each(e,(e=>{var t;l(t=e)&&!t.firstChild&&n.remove(e,!1)}))}))})(e),e.formatter.remove("namedAnchor",void 0,void 0,!0),e.formatter.apply("namedAnchor",{value:a}),e.addVisual())}))})(e,a),e.focus()},c=e=>(e=>r(e.attr("href"))&&!r(e.attr("id")||e.attr("name")))(e)&&!e.firstChild,m=e=>t=>{for(let o=0;ot=>{const o=()=>{t.setEnabled(e.selection.isEditable())};return e.on("NodeChange",o),o(),()=>{e.off("NodeChange",o)}};e.add("anchor",(e=>{(e=>{(0,e.options.register)("allow_html_in_named_anchor",{processor:"boolean",default:!1})})(e),(e=>{e.on("PreInit",(()=>{e.parser.addNodeFilter("a",m("false")),e.serializer.addNodeFilter("a",m(null))}))})(e),(e=>{e.addCommand("mceAnchor",(()=>{(e=>{const t=(e=>{const t=s(e);return t?i(t):""})(e);e.windowManager.open({title:"Anchor",size:"normal",body:{type:"panel",items:[{name:"id",type:"input",label:"ID",placeholder:"example"}]},buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],initialData:{id:t},onSubmit:t=>{((e,t)=>/^[A-Za-z][A-Za-z0-9\-:._]*$/.test(t)?(d(e,t),!0):(e.windowManager.alert("ID should start with a letter, followed only by letters, numbers, dashes, dots, colons or underscores."),!1))(e,t.getData().id)&&t.close()}})})(e)}))})(e),(e=>{const t=()=>e.execCommand("mceAnchor");e.ui.registry.addToggleButton("anchor",{icon:"bookmark",tooltip:"Anchor",onAction:t,onSetup:t=>{const o=e.selection.selectorChangedWithUnbind("a:not([href])",t.setActive).unbind,n=u(e)(t);return()=>{o(),n()}}}),e.ui.registry.addMenuItem("anchor",{icon:"bookmark",text:"Anchor...",onAction:t,onSetup:u(e)})})(e),e.on("PreInit",(()=>{(e=>{e.formatter.register("namedAnchor",{inline:"a",selector:a,remove:"all",split:!0,deep:!0,attributes:{id:"%value"},onmatch:(e,t,o)=>l(e)})})(e)}))}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/autolink/index.js b/deform/static/tinymce/plugins/autolink/index.js new file mode 100644 index 00000000..ae8a759d --- /dev/null +++ b/deform/static/tinymce/plugins/autolink/index.js @@ -0,0 +1,7 @@ +// Exports the "autolink" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/autolink') +// ES2015: +// import 'tinymce/plugins/autolink' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/autolink/plugin.js b/deform/static/tinymce/plugins/autolink/plugin.js new file mode 100644 index 00000000..96ededf8 --- /dev/null +++ b/deform/static/tinymce/plugins/autolink/plugin.js @@ -0,0 +1,228 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$1 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const link = () => /(?:[A-Za-z][A-Za-z\d.+-]{0,14}:\/\/(?:[-.~*+=!&;:'%@?^${}(),\w]+@)?|www\.|[-;:&=+$,.\w]+@)[A-Za-z\d-]+(?:\.[A-Za-z\d-]+)*(?::\d+)?(?:\/(?:[-.~*+=!;:'%@$(),\/\w]*[-~*+=%@$()\/\w])?)?(?:\?(?:[-.~*+=!&;:'%@?^${}(),\/\w]+))?(?:#(?:[-.~*+=!&;:'%@?^${}(),\/\w]+))?/g; + + const option = name => editor => editor.options.get(name); + const register = editor => { + const registerOption = editor.options.register; + registerOption('autolink_pattern', { + processor: 'regexp', + default: new RegExp('^' + link().source + '$', 'i') + }); + registerOption('link_default_target', { processor: 'string' }); + registerOption('link_default_protocol', { + processor: 'string', + default: 'https' + }); + }; + const getAutoLinkPattern = option('autolink_pattern'); + const getDefaultLinkTarget = option('link_default_target'); + const getDefaultLinkProtocol = option('link_default_protocol'); + const allowUnsafeLinkTarget = option('allow_unsafe_link_target'); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const eq = t => a => t === a; + const isString = isType('string'); + const isUndefined = eq(undefined); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + + const not = f => t => !f(t); + + const hasOwnProperty = Object.hasOwnProperty; + const has = (obj, key) => hasOwnProperty.call(obj, key); + + const checkRange = (str, substr, start) => substr === '' || str.length >= substr.length && str.substr(start, start + substr.length) === substr; + const contains = (str, substr, start = 0, end) => { + const idx = str.indexOf(substr, start); + if (idx !== -1) { + return isUndefined(end) ? true : idx + substr.length <= end; + } else { + return false; + } + }; + const startsWith = (str, prefix) => { + return checkRange(str, prefix, 0); + }; + + const zeroWidth = '\uFEFF'; + const isZwsp = char => char === zeroWidth; + const removeZwsp = s => s.replace(/\uFEFF/g, ''); + + var global = tinymce.util.Tools.resolve('tinymce.dom.TextSeeker'); + + const isTextNode = node => node.nodeType === 3; + const isElement = node => node.nodeType === 1; + const isBracketOrSpace = char => /^[(\[{ \u00a0]$/.test(char); + const hasProtocol = url => /^([A-Za-z][A-Za-z\d.+-]*:\/\/)|mailto:/.test(url); + const isPunctuation = char => /[?!,.;:]/.test(char); + const findChar = (text, index, predicate) => { + for (let i = index - 1; i >= 0; i--) { + const char = text.charAt(i); + if (!isZwsp(char) && predicate(char)) { + return i; + } + } + return -1; + }; + const freefallRtl = (container, offset) => { + let tempNode = container; + let tempOffset = offset; + while (isElement(tempNode) && tempNode.childNodes[tempOffset]) { + tempNode = tempNode.childNodes[tempOffset]; + tempOffset = isTextNode(tempNode) ? tempNode.data.length : tempNode.childNodes.length; + } + return { + container: tempNode, + offset: tempOffset + }; + }; + + const parseCurrentLine = (editor, offset) => { + var _a; + const voidElements = editor.schema.getVoidElements(); + const autoLinkPattern = getAutoLinkPattern(editor); + const {dom, selection} = editor; + if (dom.getParent(selection.getNode(), 'a[href]') !== null) { + return null; + } + const rng = selection.getRng(); + const textSeeker = global(dom, node => { + return dom.isBlock(node) || has(voidElements, node.nodeName.toLowerCase()) || dom.getContentEditable(node) === 'false'; + }); + const { + container: endContainer, + offset: endOffset + } = freefallRtl(rng.endContainer, rng.endOffset); + const root = (_a = dom.getParent(endContainer, dom.isBlock)) !== null && _a !== void 0 ? _a : dom.getRoot(); + const endSpot = textSeeker.backwards(endContainer, endOffset + offset, (node, offset) => { + const text = node.data; + const idx = findChar(text, offset, not(isBracketOrSpace)); + return idx === -1 || isPunctuation(text[idx]) ? idx : idx + 1; + }, root); + if (!endSpot) { + return null; + } + let lastTextNode = endSpot.container; + const startSpot = textSeeker.backwards(endSpot.container, endSpot.offset, (node, offset) => { + lastTextNode = node; + const idx = findChar(node.data, offset, isBracketOrSpace); + return idx === -1 ? idx : idx + 1; + }, root); + const newRng = dom.createRng(); + if (!startSpot) { + newRng.setStart(lastTextNode, 0); + } else { + newRng.setStart(startSpot.container, startSpot.offset); + } + newRng.setEnd(endSpot.container, endSpot.offset); + const rngText = removeZwsp(newRng.toString()); + const matches = rngText.match(autoLinkPattern); + if (matches) { + let url = matches[0]; + if (startsWith(url, 'www.')) { + const protocol = getDefaultLinkProtocol(editor); + url = protocol + '://' + url; + } else if (contains(url, '@') && !hasProtocol(url)) { + url = 'mailto:' + url; + } + return { + rng: newRng, + url + }; + } else { + return null; + } + }; + const convertToLink = (editor, result) => { + const {dom, selection} = editor; + const {rng, url} = result; + const bookmark = selection.getBookmark(); + selection.setRng(rng); + const command = 'createlink'; + const args = { + command, + ui: false, + value: url + }; + const beforeExecEvent = editor.dispatch('BeforeExecCommand', args); + if (!beforeExecEvent.isDefaultPrevented()) { + editor.getDoc().execCommand(command, false, url); + editor.dispatch('ExecCommand', args); + const defaultLinkTarget = getDefaultLinkTarget(editor); + if (isString(defaultLinkTarget)) { + const anchor = selection.getNode(); + dom.setAttrib(anchor, 'target', defaultLinkTarget); + if (defaultLinkTarget === '_blank' && !allowUnsafeLinkTarget(editor)) { + dom.setAttrib(anchor, 'rel', 'noopener'); + } + } + } + selection.moveToBookmark(bookmark); + editor.nodeChanged(); + }; + const handleSpacebar = editor => { + const result = parseCurrentLine(editor, -1); + if (isNonNullable(result)) { + convertToLink(editor, result); + } + }; + const handleBracket = handleSpacebar; + const handleEnter = editor => { + const result = parseCurrentLine(editor, 0); + if (isNonNullable(result)) { + convertToLink(editor, result); + } + }; + const setup = editor => { + editor.on('keydown', e => { + if (e.keyCode === 13 && !e.isDefaultPrevented()) { + handleEnter(editor); + } + }); + editor.on('keyup', e => { + if (e.keyCode === 32) { + handleSpacebar(editor); + } else if (e.keyCode === 48 && e.shiftKey || e.keyCode === 221) { + handleBracket(editor); + } + }); + }; + + var Plugin = () => { + global$1.add('autolink', editor => { + register(editor); + setup(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/autolink/plugin.min.js b/deform/static/tinymce/plugins/autolink/plugin.min.js index 3d2f58ee..077448dc 100644 --- a/deform/static/tinymce/plugins/autolink/plugin.min.js +++ b/deform/static/tinymce/plugins/autolink/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("autolink",function(t){function e(t){o(t,-1,"(",!0)}function n(t){o(t,0,"",!0)}function i(t){o(t,-1,"",!1)}function o(t,e,n){var i,o,r,a,s,l,c,u,d;if(i=t.selection.getRng(!0).cloneRange(),i.startOffset<5){if(u=i.endContainer.previousSibling,!u){if(!i.endContainer.firstChild||!i.endContainer.firstChild.nextSibling)return;u=i.endContainer.firstChild.nextSibling}if(d=u.length,i.setStart(u,d),i.setEnd(u,d),i.endOffset<5)return;o=i.endOffset,a=u}else{if(a=i.endContainer,3!=a.nodeType&&a.firstChild){for(;3!=a.nodeType&&a.firstChild;)a=a.firstChild;3==a.nodeType&&(i.setStart(a,0),i.setEnd(a,a.nodeValue.length))}o=1==i.endOffset?2:i.endOffset-1-e}r=o;do i.setStart(a,o>=2?o-2:0),i.setEnd(a,o>=1?o-1:0),o-=1;while(" "!=i.toString()&&""!==i.toString()&&160!=i.toString().charCodeAt(0)&&o-2>=0&&i.toString()!=n);if(i.toString()==n||160==i.toString().charCodeAt(0)?(i.setStart(a,o),i.setEnd(a,r),o+=1):0===i.startOffset?(i.setStart(a,0),i.setEnd(a,r)):(i.setStart(a,o),i.setEnd(a,r)),l=i.toString(),"."==l.charAt(l.length-1)&&i.setEnd(a,r-1),l=i.toString(),c=l.match(/^(https?:\/\/|ssh:\/\/|ftp:\/\/|file:\/|www\.|(?:mailto:)?[A-Z0-9._%+\-]+@)(.+)$/i),c&&("www."==c[1]?c[1]="http://www.":/@$/.test(c[1])&&!/^mailto:/.test(c[1])&&(c[1]="mailto:"+c[1]),s=t.selection.getBookmark(),t.selection.setRng(i),t.execCommand("createlink",!1,c[1]+c[2]),t.selection.moveToBookmark(s),t.nodeChanged(),tinymce.Env.webkit)){t.selection.collapse(!1);var m=Math.min(a.length,r+1);i.setStart(a,m),i.setEnd(a,m),t.selection.setRng(i)}}t.on("keydown",function(e){return 13==e.keyCode?i(t):void 0}),tinymce.Env.ie||(t.on("keypress",function(n){return 41==n.which?e(t):void 0}),t.on("keyup",function(e){return 32==e.keyCode?n(t):void 0}))}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>t=>t.options.get(e),n=t("autolink_pattern"),o=t("link_default_target"),r=t("link_default_protocol"),a=t("allow_unsafe_link_target"),s=("string",e=>"string"===(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(n=o=e,(r=String).prototype.isPrototypeOf(n)||(null===(a=o.constructor)||void 0===a?void 0:a.name)===r.name)?"string":t;var n,o,r,a})(e));const l=(void 0,e=>undefined===e);const i=e=>!(e=>null==e)(e),c=Object.hasOwnProperty,d=e=>"\ufeff"===e;var u=tinymce.util.Tools.resolve("tinymce.dom.TextSeeker");const f=e=>/^[(\[{ \u00a0]$/.test(e),g=(e,t,n)=>{for(let o=t-1;o>=0;o--){const t=e.charAt(o);if(!d(t)&&n(t))return o}return-1},m=(e,t)=>{var o;const a=e.schema.getVoidElements(),s=n(e),{dom:i,selection:d}=e;if(null!==i.getParent(d.getNode(),"a[href]"))return null;const m=d.getRng(),k=u(i,(e=>{return i.isBlock(e)||(t=a,n=e.nodeName.toLowerCase(),c.call(t,n))||"false"===i.getContentEditable(e);var t,n})),{container:p,offset:y}=((e,t)=>{let n=e,o=t;for(;1===n.nodeType&&n.childNodes[o];)n=n.childNodes[o],o=3===n.nodeType?n.data.length:n.childNodes.length;return{container:n,offset:o}})(m.endContainer,m.endOffset),w=null!==(o=i.getParent(p,i.isBlock))&&void 0!==o?o:i.getRoot(),h=k.backwards(p,y+t,((e,t)=>{const n=e.data,o=g(n,t,(r=f,e=>!r(e)));var r,a;return-1===o||(a=n[o],/[?!,.;:]/.test(a))?o:o+1}),w);if(!h)return null;let v=h.container;const _=k.backwards(h.container,h.offset,((e,t)=>{v=e;const n=g(e.data,t,f);return-1===n?n:n+1}),w),A=i.createRng();_?A.setStart(_.container,_.offset):A.setStart(v,0),A.setEnd(h.container,h.offset);const C=A.toString().replace(/\uFEFF/g,"").match(s);if(C){let t=C[0];return $="www.",(b=t).length>=4&&b.substr(0,4)===$?t=r(e)+"://"+t:((e,t,n=0,o)=>{const r=e.indexOf(t,n);return-1!==r&&(!!l(o)||r+t.length<=o)})(t,"@")&&!(e=>/^([A-Za-z][A-Za-z\d.+-]*:\/\/)|mailto:/.test(e))(t)&&(t="mailto:"+t),{rng:A,url:t}}var b,$;return null},k=(e,t)=>{const{dom:n,selection:r}=e,{rng:l,url:i}=t,c=r.getBookmark();r.setRng(l);const d="createlink",u={command:d,ui:!1,value:i};if(!e.dispatch("BeforeExecCommand",u).isDefaultPrevented()){e.getDoc().execCommand(d,!1,i),e.dispatch("ExecCommand",u);const t=o(e);if(s(t)){const o=r.getNode();n.setAttrib(o,"target",t),"_blank"!==t||a(e)||n.setAttrib(o,"rel","noopener")}}r.moveToBookmark(c),e.nodeChanged()},p=e=>{const t=m(e,-1);i(t)&&k(e,t)},y=p;e.add("autolink",(e=>{(e=>{const t=e.options.register;t("autolink_pattern",{processor:"regexp",default:new RegExp("^"+/(?:[A-Za-z][A-Za-z\d.+-]{0,14}:\/\/(?:[-.~*+=!&;:'%@?^${}(),\w]+@)?|www\.|[-;:&=+$,.\w]+@)[A-Za-z\d-]+(?:\.[A-Za-z\d-]+)*(?::\d+)?(?:\/(?:[-.~*+=!;:'%@$(),\/\w]*[-~*+=%@$()\/\w])?)?(?:\?(?:[-.~*+=!&;:'%@?^${}(),\/\w]+))?(?:#(?:[-.~*+=!&;:'%@?^${}(),\/\w]+))?/g.source+"$","i")}),t("link_default_target",{processor:"string"}),t("link_default_protocol",{processor:"string",default:"https"})})(e),(e=>{e.on("keydown",(t=>{13!==t.keyCode||t.isDefaultPrevented()||(e=>{const t=m(e,0);i(t)&&k(e,t)})(e)})),e.on("keyup",(t=>{32===t.keyCode?p(e):(48===t.keyCode&&t.shiftKey||221===t.keyCode)&&y(e)}))})(e)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/autoresize/index.js b/deform/static/tinymce/plugins/autoresize/index.js new file mode 100644 index 00000000..a4a7a42c --- /dev/null +++ b/deform/static/tinymce/plugins/autoresize/index.js @@ -0,0 +1,7 @@ +// Exports the "autoresize" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/autoresize') +// ES2015: +// import 'tinymce/plugins/autoresize' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/autoresize/plugin.js b/deform/static/tinymce/plugins/autoresize/plugin.js new file mode 100644 index 00000000..5018badf --- /dev/null +++ b/deform/static/tinymce/plugins/autoresize/plugin.js @@ -0,0 +1,192 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + var global$1 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const constant = value => { + return () => { + return value; + }; + }; + + var global = tinymce.util.Tools.resolve('tinymce.Env'); + + const fireResizeEditor = editor => editor.dispatch('ResizeEditor'); + + const option = name => editor => editor.options.get(name); + const register$1 = editor => { + const registerOption = editor.options.register; + registerOption('autoresize_overflow_padding', { + processor: 'number', + default: 1 + }); + registerOption('autoresize_bottom_margin', { + processor: 'number', + default: 50 + }); + }; + const getMinHeight = option('min_height'); + const getMaxHeight = option('max_height'); + const getAutoResizeOverflowPadding = option('autoresize_overflow_padding'); + const getAutoResizeBottomMargin = option('autoresize_bottom_margin'); + + const isFullscreen = editor => editor.plugins.fullscreen && editor.plugins.fullscreen.isFullscreen(); + const toggleScrolling = (editor, state) => { + const body = editor.getBody(); + if (body) { + body.style.overflowY = state ? '' : 'hidden'; + if (!state) { + body.scrollTop = 0; + } + } + }; + const parseCssValueToInt = (dom, elm, name, computed) => { + var _a; + const value = parseInt((_a = dom.getStyle(elm, name, computed)) !== null && _a !== void 0 ? _a : '', 10); + return isNaN(value) ? 0 : value; + }; + const shouldScrollIntoView = trigger => { + if ((trigger === null || trigger === void 0 ? void 0 : trigger.type.toLowerCase()) === 'setcontent') { + const setContentEvent = trigger; + return setContentEvent.selection === true || setContentEvent.paste === true; + } else { + return false; + } + }; + const resize = (editor, oldSize, trigger, getExtraMarginBottom) => { + var _a; + const dom = editor.dom; + const doc = editor.getDoc(); + if (!doc) { + return; + } + if (isFullscreen(editor)) { + toggleScrolling(editor, true); + return; + } + const docEle = doc.documentElement; + const resizeBottomMargin = getExtraMarginBottom ? getExtraMarginBottom() : getAutoResizeOverflowPadding(editor); + const minHeight = (_a = getMinHeight(editor)) !== null && _a !== void 0 ? _a : editor.getElement().offsetHeight; + let resizeHeight = minHeight; + const marginTop = parseCssValueToInt(dom, docEle, 'margin-top', true); + const marginBottom = parseCssValueToInt(dom, docEle, 'margin-bottom', true); + let contentHeight = docEle.offsetHeight + marginTop + marginBottom + resizeBottomMargin; + if (contentHeight < 0) { + contentHeight = 0; + } + const containerHeight = editor.getContainer().offsetHeight; + const contentAreaHeight = editor.getContentAreaContainer().offsetHeight; + const chromeHeight = containerHeight - contentAreaHeight; + if (contentHeight + chromeHeight > minHeight) { + resizeHeight = contentHeight + chromeHeight; + } + const maxHeight = getMaxHeight(editor); + if (maxHeight && resizeHeight > maxHeight) { + resizeHeight = maxHeight; + toggleScrolling(editor, true); + } else { + toggleScrolling(editor, false); + } + if (resizeHeight !== oldSize.get()) { + const deltaSize = resizeHeight - oldSize.get(); + dom.setStyle(editor.getContainer(), 'height', resizeHeight + 'px'); + oldSize.set(resizeHeight); + fireResizeEditor(editor); + if (global.browser.isSafari() && (global.os.isMacOS() || global.os.isiOS())) { + const win = editor.getWin(); + win.scrollTo(win.pageXOffset, win.pageYOffset); + } + if (editor.hasFocus() && shouldScrollIntoView(trigger)) { + editor.selection.scrollIntoView(); + } + if ((global.browser.isSafari() || global.browser.isChromium()) && deltaSize < 0) { + resize(editor, oldSize, trigger, getExtraMarginBottom); + } + } + }; + const setup = (editor, oldSize) => { + let getExtraMarginBottom = () => getAutoResizeBottomMargin(editor); + let resizeCounter; + let sizeAfterFirstResize; + editor.on('init', e => { + resizeCounter = 0; + const overflowPadding = getAutoResizeOverflowPadding(editor); + const dom = editor.dom; + dom.setStyles(editor.getDoc().documentElement, { height: 'auto' }); + if (global.browser.isEdge() || global.browser.isIE()) { + dom.setStyles(editor.getBody(), { + 'paddingLeft': overflowPadding, + 'paddingRight': overflowPadding, + 'min-height': 0 + }); + } else { + dom.setStyles(editor.getBody(), { + paddingLeft: overflowPadding, + paddingRight: overflowPadding + }); + } + resize(editor, oldSize, e, getExtraMarginBottom); + resizeCounter += 1; + }); + editor.on('NodeChange SetContent keyup FullscreenStateChanged ResizeContent', e => { + if (resizeCounter === 1) { + sizeAfterFirstResize = editor.getContainer().offsetHeight; + resize(editor, oldSize, e, getExtraMarginBottom); + resizeCounter += 1; + } else if (resizeCounter === 2) { + const isLooping = sizeAfterFirstResize < editor.getContainer().offsetHeight; + if (isLooping) { + const dom = editor.dom; + const doc = editor.getDoc(); + dom.setStyles(doc.documentElement, { 'min-height': 0 }); + dom.setStyles(editor.getBody(), { 'min-height': 'inherit' }); + } + getExtraMarginBottom = isLooping ? constant(0) : getExtraMarginBottom; + resizeCounter += 1; + } else { + resize(editor, oldSize, e, getExtraMarginBottom); + } + }); + }; + + const register = (editor, oldSize) => { + editor.addCommand('mceAutoResize', () => { + resize(editor, oldSize); + }); + }; + + var Plugin = () => { + global$1.add('autoresize', editor => { + register$1(editor); + if (!editor.options.isSet('resize')) { + editor.options.set('resize', false); + } + if (!editor.inline) { + const oldSize = Cell(0); + register(editor, oldSize); + setup(editor, oldSize); + } + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/autoresize/plugin.min.js b/deform/static/tinymce/plugins/autoresize/plugin.min.js index 12355aa9..57bd3116 100644 --- a/deform/static/tinymce/plugins/autoresize/plugin.min.js +++ b/deform/static/tinymce/plugins/autoresize/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("autoresize",function(e){function t(a){var r,o,c=e.getDoc(),s=c.body,u=c.documentElement,l=tinymce.DOM,m=n.autoresize_min_height;"setcontent"==a.type&&a.initial||e.plugins.fullscreen&&e.plugins.fullscreen.isFullscreen()||(o=tinymce.Env.ie?s.scrollHeight:tinymce.Env.webkit&&0===s.clientHeight?0:s.offsetHeight,o>n.autoresize_min_height&&(m=o),n.autoresize_max_height&&o>n.autoresize_max_height?(m=n.autoresize_max_height,s.style.overflowY="auto",u.style.overflowY="auto"):(s.style.overflowY="hidden",u.style.overflowY="hidden",s.scrollTop=0),m!==i&&(r=m-i,l.setStyle(l.get(e.id+"_ifr"),"height",m+"px"),i=m,tinymce.isWebKit&&0>r&&t(a)))}var n=e.settings,i=0;e.settings.inline||(n.autoresize_min_height=parseInt(e.getParam("autoresize_min_height",e.getElement().offsetHeight),10),n.autoresize_max_height=parseInt(e.getParam("autoresize_max_height",0),10),e.on("init",function(){e.dom.setStyle(e.getBody(),"paddingBottom",e.getParam("autoresize_bottom_margin",50)+"px")}),e.on("change setcontent paste keyup",t),e.getParam("autoresize_on_init",!0)&&e.on("load",t),e.addCommand("mceAutoResize",t))}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager"),t=tinymce.util.Tools.resolve("tinymce.Env");const o=e=>t=>t.options.get(e),s=o("min_height"),i=o("max_height"),n=o("autoresize_overflow_padding"),r=o("autoresize_bottom_margin"),l=(e,t)=>{const o=e.getBody();o&&(o.style.overflowY=t?"":"hidden",t||(o.scrollTop=0))},g=(e,t,o,s)=>{var i;const n=parseInt(null!==(i=e.getStyle(t,o,s))&&void 0!==i?i:"",10);return isNaN(n)?0:n},a=(e,o,r,c)=>{var d;const f=e.dom,u=e.getDoc();if(!u)return;if((e=>e.plugins.fullscreen&&e.plugins.fullscreen.isFullscreen())(e))return void l(e,!0);const m=u.documentElement,h=c?c():n(e),p=null!==(d=s(e))&&void 0!==d?d:e.getElement().offsetHeight;let y=p;const S=g(f,m,"margin-top",!0),v=g(f,m,"margin-bottom",!0);let C=m.offsetHeight+S+v+h;C<0&&(C=0);const b=e.getContainer().offsetHeight-e.getContentAreaContainer().offsetHeight;C+b>p&&(y=C+b);const w=i(e);if(w&&y>w?(y=w,l(e,!0)):l(e,!1),y!==o.get()){const s=y-o.get();if(f.setStyle(e.getContainer(),"height",y+"px"),o.set(y),(e=>{e.dispatch("ResizeEditor")})(e),t.browser.isSafari()&&(t.os.isMacOS()||t.os.isiOS())){const t=e.getWin();t.scrollTo(t.pageXOffset,t.pageYOffset)}e.hasFocus()&&(e=>{if("setcontent"===(null==e?void 0:e.type.toLowerCase())){const t=e;return!0===t.selection||!0===t.paste}return!1})(r)&&e.selection.scrollIntoView(),(t.browser.isSafari()||t.browser.isChromium())&&s<0&&a(e,o,r,c)}};e.add("autoresize",(e=>{if((e=>{const t=e.options.register;t("autoresize_overflow_padding",{processor:"number",default:1}),t("autoresize_bottom_margin",{processor:"number",default:50})})(e),e.options.isSet("resize")||e.options.set("resize",!1),!e.inline){const o=(e=>{let t=0;return{get:()=>t,set:e=>{t=e}}})();((e,t)=>{e.addCommand("mceAutoResize",(()=>{a(e,t)}))})(e,o),((e,o)=>{let s,i,l=()=>r(e);e.on("init",(i=>{s=0;const r=n(e),g=e.dom;g.setStyles(e.getDoc().documentElement,{height:"auto"}),t.browser.isEdge()||t.browser.isIE()?g.setStyles(e.getBody(),{paddingLeft:r,paddingRight:r,"min-height":0}):g.setStyles(e.getBody(),{paddingLeft:r,paddingRight:r}),a(e,o,i,l),s+=1})),e.on("NodeChange SetContent keyup FullscreenStateChanged ResizeContent",(t=>{if(1===s)i=e.getContainer().offsetHeight,a(e,o,t,l),s+=1;else if(2===s){const t=i0):l,s+=1}else a(e,o,t,l)}))})(e,o)}}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/autosave/index.js b/deform/static/tinymce/plugins/autosave/index.js new file mode 100644 index 00000000..261d5c99 --- /dev/null +++ b/deform/static/tinymce/plugins/autosave/index.js @@ -0,0 +1,7 @@ +// Exports the "autosave" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/autosave') +// ES2015: +// import 'tinymce/plugins/autosave' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/autosave/plugin.js b/deform/static/tinymce/plugins/autosave/plugin.js new file mode 100644 index 00000000..3eb87bb9 --- /dev/null +++ b/deform/static/tinymce/plugins/autosave/plugin.js @@ -0,0 +1,233 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$4 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const eq = t => a => t === a; + const isString = isType('string'); + const isUndefined = eq(undefined); + + var global$3 = tinymce.util.Tools.resolve('tinymce.util.Delay'); + + var global$2 = tinymce.util.Tools.resolve('tinymce.util.LocalStorage'); + + var global$1 = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const fireRestoreDraft = editor => editor.dispatch('RestoreDraft'); + const fireStoreDraft = editor => editor.dispatch('StoreDraft'); + const fireRemoveDraft = editor => editor.dispatch('RemoveDraft'); + + const parse = timeString => { + const multiples = { + s: 1000, + m: 60000 + }; + const parsedTime = /^(\d+)([ms]?)$/.exec(timeString); + return (parsedTime && parsedTime[2] ? multiples[parsedTime[2]] : 1) * parseInt(timeString, 10); + }; + + const option = name => editor => editor.options.get(name); + const register$1 = editor => { + const registerOption = editor.options.register; + const timeProcessor = value => { + const valid = isString(value); + if (valid) { + return { + value: parse(value), + valid + }; + } else { + return { + valid: false, + message: 'Must be a string.' + }; + } + }; + registerOption('autosave_ask_before_unload', { + processor: 'boolean', + default: true + }); + registerOption('autosave_prefix', { + processor: 'string', + default: 'tinymce-autosave-{path}{query}{hash}-{id}-' + }); + registerOption('autosave_restore_when_empty', { + processor: 'boolean', + default: false + }); + registerOption('autosave_interval', { + processor: timeProcessor, + default: '30s' + }); + registerOption('autosave_retention', { + processor: timeProcessor, + default: '20m' + }); + }; + const shouldAskBeforeUnload = option('autosave_ask_before_unload'); + const shouldRestoreWhenEmpty = option('autosave_restore_when_empty'); + const getAutoSaveInterval = option('autosave_interval'); + const getAutoSaveRetention = option('autosave_retention'); + const getAutoSavePrefix = editor => { + const location = document.location; + return editor.options.get('autosave_prefix').replace(/{path}/g, location.pathname).replace(/{query}/g, location.search).replace(/{hash}/g, location.hash).replace(/{id}/g, editor.id); + }; + + const isEmpty = (editor, html) => { + if (isUndefined(html)) { + return editor.dom.isEmpty(editor.getBody()); + } else { + const trimmedHtml = global$1.trim(html); + if (trimmedHtml === '') { + return true; + } else { + const fragment = new DOMParser().parseFromString(trimmedHtml, 'text/html'); + return editor.dom.isEmpty(fragment); + } + } + }; + const hasDraft = editor => { + var _a; + const time = parseInt((_a = global$2.getItem(getAutoSavePrefix(editor) + 'time')) !== null && _a !== void 0 ? _a : '0', 10) || 0; + if (new Date().getTime() - time > getAutoSaveRetention(editor)) { + removeDraft(editor, false); + return false; + } + return true; + }; + const removeDraft = (editor, fire) => { + const prefix = getAutoSavePrefix(editor); + global$2.removeItem(prefix + 'draft'); + global$2.removeItem(prefix + 'time'); + if (fire !== false) { + fireRemoveDraft(editor); + } + }; + const storeDraft = editor => { + const prefix = getAutoSavePrefix(editor); + if (!isEmpty(editor) && editor.isDirty()) { + global$2.setItem(prefix + 'draft', editor.getContent({ + format: 'raw', + no_events: true + })); + global$2.setItem(prefix + 'time', new Date().getTime().toString()); + fireStoreDraft(editor); + } + }; + const restoreDraft = editor => { + var _a; + const prefix = getAutoSavePrefix(editor); + if (hasDraft(editor)) { + editor.setContent((_a = global$2.getItem(prefix + 'draft')) !== null && _a !== void 0 ? _a : '', { format: 'raw' }); + fireRestoreDraft(editor); + } + }; + const startStoreDraft = editor => { + const interval = getAutoSaveInterval(editor); + global$3.setEditorInterval(editor, () => { + storeDraft(editor); + }, interval); + }; + const restoreLastDraft = editor => { + editor.undoManager.transact(() => { + restoreDraft(editor); + removeDraft(editor); + }); + editor.focus(); + }; + + const get = editor => ({ + hasDraft: () => hasDraft(editor), + storeDraft: () => storeDraft(editor), + restoreDraft: () => restoreDraft(editor), + removeDraft: fire => removeDraft(editor, fire), + isEmpty: html => isEmpty(editor, html) + }); + + var global = tinymce.util.Tools.resolve('tinymce.EditorManager'); + + const setup = editor => { + editor.editorManager.on('BeforeUnload', e => { + let msg; + global$1.each(global.get(), editor => { + if (editor.plugins.autosave) { + editor.plugins.autosave.storeDraft(); + } + if (!msg && editor.isDirty() && shouldAskBeforeUnload(editor)) { + msg = editor.translate('You have unsaved changes are you sure you want to navigate away?'); + } + }); + if (msg) { + e.preventDefault(); + e.returnValue = msg; + } + }); + }; + + const makeSetupHandler = editor => api => { + api.setEnabled(hasDraft(editor)); + const editorEventCallback = () => api.setEnabled(hasDraft(editor)); + editor.on('StoreDraft RestoreDraft RemoveDraft', editorEventCallback); + return () => editor.off('StoreDraft RestoreDraft RemoveDraft', editorEventCallback); + }; + const register = editor => { + startStoreDraft(editor); + const onAction = () => { + restoreLastDraft(editor); + }; + editor.ui.registry.addButton('restoredraft', { + tooltip: 'Restore last draft', + icon: 'restore-draft', + onAction, + onSetup: makeSetupHandler(editor) + }); + editor.ui.registry.addMenuItem('restoredraft', { + text: 'Restore last draft', + icon: 'restore-draft', + onAction, + onSetup: makeSetupHandler(editor) + }); + }; + + var Plugin = () => { + global$4.add('autosave', editor => { + register$1(editor); + setup(editor); + register(editor); + editor.on('init', () => { + if (shouldRestoreWhenEmpty(editor) && editor.dom.isEmpty(editor.getBody())) { + restoreDraft(editor); + } + }); + return get(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/autosave/plugin.min.js b/deform/static/tinymce/plugins/autosave/plugin.min.js index 93ee1df5..7aa66102 100644 --- a/deform/static/tinymce/plugins/autosave/plugin.min.js +++ b/deform/static/tinymce/plugins/autosave/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("autosave",function(e){function t(e,t){var n={s:1e3,m:6e4};return e=/^(\d+)([ms]?)$/.exec(""+(e||t)),(e[2]?n[e[2]]:1)*parseInt(e,10)}function n(){var e=parseInt(f.getItem(h+"autosave.time"),10)||0;return(new Date).getTime()-e>d.autosave_retention?(i(!1),!1):!0}function i(t){f.removeItem(h+"autosave.draft"),f.removeItem(h+"autosave.time"),t!==!1&&e.fire("RemoveDraft")}function a(){c()||(f.setItem(h+"autosave.draft",e.getContent({format:"raw",no_events:!0})),f.setItem(h+"autosave.time",(new Date).getTime()),e.fire("StoreDraft"))}function r(){n()&&(e.setContent(f.getItem(h+"autosave.draft"),{format:"raw"}),e.fire("RestoreDraft"))}function o(){m||(setInterval(function(){e.removed||a()},d.autosave_interval),m=!0)}function s(){var t=this;t.disabled(!n()),e.on("StoreDraft RestoreDraft RemoveDraft",function(){t.disabled(!n())}),o()}function l(){e.undoManager.beforeChange(),r(),i(),e.undoManager.add()}function u(){var e;return tinymce.each(tinymce.editors,function(t){t.plugins.autosave&&t.plugins.autosave.storeDraft(),!e&&t.isDirty()&&t.getParam("autosave_ask_before_unload",!0)&&(e=t.translate("You have unsaved changes are you sure you want to navigate away?"))}),e}function c(t){var n=e.settings.forced_root_block;return t=tinymce.trim("undefined"==typeof t?e.getBody().innerHTML:t),""===t||new RegExp("^<"+n+">(( | |[ ]|]*>)+?|)|
$","i").test(t)}var m,d=e.settings,f=tinymce.util.LocalStorage,h=e.id;d.autosave_interval=t(d.autosave_interval,"30s"),d.autosave_retention=t(d.autosave_retention,"20m"),e.addButton("restoredraft",{title:"Restore last draft",onclick:l,onPostRender:s}),e.addMenuItem("restoredraft",{text:"Restore last draft",onclick:l,onPostRender:s,context:"file"}),e.settings.autosave_restore_when_empty!==!1&&(e.on("init",function(){n()&&c()&&r()}),e.on("saveContent",function(){i()})),window.onbeforeunload=u,this.hasDraft=n,this.storeDraft=a,this.restoreDraft=r,this.removeDraft=i,this.isEmpty=c}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var t=tinymce.util.Tools.resolve("tinymce.PluginManager");const e=("string",t=>"string"===(t=>{const e=typeof t;return null===t?"null":"object"===e&&Array.isArray(t)?"array":"object"===e&&(r=o=t,(a=String).prototype.isPrototypeOf(r)||(null===(s=o.constructor)||void 0===s?void 0:s.name)===a.name)?"string":e;var r,o,a,s})(t));const r=(void 0,t=>undefined===t);var o=tinymce.util.Tools.resolve("tinymce.util.Delay"),a=tinymce.util.Tools.resolve("tinymce.util.LocalStorage"),s=tinymce.util.Tools.resolve("tinymce.util.Tools");const n=t=>{const e=/^(\d+)([ms]?)$/.exec(t);return(e&&e[2]?{s:1e3,m:6e4}[e[2]]:1)*parseInt(t,10)},i=t=>e=>e.options.get(t),u=i("autosave_ask_before_unload"),l=i("autosave_restore_when_empty"),c=i("autosave_interval"),d=i("autosave_retention"),m=t=>{const e=document.location;return t.options.get("autosave_prefix").replace(/{path}/g,e.pathname).replace(/{query}/g,e.search).replace(/{hash}/g,e.hash).replace(/{id}/g,t.id)},v=(t,e)=>{if(r(e))return t.dom.isEmpty(t.getBody());{const r=s.trim(e);if(""===r)return!0;{const e=(new DOMParser).parseFromString(r,"text/html");return t.dom.isEmpty(e)}}},f=t=>{var e;const r=parseInt(null!==(e=a.getItem(m(t)+"time"))&&void 0!==e?e:"0",10)||0;return!((new Date).getTime()-r>d(t)&&(p(t,!1),1))},p=(t,e)=>{const r=m(t);a.removeItem(r+"draft"),a.removeItem(r+"time"),!1!==e&&(t=>{t.dispatch("RemoveDraft")})(t)},g=t=>{const e=m(t);!v(t)&&t.isDirty()&&(a.setItem(e+"draft",t.getContent({format:"raw",no_events:!0})),a.setItem(e+"time",(new Date).getTime().toString()),(t=>{t.dispatch("StoreDraft")})(t))},y=t=>{var e;const r=m(t);f(t)&&(t.setContent(null!==(e=a.getItem(r+"draft"))&&void 0!==e?e:"",{format:"raw"}),(t=>{t.dispatch("RestoreDraft")})(t))};var D=tinymce.util.Tools.resolve("tinymce.EditorManager");const h=t=>e=>{e.setEnabled(f(t));const r=()=>e.setEnabled(f(t));return t.on("StoreDraft RestoreDraft RemoveDraft",r),()=>t.off("StoreDraft RestoreDraft RemoveDraft",r)};t.add("autosave",(t=>((t=>{const r=t.options.register,o=t=>{const r=e(t);return r?{value:n(t),valid:r}:{valid:!1,message:"Must be a string."}};r("autosave_ask_before_unload",{processor:"boolean",default:!0}),r("autosave_prefix",{processor:"string",default:"tinymce-autosave-{path}{query}{hash}-{id}-"}),r("autosave_restore_when_empty",{processor:"boolean",default:!1}),r("autosave_interval",{processor:o,default:"30s"}),r("autosave_retention",{processor:o,default:"20m"})})(t),(t=>{t.editorManager.on("BeforeUnload",(t=>{let e;s.each(D.get(),(t=>{t.plugins.autosave&&t.plugins.autosave.storeDraft(),!e&&t.isDirty()&&u(t)&&(e=t.translate("You have unsaved changes are you sure you want to navigate away?"))})),e&&(t.preventDefault(),t.returnValue=e)}))})(t),(t=>{(t=>{const e=c(t);o.setEditorInterval(t,(()=>{g(t)}),e)})(t);const e=()=>{(t=>{t.undoManager.transact((()=>{y(t),p(t)})),t.focus()})(t)};t.ui.registry.addButton("restoredraft",{tooltip:"Restore last draft",icon:"restore-draft",onAction:e,onSetup:h(t)}),t.ui.registry.addMenuItem("restoredraft",{text:"Restore last draft",icon:"restore-draft",onAction:e,onSetup:h(t)})})(t),t.on("init",(()=>{l(t)&&t.dom.isEmpty(t.getBody())&&y(t)})),(t=>({hasDraft:()=>f(t),storeDraft:()=>g(t),restoreDraft:()=>y(t),removeDraft:e=>p(t,e),isEmpty:e=>v(t,e)}))(t))))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/bbcode/plugin.min.js b/deform/static/tinymce/plugins/bbcode/plugin.min.js deleted file mode 100644 index 70a88a7d..00000000 --- a/deform/static/tinymce/plugins/bbcode/plugin.min.js +++ /dev/null @@ -1 +0,0 @@ -!function(){tinymce.create("tinymce.plugins.BBCodePlugin",{init:function(e){var t=this,n=e.getParam("bbcode_dialect","punbb").toLowerCase();e.on("beforeSetContent",function(e){e.content=t["_"+n+"_bbcode2html"](e.content)}),e.on("postProcess",function(e){e.set&&(e.content=t["_"+n+"_bbcode2html"](e.content)),e.get&&(e.content=t["_"+n+"_html2bbcode"](e.content))})},getInfo:function(){return{longname:"BBCode Plugin",author:"Moxiecode Systems AB",authorurl:"http://www.tinymce.com",infourl:"http://www.tinymce.com/wiki.php/Plugin:bbcode"}},_punbb_html2bbcode:function(e){function t(t,n){e=e.replace(t,n)}return e=tinymce.trim(e),t(/(.*?)<\/a>/gi,"[url=$1]$2[/url]"),t(/(.*?)<\/font>/gi,"[code][color=$1]$2[/color][/code]"),t(/(.*?)<\/font>/gi,"[quote][color=$1]$2[/color][/quote]"),t(/(.*?)<\/font>/gi,"[code][color=$1]$2[/color][/code]"),t(/(.*?)<\/font>/gi,"[quote][color=$1]$2[/color][/quote]"),t(/(.*?)<\/span>/gi,"[color=$1]$2[/color]"),t(/(.*?)<\/font>/gi,"[color=$1]$2[/color]"),t(/(.*?)<\/span>/gi,"[size=$1]$2[/size]"),t(/(.*?)<\/font>/gi,"$1"),t(//gi,"[img]$1[/img]"),t(/(.*?)<\/span>/gi,"[code]$1[/code]"),t(/(.*?)<\/span>/gi,"[quote]$1[/quote]"),t(/(.*?)<\/strong>/gi,"[code][b]$1[/b][/code]"),t(/(.*?)<\/strong>/gi,"[quote][b]$1[/b][/quote]"),t(/(.*?)<\/em>/gi,"[code][i]$1[/i][/code]"),t(/(.*?)<\/em>/gi,"[quote][i]$1[/i][/quote]"),t(/(.*?)<\/u>/gi,"[code][u]$1[/u][/code]"),t(/(.*?)<\/u>/gi,"[quote][u]$1[/u][/quote]"),t(/<\/(strong|b)>/gi,"[/b]"),t(/<(strong|b)>/gi,"[b]"),t(/<\/(em|i)>/gi,"[/i]"),t(/<(em|i)>/gi,"[i]"),t(/<\/u>/gi,"[/u]"),t(/(.*?)<\/span>/gi,"[u]$1[/u]"),t(//gi,"[u]"),t(/]*>/gi,"[quote]"),t(/<\/blockquote>/gi,"[/quote]"),t(/
/gi,"\n"),t(//gi,"\n"),t(/
/gi,"\n"),t(/

/gi,""),t(/<\/p>/gi,"\n"),t(/ |\u00a0/gi," "),t(/"/gi,'"'),t(/</gi,"<"),t(/>/gi,">"),t(/&/gi,"&"),e},_punbb_bbcode2html:function(e){function t(t,n){e=e.replace(t,n)}return e=tinymce.trim(e),t(/\n/gi,"
"),t(/\[b\]/gi,""),t(/\[\/b\]/gi,""),t(/\[i\]/gi,""),t(/\[\/i\]/gi,""),t(/\[u\]/gi,""),t(/\[\/u\]/gi,""),t(/\[url=([^\]]+)\](.*?)\[\/url\]/gi,'$2'),t(/\[url\](.*?)\[\/url\]/gi,'$1'),t(/\[img\](.*?)\[\/img\]/gi,''),t(/\[color=(.*?)\](.*?)\[\/color\]/gi,'$2'),t(/\[code\](.*?)\[\/code\]/gi,'$1 '),t(/\[quote.*?\](.*?)\[\/quote\]/gi,'$1 '),e}}),tinymce.PluginManager.add("bbcode",tinymce.plugins.BBCodePlugin)}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/charmap/index.js b/deform/static/tinymce/plugins/charmap/index.js new file mode 100644 index 00000000..13a16738 --- /dev/null +++ b/deform/static/tinymce/plugins/charmap/index.js @@ -0,0 +1,7 @@ +// Exports the "charmap" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/charmap') +// ES2015: +// import 'tinymce/plugins/charmap' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/charmap/plugin.js b/deform/static/tinymce/plugins/charmap/plugin.js new file mode 100644 index 00000000..ea5792eb --- /dev/null +++ b/deform/static/tinymce/plugins/charmap/plugin.js @@ -0,0 +1,1658 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$1 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const fireInsertCustomChar = (editor, chr) => { + return editor.dispatch('insertCustomChar', { chr }); + }; + + const insertChar = (editor, chr) => { + const evtChr = fireInsertCustomChar(editor, chr).chr; + editor.execCommand('mceInsertContent', false, evtChr); + }; + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const eq = t => a => t === a; + const isArray$1 = isType('array'); + const isNull = eq(null); + const isUndefined = eq(undefined); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + + const constant = value => { + return () => { + return value; + }; + }; + const never = constant(false); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const nativePush = Array.prototype.push; + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const findUntil = (xs, pred, until) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return Optional.some(x); + } else if (until(x, i)) { + break; + } + } + return Optional.none(); + }; + const find = (xs, pred) => { + return findUntil(xs, pred, never); + }; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray$1(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + const bind = (xs, f) => flatten(map(xs, f)); + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + const charMapProcessor = value => isFunction(value) || isArray$1(value); + registerOption('charmap', { processor: charMapProcessor }); + registerOption('charmap_append', { processor: charMapProcessor }); + }; + const getCharMap$1 = option('charmap'); + const getCharMapAppend = option('charmap_append'); + + const isArray = global.isArray; + const UserDefined = 'User Defined'; + const getDefaultCharMap = () => { + return [ + { + name: 'Currency', + characters: [ + [ + 36, + 'dollar sign' + ], + [ + 162, + 'cent sign' + ], + [ + 8364, + 'euro sign' + ], + [ + 163, + 'pound sign' + ], + [ + 165, + 'yen sign' + ], + [ + 164, + 'currency sign' + ], + [ + 8352, + 'euro-currency sign' + ], + [ + 8353, + 'colon sign' + ], + [ + 8354, + 'cruzeiro sign' + ], + [ + 8355, + 'french franc sign' + ], + [ + 8356, + 'lira sign' + ], + [ + 8357, + 'mill sign' + ], + [ + 8358, + 'naira sign' + ], + [ + 8359, + 'peseta sign' + ], + [ + 8360, + 'rupee sign' + ], + [ + 8361, + 'won sign' + ], + [ + 8362, + 'new sheqel sign' + ], + [ + 8363, + 'dong sign' + ], + [ + 8365, + 'kip sign' + ], + [ + 8366, + 'tugrik sign' + ], + [ + 8367, + 'drachma sign' + ], + [ + 8368, + 'german penny symbol' + ], + [ + 8369, + 'peso sign' + ], + [ + 8370, + 'guarani sign' + ], + [ + 8371, + 'austral sign' + ], + [ + 8372, + 'hryvnia sign' + ], + [ + 8373, + 'cedi sign' + ], + [ + 8374, + 'livre tournois sign' + ], + [ + 8375, + 'spesmilo sign' + ], + [ + 8376, + 'tenge sign' + ], + [ + 8377, + 'indian rupee sign' + ], + [ + 8378, + 'turkish lira sign' + ], + [ + 8379, + 'nordic mark sign' + ], + [ + 8380, + 'manat sign' + ], + [ + 8381, + 'ruble sign' + ], + [ + 20870, + 'yen character' + ], + [ + 20803, + 'yuan character' + ], + [ + 22291, + 'yuan character, in hong kong and taiwan' + ], + [ + 22278, + 'yen/yuan character variant one' + ] + ] + }, + { + name: 'Text', + characters: [ + [ + 169, + 'copyright sign' + ], + [ + 174, + 'registered sign' + ], + [ + 8482, + 'trade mark sign' + ], + [ + 8240, + 'per mille sign' + ], + [ + 181, + 'micro sign' + ], + [ + 183, + 'middle dot' + ], + [ + 8226, + 'bullet' + ], + [ + 8230, + 'three dot leader' + ], + [ + 8242, + 'minutes / feet' + ], + [ + 8243, + 'seconds / inches' + ], + [ + 167, + 'section sign' + ], + [ + 182, + 'paragraph sign' + ], + [ + 223, + 'sharp s / ess-zed' + ] + ] + }, + { + name: 'Quotations', + characters: [ + [ + 8249, + 'single left-pointing angle quotation mark' + ], + [ + 8250, + 'single right-pointing angle quotation mark' + ], + [ + 171, + 'left pointing guillemet' + ], + [ + 187, + 'right pointing guillemet' + ], + [ + 8216, + 'left single quotation mark' + ], + [ + 8217, + 'right single quotation mark' + ], + [ + 8220, + 'left double quotation mark' + ], + [ + 8221, + 'right double quotation mark' + ], + [ + 8218, + 'single low-9 quotation mark' + ], + [ + 8222, + 'double low-9 quotation mark' + ], + [ + 60, + 'less-than sign' + ], + [ + 62, + 'greater-than sign' + ], + [ + 8804, + 'less-than or equal to' + ], + [ + 8805, + 'greater-than or equal to' + ], + [ + 8211, + 'en dash' + ], + [ + 8212, + 'em dash' + ], + [ + 175, + 'macron' + ], + [ + 8254, + 'overline' + ], + [ + 164, + 'currency sign' + ], + [ + 166, + 'broken bar' + ], + [ + 168, + 'diaeresis' + ], + [ + 161, + 'inverted exclamation mark' + ], + [ + 191, + 'turned question mark' + ], + [ + 710, + 'circumflex accent' + ], + [ + 732, + 'small tilde' + ], + [ + 176, + 'degree sign' + ], + [ + 8722, + 'minus sign' + ], + [ + 177, + 'plus-minus sign' + ], + [ + 247, + 'division sign' + ], + [ + 8260, + 'fraction slash' + ], + [ + 215, + 'multiplication sign' + ], + [ + 185, + 'superscript one' + ], + [ + 178, + 'superscript two' + ], + [ + 179, + 'superscript three' + ], + [ + 188, + 'fraction one quarter' + ], + [ + 189, + 'fraction one half' + ], + [ + 190, + 'fraction three quarters' + ] + ] + }, + { + name: 'Mathematical', + characters: [ + [ + 402, + 'function / florin' + ], + [ + 8747, + 'integral' + ], + [ + 8721, + 'n-ary sumation' + ], + [ + 8734, + 'infinity' + ], + [ + 8730, + 'square root' + ], + [ + 8764, + 'similar to' + ], + [ + 8773, + 'approximately equal to' + ], + [ + 8776, + 'almost equal to' + ], + [ + 8800, + 'not equal to' + ], + [ + 8801, + 'identical to' + ], + [ + 8712, + 'element of' + ], + [ + 8713, + 'not an element of' + ], + [ + 8715, + 'contains as member' + ], + [ + 8719, + 'n-ary product' + ], + [ + 8743, + 'logical and' + ], + [ + 8744, + 'logical or' + ], + [ + 172, + 'not sign' + ], + [ + 8745, + 'intersection' + ], + [ + 8746, + 'union' + ], + [ + 8706, + 'partial differential' + ], + [ + 8704, + 'for all' + ], + [ + 8707, + 'there exists' + ], + [ + 8709, + 'diameter' + ], + [ + 8711, + 'backward difference' + ], + [ + 8727, + 'asterisk operator' + ], + [ + 8733, + 'proportional to' + ], + [ + 8736, + 'angle' + ] + ] + }, + { + name: 'Extended Latin', + characters: [ + [ + 192, + 'A - grave' + ], + [ + 193, + 'A - acute' + ], + [ + 194, + 'A - circumflex' + ], + [ + 195, + 'A - tilde' + ], + [ + 196, + 'A - diaeresis' + ], + [ + 197, + 'A - ring above' + ], + [ + 256, + 'A - macron' + ], + [ + 198, + 'ligature AE' + ], + [ + 199, + 'C - cedilla' + ], + [ + 200, + 'E - grave' + ], + [ + 201, + 'E - acute' + ], + [ + 202, + 'E - circumflex' + ], + [ + 203, + 'E - diaeresis' + ], + [ + 274, + 'E - macron' + ], + [ + 204, + 'I - grave' + ], + [ + 205, + 'I - acute' + ], + [ + 206, + 'I - circumflex' + ], + [ + 207, + 'I - diaeresis' + ], + [ + 298, + 'I - macron' + ], + [ + 208, + 'ETH' + ], + [ + 209, + 'N - tilde' + ], + [ + 210, + 'O - grave' + ], + [ + 211, + 'O - acute' + ], + [ + 212, + 'O - circumflex' + ], + [ + 213, + 'O - tilde' + ], + [ + 214, + 'O - diaeresis' + ], + [ + 216, + 'O - slash' + ], + [ + 332, + 'O - macron' + ], + [ + 338, + 'ligature OE' + ], + [ + 352, + 'S - caron' + ], + [ + 217, + 'U - grave' + ], + [ + 218, + 'U - acute' + ], + [ + 219, + 'U - circumflex' + ], + [ + 220, + 'U - diaeresis' + ], + [ + 362, + 'U - macron' + ], + [ + 221, + 'Y - acute' + ], + [ + 376, + 'Y - diaeresis' + ], + [ + 562, + 'Y - macron' + ], + [ + 222, + 'THORN' + ], + [ + 224, + 'a - grave' + ], + [ + 225, + 'a - acute' + ], + [ + 226, + 'a - circumflex' + ], + [ + 227, + 'a - tilde' + ], + [ + 228, + 'a - diaeresis' + ], + [ + 229, + 'a - ring above' + ], + [ + 257, + 'a - macron' + ], + [ + 230, + 'ligature ae' + ], + [ + 231, + 'c - cedilla' + ], + [ + 232, + 'e - grave' + ], + [ + 233, + 'e - acute' + ], + [ + 234, + 'e - circumflex' + ], + [ + 235, + 'e - diaeresis' + ], + [ + 275, + 'e - macron' + ], + [ + 236, + 'i - grave' + ], + [ + 237, + 'i - acute' + ], + [ + 238, + 'i - circumflex' + ], + [ + 239, + 'i - diaeresis' + ], + [ + 299, + 'i - macron' + ], + [ + 240, + 'eth' + ], + [ + 241, + 'n - tilde' + ], + [ + 242, + 'o - grave' + ], + [ + 243, + 'o - acute' + ], + [ + 244, + 'o - circumflex' + ], + [ + 245, + 'o - tilde' + ], + [ + 246, + 'o - diaeresis' + ], + [ + 248, + 'o slash' + ], + [ + 333, + 'o macron' + ], + [ + 339, + 'ligature oe' + ], + [ + 353, + 's - caron' + ], + [ + 249, + 'u - grave' + ], + [ + 250, + 'u - acute' + ], + [ + 251, + 'u - circumflex' + ], + [ + 252, + 'u - diaeresis' + ], + [ + 363, + 'u - macron' + ], + [ + 253, + 'y - acute' + ], + [ + 254, + 'thorn' + ], + [ + 255, + 'y - diaeresis' + ], + [ + 563, + 'y - macron' + ], + [ + 913, + 'Alpha' + ], + [ + 914, + 'Beta' + ], + [ + 915, + 'Gamma' + ], + [ + 916, + 'Delta' + ], + [ + 917, + 'Epsilon' + ], + [ + 918, + 'Zeta' + ], + [ + 919, + 'Eta' + ], + [ + 920, + 'Theta' + ], + [ + 921, + 'Iota' + ], + [ + 922, + 'Kappa' + ], + [ + 923, + 'Lambda' + ], + [ + 924, + 'Mu' + ], + [ + 925, + 'Nu' + ], + [ + 926, + 'Xi' + ], + [ + 927, + 'Omicron' + ], + [ + 928, + 'Pi' + ], + [ + 929, + 'Rho' + ], + [ + 931, + 'Sigma' + ], + [ + 932, + 'Tau' + ], + [ + 933, + 'Upsilon' + ], + [ + 934, + 'Phi' + ], + [ + 935, + 'Chi' + ], + [ + 936, + 'Psi' + ], + [ + 937, + 'Omega' + ], + [ + 945, + 'alpha' + ], + [ + 946, + 'beta' + ], + [ + 947, + 'gamma' + ], + [ + 948, + 'delta' + ], + [ + 949, + 'epsilon' + ], + [ + 950, + 'zeta' + ], + [ + 951, + 'eta' + ], + [ + 952, + 'theta' + ], + [ + 953, + 'iota' + ], + [ + 954, + 'kappa' + ], + [ + 955, + 'lambda' + ], + [ + 956, + 'mu' + ], + [ + 957, + 'nu' + ], + [ + 958, + 'xi' + ], + [ + 959, + 'omicron' + ], + [ + 960, + 'pi' + ], + [ + 961, + 'rho' + ], + [ + 962, + 'final sigma' + ], + [ + 963, + 'sigma' + ], + [ + 964, + 'tau' + ], + [ + 965, + 'upsilon' + ], + [ + 966, + 'phi' + ], + [ + 967, + 'chi' + ], + [ + 968, + 'psi' + ], + [ + 969, + 'omega' + ] + ] + }, + { + name: 'Symbols', + characters: [ + [ + 8501, + 'alef symbol' + ], + [ + 982, + 'pi symbol' + ], + [ + 8476, + 'real part symbol' + ], + [ + 978, + 'upsilon - hook symbol' + ], + [ + 8472, + 'Weierstrass p' + ], + [ + 8465, + 'imaginary part' + ] + ] + }, + { + name: 'Arrows', + characters: [ + [ + 8592, + 'leftwards arrow' + ], + [ + 8593, + 'upwards arrow' + ], + [ + 8594, + 'rightwards arrow' + ], + [ + 8595, + 'downwards arrow' + ], + [ + 8596, + 'left right arrow' + ], + [ + 8629, + 'carriage return' + ], + [ + 8656, + 'leftwards double arrow' + ], + [ + 8657, + 'upwards double arrow' + ], + [ + 8658, + 'rightwards double arrow' + ], + [ + 8659, + 'downwards double arrow' + ], + [ + 8660, + 'left right double arrow' + ], + [ + 8756, + 'therefore' + ], + [ + 8834, + 'subset of' + ], + [ + 8835, + 'superset of' + ], + [ + 8836, + 'not a subset of' + ], + [ + 8838, + 'subset of or equal to' + ], + [ + 8839, + 'superset of or equal to' + ], + [ + 8853, + 'circled plus' + ], + [ + 8855, + 'circled times' + ], + [ + 8869, + 'perpendicular' + ], + [ + 8901, + 'dot operator' + ], + [ + 8968, + 'left ceiling' + ], + [ + 8969, + 'right ceiling' + ], + [ + 8970, + 'left floor' + ], + [ + 8971, + 'right floor' + ], + [ + 9001, + 'left-pointing angle bracket' + ], + [ + 9002, + 'right-pointing angle bracket' + ], + [ + 9674, + 'lozenge' + ], + [ + 9824, + 'black spade suit' + ], + [ + 9827, + 'black club suit' + ], + [ + 9829, + 'black heart suit' + ], + [ + 9830, + 'black diamond suit' + ], + [ + 8194, + 'en space' + ], + [ + 8195, + 'em space' + ], + [ + 8201, + 'thin space' + ], + [ + 8204, + 'zero width non-joiner' + ], + [ + 8205, + 'zero width joiner' + ], + [ + 8206, + 'left-to-right mark' + ], + [ + 8207, + 'right-to-left mark' + ] + ] + } + ]; + }; + const charmapFilter = charmap => { + return global.grep(charmap, item => { + return isArray(item) && item.length === 2; + }); + }; + const getCharsFromOption = optionValue => { + if (isArray(optionValue)) { + return charmapFilter(optionValue); + } + if (typeof optionValue === 'function') { + return optionValue(); + } + return []; + }; + const extendCharMap = (editor, charmap) => { + const userCharMap = getCharMap$1(editor); + if (userCharMap) { + charmap = [{ + name: UserDefined, + characters: getCharsFromOption(userCharMap) + }]; + } + const userCharMapAppend = getCharMapAppend(editor); + if (userCharMapAppend) { + const userDefinedGroup = global.grep(charmap, cg => cg.name === UserDefined); + if (userDefinedGroup.length) { + userDefinedGroup[0].characters = [ + ...userDefinedGroup[0].characters, + ...getCharsFromOption(userCharMapAppend) + ]; + return charmap; + } + return charmap.concat({ + name: UserDefined, + characters: getCharsFromOption(userCharMapAppend) + }); + } + return charmap; + }; + const getCharMap = editor => { + const groups = extendCharMap(editor, getDefaultCharMap()); + return groups.length > 1 ? [{ + name: 'All', + characters: bind(groups, g => g.characters) + }].concat(groups) : groups; + }; + + const get = editor => { + const getCharMap$1 = () => { + return getCharMap(editor); + }; + const insertChar$1 = chr => { + insertChar(editor, chr); + }; + return { + getCharMap: getCharMap$1, + insertChar: insertChar$1 + }; + }; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + const last = (fn, rate) => { + let timer = null; + const cancel = () => { + if (!isNull(timer)) { + clearTimeout(timer); + timer = null; + } + }; + const throttle = (...args) => { + cancel(); + timer = setTimeout(() => { + timer = null; + fn.apply(null, args); + }, rate); + }; + return { + cancel, + throttle + }; + }; + + const contains = (str, substr, start = 0, end) => { + const idx = str.indexOf(substr, start); + if (idx !== -1) { + return isUndefined(end) ? true : idx + substr.length <= end; + } else { + return false; + } + }; + const fromCodePoint = String.fromCodePoint; + + const charMatches = (charCode, name, lowerCasePattern) => { + if (contains(fromCodePoint(charCode).toLowerCase(), lowerCasePattern)) { + return true; + } else { + return contains(name.toLowerCase(), lowerCasePattern) || contains(name.toLowerCase().replace(/\s+/g, ''), lowerCasePattern); + } + }; + const scan = (group, pattern) => { + const matches = []; + const lowerCasePattern = pattern.toLowerCase(); + each(group.characters, g => { + if (charMatches(g[0], g[1], lowerCasePattern)) { + matches.push(g); + } + }); + return map(matches, m => ({ + text: m[1], + value: fromCodePoint(m[0]), + icon: fromCodePoint(m[0]) + })); + }; + + const patternName = 'pattern'; + const open = (editor, charMap) => { + const makeGroupItems = () => [ + { + label: 'Search', + type: 'input', + name: patternName + }, + { + type: 'collection', + name: 'results' + } + ]; + const makeTabs = () => map(charMap, charGroup => ({ + title: charGroup.name, + name: charGroup.name, + items: makeGroupItems() + })); + const makePanel = () => ({ + type: 'panel', + items: makeGroupItems() + }); + const makeTabPanel = () => ({ + type: 'tabpanel', + tabs: makeTabs() + }); + const currentTab = charMap.length === 1 ? Cell(UserDefined) : Cell('All'); + const scanAndSet = (dialogApi, pattern) => { + find(charMap, group => group.name === currentTab.get()).each(f => { + const items = scan(f, pattern); + dialogApi.setData({ results: items }); + }); + }; + const SEARCH_DELAY = 40; + const updateFilter = last(dialogApi => { + const pattern = dialogApi.getData().pattern; + scanAndSet(dialogApi, pattern); + }, SEARCH_DELAY); + const body = charMap.length === 1 ? makePanel() : makeTabPanel(); + const initialData = { + pattern: '', + results: scan(charMap[0], '') + }; + const bridgeSpec = { + title: 'Special Character', + size: 'normal', + body, + buttons: [{ + type: 'cancel', + name: 'close', + text: 'Close', + primary: true + }], + initialData, + onAction: (api, details) => { + if (details.name === 'results') { + insertChar(editor, details.value); + api.close(); + } + }, + onTabChange: (dialogApi, details) => { + currentTab.set(details.newTabName); + updateFilter.throttle(dialogApi); + }, + onChange: (dialogApi, changeData) => { + if (changeData.name === patternName) { + updateFilter.throttle(dialogApi); + } + } + }; + const dialogApi = editor.windowManager.open(bridgeSpec); + dialogApi.focus(patternName); + }; + + const register$1 = (editor, charMap) => { + editor.addCommand('mceShowCharmap', () => { + open(editor, charMap); + }); + }; + + const init = (editor, all) => { + editor.ui.registry.addAutocompleter('charmap', { + trigger: ':', + columns: 'auto', + minChars: 2, + fetch: (pattern, _maxResults) => new Promise((resolve, _reject) => { + resolve(scan(all, pattern)); + }), + onAction: (autocompleteApi, rng, value) => { + editor.selection.setRng(rng); + editor.insertContent(value); + autocompleteApi.hide(); + } + }); + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const onAction = () => editor.execCommand('mceShowCharmap'); + editor.ui.registry.addButton('charmap', { + icon: 'insert-character', + tooltip: 'Special character', + onAction, + onSetup: onSetupEditable(editor) + }); + editor.ui.registry.addMenuItem('charmap', { + icon: 'insert-character', + text: 'Special character...', + onAction, + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$1.add('charmap', editor => { + register$2(editor); + const charMap = getCharMap(editor); + register$1(editor, charMap); + register(editor); + init(editor, charMap[0]); + return get(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/charmap/plugin.min.js b/deform/static/tinymce/plugins/charmap/plugin.min.js index dff18e6e..8d2431cd 100644 --- a/deform/static/tinymce/plugins/charmap/plugin.min.js +++ b/deform/static/tinymce/plugins/charmap/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("charmap",function(e){function t(){function t(e){for(;e;){if("TD"==e.nodeName)return e;e=e.parentNode}}var i,a,r,o;i='';var s=25;for(r=0;10>r;r++){for(i+="",a=0;s>a;a++){var l=n[r*s+a],c="g"+(r*s+a);i+='"}i+=""}i+="";var u={type:"container",html:i,onclick:function(t){var n=t.target;"DIV"==n.nodeName&&e.execCommand("mceInsertContent",!1,n.firstChild.nodeValue)},onmouseover:function(e){var n=t(e.target);n&&o.find("#preview").text(n.firstChild.firstChild.data)}};o=e.windowManager.open({title:"Special character",spacing:10,padding:10,items:[u,{type:"label",name:"preview",text:" ",style:"font-size: 40px; text-align: center",border:1,minWidth:100,minHeight:80}],buttons:[{text:"Close",onclick:function(){o.close()}}]})}var n=[["160","no-break space"],["38","ampersand"],["34","quotation mark"],["162","cent sign"],["8364","euro sign"],["163","pound sign"],["165","yen sign"],["169","copyright sign"],["174","registered sign"],["8482","trade mark sign"],["8240","per mille sign"],["181","micro sign"],["183","middle dot"],["8226","bullet"],["8230","three dot leader"],["8242","minutes / feet"],["8243","seconds / inches"],["167","section sign"],["182","paragraph sign"],["223","sharp s / ess-zed"],["8249","single left-pointing angle quotation mark"],["8250","single right-pointing angle quotation mark"],["171","left pointing guillemet"],["187","right pointing guillemet"],["8216","left single quotation mark"],["8217","right single quotation mark"],["8220","left double quotation mark"],["8221","right double quotation mark"],["8218","single low-9 quotation mark"],["8222","double low-9 quotation mark"],["60","less-than sign"],["62","greater-than sign"],["8804","less-than or equal to"],["8805","greater-than or equal to"],["8211","en dash"],["8212","em dash"],["175","macron"],["8254","overline"],["164","currency sign"],["166","broken bar"],["168","diaeresis"],["161","inverted exclamation mark"],["191","turned question mark"],["710","circumflex accent"],["732","small tilde"],["176","degree sign"],["8722","minus sign"],["177","plus-minus sign"],["247","division sign"],["8260","fraction slash"],["215","multiplication sign"],["185","superscript one"],["178","superscript two"],["179","superscript three"],["188","fraction one quarter"],["189","fraction one half"],["190","fraction three quarters"],["402","function / florin"],["8747","integral"],["8721","n-ary sumation"],["8734","infinity"],["8730","square root"],["8764","similar to"],["8773","approximately equal to"],["8776","almost equal to"],["8800","not equal to"],["8801","identical to"],["8712","element of"],["8713","not an element of"],["8715","contains as member"],["8719","n-ary product"],["8743","logical and"],["8744","logical or"],["172","not sign"],["8745","intersection"],["8746","union"],["8706","partial differential"],["8704","for all"],["8707","there exists"],["8709","diameter"],["8711","backward difference"],["8727","asterisk operator"],["8733","proportional to"],["8736","angle"],["180","acute accent"],["184","cedilla"],["170","feminine ordinal indicator"],["186","masculine ordinal indicator"],["8224","dagger"],["8225","double dagger"],["192","A - grave"],["193","A - acute"],["194","A - circumflex"],["195","A - tilde"],["196","A - diaeresis"],["197","A - ring above"],["198","ligature AE"],["199","C - cedilla"],["200","E - grave"],["201","E - acute"],["202","E - circumflex"],["203","E - diaeresis"],["204","I - grave"],["205","I - acute"],["206","I - circumflex"],["207","I - diaeresis"],["208","ETH"],["209","N - tilde"],["210","O - grave"],["211","O - acute"],["212","O - circumflex"],["213","O - tilde"],["214","O - diaeresis"],["216","O - slash"],["338","ligature OE"],["352","S - caron"],["217","U - grave"],["218","U - acute"],["219","U - circumflex"],["220","U - diaeresis"],["221","Y - acute"],["376","Y - diaeresis"],["222","THORN"],["224","a - grave"],["225","a - acute"],["226","a - circumflex"],["227","a - tilde"],["228","a - diaeresis"],["229","a - ring above"],["230","ligature ae"],["231","c - cedilla"],["232","e - grave"],["233","e - acute"],["234","e - circumflex"],["235","e - diaeresis"],["236","i - grave"],["237","i - acute"],["238","i - circumflex"],["239","i - diaeresis"],["240","eth"],["241","n - tilde"],["242","o - grave"],["243","o - acute"],["244","o - circumflex"],["245","o - tilde"],["246","o - diaeresis"],["248","o slash"],["339","ligature oe"],["353","s - caron"],["249","u - grave"],["250","u - acute"],["251","u - circumflex"],["252","u - diaeresis"],["253","y - acute"],["254","thorn"],["255","y - diaeresis"],["913","Alpha"],["914","Beta"],["915","Gamma"],["916","Delta"],["917","Epsilon"],["918","Zeta"],["919","Eta"],["920","Theta"],["921","Iota"],["922","Kappa"],["923","Lambda"],["924","Mu"],["925","Nu"],["926","Xi"],["927","Omicron"],["928","Pi"],["929","Rho"],["931","Sigma"],["932","Tau"],["933","Upsilon"],["934","Phi"],["935","Chi"],["936","Psi"],["937","Omega"],["945","alpha"],["946","beta"],["947","gamma"],["948","delta"],["949","epsilon"],["950","zeta"],["951","eta"],["952","theta"],["953","iota"],["954","kappa"],["955","lambda"],["956","mu"],["957","nu"],["958","xi"],["959","omicron"],["960","pi"],["961","rho"],["962","final sigma"],["963","sigma"],["964","tau"],["965","upsilon"],["966","phi"],["967","chi"],["968","psi"],["969","omega"],["8501","alef symbol"],["982","pi symbol"],["8476","real part symbol"],["978","upsilon - hook symbol"],["8472","Weierstrass p"],["8465","imaginary part"],["8592","leftwards arrow"],["8593","upwards arrow"],["8594","rightwards arrow"],["8595","downwards arrow"],["8596","left right arrow"],["8629","carriage return"],["8656","leftwards double arrow"],["8657","upwards double arrow"],["8658","rightwards double arrow"],["8659","downwards double arrow"],["8660","left right double arrow"],["8756","therefore"],["8834","subset of"],["8835","superset of"],["8836","not a subset of"],["8838","subset of or equal to"],["8839","superset of or equal to"],["8853","circled plus"],["8855","circled times"],["8869","perpendicular"],["8901","dot operator"],["8968","left ceiling"],["8969","right ceiling"],["8970","left floor"],["8971","right floor"],["9001","left-pointing angle bracket"],["9002","right-pointing angle bracket"],["9674","lozenge"],["9824","black spade suit"],["9827","black club suit"],["9829","black heart suit"],["9830","black diamond suit"],["8194","en space"],["8195","em space"],["8201","thin space"],["8204","zero width non-joiner"],["8205","zero width joiner"],["8206","left-to-right mark"],["8207","right-to-left mark"],["173","soft hyphen"]];e.addButton("charmap",{icon:"charmap",tooltip:"Special character",onclick:t}),e.addMenuItem("charmap",{icon:"charmap",text:"Special character",onclick:t,context:"insert"})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=(e,t)=>{const r=((e,t)=>e.dispatch("insertCustomChar",{chr:t}))(e,t).chr;e.execCommand("mceInsertContent",!1,r)},r=e=>t=>e===t,a=("array",e=>"array"===(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(r=a=e,(n=String).prototype.isPrototypeOf(r)||(null===(i=a.constructor)||void 0===i?void 0:i.name)===n.name)?"string":t;var r,a,n,i})(e));const n=r(null),i=r(void 0),o=e=>"function"==typeof e,s=(!1,()=>false);class l{constructor(e,t){this.tag=e,this.value=t}static some(e){return new l(!0,e)}static none(){return l.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?l.some(e(this.value)):l.none()}bind(e){return this.tag?e(this.value):l.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:l.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return null==e?l.none():l.some(e)}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}l.singletonNone=new l(!1);const c=Array.prototype.push,u=(e,t)=>{const r=e.length,a=new Array(r);for(let n=0;nt=>t.options.get(e),m=h("charmap"),p=h("charmap_append"),d=g.isArray,f="User Defined",y=e=>{return d(e)?(t=e,g.grep(t,(e=>d(e)&&2===e.length))):"function"==typeof e?e():[];var t},b=e=>{const t=((e,t)=>{const r=m(e);r&&(t=[{name:f,characters:y(r)}]);const a=p(e);if(a){const e=g.grep(t,(e=>e.name===f));return e.length?(e[0].characters=[...e[0].characters,...y(a)],t):t.concat({name:f,characters:y(a)})}return t})(e,[{name:"Currency",characters:[[36,"dollar sign"],[162,"cent sign"],[8364,"euro sign"],[163,"pound sign"],[165,"yen sign"],[164,"currency sign"],[8352,"euro-currency sign"],[8353,"colon sign"],[8354,"cruzeiro sign"],[8355,"french franc sign"],[8356,"lira sign"],[8357,"mill sign"],[8358,"naira sign"],[8359,"peseta sign"],[8360,"rupee sign"],[8361,"won sign"],[8362,"new sheqel sign"],[8363,"dong sign"],[8365,"kip sign"],[8366,"tugrik sign"],[8367,"drachma sign"],[8368,"german penny symbol"],[8369,"peso sign"],[8370,"guarani sign"],[8371,"austral sign"],[8372,"hryvnia sign"],[8373,"cedi sign"],[8374,"livre tournois sign"],[8375,"spesmilo sign"],[8376,"tenge sign"],[8377,"indian rupee sign"],[8378,"turkish lira sign"],[8379,"nordic mark sign"],[8380,"manat sign"],[8381,"ruble sign"],[20870,"yen character"],[20803,"yuan character"],[22291,"yuan character, in hong kong and taiwan"],[22278,"yen/yuan character variant one"]]},{name:"Text",characters:[[169,"copyright sign"],[174,"registered sign"],[8482,"trade mark sign"],[8240,"per mille sign"],[181,"micro sign"],[183,"middle dot"],[8226,"bullet"],[8230,"three dot leader"],[8242,"minutes / feet"],[8243,"seconds / inches"],[167,"section sign"],[182,"paragraph sign"],[223,"sharp s / ess-zed"]]},{name:"Quotations",characters:[[8249,"single left-pointing angle quotation mark"],[8250,"single right-pointing angle quotation mark"],[171,"left pointing guillemet"],[187,"right pointing guillemet"],[8216,"left single quotation mark"],[8217,"right single quotation mark"],[8220,"left double quotation mark"],[8221,"right double quotation mark"],[8218,"single low-9 quotation mark"],[8222,"double low-9 quotation mark"],[60,"less-than sign"],[62,"greater-than sign"],[8804,"less-than or equal to"],[8805,"greater-than or equal to"],[8211,"en dash"],[8212,"em dash"],[175,"macron"],[8254,"overline"],[164,"currency sign"],[166,"broken bar"],[168,"diaeresis"],[161,"inverted exclamation mark"],[191,"turned question mark"],[710,"circumflex accent"],[732,"small tilde"],[176,"degree sign"],[8722,"minus sign"],[177,"plus-minus sign"],[247,"division sign"],[8260,"fraction slash"],[215,"multiplication sign"],[185,"superscript one"],[178,"superscript two"],[179,"superscript three"],[188,"fraction one quarter"],[189,"fraction one half"],[190,"fraction three quarters"]]},{name:"Mathematical",characters:[[402,"function / florin"],[8747,"integral"],[8721,"n-ary sumation"],[8734,"infinity"],[8730,"square root"],[8764,"similar to"],[8773,"approximately equal to"],[8776,"almost equal to"],[8800,"not equal to"],[8801,"identical to"],[8712,"element of"],[8713,"not an element of"],[8715,"contains as member"],[8719,"n-ary product"],[8743,"logical and"],[8744,"logical or"],[172,"not sign"],[8745,"intersection"],[8746,"union"],[8706,"partial differential"],[8704,"for all"],[8707,"there exists"],[8709,"diameter"],[8711,"backward difference"],[8727,"asterisk operator"],[8733,"proportional to"],[8736,"angle"]]},{name:"Extended Latin",characters:[[192,"A - grave"],[193,"A - acute"],[194,"A - circumflex"],[195,"A - tilde"],[196,"A - diaeresis"],[197,"A - ring above"],[256,"A - macron"],[198,"ligature AE"],[199,"C - cedilla"],[200,"E - grave"],[201,"E - acute"],[202,"E - circumflex"],[203,"E - diaeresis"],[274,"E - macron"],[204,"I - grave"],[205,"I - acute"],[206,"I - circumflex"],[207,"I - diaeresis"],[298,"I - macron"],[208,"ETH"],[209,"N - tilde"],[210,"O - grave"],[211,"O - acute"],[212,"O - circumflex"],[213,"O - tilde"],[214,"O - diaeresis"],[216,"O - slash"],[332,"O - macron"],[338,"ligature OE"],[352,"S - caron"],[217,"U - grave"],[218,"U - acute"],[219,"U - circumflex"],[220,"U - diaeresis"],[362,"U - macron"],[221,"Y - acute"],[376,"Y - diaeresis"],[562,"Y - macron"],[222,"THORN"],[224,"a - grave"],[225,"a - acute"],[226,"a - circumflex"],[227,"a - tilde"],[228,"a - diaeresis"],[229,"a - ring above"],[257,"a - macron"],[230,"ligature ae"],[231,"c - cedilla"],[232,"e - grave"],[233,"e - acute"],[234,"e - circumflex"],[235,"e - diaeresis"],[275,"e - macron"],[236,"i - grave"],[237,"i - acute"],[238,"i - circumflex"],[239,"i - diaeresis"],[299,"i - macron"],[240,"eth"],[241,"n - tilde"],[242,"o - grave"],[243,"o - acute"],[244,"o - circumflex"],[245,"o - tilde"],[246,"o - diaeresis"],[248,"o slash"],[333,"o macron"],[339,"ligature oe"],[353,"s - caron"],[249,"u - grave"],[250,"u - acute"],[251,"u - circumflex"],[252,"u - diaeresis"],[363,"u - macron"],[253,"y - acute"],[254,"thorn"],[255,"y - diaeresis"],[563,"y - macron"],[913,"Alpha"],[914,"Beta"],[915,"Gamma"],[916,"Delta"],[917,"Epsilon"],[918,"Zeta"],[919,"Eta"],[920,"Theta"],[921,"Iota"],[922,"Kappa"],[923,"Lambda"],[924,"Mu"],[925,"Nu"],[926,"Xi"],[927,"Omicron"],[928,"Pi"],[929,"Rho"],[931,"Sigma"],[932,"Tau"],[933,"Upsilon"],[934,"Phi"],[935,"Chi"],[936,"Psi"],[937,"Omega"],[945,"alpha"],[946,"beta"],[947,"gamma"],[948,"delta"],[949,"epsilon"],[950,"zeta"],[951,"eta"],[952,"theta"],[953,"iota"],[954,"kappa"],[955,"lambda"],[956,"mu"],[957,"nu"],[958,"xi"],[959,"omicron"],[960,"pi"],[961,"rho"],[962,"final sigma"],[963,"sigma"],[964,"tau"],[965,"upsilon"],[966,"phi"],[967,"chi"],[968,"psi"],[969,"omega"]]},{name:"Symbols",characters:[[8501,"alef symbol"],[982,"pi symbol"],[8476,"real part symbol"],[978,"upsilon - hook symbol"],[8472,"Weierstrass p"],[8465,"imaginary part"]]},{name:"Arrows",characters:[[8592,"leftwards arrow"],[8593,"upwards arrow"],[8594,"rightwards arrow"],[8595,"downwards arrow"],[8596,"left right arrow"],[8629,"carriage return"],[8656,"leftwards double arrow"],[8657,"upwards double arrow"],[8658,"rightwards double arrow"],[8659,"downwards double arrow"],[8660,"left right double arrow"],[8756,"therefore"],[8834,"subset of"],[8835,"superset of"],[8836,"not a subset of"],[8838,"subset of or equal to"],[8839,"superset of or equal to"],[8853,"circled plus"],[8855,"circled times"],[8869,"perpendicular"],[8901,"dot operator"],[8968,"left ceiling"],[8969,"right ceiling"],[8970,"left floor"],[8971,"right floor"],[9001,"left-pointing angle bracket"],[9002,"right-pointing angle bracket"],[9674,"lozenge"],[9824,"black spade suit"],[9827,"black club suit"],[9829,"black heart suit"],[9830,"black diamond suit"],[8194,"en space"],[8195,"em space"],[8201,"thin space"],[8204,"zero width non-joiner"],[8205,"zero width joiner"],[8206,"left-to-right mark"],[8207,"right-to-left mark"]]}]);return t.length>1?[{name:"All",characters:(r=t,n=e=>e.characters,(e=>{const t=[];for(let r=0,n=e.length;r{let t=e;return{get:()=>t,set:e=>{t=e}}},v=(e,t,r=0,a)=>{const n=e.indexOf(t,r);return-1!==n&&(!!i(a)||n+t.length<=a)},k=String.fromCodePoint,C=(e,t)=>{const r=[],a=t.toLowerCase();return((e,t)=>{for(let t=0,i=e.length;t!!v(k(e).toLowerCase(),r)||v(t.toLowerCase(),r)||v(t.toLowerCase().replace(/\s+/g,""),r))((n=e[t])[0],n[1],a)&&r.push(n);var n})(e.characters),u(r,(e=>({text:e[1],value:k(e[0]),icon:k(e[0])})))},x="pattern",A=(e,r)=>{const a=()=>[{label:"Search",type:"input",name:x},{type:"collection",name:"results"}],i=1===r.length?w(f):w("All"),o=((e,t)=>{let r=null;const a=()=>{n(r)||(clearTimeout(r),r=null)};return{cancel:a,throttle:(...t)=>{a(),r=setTimeout((()=>{r=null,e.apply(null,t)}),40)}}})((e=>{const t=e.getData().pattern;((e,t)=>{var a,n;(a=r,n=e=>e.name===i.get(),((e,t,r)=>{for(let a=0,n=e.length;a{const a=C(r,t);e.setData({results:a})}))})(e,t)})),c={title:"Special Character",size:"normal",body:1===r.length?{type:"panel",items:a()}:{type:"tabpanel",tabs:u(r,(e=>({title:e.name,name:e.name,items:a()})))},buttons:[{type:"cancel",name:"close",text:"Close",primary:!0}],initialData:{pattern:"",results:C(r[0],"")},onAction:(r,a)=>{"results"===a.name&&(t(e,a.value),r.close())},onTabChange:(e,t)=>{i.set(t.newTabName),o.throttle(e)},onChange:(e,t)=>{t.name===x&&o.throttle(e)}};e.windowManager.open(c).focus(x)},q=e=>t=>{const r=()=>{t.setEnabled(e.selection.isEditable())};return e.on("NodeChange",r),r(),()=>{e.off("NodeChange",r)}};e.add("charmap",(e=>{(e=>{const t=e.options.register,r=e=>o(e)||a(e);t("charmap",{processor:r}),t("charmap_append",{processor:r})})(e);const r=b(e);return((e,t)=>{e.addCommand("mceShowCharmap",(()=>{A(e,t)}))})(e,r),(e=>{const t=()=>e.execCommand("mceShowCharmap");e.ui.registry.addButton("charmap",{icon:"insert-character",tooltip:"Special character",onAction:t,onSetup:q(e)}),e.ui.registry.addMenuItem("charmap",{icon:"insert-character",text:"Special character...",onAction:t,onSetup:q(e)})})(e),((e,t)=>{e.ui.registry.addAutocompleter("charmap",{trigger:":",columns:"auto",minChars:2,fetch:(e,r)=>new Promise(((r,a)=>{r(C(t,e))})),onAction:(t,r,a)=>{e.selection.setRng(r),e.insertContent(a),t.hide()}})})(e,r[0]),(e=>({getCharMap:()=>b(e),insertChar:r=>{t(e,r)}}))(e)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/code/index.js b/deform/static/tinymce/plugins/code/index.js new file mode 100644 index 00000000..1e412f35 --- /dev/null +++ b/deform/static/tinymce/plugins/code/index.js @@ -0,0 +1,7 @@ +// Exports the "code" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/code') +// ES2015: +// import 'tinymce/plugins/code' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/code/plugin.js b/deform/static/tinymce/plugins/code/plugin.js new file mode 100644 index 00000000..06ced185 --- /dev/null +++ b/deform/static/tinymce/plugins/code/plugin.js @@ -0,0 +1,85 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const setContent = (editor, html) => { + editor.focus(); + editor.undoManager.transact(() => { + editor.setContent(html); + }); + editor.selection.setCursorLocation(); + editor.nodeChanged(); + }; + const getContent = editor => { + return editor.getContent({ source_view: true }); + }; + + const open = editor => { + const editorContent = getContent(editor); + editor.windowManager.open({ + title: 'Source Code', + size: 'large', + body: { + type: 'panel', + items: [{ + type: 'textarea', + name: 'code' + }] + }, + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + initialData: { code: editorContent }, + onSubmit: api => { + setContent(editor, api.getData().code); + api.close(); + } + }); + }; + + const register$1 = editor => { + editor.addCommand('mceCodeEditor', () => { + open(editor); + }); + }; + + const register = editor => { + const onAction = () => editor.execCommand('mceCodeEditor'); + editor.ui.registry.addButton('code', { + icon: 'sourcecode', + tooltip: 'Source code', + onAction + }); + editor.ui.registry.addMenuItem('code', { + icon: 'sourcecode', + text: 'Source code', + onAction + }); + }; + + var Plugin = () => { + global.add('code', editor => { + register$1(editor); + register(editor); + return {}; + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/code/plugin.min.js b/deform/static/tinymce/plugins/code/plugin.min.js index 4f16d641..1931a475 100644 --- a/deform/static/tinymce/plugins/code/plugin.min.js +++ b/deform/static/tinymce/plugins/code/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("code",function(e){function o(){e.windowManager.open({title:"Source code",body:{type:"textbox",name:"code",multiline:!0,minWidth:e.getParam("code_dialog_width",600),minHeight:e.getParam("code_dialog_height",Math.min(tinymce.DOM.getViewPort().h-200,500)),value:e.getContent({source_view:!0}),spellcheck:!1},onSubmit:function(o){e.undoManager.transact(function(){e.setContent(o.data.code)}),e.nodeChanged()}})}e.addCommand("mceCodeEditor",o),e.addButton("code",{icon:"code",tooltip:"Source code",onclick:o}),e.addMenuItem("code",{icon:"code",text:"Source code",context:"tools",onclick:o})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";tinymce.util.Tools.resolve("tinymce.PluginManager").add("code",(e=>((e=>{e.addCommand("mceCodeEditor",(()=>{(e=>{const o=(e=>e.getContent({source_view:!0}))(e);e.windowManager.open({title:"Source Code",size:"large",body:{type:"panel",items:[{type:"textarea",name:"code"}]},buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],initialData:{code:o},onSubmit:o=>{((e,o)=>{e.focus(),e.undoManager.transact((()=>{e.setContent(o)})),e.selection.setCursorLocation(),e.nodeChanged()})(e,o.getData().code),o.close()}})})(e)}))})(e),(e=>{const o=()=>e.execCommand("mceCodeEditor");e.ui.registry.addButton("code",{icon:"sourcecode",tooltip:"Source code",onAction:o}),e.ui.registry.addMenuItem("code",{icon:"sourcecode",text:"Source code",onAction:o})})(e),{})))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/codesample/index.js b/deform/static/tinymce/plugins/codesample/index.js new file mode 100644 index 00000000..c400ec3d --- /dev/null +++ b/deform/static/tinymce/plugins/codesample/index.js @@ -0,0 +1,7 @@ +// Exports the "codesample" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/codesample') +// ES2015: +// import 'tinymce/plugins/codesample' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/codesample/plugin.js b/deform/static/tinymce/plugins/codesample/plugin.js new file mode 100644 index 00000000..1416357a --- /dev/null +++ b/deform/static/tinymce/plugins/codesample/plugin.js @@ -0,0 +1,2463 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$2 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + + const noop = () => { + }; + const constant = value => { + return () => { + return value; + }; + }; + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const get$1 = (xs, i) => i >= 0 && i < xs.length ? Optional.some(xs[i]) : Optional.none(); + const head = xs => get$1(xs, 0); + + var global$1 = tinymce.util.Tools.resolve('tinymce.dom.DOMUtils'); + + const Global = typeof window !== 'undefined' ? window : Function('return this;')(); + + const prismjs = function (global, module, exports) { + const oldprism = window.Prism; + window.Prism = { manual: true }; + var _self = typeof window !== 'undefined' ? window : typeof WorkerGlobalScope !== 'undefined' && self instanceof WorkerGlobalScope ? self : {}; + var Prism = function (_self) { + var lang = /(?:^|\s)lang(?:uage)?-([\w-]+)(?=\s|$)/i; + var uniqueId = 0; + var plainTextGrammar = {}; + var _ = { + manual: _self.Prism && _self.Prism.manual, + disableWorkerMessageHandler: _self.Prism && _self.Prism.disableWorkerMessageHandler, + util: { + encode: function encode(tokens) { + if (tokens instanceof Token) { + return new Token(tokens.type, encode(tokens.content), tokens.alias); + } else if (Array.isArray(tokens)) { + return tokens.map(encode); + } else { + return tokens.replace(/&/g, '&').replace(/' + env.content + ''; + }; + function matchPattern(pattern, pos, text, lookbehind) { + pattern.lastIndex = pos; + var match = pattern.exec(text); + if (match && lookbehind && match[1]) { + var lookbehindLength = match[1].length; + match.index += lookbehindLength; + match[0] = match[0].slice(lookbehindLength); + } + return match; + } + function matchGrammar(text, tokenList, grammar, startNode, startPos, rematch) { + for (var token in grammar) { + if (!grammar.hasOwnProperty(token) || !grammar[token]) { + continue; + } + var patterns = grammar[token]; + patterns = Array.isArray(patterns) ? patterns : [patterns]; + for (var j = 0; j < patterns.length; ++j) { + if (rematch && rematch.cause == token + ',' + j) { + return; + } + var patternObj = patterns[j]; + var inside = patternObj.inside; + var lookbehind = !!patternObj.lookbehind; + var greedy = !!patternObj.greedy; + var alias = patternObj.alias; + if (greedy && !patternObj.pattern.global) { + var flags = patternObj.pattern.toString().match(/[imsuy]*$/)[0]; + patternObj.pattern = RegExp(patternObj.pattern.source, flags + 'g'); + } + var pattern = patternObj.pattern || patternObj; + for (var currentNode = startNode.next, pos = startPos; currentNode !== tokenList.tail; pos += currentNode.value.length, currentNode = currentNode.next) { + if (rematch && pos >= rematch.reach) { + break; + } + var str = currentNode.value; + if (tokenList.length > text.length) { + return; + } + if (str instanceof Token) { + continue; + } + var removeCount = 1; + var match; + if (greedy) { + match = matchPattern(pattern, pos, text, lookbehind); + if (!match || match.index >= text.length) { + break; + } + var from = match.index; + var to = match.index + match[0].length; + var p = pos; + p += currentNode.value.length; + while (from >= p) { + currentNode = currentNode.next; + p += currentNode.value.length; + } + p -= currentNode.value.length; + pos = p; + if (currentNode.value instanceof Token) { + continue; + } + for (var k = currentNode; k !== tokenList.tail && (p < to || typeof k.value === 'string'); k = k.next) { + removeCount++; + p += k.value.length; + } + removeCount--; + str = text.slice(pos, p); + match.index -= pos; + } else { + match = matchPattern(pattern, 0, str, lookbehind); + if (!match) { + continue; + } + } + var from = match.index; + var matchStr = match[0]; + var before = str.slice(0, from); + var after = str.slice(from + matchStr.length); + var reach = pos + str.length; + if (rematch && reach > rematch.reach) { + rematch.reach = reach; + } + var removeFrom = currentNode.prev; + if (before) { + removeFrom = addAfter(tokenList, removeFrom, before); + pos += before.length; + } + removeRange(tokenList, removeFrom, removeCount); + var wrapped = new Token(token, inside ? _.tokenize(matchStr, inside) : matchStr, alias, matchStr); + currentNode = addAfter(tokenList, removeFrom, wrapped); + if (after) { + addAfter(tokenList, currentNode, after); + } + if (removeCount > 1) { + var nestedRematch = { + cause: token + ',' + j, + reach: reach + }; + matchGrammar(text, tokenList, grammar, currentNode.prev, pos, nestedRematch); + if (rematch && nestedRematch.reach > rematch.reach) { + rematch.reach = nestedRematch.reach; + } + } + } + } + } + } + function LinkedList() { + var head = { + value: null, + prev: null, + next: null + }; + var tail = { + value: null, + prev: head, + next: null + }; + head.next = tail; + this.head = head; + this.tail = tail; + this.length = 0; + } + function addAfter(list, node, value) { + var next = node.next; + var newNode = { + value: value, + prev: node, + next: next + }; + node.next = newNode; + next.prev = newNode; + list.length++; + return newNode; + } + function removeRange(list, node, count) { + var next = node.next; + for (var i = 0; i < count && next !== list.tail; i++) { + next = next.next; + } + node.next = next; + next.prev = node; + list.length -= i; + } + function toArray(list) { + var array = []; + var node = list.head.next; + while (node !== list.tail) { + array.push(node.value); + node = node.next; + } + return array; + } + if (!_self.document) { + if (!_self.addEventListener) { + return _; + } + if (!_.disableWorkerMessageHandler) { + _self.addEventListener('message', function (evt) { + var message = JSON.parse(evt.data); + var lang = message.language; + var code = message.code; + var immediateClose = message.immediateClose; + _self.postMessage(_.highlight(code, _.languages[lang], lang)); + if (immediateClose) { + _self.close(); + } + }, false); + } + return _; + } + var script = _.util.currentScript(); + if (script) { + _.filename = script.src; + if (script.hasAttribute('data-manual')) { + _.manual = true; + } + } + function highlightAutomaticallyCallback() { + if (!_.manual) { + _.highlightAll(); + } + } + if (!_.manual) { + var readyState = document.readyState; + if (readyState === 'loading' || readyState === 'interactive' && script && script.defer) { + document.addEventListener('DOMContentLoaded', highlightAutomaticallyCallback); + } else { + if (window.requestAnimationFrame) { + window.requestAnimationFrame(highlightAutomaticallyCallback); + } else { + window.setTimeout(highlightAutomaticallyCallback, 16); + } + } + } + return _; + }(_self); + if (typeof module !== 'undefined' && module.exports) { + module.exports = Prism; + } + if (typeof global !== 'undefined') { + global.Prism = Prism; + } + Prism.languages.clike = { + 'comment': [ + { + pattern: /(^|[^\\])\/\*[\s\S]*?(?:\*\/|$)/, + lookbehind: true, + greedy: true + }, + { + pattern: /(^|[^\\:])\/\/.*/, + lookbehind: true, + greedy: true + } + ], + 'string': { + pattern: /(["'])(?:\\(?:\r\n|[\s\S])|(?!\1)[^\\\r\n])*\1/, + greedy: true + }, + 'class-name': { + pattern: /(\b(?:class|extends|implements|instanceof|interface|new|trait)\s+|\bcatch\s+\()[\w.\\]+/i, + lookbehind: true, + inside: { 'punctuation': /[.\\]/ } + }, + 'keyword': /\b(?:break|catch|continue|do|else|finally|for|function|if|in|instanceof|new|null|return|throw|try|while)\b/, + 'boolean': /\b(?:false|true)\b/, + 'function': /\b\w+(?=\()/, + 'number': /\b0x[\da-f]+\b|(?:\b\d+(?:\.\d*)?|\B\.\d+)(?:e[+-]?\d+)?/i, + 'operator': /[<>]=?|[!=]=?=?|--?|\+\+?|&&?|\|\|?|[?*/~^%]/, + 'punctuation': /[{}[\];(),.:]/ + }; + (function (Prism) { + function getPlaceholder(language, index) { + return '___' + language.toUpperCase() + index + '___'; + } + Object.defineProperties(Prism.languages['markup-templating'] = {}, { + buildPlaceholders: { + value: function (env, language, placeholderPattern, replaceFilter) { + if (env.language !== language) { + return; + } + var tokenStack = env.tokenStack = []; + env.code = env.code.replace(placeholderPattern, function (match) { + if (typeof replaceFilter === 'function' && !replaceFilter(match)) { + return match; + } + var i = tokenStack.length; + var placeholder; + while (env.code.indexOf(placeholder = getPlaceholder(language, i)) !== -1) { + ++i; + } + tokenStack[i] = match; + return placeholder; + }); + env.grammar = Prism.languages.markup; + } + }, + tokenizePlaceholders: { + value: function (env, language) { + if (env.language !== language || !env.tokenStack) { + return; + } + env.grammar = Prism.languages[language]; + var j = 0; + var keys = Object.keys(env.tokenStack); + function walkTokens(tokens) { + for (var i = 0; i < tokens.length; i++) { + if (j >= keys.length) { + break; + } + var token = tokens[i]; + if (typeof token === 'string' || token.content && typeof token.content === 'string') { + var k = keys[j]; + var t = env.tokenStack[k]; + var s = typeof token === 'string' ? token : token.content; + var placeholder = getPlaceholder(language, k); + var index = s.indexOf(placeholder); + if (index > -1) { + ++j; + var before = s.substring(0, index); + var middle = new Prism.Token(language, Prism.tokenize(t, env.grammar), 'language-' + language, t); + var after = s.substring(index + placeholder.length); + var replacement = []; + if (before) { + replacement.push.apply(replacement, walkTokens([before])); + } + replacement.push(middle); + if (after) { + replacement.push.apply(replacement, walkTokens([after])); + } + if (typeof token === 'string') { + tokens.splice.apply(tokens, [ + i, + 1 + ].concat(replacement)); + } else { + token.content = replacement; + } + } + } else if (token.content) { + walkTokens(token.content); + } + } + return tokens; + } + walkTokens(env.tokens); + } + } + }); + }(Prism)); + Prism.languages.c = Prism.languages.extend('clike', { + 'comment': { + pattern: /\/\/(?:[^\r\n\\]|\\(?:\r\n?|\n|(?![\r\n])))*|\/\*[\s\S]*?(?:\*\/|$)/, + greedy: true + }, + 'string': { + pattern: /"(?:\\(?:\r\n|[\s\S])|[^"\\\r\n])*"/, + greedy: true + }, + 'class-name': { + pattern: /(\b(?:enum|struct)\s+(?:__attribute__\s*\(\([\s\S]*?\)\)\s*)?)\w+|\b[a-z]\w*_t\b/, + lookbehind: true + }, + 'keyword': /\b(?:_Alignas|_Alignof|_Atomic|_Bool|_Complex|_Generic|_Imaginary|_Noreturn|_Static_assert|_Thread_local|__attribute__|asm|auto|break|case|char|const|continue|default|do|double|else|enum|extern|float|for|goto|if|inline|int|long|register|return|short|signed|sizeof|static|struct|switch|typedef|typeof|union|unsigned|void|volatile|while)\b/, + 'function': /\b[a-z_]\w*(?=\s*\()/i, + 'number': /(?:\b0x(?:[\da-f]+(?:\.[\da-f]*)?|\.[\da-f]+)(?:p[+-]?\d+)?|(?:\b\d+(?:\.\d*)?|\B\.\d+)(?:e[+-]?\d+)?)[ful]{0,4}/i, + 'operator': />>=?|<<=?|->|([-+&|:])\1|[?:~]|[-+*/%&|^!=<>]=?/ + }); + Prism.languages.insertBefore('c', 'string', { + 'char': { + pattern: /'(?:\\(?:\r\n|[\s\S])|[^'\\\r\n]){0,32}'/, + greedy: true + } + }); + Prism.languages.insertBefore('c', 'string', { + 'macro': { + pattern: /(^[\t ]*)#\s*[a-z](?:[^\r\n\\/]|\/(?!\*)|\/\*(?:[^*]|\*(?!\/))*\*\/|\\(?:\r\n|[\s\S]))*/im, + lookbehind: true, + greedy: true, + alias: 'property', + inside: { + 'string': [ + { + pattern: /^(#\s*include\s*)<[^>]+>/, + lookbehind: true + }, + Prism.languages.c['string'] + ], + 'char': Prism.languages.c['char'], + 'comment': Prism.languages.c['comment'], + 'macro-name': [ + { + pattern: /(^#\s*define\s+)\w+\b(?!\()/i, + lookbehind: true + }, + { + pattern: /(^#\s*define\s+)\w+\b(?=\()/i, + lookbehind: true, + alias: 'function' + } + ], + 'directive': { + pattern: /^(#\s*)[a-z]+/, + lookbehind: true, + alias: 'keyword' + }, + 'directive-hash': /^#/, + 'punctuation': /##|\\(?=[\r\n])/, + 'expression': { + pattern: /\S[\s\S]*/, + inside: Prism.languages.c + } + } + } + }); + Prism.languages.insertBefore('c', 'function', { 'constant': /\b(?:EOF|NULL|SEEK_CUR|SEEK_END|SEEK_SET|__DATE__|__FILE__|__LINE__|__TIMESTAMP__|__TIME__|__func__|stderr|stdin|stdout)\b/ }); + delete Prism.languages.c['boolean']; + (function (Prism) { + var keyword = /\b(?:alignas|alignof|asm|auto|bool|break|case|catch|char|char16_t|char32_t|char8_t|class|co_await|co_return|co_yield|compl|concept|const|const_cast|consteval|constexpr|constinit|continue|decltype|default|delete|do|double|dynamic_cast|else|enum|explicit|export|extern|final|float|for|friend|goto|if|import|inline|int|int16_t|int32_t|int64_t|int8_t|long|module|mutable|namespace|new|noexcept|nullptr|operator|override|private|protected|public|register|reinterpret_cast|requires|return|short|signed|sizeof|static|static_assert|static_cast|struct|switch|template|this|thread_local|throw|try|typedef|typeid|typename|uint16_t|uint32_t|uint64_t|uint8_t|union|unsigned|using|virtual|void|volatile|wchar_t|while)\b/; + var modName = /\b(?!)\w+(?:\s*\.\s*\w+)*\b/.source.replace(//g, function () { + return keyword.source; + }); + Prism.languages.cpp = Prism.languages.extend('c', { + 'class-name': [ + { + pattern: RegExp(/(\b(?:class|concept|enum|struct|typename)\s+)(?!)\w+/.source.replace(//g, function () { + return keyword.source; + })), + lookbehind: true + }, + /\b[A-Z]\w*(?=\s*::\s*\w+\s*\()/, + /\b[A-Z_]\w*(?=\s*::\s*~\w+\s*\()/i, + /\b\w+(?=\s*<(?:[^<>]|<(?:[^<>]|<[^<>]*>)*>)*>\s*::\s*\w+\s*\()/ + ], + 'keyword': keyword, + 'number': { + pattern: /(?:\b0b[01']+|\b0x(?:[\da-f']+(?:\.[\da-f']*)?|\.[\da-f']+)(?:p[+-]?[\d']+)?|(?:\b[\d']+(?:\.[\d']*)?|\B\.[\d']+)(?:e[+-]?[\d']+)?)[ful]{0,4}/i, + greedy: true + }, + 'operator': />>=?|<<=?|->|--|\+\+|&&|\|\||[?:~]|<=>|[-+*/%&|^!=<>]=?|\b(?:and|and_eq|bitand|bitor|not|not_eq|or|or_eq|xor|xor_eq)\b/, + 'boolean': /\b(?:false|true)\b/ + }); + Prism.languages.insertBefore('cpp', 'string', { + 'module': { + pattern: RegExp(/(\b(?:import|module)\s+)/.source + '(?:' + /"(?:\\(?:\r\n|[\s\S])|[^"\\\r\n])*"|<[^<>\r\n]*>/.source + '|' + /(?:\s*:\s*)?|:\s*/.source.replace(//g, function () { + return modName; + }) + ')'), + lookbehind: true, + greedy: true, + inside: { + 'string': /^[<"][\s\S]+/, + 'operator': /:/, + 'punctuation': /\./ + } + }, + 'raw-string': { + pattern: /R"([^()\\ ]{0,16})\([\s\S]*?\)\1"/, + alias: 'string', + greedy: true + } + }); + Prism.languages.insertBefore('cpp', 'keyword', { + 'generic-function': { + pattern: /\b(?!operator\b)[a-z_]\w*\s*<(?:[^<>]|<[^<>]*>)*>(?=\s*\()/i, + inside: { + 'function': /^\w+/, + 'generic': { + pattern: /<[\s\S]+/, + alias: 'class-name', + inside: Prism.languages.cpp + } + } + } + }); + Prism.languages.insertBefore('cpp', 'operator', { + 'double-colon': { + pattern: /::/, + alias: 'punctuation' + } + }); + Prism.languages.insertBefore('cpp', 'class-name', { + 'base-clause': { + pattern: /(\b(?:class|struct)\s+\w+\s*:\s*)[^;{}"'\s]+(?:\s+[^;{}"'\s]+)*(?=\s*[;{])/, + lookbehind: true, + greedy: true, + inside: Prism.languages.extend('cpp', {}) + } + }); + Prism.languages.insertBefore('inside', 'double-colon', { 'class-name': /\b[a-z_]\w*\b(?!\s*::)/i }, Prism.languages.cpp['base-clause']); + }(Prism)); + (function (Prism) { + function replace(pattern, replacements) { + return pattern.replace(/<<(\d+)>>/g, function (m, index) { + return '(?:' + replacements[+index] + ')'; + }); + } + function re(pattern, replacements, flags) { + return RegExp(replace(pattern, replacements), flags || ''); + } + function nested(pattern, depthLog2) { + for (var i = 0; i < depthLog2; i++) { + pattern = pattern.replace(/<>/g, function () { + return '(?:' + pattern + ')'; + }); + } + return pattern.replace(/<>/g, '[^\\s\\S]'); + } + var keywordKinds = { + type: 'bool byte char decimal double dynamic float int long object sbyte short string uint ulong ushort var void', + typeDeclaration: 'class enum interface record struct', + contextual: 'add alias and ascending async await by descending from(?=\\s*(?:\\w|$)) get global group into init(?=\\s*;) join let nameof not notnull on or orderby partial remove select set unmanaged value when where with(?=\\s*{)', + other: 'abstract as base break case catch checked const continue default delegate do else event explicit extern finally fixed for foreach goto if implicit in internal is lock namespace new null operator out override params private protected public readonly ref return sealed sizeof stackalloc static switch this throw try typeof unchecked unsafe using virtual volatile while yield' + }; + function keywordsToPattern(words) { + return '\\b(?:' + words.trim().replace(/ /g, '|') + ')\\b'; + } + var typeDeclarationKeywords = keywordsToPattern(keywordKinds.typeDeclaration); + var keywords = RegExp(keywordsToPattern(keywordKinds.type + ' ' + keywordKinds.typeDeclaration + ' ' + keywordKinds.contextual + ' ' + keywordKinds.other)); + var nonTypeKeywords = keywordsToPattern(keywordKinds.typeDeclaration + ' ' + keywordKinds.contextual + ' ' + keywordKinds.other); + var nonContextualKeywords = keywordsToPattern(keywordKinds.type + ' ' + keywordKinds.typeDeclaration + ' ' + keywordKinds.other); + var generic = nested(/<(?:[^<>;=+\-*/%&|^]|<>)*>/.source, 2); + var nestedRound = nested(/\((?:[^()]|<>)*\)/.source, 2); + var name = /@?\b[A-Za-z_]\w*\b/.source; + var genericName = replace(/<<0>>(?:\s*<<1>>)?/.source, [ + name, + generic + ]); + var identifier = replace(/(?!<<0>>)<<1>>(?:\s*\.\s*<<1>>)*/.source, [ + nonTypeKeywords, + genericName + ]); + var array = /\[\s*(?:,\s*)*\]/.source; + var typeExpressionWithoutTuple = replace(/<<0>>(?:\s*(?:\?\s*)?<<1>>)*(?:\s*\?)?/.source, [ + identifier, + array + ]); + var tupleElement = replace(/[^,()<>[\];=+\-*/%&|^]|<<0>>|<<1>>|<<2>>/.source, [ + generic, + nestedRound, + array + ]); + var tuple = replace(/\(<<0>>+(?:,<<0>>+)+\)/.source, [tupleElement]); + var typeExpression = replace(/(?:<<0>>|<<1>>)(?:\s*(?:\?\s*)?<<2>>)*(?:\s*\?)?/.source, [ + tuple, + identifier, + array + ]); + var typeInside = { + 'keyword': keywords, + 'punctuation': /[<>()?,.:[\]]/ + }; + var character = /'(?:[^\r\n'\\]|\\.|\\[Uux][\da-fA-F]{1,8})'/.source; + var regularString = /"(?:\\.|[^\\"\r\n])*"/.source; + var verbatimString = /@"(?:""|\\[\s\S]|[^\\"])*"(?!")/.source; + Prism.languages.csharp = Prism.languages.extend('clike', { + 'string': [ + { + pattern: re(/(^|[^$\\])<<0>>/.source, [verbatimString]), + lookbehind: true, + greedy: true + }, + { + pattern: re(/(^|[^@$\\])<<0>>/.source, [regularString]), + lookbehind: true, + greedy: true + } + ], + 'class-name': [ + { + pattern: re(/(\busing\s+static\s+)<<0>>(?=\s*;)/.source, [identifier]), + lookbehind: true, + inside: typeInside + }, + { + pattern: re(/(\busing\s+<<0>>\s*=\s*)<<1>>(?=\s*;)/.source, [ + name, + typeExpression + ]), + lookbehind: true, + inside: typeInside + }, + { + pattern: re(/(\busing\s+)<<0>>(?=\s*=)/.source, [name]), + lookbehind: true + }, + { + pattern: re(/(\b<<0>>\s+)<<1>>/.source, [ + typeDeclarationKeywords, + genericName + ]), + lookbehind: true, + inside: typeInside + }, + { + pattern: re(/(\bcatch\s*\(\s*)<<0>>/.source, [identifier]), + lookbehind: true, + inside: typeInside + }, + { + pattern: re(/(\bwhere\s+)<<0>>/.source, [name]), + lookbehind: true + }, + { + pattern: re(/(\b(?:is(?:\s+not)?|as)\s+)<<0>>/.source, [typeExpressionWithoutTuple]), + lookbehind: true, + inside: typeInside + }, + { + pattern: re(/\b<<0>>(?=\s+(?!<<1>>|with\s*\{)<<2>>(?:\s*[=,;:{)\]]|\s+(?:in|when)\b))/.source, [ + typeExpression, + nonContextualKeywords, + name + ]), + inside: typeInside + } + ], + 'keyword': keywords, + 'number': /(?:\b0(?:x[\da-f_]*[\da-f]|b[01_]*[01])|(?:\B\.\d+(?:_+\d+)*|\b\d+(?:_+\d+)*(?:\.\d+(?:_+\d+)*)?)(?:e[-+]?\d+(?:_+\d+)*)?)(?:[dflmu]|lu|ul)?\b/i, + 'operator': />>=?|<<=?|[-=]>|([-+&|])\1|~|\?\?=?|[-+*/%&|^!=<>]=?/, + 'punctuation': /\?\.?|::|[{}[\];(),.:]/ + }); + Prism.languages.insertBefore('csharp', 'number', { + 'range': { + pattern: /\.\./, + alias: 'operator' + } + }); + Prism.languages.insertBefore('csharp', 'punctuation', { + 'named-parameter': { + pattern: re(/([(,]\s*)<<0>>(?=\s*:)/.source, [name]), + lookbehind: true, + alias: 'punctuation' + } + }); + Prism.languages.insertBefore('csharp', 'class-name', { + 'namespace': { + pattern: re(/(\b(?:namespace|using)\s+)<<0>>(?:\s*\.\s*<<0>>)*(?=\s*[;{])/.source, [name]), + lookbehind: true, + inside: { 'punctuation': /\./ } + }, + 'type-expression': { + pattern: re(/(\b(?:default|sizeof|typeof)\s*\(\s*(?!\s))(?:[^()\s]|\s(?!\s)|<<0>>)*(?=\s*\))/.source, [nestedRound]), + lookbehind: true, + alias: 'class-name', + inside: typeInside + }, + 'return-type': { + pattern: re(/<<0>>(?=\s+(?:<<1>>\s*(?:=>|[({]|\.\s*this\s*\[)|this\s*\[))/.source, [ + typeExpression, + identifier + ]), + inside: typeInside, + alias: 'class-name' + }, + 'constructor-invocation': { + pattern: re(/(\bnew\s+)<<0>>(?=\s*[[({])/.source, [typeExpression]), + lookbehind: true, + inside: typeInside, + alias: 'class-name' + }, + 'generic-method': { + pattern: re(/<<0>>\s*<<1>>(?=\s*\()/.source, [ + name, + generic + ]), + inside: { + 'function': re(/^<<0>>/.source, [name]), + 'generic': { + pattern: RegExp(generic), + alias: 'class-name', + inside: typeInside + } + } + }, + 'type-list': { + pattern: re(/\b((?:<<0>>\s+<<1>>|record\s+<<1>>\s*<<5>>|where\s+<<2>>)\s*:\s*)(?:<<3>>|<<4>>|<<1>>\s*<<5>>|<<6>>)(?:\s*,\s*(?:<<3>>|<<4>>|<<6>>))*(?=\s*(?:where|[{;]|=>|$))/.source, [ + typeDeclarationKeywords, + genericName, + name, + typeExpression, + keywords.source, + nestedRound, + /\bnew\s*\(\s*\)/.source + ]), + lookbehind: true, + inside: { + 'record-arguments': { + pattern: re(/(^(?!new\s*\()<<0>>\s*)<<1>>/.source, [ + genericName, + nestedRound + ]), + lookbehind: true, + greedy: true, + inside: Prism.languages.csharp + }, + 'keyword': keywords, + 'class-name': { + pattern: RegExp(typeExpression), + greedy: true, + inside: typeInside + }, + 'punctuation': /[,()]/ + } + }, + 'preprocessor': { + pattern: /(^[\t ]*)#.*/m, + lookbehind: true, + alias: 'property', + inside: { + 'directive': { + pattern: /(#)\b(?:define|elif|else|endif|endregion|error|if|line|nullable|pragma|region|undef|warning)\b/, + lookbehind: true, + alias: 'keyword' + } + } + } + }); + var regularStringOrCharacter = regularString + '|' + character; + var regularStringCharacterOrComment = replace(/\/(?![*/])|\/\/[^\r\n]*[\r\n]|\/\*(?:[^*]|\*(?!\/))*\*\/|<<0>>/.source, [regularStringOrCharacter]); + var roundExpression = nested(replace(/[^"'/()]|<<0>>|\(<>*\)/.source, [regularStringCharacterOrComment]), 2); + var attrTarget = /\b(?:assembly|event|field|method|module|param|property|return|type)\b/.source; + var attr = replace(/<<0>>(?:\s*\(<<1>>*\))?/.source, [ + identifier, + roundExpression + ]); + Prism.languages.insertBefore('csharp', 'class-name', { + 'attribute': { + pattern: re(/((?:^|[^\s\w>)?])\s*\[\s*)(?:<<0>>\s*:\s*)?<<1>>(?:\s*,\s*<<1>>)*(?=\s*\])/.source, [ + attrTarget, + attr + ]), + lookbehind: true, + greedy: true, + inside: { + 'target': { + pattern: re(/^<<0>>(?=\s*:)/.source, [attrTarget]), + alias: 'keyword' + }, + 'attribute-arguments': { + pattern: re(/\(<<0>>*\)/.source, [roundExpression]), + inside: Prism.languages.csharp + }, + 'class-name': { + pattern: RegExp(identifier), + inside: { 'punctuation': /\./ } + }, + 'punctuation': /[:,]/ + } + } + }); + var formatString = /:[^}\r\n]+/.source; + var mInterpolationRound = nested(replace(/[^"'/()]|<<0>>|\(<>*\)/.source, [regularStringCharacterOrComment]), 2); + var mInterpolation = replace(/\{(?!\{)(?:(?![}:])<<0>>)*<<1>>?\}/.source, [ + mInterpolationRound, + formatString + ]); + var sInterpolationRound = nested(replace(/[^"'/()]|\/(?!\*)|\/\*(?:[^*]|\*(?!\/))*\*\/|<<0>>|\(<>*\)/.source, [regularStringOrCharacter]), 2); + var sInterpolation = replace(/\{(?!\{)(?:(?![}:])<<0>>)*<<1>>?\}/.source, [ + sInterpolationRound, + formatString + ]); + function createInterpolationInside(interpolation, interpolationRound) { + return { + 'interpolation': { + pattern: re(/((?:^|[^{])(?:\{\{)*)<<0>>/.source, [interpolation]), + lookbehind: true, + inside: { + 'format-string': { + pattern: re(/(^\{(?:(?![}:])<<0>>)*)<<1>>(?=\}$)/.source, [ + interpolationRound, + formatString + ]), + lookbehind: true, + inside: { 'punctuation': /^:/ } + }, + 'punctuation': /^\{|\}$/, + 'expression': { + pattern: /[\s\S]+/, + alias: 'language-csharp', + inside: Prism.languages.csharp + } + } + }, + 'string': /[\s\S]+/ + }; + } + Prism.languages.insertBefore('csharp', 'string', { + 'interpolation-string': [ + { + pattern: re(/(^|[^\\])(?:\$@|@\$)"(?:""|\\[\s\S]|\{\{|<<0>>|[^\\{"])*"/.source, [mInterpolation]), + lookbehind: true, + greedy: true, + inside: createInterpolationInside(mInterpolation, mInterpolationRound) + }, + { + pattern: re(/(^|[^@\\])\$"(?:\\.|\{\{|<<0>>|[^\\"{])*"/.source, [sInterpolation]), + lookbehind: true, + greedy: true, + inside: createInterpolationInside(sInterpolation, sInterpolationRound) + } + ], + 'char': { + pattern: RegExp(character), + greedy: true + } + }); + Prism.languages.dotnet = Prism.languages.cs = Prism.languages.csharp; + }(Prism)); + (function (Prism) { + var string = /(?:"(?:\\(?:\r\n|[\s\S])|[^"\\\r\n])*"|'(?:\\(?:\r\n|[\s\S])|[^'\\\r\n])*')/; + Prism.languages.css = { + 'comment': /\/\*[\s\S]*?\*\//, + 'atrule': { + pattern: RegExp('@[\\w-](?:' + /[^;{\s"']|\s+(?!\s)/.source + '|' + string.source + ')*?' + /(?:;|(?=\s*\{))/.source), + inside: { + 'rule': /^@[\w-]+/, + 'selector-function-argument': { + pattern: /(\bselector\s*\(\s*(?![\s)]))(?:[^()\s]|\s+(?![\s)])|\((?:[^()]|\([^()]*\))*\))+(?=\s*\))/, + lookbehind: true, + alias: 'selector' + }, + 'keyword': { + pattern: /(^|[^\w-])(?:and|not|only|or)(?![\w-])/, + lookbehind: true + } + } + }, + 'url': { + pattern: RegExp('\\burl\\((?:' + string.source + '|' + /(?:[^\\\r\n()"']|\\[\s\S])*/.source + ')\\)', 'i'), + greedy: true, + inside: { + 'function': /^url/i, + 'punctuation': /^\(|\)$/, + 'string': { + pattern: RegExp('^' + string.source + '$'), + alias: 'url' + } + } + }, + 'selector': { + pattern: RegExp('(^|[{}\\s])[^{}\\s](?:[^{};"\'\\s]|\\s+(?![\\s{])|' + string.source + ')*(?=\\s*\\{)'), + lookbehind: true + }, + 'string': { + pattern: string, + greedy: true + }, + 'property': { + pattern: /(^|[^-\w\xA0-\uFFFF])(?!\s)[-_a-z\xA0-\uFFFF](?:(?!\s)[-\w\xA0-\uFFFF])*(?=\s*:)/i, + lookbehind: true + }, + 'important': /!important\b/i, + 'function': { + pattern: /(^|[^-a-z0-9])[-a-z0-9]+(?=\()/i, + lookbehind: true + }, + 'punctuation': /[(){};:,]/ + }; + Prism.languages.css['atrule'].inside.rest = Prism.languages.css; + var markup = Prism.languages.markup; + if (markup) { + markup.tag.addInlined('style', 'css'); + markup.tag.addAttribute('style', 'css'); + } + }(Prism)); + (function (Prism) { + var keywords = /\b(?:abstract|assert|boolean|break|byte|case|catch|char|class|const|continue|default|do|double|else|enum|exports|extends|final|finally|float|for|goto|if|implements|import|instanceof|int|interface|long|module|native|new|non-sealed|null|open|opens|package|permits|private|protected|provides|public|record(?!\s*[(){}[\]<>=%~.:,;?+\-*/&|^])|requires|return|sealed|short|static|strictfp|super|switch|synchronized|this|throw|throws|to|transient|transitive|try|uses|var|void|volatile|while|with|yield)\b/; + var classNamePrefix = /(?:[a-z]\w*\s*\.\s*)*(?:[A-Z]\w*\s*\.\s*)*/.source; + var className = { + pattern: RegExp(/(^|[^\w.])/.source + classNamePrefix + /[A-Z](?:[\d_A-Z]*[a-z]\w*)?\b/.source), + lookbehind: true, + inside: { + 'namespace': { + pattern: /^[a-z]\w*(?:\s*\.\s*[a-z]\w*)*(?:\s*\.)?/, + inside: { 'punctuation': /\./ } + }, + 'punctuation': /\./ + } + }; + Prism.languages.java = Prism.languages.extend('clike', { + 'string': { + pattern: /(^|[^\\])"(?:\\.|[^"\\\r\n])*"/, + lookbehind: true, + greedy: true + }, + 'class-name': [ + className, + { + pattern: RegExp(/(^|[^\w.])/.source + classNamePrefix + /[A-Z]\w*(?=\s+\w+\s*[;,=()]|\s*(?:\[[\s,]*\]\s*)?::\s*new\b)/.source), + lookbehind: true, + inside: className.inside + }, + { + pattern: RegExp(/(\b(?:class|enum|extends|implements|instanceof|interface|new|record|throws)\s+)/.source + classNamePrefix + /[A-Z]\w*\b/.source), + lookbehind: true, + inside: className.inside + } + ], + 'keyword': keywords, + 'function': [ + Prism.languages.clike.function, + { + pattern: /(::\s*)[a-z_]\w*/, + lookbehind: true + } + ], + 'number': /\b0b[01][01_]*L?\b|\b0x(?:\.[\da-f_p+-]+|[\da-f_]+(?:\.[\da-f_p+-]+)?)\b|(?:\b\d[\d_]*(?:\.[\d_]*)?|\B\.\d[\d_]*)(?:e[+-]?\d[\d_]*)?[dfl]?/i, + 'operator': { + pattern: /(^|[^.])(?:<<=?|>>>?=?|->|--|\+\+|&&|\|\||::|[?:~]|[-+*/%&|^!=<>]=?)/m, + lookbehind: true + }, + 'constant': /\b[A-Z][A-Z_\d]+\b/ + }); + Prism.languages.insertBefore('java', 'string', { + 'triple-quoted-string': { + pattern: /"""[ \t]*[\r\n](?:(?:"|"")?(?:\\.|[^"\\]))*"""/, + greedy: true, + alias: 'string' + }, + 'char': { + pattern: /'(?:\\.|[^'\\\r\n]){1,6}'/, + greedy: true + } + }); + Prism.languages.insertBefore('java', 'class-name', { + 'annotation': { + pattern: /(^|[^.])@\w+(?:\s*\.\s*\w+)*/, + lookbehind: true, + alias: 'punctuation' + }, + 'generics': { + pattern: /<(?:[\w\s,.?]|&(?!&)|<(?:[\w\s,.?]|&(?!&)|<(?:[\w\s,.?]|&(?!&)|<(?:[\w\s,.?]|&(?!&))*>)*>)*>)*>/, + inside: { + 'class-name': className, + 'keyword': keywords, + 'punctuation': /[<>(),.:]/, + 'operator': /[?&|]/ + } + }, + 'import': [ + { + pattern: RegExp(/(\bimport\s+)/.source + classNamePrefix + /(?:[A-Z]\w*|\*)(?=\s*;)/.source), + lookbehind: true, + inside: { + 'namespace': className.inside.namespace, + 'punctuation': /\./, + 'operator': /\*/, + 'class-name': /\w+/ + } + }, + { + pattern: RegExp(/(\bimport\s+static\s+)/.source + classNamePrefix + /(?:\w+|\*)(?=\s*;)/.source), + lookbehind: true, + alias: 'static', + inside: { + 'namespace': className.inside.namespace, + 'static': /\b\w+$/, + 'punctuation': /\./, + 'operator': /\*/, + 'class-name': /\w+/ + } + } + ], + 'namespace': { + pattern: RegExp(/(\b(?:exports|import(?:\s+static)?|module|open|opens|package|provides|requires|to|transitive|uses|with)\s+)(?!)[a-z]\w*(?:\.[a-z]\w*)*\.?/.source.replace(//g, function () { + return keywords.source; + })), + lookbehind: true, + inside: { 'punctuation': /\./ } + } + }); + }(Prism)); + Prism.languages.javascript = Prism.languages.extend('clike', { + 'class-name': [ + Prism.languages.clike['class-name'], + { + pattern: /(^|[^$\w\xA0-\uFFFF])(?!\s)[_$A-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\.(?:constructor|prototype))/, + lookbehind: true + } + ], + 'keyword': [ + { + pattern: /((?:^|\})\s*)catch\b/, + lookbehind: true + }, + { + pattern: /(^|[^.]|\.\.\.\s*)\b(?:as|assert(?=\s*\{)|async(?=\s*(?:function\b|\(|[$\w\xA0-\uFFFF]|$))|await|break|case|class|const|continue|debugger|default|delete|do|else|enum|export|extends|finally(?=\s*(?:\{|$))|for|from(?=\s*(?:['"]|$))|function|(?:get|set)(?=\s*(?:[#\[$\w\xA0-\uFFFF]|$))|if|implements|import|in|instanceof|interface|let|new|null|of|package|private|protected|public|return|static|super|switch|this|throw|try|typeof|undefined|var|void|while|with|yield)\b/, + lookbehind: true + } + ], + 'function': /#?(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*(?:\.\s*(?:apply|bind|call)\s*)?\()/, + 'number': { + pattern: RegExp(/(^|[^\w$])/.source + '(?:' + (/NaN|Infinity/.source + '|' + /0[bB][01]+(?:_[01]+)*n?/.source + '|' + /0[oO][0-7]+(?:_[0-7]+)*n?/.source + '|' + /0[xX][\dA-Fa-f]+(?:_[\dA-Fa-f]+)*n?/.source + '|' + /\d+(?:_\d+)*n/.source + '|' + /(?:\d+(?:_\d+)*(?:\.(?:\d+(?:_\d+)*)?)?|\.\d+(?:_\d+)*)(?:[Ee][+-]?\d+(?:_\d+)*)?/.source) + ')' + /(?![\w$])/.source), + lookbehind: true + }, + 'operator': /--|\+\+|\*\*=?|=>|&&=?|\|\|=?|[!=]==|<<=?|>>>?=?|[-+*/%&|^!=<>]=?|\.{3}|\?\?=?|\?\.?|[~:]/ + }); + Prism.languages.javascript['class-name'][0].pattern = /(\b(?:class|extends|implements|instanceof|interface|new)\s+)[\w.\\]+/; + Prism.languages.insertBefore('javascript', 'keyword', { + 'regex': { + pattern: RegExp(/((?:^|[^$\w\xA0-\uFFFF."'\])\s]|\b(?:return|yield))\s*)/.source + /\//.source + '(?:' + /(?:\[(?:[^\]\\\r\n]|\\.)*\]|\\.|[^/\\\[\r\n])+\/[dgimyus]{0,7}/.source + '|' + /(?:\[(?:[^[\]\\\r\n]|\\.|\[(?:[^[\]\\\r\n]|\\.|\[(?:[^[\]\\\r\n]|\\.)*\])*\])*\]|\\.|[^/\\\[\r\n])+\/[dgimyus]{0,7}v[dgimyus]{0,7}/.source + ')' + /(?=(?:\s|\/\*(?:[^*]|\*(?!\/))*\*\/)*(?:$|[\r\n,.;:})\]]|\/\/))/.source), + lookbehind: true, + greedy: true, + inside: { + 'regex-source': { + pattern: /^(\/)[\s\S]+(?=\/[a-z]*$)/, + lookbehind: true, + alias: 'language-regex', + inside: Prism.languages.regex + }, + 'regex-delimiter': /^\/|\/$/, + 'regex-flags': /^[a-z]+$/ + } + }, + 'function-variable': { + pattern: /#?(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*[=:]\s*(?:async\s*)?(?:\bfunction\b|(?:\((?:[^()]|\([^()]*\))*\)|(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*)\s*=>))/, + alias: 'function' + }, + 'parameter': [ + { + pattern: /(function(?:\s+(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*)?\s*\(\s*)(?!\s)(?:[^()\s]|\s+(?![\s)])|\([^()]*\))+(?=\s*\))/, + lookbehind: true, + inside: Prism.languages.javascript + }, + { + pattern: /(^|[^$\w\xA0-\uFFFF])(?!\s)[_$a-z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*=>)/i, + lookbehind: true, + inside: Prism.languages.javascript + }, + { + pattern: /(\(\s*)(?!\s)(?:[^()\s]|\s+(?![\s)])|\([^()]*\))+(?=\s*\)\s*=>)/, + lookbehind: true, + inside: Prism.languages.javascript + }, + { + pattern: /((?:\b|\s|^)(?!(?:as|async|await|break|case|catch|class|const|continue|debugger|default|delete|do|else|enum|export|extends|finally|for|from|function|get|if|implements|import|in|instanceof|interface|let|new|null|of|package|private|protected|public|return|set|static|super|switch|this|throw|try|typeof|undefined|var|void|while|with|yield)(?![$\w\xA0-\uFFFF]))(?:(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*\s*)\(\s*|\]\s*\(\s*)(?!\s)(?:[^()\s]|\s+(?![\s)])|\([^()]*\))+(?=\s*\)\s*\{)/, + lookbehind: true, + inside: Prism.languages.javascript + } + ], + 'constant': /\b[A-Z](?:[A-Z_]|\dx?)*\b/ + }); + Prism.languages.insertBefore('javascript', 'string', { + 'hashbang': { + pattern: /^#!.*/, + greedy: true, + alias: 'comment' + }, + 'template-string': { + pattern: /`(?:\\[\s\S]|\$\{(?:[^{}]|\{(?:[^{}]|\{[^}]*\})*\})+\}|(?!\$\{)[^\\`])*`/, + greedy: true, + inside: { + 'template-punctuation': { + pattern: /^`|`$/, + alias: 'string' + }, + 'interpolation': { + pattern: /((?:^|[^\\])(?:\\{2})*)\$\{(?:[^{}]|\{(?:[^{}]|\{[^}]*\})*\})+\}/, + lookbehind: true, + inside: { + 'interpolation-punctuation': { + pattern: /^\$\{|\}$/, + alias: 'punctuation' + }, + rest: Prism.languages.javascript + } + }, + 'string': /[\s\S]+/ + } + }, + 'string-property': { + pattern: /((?:^|[,{])[ \t]*)(["'])(?:\\(?:\r\n|[\s\S])|(?!\2)[^\\\r\n])*\2(?=\s*:)/m, + lookbehind: true, + greedy: true, + alias: 'property' + } + }); + Prism.languages.insertBefore('javascript', 'operator', { + 'literal-property': { + pattern: /((?:^|[,{])[ \t]*)(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*:)/m, + lookbehind: true, + alias: 'property' + } + }); + if (Prism.languages.markup) { + Prism.languages.markup.tag.addInlined('script', 'javascript'); + Prism.languages.markup.tag.addAttribute(/on(?:abort|blur|change|click|composition(?:end|start|update)|dblclick|error|focus(?:in|out)?|key(?:down|up)|load|mouse(?:down|enter|leave|move|out|over|up)|reset|resize|scroll|select|slotchange|submit|unload|wheel)/.source, 'javascript'); + } + Prism.languages.js = Prism.languages.javascript; + Prism.languages.markup = { + 'comment': { + pattern: //, + greedy: true + }, + 'prolog': { + pattern: /<\?[\s\S]+?\?>/, + greedy: true + }, + 'doctype': { + pattern: /"'[\]]|"[^"]*"|'[^']*')+(?:\[(?:[^<"'\]]|"[^"]*"|'[^']*'|<(?!!--)|)*\]\s*)?>/i, + greedy: true, + inside: { + 'internal-subset': { + pattern: /(^[^\[]*\[)[\s\S]+(?=\]>$)/, + lookbehind: true, + greedy: true, + inside: null + }, + 'string': { + pattern: /"[^"]*"|'[^']*'/, + greedy: true + }, + 'punctuation': /^$|[[\]]/, + 'doctype-tag': /^DOCTYPE/i, + 'name': /[^\s<>'"]+/ + } + }, + 'cdata': { + pattern: //i, + greedy: true + }, + 'tag': { + pattern: /<\/?(?!\d)[^\s>\/=$<%]+(?:\s(?:\s*[^\s>\/=]+(?:\s*=\s*(?:"[^"]*"|'[^']*'|[^\s'">=]+(?=[\s>]))|(?=[\s/>])))+)?\s*\/?>/, + greedy: true, + inside: { + 'tag': { + pattern: /^<\/?[^\s>\/]+/, + inside: { + 'punctuation': /^<\/?/, + 'namespace': /^[^\s>\/:]+:/ + } + }, + 'special-attr': [], + 'attr-value': { + pattern: /=\s*(?:"[^"]*"|'[^']*'|[^\s'">=]+)/, + inside: { + 'punctuation': [ + { + pattern: /^=/, + alias: 'attr-equals' + }, + { + pattern: /^(\s*)["']|["']$/, + lookbehind: true + } + ] + } + }, + 'punctuation': /\/?>/, + 'attr-name': { + pattern: /[^\s>\/]+/, + inside: { 'namespace': /^[^\s>\/:]+:/ } + } + } + }, + 'entity': [ + { + pattern: /&[\da-z]{1,8};/i, + alias: 'named-entity' + }, + /&#x?[\da-f]{1,8};/i + ] + }; + Prism.languages.markup['tag'].inside['attr-value'].inside['entity'] = Prism.languages.markup['entity']; + Prism.languages.markup['doctype'].inside['internal-subset'].inside = Prism.languages.markup; + Prism.hooks.add('wrap', function (env) { + if (env.type === 'entity') { + env.attributes['title'] = env.content.replace(/&/, '&'); + } + }); + Object.defineProperty(Prism.languages.markup.tag, 'addInlined', { + value: function addInlined(tagName, lang) { + var includedCdataInside = {}; + includedCdataInside['language-' + lang] = { + pattern: /(^$)/i, + lookbehind: true, + inside: Prism.languages[lang] + }; + includedCdataInside['cdata'] = /^$/i; + var inside = { + 'included-cdata': { + pattern: //i, + inside: includedCdataInside + } + }; + inside['language-' + lang] = { + pattern: /[\s\S]+/, + inside: Prism.languages[lang] + }; + var def = {}; + def[tagName] = { + pattern: RegExp(/(<__[^>]*>)(?:))*\]\]>|(?!)/.source.replace(/__/g, function () { + return tagName; + }), 'i'), + lookbehind: true, + greedy: true, + inside: inside + }; + Prism.languages.insertBefore('markup', 'cdata', def); + } + }); + Object.defineProperty(Prism.languages.markup.tag, 'addAttribute', { + value: function (attrName, lang) { + Prism.languages.markup.tag.inside['special-attr'].push({ + pattern: RegExp(/(^|["'\s])/.source + '(?:' + attrName + ')' + /\s*=\s*(?:"[^"]*"|'[^']*'|[^\s'">=]+(?=[\s>]))/.source, 'i'), + lookbehind: true, + inside: { + 'attr-name': /^[^\s=]+/, + 'attr-value': { + pattern: /=[\s\S]+/, + inside: { + 'value': { + pattern: /(^=\s*(["']|(?!["'])))\S[\s\S]*(?=\2$)/, + lookbehind: true, + alias: [ + lang, + 'language-' + lang + ], + inside: Prism.languages[lang] + }, + 'punctuation': [ + { + pattern: /^=/, + alias: 'attr-equals' + }, + /"|'/ + ] + } + } + } + }); + } + }); + Prism.languages.html = Prism.languages.markup; + Prism.languages.mathml = Prism.languages.markup; + Prism.languages.svg = Prism.languages.markup; + Prism.languages.xml = Prism.languages.extend('markup', {}); + Prism.languages.ssml = Prism.languages.xml; + Prism.languages.atom = Prism.languages.xml; + Prism.languages.rss = Prism.languages.xml; + (function (Prism) { + var comment = /\/\*[\s\S]*?\*\/|\/\/.*|#(?!\[).*/; + var constant = [ + { + pattern: /\b(?:false|true)\b/i, + alias: 'boolean' + }, + { + pattern: /(::\s*)\b[a-z_]\w*\b(?!\s*\()/i, + greedy: true, + lookbehind: true + }, + { + pattern: /(\b(?:case|const)\s+)\b[a-z_]\w*(?=\s*[;=])/i, + greedy: true, + lookbehind: true + }, + /\b(?:null)\b/i, + /\b[A-Z_][A-Z0-9_]*\b(?!\s*\()/ + ]; + var number = /\b0b[01]+(?:_[01]+)*\b|\b0o[0-7]+(?:_[0-7]+)*\b|\b0x[\da-f]+(?:_[\da-f]+)*\b|(?:\b\d+(?:_\d+)*\.?(?:\d+(?:_\d+)*)?|\B\.\d+)(?:e[+-]?\d+)?/i; + var operator = /|\?\?=?|\.{3}|\??->|[!=]=?=?|::|\*\*=?|--|\+\+|&&|\|\||<<|>>|[?~]|[/^|%*&<>.+-]=?/; + var punctuation = /[{}\[\](),:;]/; + Prism.languages.php = { + 'delimiter': { + pattern: /\?>$|^<\?(?:php(?=\s)|=)?/i, + alias: 'important' + }, + 'comment': comment, + 'variable': /\$+(?:\w+\b|(?=\{))/, + 'package': { + pattern: /(namespace\s+|use\s+(?:function\s+)?)(?:\\?\b[a-z_]\w*)+\b(?!\\)/i, + lookbehind: true, + inside: { 'punctuation': /\\/ } + }, + 'class-name-definition': { + pattern: /(\b(?:class|enum|interface|trait)\s+)\b[a-z_]\w*(?!\\)\b/i, + lookbehind: true, + alias: 'class-name' + }, + 'function-definition': { + pattern: /(\bfunction\s+)[a-z_]\w*(?=\s*\()/i, + lookbehind: true, + alias: 'function' + }, + 'keyword': [ + { + pattern: /(\(\s*)\b(?:array|bool|boolean|float|int|integer|object|string)\b(?=\s*\))/i, + alias: 'type-casting', + greedy: true, + lookbehind: true + }, + { + pattern: /([(,?]\s*)\b(?:array(?!\s*\()|bool|callable|(?:false|null)(?=\s*\|)|float|int|iterable|mixed|object|self|static|string)\b(?=\s*\$)/i, + alias: 'type-hint', + greedy: true, + lookbehind: true + }, + { + pattern: /(\)\s*:\s*(?:\?\s*)?)\b(?:array(?!\s*\()|bool|callable|(?:false|null)(?=\s*\|)|float|int|iterable|mixed|never|object|self|static|string|void)\b/i, + alias: 'return-type', + greedy: true, + lookbehind: true + }, + { + pattern: /\b(?:array(?!\s*\()|bool|float|int|iterable|mixed|object|string|void)\b/i, + alias: 'type-declaration', + greedy: true + }, + { + pattern: /(\|\s*)(?:false|null)\b|\b(?:false|null)(?=\s*\|)/i, + alias: 'type-declaration', + greedy: true, + lookbehind: true + }, + { + pattern: /\b(?:parent|self|static)(?=\s*::)/i, + alias: 'static-context', + greedy: true + }, + { + pattern: /(\byield\s+)from\b/i, + lookbehind: true + }, + /\bclass\b/i, + { + pattern: /((?:^|[^\s>:]|(?:^|[^-])>|(?:^|[^:]):)\s*)\b(?:abstract|and|array|as|break|callable|case|catch|clone|const|continue|declare|default|die|do|echo|else|elseif|empty|enddeclare|endfor|endforeach|endif|endswitch|endwhile|enum|eval|exit|extends|final|finally|fn|for|foreach|function|global|goto|if|implements|include|include_once|instanceof|insteadof|interface|isset|list|match|namespace|never|new|or|parent|print|private|protected|public|readonly|require|require_once|return|self|static|switch|throw|trait|try|unset|use|var|while|xor|yield|__halt_compiler)\b/i, + lookbehind: true + } + ], + 'argument-name': { + pattern: /([(,]\s*)\b[a-z_]\w*(?=\s*:(?!:))/i, + lookbehind: true + }, + 'class-name': [ + { + pattern: /(\b(?:extends|implements|instanceof|new(?!\s+self|\s+static))\s+|\bcatch\s*\()\b[a-z_]\w*(?!\\)\b/i, + greedy: true, + lookbehind: true + }, + { + pattern: /(\|\s*)\b[a-z_]\w*(?!\\)\b/i, + greedy: true, + lookbehind: true + }, + { + pattern: /\b[a-z_]\w*(?!\\)\b(?=\s*\|)/i, + greedy: true + }, + { + pattern: /(\|\s*)(?:\\?\b[a-z_]\w*)+\b/i, + alias: 'class-name-fully-qualified', + greedy: true, + lookbehind: true, + inside: { 'punctuation': /\\/ } + }, + { + pattern: /(?:\\?\b[a-z_]\w*)+\b(?=\s*\|)/i, + alias: 'class-name-fully-qualified', + greedy: true, + inside: { 'punctuation': /\\/ } + }, + { + pattern: /(\b(?:extends|implements|instanceof|new(?!\s+self\b|\s+static\b))\s+|\bcatch\s*\()(?:\\?\b[a-z_]\w*)+\b(?!\\)/i, + alias: 'class-name-fully-qualified', + greedy: true, + lookbehind: true, + inside: { 'punctuation': /\\/ } + }, + { + pattern: /\b[a-z_]\w*(?=\s*\$)/i, + alias: 'type-declaration', + greedy: true + }, + { + pattern: /(?:\\?\b[a-z_]\w*)+(?=\s*\$)/i, + alias: [ + 'class-name-fully-qualified', + 'type-declaration' + ], + greedy: true, + inside: { 'punctuation': /\\/ } + }, + { + pattern: /\b[a-z_]\w*(?=\s*::)/i, + alias: 'static-context', + greedy: true + }, + { + pattern: /(?:\\?\b[a-z_]\w*)+(?=\s*::)/i, + alias: [ + 'class-name-fully-qualified', + 'static-context' + ], + greedy: true, + inside: { 'punctuation': /\\/ } + }, + { + pattern: /([(,?]\s*)[a-z_]\w*(?=\s*\$)/i, + alias: 'type-hint', + greedy: true, + lookbehind: true + }, + { + pattern: /([(,?]\s*)(?:\\?\b[a-z_]\w*)+(?=\s*\$)/i, + alias: [ + 'class-name-fully-qualified', + 'type-hint' + ], + greedy: true, + lookbehind: true, + inside: { 'punctuation': /\\/ } + }, + { + pattern: /(\)\s*:\s*(?:\?\s*)?)\b[a-z_]\w*(?!\\)\b/i, + alias: 'return-type', + greedy: true, + lookbehind: true + }, + { + pattern: /(\)\s*:\s*(?:\?\s*)?)(?:\\?\b[a-z_]\w*)+\b(?!\\)/i, + alias: [ + 'class-name-fully-qualified', + 'return-type' + ], + greedy: true, + lookbehind: true, + inside: { 'punctuation': /\\/ } + } + ], + 'constant': constant, + 'function': { + pattern: /(^|[^\\\w])\\?[a-z_](?:[\w\\]*\w)?(?=\s*\()/i, + lookbehind: true, + inside: { 'punctuation': /\\/ } + }, + 'property': { + pattern: /(->\s*)\w+/, + lookbehind: true + }, + 'number': number, + 'operator': operator, + 'punctuation': punctuation + }; + var string_interpolation = { + pattern: /\{\$(?:\{(?:\{[^{}]+\}|[^{}]+)\}|[^{}])+\}|(^|[^\\{])\$+(?:\w+(?:\[[^\r\n\[\]]+\]|->\w+)?)/, + lookbehind: true, + inside: Prism.languages.php + }; + var string = [ + { + pattern: /<<<'([^']+)'[\r\n](?:.*[\r\n])*?\1;/, + alias: 'nowdoc-string', + greedy: true, + inside: { + 'delimiter': { + pattern: /^<<<'[^']+'|[a-z_]\w*;$/i, + alias: 'symbol', + inside: { 'punctuation': /^<<<'?|[';]$/ } + } + } + }, + { + pattern: /<<<(?:"([^"]+)"[\r\n](?:.*[\r\n])*?\1;|([a-z_]\w*)[\r\n](?:.*[\r\n])*?\2;)/i, + alias: 'heredoc-string', + greedy: true, + inside: { + 'delimiter': { + pattern: /^<<<(?:"[^"]+"|[a-z_]\w*)|[a-z_]\w*;$/i, + alias: 'symbol', + inside: { 'punctuation': /^<<<"?|[";]$/ } + }, + 'interpolation': string_interpolation + } + }, + { + pattern: /`(?:\\[\s\S]|[^\\`])*`/, + alias: 'backtick-quoted-string', + greedy: true + }, + { + pattern: /'(?:\\[\s\S]|[^\\'])*'/, + alias: 'single-quoted-string', + greedy: true + }, + { + pattern: /"(?:\\[\s\S]|[^\\"])*"/, + alias: 'double-quoted-string', + greedy: true, + inside: { 'interpolation': string_interpolation } + } + ]; + Prism.languages.insertBefore('php', 'variable', { + 'string': string, + 'attribute': { + pattern: /#\[(?:[^"'\/#]|\/(?![*/])|\/\/.*$|#(?!\[).*$|\/\*(?:[^*]|\*(?!\/))*\*\/|"(?:\\[\s\S]|[^\\"])*"|'(?:\\[\s\S]|[^\\'])*')+\](?=\s*[a-z$#])/im, + greedy: true, + inside: { + 'attribute-content': { + pattern: /^(#\[)[\s\S]+(?=\]$)/, + lookbehind: true, + inside: { + 'comment': comment, + 'string': string, + 'attribute-class-name': [ + { + pattern: /([^:]|^)\b[a-z_]\w*(?!\\)\b/i, + alias: 'class-name', + greedy: true, + lookbehind: true + }, + { + pattern: /([^:]|^)(?:\\?\b[a-z_]\w*)+/i, + alias: [ + 'class-name', + 'class-name-fully-qualified' + ], + greedy: true, + lookbehind: true, + inside: { 'punctuation': /\\/ } + } + ], + 'constant': constant, + 'number': number, + 'operator': operator, + 'punctuation': punctuation + } + }, + 'delimiter': { + pattern: /^#\[|\]$/, + alias: 'punctuation' + } + } + } + }); + Prism.hooks.add('before-tokenize', function (env) { + if (!/<\?/.test(env.code)) { + return; + } + var phpPattern = /<\?(?:[^"'/#]|\/(?![*/])|("|')(?:\\[\s\S]|(?!\1)[^\\])*\1|(?:\/\/|#(?!\[))(?:[^?\n\r]|\?(?!>))*(?=$|\?>|[\r\n])|#\[|\/\*(?:[^*]|\*(?!\/))*(?:\*\/|$))*?(?:\?>|$)/g; + Prism.languages['markup-templating'].buildPlaceholders(env, 'php', phpPattern); + }); + Prism.hooks.add('after-tokenize', function (env) { + Prism.languages['markup-templating'].tokenizePlaceholders(env, 'php'); + }); + }(Prism)); + Prism.languages.python = { + 'comment': { + pattern: /(^|[^\\])#.*/, + lookbehind: true, + greedy: true + }, + 'string-interpolation': { + pattern: /(?:f|fr|rf)(?:("""|''')[\s\S]*?\1|("|')(?:\\.|(?!\2)[^\\\r\n])*\2)/i, + greedy: true, + inside: { + 'interpolation': { + pattern: /((?:^|[^{])(?:\{\{)*)\{(?!\{)(?:[^{}]|\{(?!\{)(?:[^{}]|\{(?!\{)(?:[^{}])+\})+\})+\}/, + lookbehind: true, + inside: { + 'format-spec': { + pattern: /(:)[^:(){}]+(?=\}$)/, + lookbehind: true + }, + 'conversion-option': { + pattern: /![sra](?=[:}]$)/, + alias: 'punctuation' + }, + rest: null + } + }, + 'string': /[\s\S]+/ + } + }, + 'triple-quoted-string': { + pattern: /(?:[rub]|br|rb)?("""|''')[\s\S]*?\1/i, + greedy: true, + alias: 'string' + }, + 'string': { + pattern: /(?:[rub]|br|rb)?("|')(?:\\.|(?!\1)[^\\\r\n])*\1/i, + greedy: true + }, + 'function': { + pattern: /((?:^|\s)def[ \t]+)[a-zA-Z_]\w*(?=\s*\()/g, + lookbehind: true + }, + 'class-name': { + pattern: /(\bclass\s+)\w+/i, + lookbehind: true + }, + 'decorator': { + pattern: /(^[\t ]*)@\w+(?:\.\w+)*/m, + lookbehind: true, + alias: [ + 'annotation', + 'punctuation' + ], + inside: { 'punctuation': /\./ } + }, + 'keyword': /\b(?:_(?=\s*:)|and|as|assert|async|await|break|case|class|continue|def|del|elif|else|except|exec|finally|for|from|global|if|import|in|is|lambda|match|nonlocal|not|or|pass|print|raise|return|try|while|with|yield)\b/, + 'builtin': /\b(?:__import__|abs|all|any|apply|ascii|basestring|bin|bool|buffer|bytearray|bytes|callable|chr|classmethod|cmp|coerce|compile|complex|delattr|dict|dir|divmod|enumerate|eval|execfile|file|filter|float|format|frozenset|getattr|globals|hasattr|hash|help|hex|id|input|int|intern|isinstance|issubclass|iter|len|list|locals|long|map|max|memoryview|min|next|object|oct|open|ord|pow|property|range|raw_input|reduce|reload|repr|reversed|round|set|setattr|slice|sorted|staticmethod|str|sum|super|tuple|type|unichr|unicode|vars|xrange|zip)\b/, + 'boolean': /\b(?:False|None|True)\b/, + 'number': /\b0(?:b(?:_?[01])+|o(?:_?[0-7])+|x(?:_?[a-f0-9])+)\b|(?:\b\d+(?:_\d+)*(?:\.(?:\d+(?:_\d+)*)?)?|\B\.\d+(?:_\d+)*)(?:e[+-]?\d+(?:_\d+)*)?j?(?!\w)/i, + 'operator': /[-+%=]=?|!=|:=|\*\*?=?|\/\/?=?|<[<=>]?|>[=>]?|[&|^~]/, + 'punctuation': /[{}[\];(),.:]/ + }; + Prism.languages.python['string-interpolation'].inside['interpolation'].inside.rest = Prism.languages.python; + Prism.languages.py = Prism.languages.python; + (function (Prism) { + Prism.languages.ruby = Prism.languages.extend('clike', { + 'comment': { + pattern: /#.*|^=begin\s[\s\S]*?^=end/m, + greedy: true + }, + 'class-name': { + pattern: /(\b(?:class|module)\s+|\bcatch\s+\()[\w.\\]+|\b[A-Z_]\w*(?=\s*\.\s*new\b)/, + lookbehind: true, + inside: { 'punctuation': /[.\\]/ } + }, + 'keyword': /\b(?:BEGIN|END|alias|and|begin|break|case|class|def|define_method|defined|do|each|else|elsif|end|ensure|extend|for|if|in|include|module|new|next|nil|not|or|prepend|private|protected|public|raise|redo|require|rescue|retry|return|self|super|then|throw|undef|unless|until|when|while|yield)\b/, + 'operator': /\.{2,3}|&\.|===||[!=]?~|(?:&&|\|\||<<|>>|\*\*|[+\-*/%<>!^&|=])=?|[?:]/, + 'punctuation': /[(){}[\].,;]/ + }); + Prism.languages.insertBefore('ruby', 'operator', { + 'double-colon': { + pattern: /::/, + alias: 'punctuation' + } + }); + var interpolation = { + pattern: /((?:^|[^\\])(?:\\{2})*)#\{(?:[^{}]|\{[^{}]*\})*\}/, + lookbehind: true, + inside: { + 'content': { + pattern: /^(#\{)[\s\S]+(?=\}$)/, + lookbehind: true, + inside: Prism.languages.ruby + }, + 'delimiter': { + pattern: /^#\{|\}$/, + alias: 'punctuation' + } + } + }; + delete Prism.languages.ruby.function; + var percentExpression = '(?:' + [ + /([^a-zA-Z0-9\s{(\[<=])(?:(?!\1)[^\\]|\\[\s\S])*\1/.source, + /\((?:[^()\\]|\\[\s\S]|\((?:[^()\\]|\\[\s\S])*\))*\)/.source, + /\{(?:[^{}\\]|\\[\s\S]|\{(?:[^{}\\]|\\[\s\S])*\})*\}/.source, + /\[(?:[^\[\]\\]|\\[\s\S]|\[(?:[^\[\]\\]|\\[\s\S])*\])*\]/.source, + /<(?:[^<>\\]|\\[\s\S]|<(?:[^<>\\]|\\[\s\S])*>)*>/.source + ].join('|') + ')'; + var symbolName = /(?:"(?:\\.|[^"\\\r\n])*"|(?:\b[a-zA-Z_]\w*|[^\s\0-\x7F]+)[?!]?|\$.)/.source; + Prism.languages.insertBefore('ruby', 'keyword', { + 'regex-literal': [ + { + pattern: RegExp(/%r/.source + percentExpression + /[egimnosux]{0,6}/.source), + greedy: true, + inside: { + 'interpolation': interpolation, + 'regex': /[\s\S]+/ + } + }, + { + pattern: /(^|[^/])\/(?!\/)(?:\[[^\r\n\]]+\]|\\.|[^[/\\\r\n])+\/[egimnosux]{0,6}(?=\s*(?:$|[\r\n,.;})#]))/, + lookbehind: true, + greedy: true, + inside: { + 'interpolation': interpolation, + 'regex': /[\s\S]+/ + } + } + ], + 'variable': /[@$]+[a-zA-Z_]\w*(?:[?!]|\b)/, + 'symbol': [ + { + pattern: RegExp(/(^|[^:]):/.source + symbolName), + lookbehind: true, + greedy: true + }, + { + pattern: RegExp(/([\r\n{(,][ \t]*)/.source + symbolName + /(?=:(?!:))/.source), + lookbehind: true, + greedy: true + } + ], + 'method-definition': { + pattern: /(\bdef\s+)\w+(?:\s*\.\s*\w+)?/, + lookbehind: true, + inside: { + 'function': /\b\w+$/, + 'keyword': /^self\b/, + 'class-name': /^\w+/, + 'punctuation': /\./ + } + } + }); + Prism.languages.insertBefore('ruby', 'string', { + 'string-literal': [ + { + pattern: RegExp(/%[qQiIwWs]?/.source + percentExpression), + greedy: true, + inside: { + 'interpolation': interpolation, + 'string': /[\s\S]+/ + } + }, + { + pattern: /("|')(?:#\{[^}]+\}|#(?!\{)|\\(?:\r\n|[\s\S])|(?!\1)[^\\#\r\n])*\1/, + greedy: true, + inside: { + 'interpolation': interpolation, + 'string': /[\s\S]+/ + } + }, + { + pattern: /<<[-~]?([a-z_]\w*)[\r\n](?:.*[\r\n])*?[\t ]*\1/i, + alias: 'heredoc-string', + greedy: true, + inside: { + 'delimiter': { + pattern: /^<<[-~]?[a-z_]\w*|\b[a-z_]\w*$/i, + inside: { + 'symbol': /\b\w+/, + 'punctuation': /^<<[-~]?/ + } + }, + 'interpolation': interpolation, + 'string': /[\s\S]+/ + } + }, + { + pattern: /<<[-~]?'([a-z_]\w*)'[\r\n](?:.*[\r\n])*?[\t ]*\1/i, + alias: 'heredoc-string', + greedy: true, + inside: { + 'delimiter': { + pattern: /^<<[-~]?'[a-z_]\w*'|\b[a-z_]\w*$/i, + inside: { + 'symbol': /\b\w+/, + 'punctuation': /^<<[-~]?'|'$/ + } + }, + 'string': /[\s\S]+/ + } + } + ], + 'command-literal': [ + { + pattern: RegExp(/%x/.source + percentExpression), + greedy: true, + inside: { + 'interpolation': interpolation, + 'command': { + pattern: /[\s\S]+/, + alias: 'string' + } + } + }, + { + pattern: /`(?:#\{[^}]+\}|#(?!\{)|\\(?:\r\n|[\s\S])|[^\\`#\r\n])*`/, + greedy: true, + inside: { + 'interpolation': interpolation, + 'command': { + pattern: /[\s\S]+/, + alias: 'string' + } + } + } + ] + }); + delete Prism.languages.ruby.string; + Prism.languages.insertBefore('ruby', 'number', { + 'builtin': /\b(?:Array|Bignum|Binding|Class|Continuation|Dir|Exception|FalseClass|File|Fixnum|Float|Hash|IO|Integer|MatchData|Method|Module|NilClass|Numeric|Object|Proc|Range|Regexp|Stat|String|Struct|Symbol|TMS|Thread|ThreadGroup|Time|TrueClass)\b/, + 'constant': /\b[A-Z][A-Z0-9_]*(?:[?!]|\b)/ + }); + Prism.languages.rb = Prism.languages.ruby; + }(Prism)); + window.Prism = oldprism; + return Prism; + }(undefined, undefined); + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('codesample_languages', { processor: 'object[]' }); + registerOption('codesample_global_prismjs', { + processor: 'boolean', + default: false + }); + }; + const getLanguages$1 = option('codesample_languages'); + const useGlobalPrismJS = option('codesample_global_prismjs'); + + const get = editor => Global.Prism && useGlobalPrismJS(editor) ? Global.Prism : prismjs; + + const isCodeSample = elm => { + return isNonNullable(elm) && elm.nodeName === 'PRE' && elm.className.indexOf('language-') !== -1; + }; + + const getSelectedCodeSample = editor => { + const node = editor.selection ? editor.selection.getNode() : null; + return isCodeSample(node) ? Optional.some(node) : Optional.none(); + }; + const insertCodeSample = (editor, language, code) => { + const dom = editor.dom; + editor.undoManager.transact(() => { + const node = getSelectedCodeSample(editor); + code = global$1.DOM.encode(code); + return node.fold(() => { + editor.insertContent('

' + code + '
'); + const newPre = dom.select('#__new')[0]; + dom.setAttrib(newPre, 'id', null); + editor.selection.select(newPre); + }, n => { + dom.setAttrib(n, 'class', 'language-' + language); + n.innerHTML = code; + get(editor).highlightElement(n); + editor.selection.select(n); + }); + }); + }; + const getCurrentCode = editor => { + const node = getSelectedCodeSample(editor); + return node.bind(n => Optional.from(n.textContent)).getOr(''); + }; + + const getLanguages = editor => { + const defaultLanguages = [ + { + text: 'HTML/XML', + value: 'markup' + }, + { + text: 'JavaScript', + value: 'javascript' + }, + { + text: 'CSS', + value: 'css' + }, + { + text: 'PHP', + value: 'php' + }, + { + text: 'Ruby', + value: 'ruby' + }, + { + text: 'Python', + value: 'python' + }, + { + text: 'Java', + value: 'java' + }, + { + text: 'C', + value: 'c' + }, + { + text: 'C#', + value: 'csharp' + }, + { + text: 'C++', + value: 'cpp' + } + ]; + const customLanguages = getLanguages$1(editor); + return customLanguages ? customLanguages : defaultLanguages; + }; + const getCurrentLanguage = (editor, fallback) => { + const node = getSelectedCodeSample(editor); + return node.fold(() => fallback, n => { + const matches = n.className.match(/language-(\w+)/); + return matches ? matches[1] : fallback; + }); + }; + + const open = editor => { + const languages = getLanguages(editor); + const defaultLanguage = head(languages).fold(constant(''), l => l.value); + const currentLanguage = getCurrentLanguage(editor, defaultLanguage); + const currentCode = getCurrentCode(editor); + editor.windowManager.open({ + title: 'Insert/Edit Code Sample', + size: 'large', + body: { + type: 'panel', + items: [ + { + type: 'listbox', + name: 'language', + label: 'Language', + items: languages + }, + { + type: 'textarea', + name: 'code', + label: 'Code view' + } + ] + }, + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + initialData: { + language: currentLanguage, + code: currentCode + }, + onSubmit: api => { + const data = api.getData(); + insertCodeSample(editor, data.language, data.code); + api.close(); + } + }); + }; + + const register$1 = editor => { + editor.addCommand('codesample', () => { + const node = editor.selection.getNode(); + if (editor.selection.isCollapsed() || isCodeSample(node)) { + open(editor); + } else { + editor.formatter.toggle('code'); + } + }); + }; + + const blank = r => s => s.replace(r, ''); + const trim = blank(/^\s+|\s+$/g); + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const setup = editor => { + editor.on('PreProcess', e => { + const dom = editor.dom; + const pres = dom.select('pre[contenteditable=false]', e.node); + global.each(global.grep(pres, isCodeSample), elm => { + const code = elm.textContent; + dom.setAttrib(elm, 'class', trim(dom.getAttrib(elm, 'class'))); + dom.setAttrib(elm, 'contentEditable', null); + dom.setAttrib(elm, 'data-mce-highlighted', null); + let child; + while (child = elm.firstChild) { + elm.removeChild(child); + } + const codeElm = dom.add(elm, 'code'); + codeElm.textContent = code; + }); + }); + editor.on('SetContent', () => { + const dom = editor.dom; + const unprocessedCodeSamples = global.grep(dom.select('pre'), elm => { + return isCodeSample(elm) && dom.getAttrib(elm, 'data-mce-highlighted') !== 'true'; + }); + if (unprocessedCodeSamples.length) { + editor.undoManager.transact(() => { + global.each(unprocessedCodeSamples, elm => { + var _a; + global.each(dom.select('br', elm), elm => { + dom.replace(editor.getDoc().createTextNode('\n'), elm); + }); + elm.innerHTML = dom.encode((_a = elm.textContent) !== null && _a !== void 0 ? _a : ''); + get(editor).highlightElement(elm); + dom.setAttrib(elm, 'data-mce-highlighted', true); + elm.className = trim(elm.className); + }); + }); + } + }); + editor.on('PreInit', () => { + editor.parser.addNodeFilter('pre', nodes => { + var _a; + for (let i = 0, l = nodes.length; i < l; i++) { + const node = nodes[i]; + const isCodeSample = ((_a = node.attr('class')) !== null && _a !== void 0 ? _a : '').indexOf('language-') !== -1; + if (isCodeSample) { + node.attr('contenteditable', 'false'); + node.attr('data-mce-highlighted', 'false'); + } + } + }); + }); + }; + + const onSetupEditable = (editor, onChanged = noop) => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + onChanged(api); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const isCodeSampleSelection = editor => { + const node = editor.selection.getStart(); + return editor.dom.is(node, 'pre[class*="language-"]'); + }; + const register = editor => { + const onAction = () => editor.execCommand('codesample'); + editor.ui.registry.addToggleButton('codesample', { + icon: 'code-sample', + tooltip: 'Insert/edit code sample', + onAction, + onSetup: onSetupEditable(editor, api => { + api.setActive(isCodeSampleSelection(editor)); + }) + }); + editor.ui.registry.addMenuItem('codesample', { + text: 'Code sample...', + icon: 'code-sample', + onAction, + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$2.add('codesample', editor => { + register$2(editor); + setup(editor); + register(editor); + register$1(editor); + editor.on('dblclick', ev => { + if (isCodeSample(ev.target)) { + open(editor); + } + }); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/codesample/plugin.min.js b/deform/static/tinymce/plugins/codesample/plugin.min.js new file mode 100644 index 00000000..ca4ccae0 --- /dev/null +++ b/deform/static/tinymce/plugins/codesample/plugin.min.js @@ -0,0 +1,4 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>!(e=>null==e)(e),n=()=>{};class a{constructor(e,t){this.tag=e,this.value=t}static some(e){return new a(!0,e)}static none(){return a.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?a.some(e(this.value)):a.none()}bind(e){return this.tag?e(this.value):a.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:a.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return t(e)?a.some(e):a.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}a.singletonNone=new a(!1);var s=tinymce.util.Tools.resolve("tinymce.dom.DOMUtils");const r="undefined"!=typeof window?window:Function("return this;")(),i=function(e,t,n){const a=window.Prism;window.Prism={manual:!0};var s=function(e){var t=/(?:^|\s)lang(?:uage)?-([\w-]+)(?=\s|$)/i,n=0,a={},s={manual:e.Prism&&e.Prism.manual,disableWorkerMessageHandler:e.Prism&&e.Prism.disableWorkerMessageHandler,util:{encode:function e(t){return t instanceof r?new r(t.type,e(t.content),t.alias):Array.isArray(t)?t.map(e):t.replace(/&/g,"&").replace(/=d.reach);x+=_.value.length,_=_.next){var F=_.value;if(t.length>e.length)return;if(!(F instanceof r)){var A,S=1;if(y){if(!(A=i(v,x,e,m))||A.index>=e.length)break;var $=A.index,z=A.index+A[0].length,E=x;for(E+=_.value.length;$>=E;)E+=(_=_.next).value.length;if(x=E-=_.value.length,_.value instanceof r)continue;for(var C=_;C!==t.tail&&(Ed.reach&&(d.reach=O);var P=_.prev;if(B&&(P=u(t,P,B),x+=B.length),c(t,P,S),_=u(t,P,new r(g,f?s.tokenize(j,f):j,w,j)),T&&u(t,_,T),S>1){var N={cause:g+","+b,reach:O};o(e,t,n,_.prev,x,N),d&&N.reach>d.reach&&(d.reach=N.reach)}}}}}}function l(){var e={value:null,prev:null,next:null},t={value:null,prev:e,next:null};e.next=t,this.head=e,this.tail=t,this.length=0}function u(e,t,n){var a=t.next,s={value:n,prev:t,next:a};return t.next=s,a.prev=s,e.length++,s}function c(e,t,n){for(var a=t.next,s=0;s"+r.content+""},!e.document)return e.addEventListener?(s.disableWorkerMessageHandler||e.addEventListener("message",(function(t){var n=JSON.parse(t.data),a=n.language,r=n.code,i=n.immediateClose;e.postMessage(s.highlight(r,s.languages[a],a)),i&&e.close()}),!1),s):s;var d=s.util.currentScript();function g(){s.manual||s.highlightAll()}if(d&&(s.filename=d.src,d.hasAttribute("data-manual")&&(s.manual=!0)),!s.manual){var p=document.readyState;"loading"===p||"interactive"===p&&d&&d.defer?document.addEventListener("DOMContentLoaded",g):window.requestAnimationFrame?window.requestAnimationFrame(g):window.setTimeout(g,16)}return s}("undefined"!=typeof window?window:"undefined"!=typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope?self:{});return s.languages.clike={comment:[{pattern:/(^|[^\\])\/\*[\s\S]*?(?:\*\/|$)/,lookbehind:!0,greedy:!0},{pattern:/(^|[^\\:])\/\/.*/,lookbehind:!0,greedy:!0}],string:{pattern:/(["'])(?:\\(?:\r\n|[\s\S])|(?!\1)[^\\\r\n])*\1/,greedy:!0},"class-name":{pattern:/(\b(?:class|extends|implements|instanceof|interface|new|trait)\s+|\bcatch\s+\()[\w.\\]+/i,lookbehind:!0,inside:{punctuation:/[.\\]/}},keyword:/\b(?:break|catch|continue|do|else|finally|for|function|if|in|instanceof|new|null|return|throw|try|while)\b/,boolean:/\b(?:false|true)\b/,function:/\b\w+(?=\()/,number:/\b0x[\da-f]+\b|(?:\b\d+(?:\.\d*)?|\B\.\d+)(?:e[+-]?\d+)?/i,operator:/[<>]=?|[!=]=?=?|--?|\+\+?|&&?|\|\|?|[?*/~^%]/,punctuation:/[{}[\];(),.:]/},function(e){function t(e,t){return"___"+e.toUpperCase()+t+"___"}Object.defineProperties(e.languages["markup-templating"]={},{buildPlaceholders:{value:function(n,a,s,r){if(n.language===a){var i=n.tokenStack=[];n.code=n.code.replace(s,(function(e){if("function"==typeof r&&!r(e))return e;for(var s,o=i.length;-1!==n.code.indexOf(s=t(a,o));)++o;return i[o]=e,s})),n.grammar=e.languages.markup}}},tokenizePlaceholders:{value:function(n,a){if(n.language===a&&n.tokenStack){n.grammar=e.languages[a];var s=0,r=Object.keys(n.tokenStack);!function i(o){for(var l=0;l=r.length);l++){var u=o[l];if("string"==typeof u||u.content&&"string"==typeof u.content){var c=r[s],d=n.tokenStack[c],g="string"==typeof u?u:u.content,p=t(a,c),b=g.indexOf(p);if(b>-1){++s;var h=g.substring(0,b),f=new e.Token(a,e.tokenize(d,n.grammar),"language-"+a,d),m=g.substring(b+p.length),y=[];h&&y.push.apply(y,i([h])),y.push(f),m&&y.push.apply(y,i([m])),"string"==typeof u?o.splice.apply(o,[l,1].concat(y)):u.content=y}}else u.content&&i(u.content)}return o}(n.tokens)}}}})}(s),s.languages.c=s.languages.extend("clike",{comment:{pattern:/\/\/(?:[^\r\n\\]|\\(?:\r\n?|\n|(?![\r\n])))*|\/\*[\s\S]*?(?:\*\/|$)/,greedy:!0},string:{pattern:/"(?:\\(?:\r\n|[\s\S])|[^"\\\r\n])*"/,greedy:!0},"class-name":{pattern:/(\b(?:enum|struct)\s+(?:__attribute__\s*\(\([\s\S]*?\)\)\s*)?)\w+|\b[a-z]\w*_t\b/,lookbehind:!0},keyword:/\b(?:_Alignas|_Alignof|_Atomic|_Bool|_Complex|_Generic|_Imaginary|_Noreturn|_Static_assert|_Thread_local|__attribute__|asm|auto|break|case|char|const|continue|default|do|double|else|enum|extern|float|for|goto|if|inline|int|long|register|return|short|signed|sizeof|static|struct|switch|typedef|typeof|union|unsigned|void|volatile|while)\b/,function:/\b[a-z_]\w*(?=\s*\()/i,number:/(?:\b0x(?:[\da-f]+(?:\.[\da-f]*)?|\.[\da-f]+)(?:p[+-]?\d+)?|(?:\b\d+(?:\.\d*)?|\B\.\d+)(?:e[+-]?\d+)?)[ful]{0,4}/i,operator:/>>=?|<<=?|->|([-+&|:])\1|[?:~]|[-+*/%&|^!=<>]=?/}),s.languages.insertBefore("c","string",{char:{pattern:/'(?:\\(?:\r\n|[\s\S])|[^'\\\r\n]){0,32}'/,greedy:!0}}),s.languages.insertBefore("c","string",{macro:{pattern:/(^[\t ]*)#\s*[a-z](?:[^\r\n\\/]|\/(?!\*)|\/\*(?:[^*]|\*(?!\/))*\*\/|\\(?:\r\n|[\s\S]))*/im,lookbehind:!0,greedy:!0,alias:"property",inside:{string:[{pattern:/^(#\s*include\s*)<[^>]+>/,lookbehind:!0},s.languages.c.string],char:s.languages.c.char,comment:s.languages.c.comment,"macro-name":[{pattern:/(^#\s*define\s+)\w+\b(?!\()/i,lookbehind:!0},{pattern:/(^#\s*define\s+)\w+\b(?=\()/i,lookbehind:!0,alias:"function"}],directive:{pattern:/^(#\s*)[a-z]+/,lookbehind:!0,alias:"keyword"},"directive-hash":/^#/,punctuation:/##|\\(?=[\r\n])/,expression:{pattern:/\S[\s\S]*/,inside:s.languages.c}}}}),s.languages.insertBefore("c","function",{constant:/\b(?:EOF|NULL|SEEK_CUR|SEEK_END|SEEK_SET|__DATE__|__FILE__|__LINE__|__TIMESTAMP__|__TIME__|__func__|stderr|stdin|stdout)\b/}),delete s.languages.c.boolean,function(e){var t=/\b(?:alignas|alignof|asm|auto|bool|break|case|catch|char|char16_t|char32_t|char8_t|class|co_await|co_return|co_yield|compl|concept|const|const_cast|consteval|constexpr|constinit|continue|decltype|default|delete|do|double|dynamic_cast|else|enum|explicit|export|extern|final|float|for|friend|goto|if|import|inline|int|int16_t|int32_t|int64_t|int8_t|long|module|mutable|namespace|new|noexcept|nullptr|operator|override|private|protected|public|register|reinterpret_cast|requires|return|short|signed|sizeof|static|static_assert|static_cast|struct|switch|template|this|thread_local|throw|try|typedef|typeid|typename|uint16_t|uint32_t|uint64_t|uint8_t|union|unsigned|using|virtual|void|volatile|wchar_t|while)\b/,n=/\b(?!)\w+(?:\s*\.\s*\w+)*\b/.source.replace(//g,(function(){return t.source}));e.languages.cpp=e.languages.extend("c",{"class-name":[{pattern:RegExp(/(\b(?:class|concept|enum|struct|typename)\s+)(?!)\w+/.source.replace(//g,(function(){return t.source}))),lookbehind:!0},/\b[A-Z]\w*(?=\s*::\s*\w+\s*\()/,/\b[A-Z_]\w*(?=\s*::\s*~\w+\s*\()/i,/\b\w+(?=\s*<(?:[^<>]|<(?:[^<>]|<[^<>]*>)*>)*>\s*::\s*\w+\s*\()/],keyword:t,number:{pattern:/(?:\b0b[01']+|\b0x(?:[\da-f']+(?:\.[\da-f']*)?|\.[\da-f']+)(?:p[+-]?[\d']+)?|(?:\b[\d']+(?:\.[\d']*)?|\B\.[\d']+)(?:e[+-]?[\d']+)?)[ful]{0,4}/i,greedy:!0},operator:/>>=?|<<=?|->|--|\+\+|&&|\|\||[?:~]|<=>|[-+*/%&|^!=<>]=?|\b(?:and|and_eq|bitand|bitor|not|not_eq|or|or_eq|xor|xor_eq)\b/,boolean:/\b(?:false|true)\b/}),e.languages.insertBefore("cpp","string",{module:{pattern:RegExp(/(\b(?:import|module)\s+)/.source+"(?:"+/"(?:\\(?:\r\n|[\s\S])|[^"\\\r\n])*"|<[^<>\r\n]*>/.source+"|"+/(?:\s*:\s*)?|:\s*/.source.replace(//g,(function(){return n}))+")"),lookbehind:!0,greedy:!0,inside:{string:/^[<"][\s\S]+/,operator:/:/,punctuation:/\./}},"raw-string":{pattern:/R"([^()\\ ]{0,16})\([\s\S]*?\)\1"/,alias:"string",greedy:!0}}),e.languages.insertBefore("cpp","keyword",{"generic-function":{pattern:/\b(?!operator\b)[a-z_]\w*\s*<(?:[^<>]|<[^<>]*>)*>(?=\s*\()/i,inside:{function:/^\w+/,generic:{pattern:/<[\s\S]+/,alias:"class-name",inside:e.languages.cpp}}}}),e.languages.insertBefore("cpp","operator",{"double-colon":{pattern:/::/,alias:"punctuation"}}),e.languages.insertBefore("cpp","class-name",{"base-clause":{pattern:/(\b(?:class|struct)\s+\w+\s*:\s*)[^;{}"'\s]+(?:\s+[^;{}"'\s]+)*(?=\s*[;{])/,lookbehind:!0,greedy:!0,inside:e.languages.extend("cpp",{})}}),e.languages.insertBefore("inside","double-colon",{"class-name":/\b[a-z_]\w*\b(?!\s*::)/i},e.languages.cpp["base-clause"])}(s),function(e){function t(e,t){return e.replace(/<<(\d+)>>/g,(function(e,n){return"(?:"+t[+n]+")"}))}function n(e,n,a){return RegExp(t(e,n),a||"")}function a(e,t){for(var n=0;n>/g,(function(){return"(?:"+e+")"}));return e.replace(/<>/g,"[^\\s\\S]")}var s="bool byte char decimal double dynamic float int long object sbyte short string uint ulong ushort var void",r="class enum interface record struct",i="add alias and ascending async await by descending from(?=\\s*(?:\\w|$)) get global group into init(?=\\s*;) join let nameof not notnull on or orderby partial remove select set unmanaged value when where with(?=\\s*{)",o="abstract as base break case catch checked const continue default delegate do else event explicit extern finally fixed for foreach goto if implicit in internal is lock namespace new null operator out override params private protected public readonly ref return sealed sizeof stackalloc static switch this throw try typeof unchecked unsafe using virtual volatile while yield";function l(e){return"\\b(?:"+e.trim().replace(/ /g,"|")+")\\b"}var u=l(r),c=RegExp(l(s+" "+r+" "+i+" "+o)),d=l(r+" "+i+" "+o),g=l(s+" "+r+" "+o),p=a(/<(?:[^<>;=+\-*/%&|^]|<>)*>/.source,2),b=a(/\((?:[^()]|<>)*\)/.source,2),h=/@?\b[A-Za-z_]\w*\b/.source,f=t(/<<0>>(?:\s*<<1>>)?/.source,[h,p]),m=t(/(?!<<0>>)<<1>>(?:\s*\.\s*<<1>>)*/.source,[d,f]),y=/\[\s*(?:,\s*)*\]/.source,w=t(/<<0>>(?:\s*(?:\?\s*)?<<1>>)*(?:\s*\?)?/.source,[m,y]),k=t(/[^,()<>[\];=+\-*/%&|^]|<<0>>|<<1>>|<<2>>/.source,[p,b,y]),v=t(/\(<<0>>+(?:,<<0>>+)+\)/.source,[k]),_=t(/(?:<<0>>|<<1>>)(?:\s*(?:\?\s*)?<<2>>)*(?:\s*\?)?/.source,[v,m,y]),x={keyword:c,punctuation:/[<>()?,.:[\]]/},F=/'(?:[^\r\n'\\]|\\.|\\[Uux][\da-fA-F]{1,8})'/.source,A=/"(?:\\.|[^\\"\r\n])*"/.source,S=/@"(?:""|\\[\s\S]|[^\\"])*"(?!")/.source;e.languages.csharp=e.languages.extend("clike",{string:[{pattern:n(/(^|[^$\\])<<0>>/.source,[S]),lookbehind:!0,greedy:!0},{pattern:n(/(^|[^@$\\])<<0>>/.source,[A]),lookbehind:!0,greedy:!0}],"class-name":[{pattern:n(/(\busing\s+static\s+)<<0>>(?=\s*;)/.source,[m]),lookbehind:!0,inside:x},{pattern:n(/(\busing\s+<<0>>\s*=\s*)<<1>>(?=\s*;)/.source,[h,_]),lookbehind:!0,inside:x},{pattern:n(/(\busing\s+)<<0>>(?=\s*=)/.source,[h]),lookbehind:!0},{pattern:n(/(\b<<0>>\s+)<<1>>/.source,[u,f]),lookbehind:!0,inside:x},{pattern:n(/(\bcatch\s*\(\s*)<<0>>/.source,[m]),lookbehind:!0,inside:x},{pattern:n(/(\bwhere\s+)<<0>>/.source,[h]),lookbehind:!0},{pattern:n(/(\b(?:is(?:\s+not)?|as)\s+)<<0>>/.source,[w]),lookbehind:!0,inside:x},{pattern:n(/\b<<0>>(?=\s+(?!<<1>>|with\s*\{)<<2>>(?:\s*[=,;:{)\]]|\s+(?:in|when)\b))/.source,[_,g,h]),inside:x}],keyword:c,number:/(?:\b0(?:x[\da-f_]*[\da-f]|b[01_]*[01])|(?:\B\.\d+(?:_+\d+)*|\b\d+(?:_+\d+)*(?:\.\d+(?:_+\d+)*)?)(?:e[-+]?\d+(?:_+\d+)*)?)(?:[dflmu]|lu|ul)?\b/i,operator:/>>=?|<<=?|[-=]>|([-+&|])\1|~|\?\?=?|[-+*/%&|^!=<>]=?/,punctuation:/\?\.?|::|[{}[\];(),.:]/}),e.languages.insertBefore("csharp","number",{range:{pattern:/\.\./,alias:"operator"}}),e.languages.insertBefore("csharp","punctuation",{"named-parameter":{pattern:n(/([(,]\s*)<<0>>(?=\s*:)/.source,[h]),lookbehind:!0,alias:"punctuation"}}),e.languages.insertBefore("csharp","class-name",{namespace:{pattern:n(/(\b(?:namespace|using)\s+)<<0>>(?:\s*\.\s*<<0>>)*(?=\s*[;{])/.source,[h]),lookbehind:!0,inside:{punctuation:/\./}},"type-expression":{pattern:n(/(\b(?:default|sizeof|typeof)\s*\(\s*(?!\s))(?:[^()\s]|\s(?!\s)|<<0>>)*(?=\s*\))/.source,[b]),lookbehind:!0,alias:"class-name",inside:x},"return-type":{pattern:n(/<<0>>(?=\s+(?:<<1>>\s*(?:=>|[({]|\.\s*this\s*\[)|this\s*\[))/.source,[_,m]),inside:x,alias:"class-name"},"constructor-invocation":{pattern:n(/(\bnew\s+)<<0>>(?=\s*[[({])/.source,[_]),lookbehind:!0,inside:x,alias:"class-name"},"generic-method":{pattern:n(/<<0>>\s*<<1>>(?=\s*\()/.source,[h,p]),inside:{function:n(/^<<0>>/.source,[h]),generic:{pattern:RegExp(p),alias:"class-name",inside:x}}},"type-list":{pattern:n(/\b((?:<<0>>\s+<<1>>|record\s+<<1>>\s*<<5>>|where\s+<<2>>)\s*:\s*)(?:<<3>>|<<4>>|<<1>>\s*<<5>>|<<6>>)(?:\s*,\s*(?:<<3>>|<<4>>|<<6>>))*(?=\s*(?:where|[{;]|=>|$))/.source,[u,f,h,_,c.source,b,/\bnew\s*\(\s*\)/.source]),lookbehind:!0,inside:{"record-arguments":{pattern:n(/(^(?!new\s*\()<<0>>\s*)<<1>>/.source,[f,b]),lookbehind:!0,greedy:!0,inside:e.languages.csharp},keyword:c,"class-name":{pattern:RegExp(_),greedy:!0,inside:x},punctuation:/[,()]/}},preprocessor:{pattern:/(^[\t ]*)#.*/m,lookbehind:!0,alias:"property",inside:{directive:{pattern:/(#)\b(?:define|elif|else|endif|endregion|error|if|line|nullable|pragma|region|undef|warning)\b/,lookbehind:!0,alias:"keyword"}}}});var $=A+"|"+F,z=t(/\/(?![*/])|\/\/[^\r\n]*[\r\n]|\/\*(?:[^*]|\*(?!\/))*\*\/|<<0>>/.source,[$]),E=a(t(/[^"'/()]|<<0>>|\(<>*\)/.source,[z]),2),C=/\b(?:assembly|event|field|method|module|param|property|return|type)\b/.source,j=t(/<<0>>(?:\s*\(<<1>>*\))?/.source,[m,E]);e.languages.insertBefore("csharp","class-name",{attribute:{pattern:n(/((?:^|[^\s\w>)?])\s*\[\s*)(?:<<0>>\s*:\s*)?<<1>>(?:\s*,\s*<<1>>)*(?=\s*\])/.source,[C,j]),lookbehind:!0,greedy:!0,inside:{target:{pattern:n(/^<<0>>(?=\s*:)/.source,[C]),alias:"keyword"},"attribute-arguments":{pattern:n(/\(<<0>>*\)/.source,[E]),inside:e.languages.csharp},"class-name":{pattern:RegExp(m),inside:{punctuation:/\./}},punctuation:/[:,]/}}});var B=/:[^}\r\n]+/.source,T=a(t(/[^"'/()]|<<0>>|\(<>*\)/.source,[z]),2),O=t(/\{(?!\{)(?:(?![}:])<<0>>)*<<1>>?\}/.source,[T,B]),P=a(t(/[^"'/()]|\/(?!\*)|\/\*(?:[^*]|\*(?!\/))*\*\/|<<0>>|\(<>*\)/.source,[$]),2),N=t(/\{(?!\{)(?:(?![}:])<<0>>)*<<1>>?\}/.source,[P,B]);function R(t,a){return{interpolation:{pattern:n(/((?:^|[^{])(?:\{\{)*)<<0>>/.source,[t]),lookbehind:!0,inside:{"format-string":{pattern:n(/(^\{(?:(?![}:])<<0>>)*)<<1>>(?=\}$)/.source,[a,B]),lookbehind:!0,inside:{punctuation:/^:/}},punctuation:/^\{|\}$/,expression:{pattern:/[\s\S]+/,alias:"language-csharp",inside:e.languages.csharp}}},string:/[\s\S]+/}}e.languages.insertBefore("csharp","string",{"interpolation-string":[{pattern:n(/(^|[^\\])(?:\$@|@\$)"(?:""|\\[\s\S]|\{\{|<<0>>|[^\\{"])*"/.source,[O]),lookbehind:!0,greedy:!0,inside:R(O,T)},{pattern:n(/(^|[^@\\])\$"(?:\\.|\{\{|<<0>>|[^\\"{])*"/.source,[N]),lookbehind:!0,greedy:!0,inside:R(N,P)}],char:{pattern:RegExp(F),greedy:!0}}),e.languages.dotnet=e.languages.cs=e.languages.csharp}(s),function(e){var t=/(?:"(?:\\(?:\r\n|[\s\S])|[^"\\\r\n])*"|'(?:\\(?:\r\n|[\s\S])|[^'\\\r\n])*')/;e.languages.css={comment:/\/\*[\s\S]*?\*\//,atrule:{pattern:RegExp("@[\\w-](?:"+/[^;{\s"']|\s+(?!\s)/.source+"|"+t.source+")*?"+/(?:;|(?=\s*\{))/.source),inside:{rule:/^@[\w-]+/,"selector-function-argument":{pattern:/(\bselector\s*\(\s*(?![\s)]))(?:[^()\s]|\s+(?![\s)])|\((?:[^()]|\([^()]*\))*\))+(?=\s*\))/,lookbehind:!0,alias:"selector"},keyword:{pattern:/(^|[^\w-])(?:and|not|only|or)(?![\w-])/,lookbehind:!0}}},url:{pattern:RegExp("\\burl\\((?:"+t.source+"|"+/(?:[^\\\r\n()"']|\\[\s\S])*/.source+")\\)","i"),greedy:!0,inside:{function:/^url/i,punctuation:/^\(|\)$/,string:{pattern:RegExp("^"+t.source+"$"),alias:"url"}}},selector:{pattern:RegExp("(^|[{}\\s])[^{}\\s](?:[^{};\"'\\s]|\\s+(?![\\s{])|"+t.source+")*(?=\\s*\\{)"),lookbehind:!0},string:{pattern:t,greedy:!0},property:{pattern:/(^|[^-\w\xA0-\uFFFF])(?!\s)[-_a-z\xA0-\uFFFF](?:(?!\s)[-\w\xA0-\uFFFF])*(?=\s*:)/i,lookbehind:!0},important:/!important\b/i,function:{pattern:/(^|[^-a-z0-9])[-a-z0-9]+(?=\()/i,lookbehind:!0},punctuation:/[(){};:,]/},e.languages.css.atrule.inside.rest=e.languages.css;var n=e.languages.markup;n&&(n.tag.addInlined("style","css"),n.tag.addAttribute("style","css"))}(s),function(e){var t=/\b(?:abstract|assert|boolean|break|byte|case|catch|char|class|const|continue|default|do|double|else|enum|exports|extends|final|finally|float|for|goto|if|implements|import|instanceof|int|interface|long|module|native|new|non-sealed|null|open|opens|package|permits|private|protected|provides|public|record(?!\s*[(){}[\]<>=%~.:,;?+\-*/&|^])|requires|return|sealed|short|static|strictfp|super|switch|synchronized|this|throw|throws|to|transient|transitive|try|uses|var|void|volatile|while|with|yield)\b/,n=/(?:[a-z]\w*\s*\.\s*)*(?:[A-Z]\w*\s*\.\s*)*/.source,a={pattern:RegExp(/(^|[^\w.])/.source+n+/[A-Z](?:[\d_A-Z]*[a-z]\w*)?\b/.source),lookbehind:!0,inside:{namespace:{pattern:/^[a-z]\w*(?:\s*\.\s*[a-z]\w*)*(?:\s*\.)?/,inside:{punctuation:/\./}},punctuation:/\./}};e.languages.java=e.languages.extend("clike",{string:{pattern:/(^|[^\\])"(?:\\.|[^"\\\r\n])*"/,lookbehind:!0,greedy:!0},"class-name":[a,{pattern:RegExp(/(^|[^\w.])/.source+n+/[A-Z]\w*(?=\s+\w+\s*[;,=()]|\s*(?:\[[\s,]*\]\s*)?::\s*new\b)/.source),lookbehind:!0,inside:a.inside},{pattern:RegExp(/(\b(?:class|enum|extends|implements|instanceof|interface|new|record|throws)\s+)/.source+n+/[A-Z]\w*\b/.source),lookbehind:!0,inside:a.inside}],keyword:t,function:[e.languages.clike.function,{pattern:/(::\s*)[a-z_]\w*/,lookbehind:!0}],number:/\b0b[01][01_]*L?\b|\b0x(?:\.[\da-f_p+-]+|[\da-f_]+(?:\.[\da-f_p+-]+)?)\b|(?:\b\d[\d_]*(?:\.[\d_]*)?|\B\.\d[\d_]*)(?:e[+-]?\d[\d_]*)?[dfl]?/i,operator:{pattern:/(^|[^.])(?:<<=?|>>>?=?|->|--|\+\+|&&|\|\||::|[?:~]|[-+*/%&|^!=<>]=?)/m,lookbehind:!0},constant:/\b[A-Z][A-Z_\d]+\b/}),e.languages.insertBefore("java","string",{"triple-quoted-string":{pattern:/"""[ \t]*[\r\n](?:(?:"|"")?(?:\\.|[^"\\]))*"""/,greedy:!0,alias:"string"},char:{pattern:/'(?:\\.|[^'\\\r\n]){1,6}'/,greedy:!0}}),e.languages.insertBefore("java","class-name",{annotation:{pattern:/(^|[^.])@\w+(?:\s*\.\s*\w+)*/,lookbehind:!0,alias:"punctuation"},generics:{pattern:/<(?:[\w\s,.?]|&(?!&)|<(?:[\w\s,.?]|&(?!&)|<(?:[\w\s,.?]|&(?!&)|<(?:[\w\s,.?]|&(?!&))*>)*>)*>)*>/,inside:{"class-name":a,keyword:t,punctuation:/[<>(),.:]/,operator:/[?&|]/}},import:[{pattern:RegExp(/(\bimport\s+)/.source+n+/(?:[A-Z]\w*|\*)(?=\s*;)/.source),lookbehind:!0,inside:{namespace:a.inside.namespace,punctuation:/\./,operator:/\*/,"class-name":/\w+/}},{pattern:RegExp(/(\bimport\s+static\s+)/.source+n+/(?:\w+|\*)(?=\s*;)/.source),lookbehind:!0,alias:"static",inside:{namespace:a.inside.namespace,static:/\b\w+$/,punctuation:/\./,operator:/\*/,"class-name":/\w+/}}],namespace:{pattern:RegExp(/(\b(?:exports|import(?:\s+static)?|module|open|opens|package|provides|requires|to|transitive|uses|with)\s+)(?!)[a-z]\w*(?:\.[a-z]\w*)*\.?/.source.replace(//g,(function(){return t.source}))),lookbehind:!0,inside:{punctuation:/\./}}})}(s),s.languages.javascript=s.languages.extend("clike",{"class-name":[s.languages.clike["class-name"],{pattern:/(^|[^$\w\xA0-\uFFFF])(?!\s)[_$A-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\.(?:constructor|prototype))/,lookbehind:!0}],keyword:[{pattern:/((?:^|\})\s*)catch\b/,lookbehind:!0},{pattern:/(^|[^.]|\.\.\.\s*)\b(?:as|assert(?=\s*\{)|async(?=\s*(?:function\b|\(|[$\w\xA0-\uFFFF]|$))|await|break|case|class|const|continue|debugger|default|delete|do|else|enum|export|extends|finally(?=\s*(?:\{|$))|for|from(?=\s*(?:['"]|$))|function|(?:get|set)(?=\s*(?:[#\[$\w\xA0-\uFFFF]|$))|if|implements|import|in|instanceof|interface|let|new|null|of|package|private|protected|public|return|static|super|switch|this|throw|try|typeof|undefined|var|void|while|with|yield)\b/,lookbehind:!0}],function:/#?(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*(?:\.\s*(?:apply|bind|call)\s*)?\()/,number:{pattern:RegExp(/(^|[^\w$])/.source+"(?:"+/NaN|Infinity/.source+"|"+/0[bB][01]+(?:_[01]+)*n?/.source+"|"+/0[oO][0-7]+(?:_[0-7]+)*n?/.source+"|"+/0[xX][\dA-Fa-f]+(?:_[\dA-Fa-f]+)*n?/.source+"|"+/\d+(?:_\d+)*n/.source+"|"+/(?:\d+(?:_\d+)*(?:\.(?:\d+(?:_\d+)*)?)?|\.\d+(?:_\d+)*)(?:[Ee][+-]?\d+(?:_\d+)*)?/.source+")"+/(?![\w$])/.source),lookbehind:!0},operator:/--|\+\+|\*\*=?|=>|&&=?|\|\|=?|[!=]==|<<=?|>>>?=?|[-+*/%&|^!=<>]=?|\.{3}|\?\?=?|\?\.?|[~:]/}),s.languages.javascript["class-name"][0].pattern=/(\b(?:class|extends|implements|instanceof|interface|new)\s+)[\w.\\]+/,s.languages.insertBefore("javascript","keyword",{regex:{pattern:RegExp(/((?:^|[^$\w\xA0-\uFFFF."'\])\s]|\b(?:return|yield))\s*)/.source+/\//.source+"(?:"+/(?:\[(?:[^\]\\\r\n]|\\.)*\]|\\.|[^/\\\[\r\n])+\/[dgimyus]{0,7}/.source+"|"+/(?:\[(?:[^[\]\\\r\n]|\\.|\[(?:[^[\]\\\r\n]|\\.|\[(?:[^[\]\\\r\n]|\\.)*\])*\])*\]|\\.|[^/\\\[\r\n])+\/[dgimyus]{0,7}v[dgimyus]{0,7}/.source+")"+/(?=(?:\s|\/\*(?:[^*]|\*(?!\/))*\*\/)*(?:$|[\r\n,.;:})\]]|\/\/))/.source),lookbehind:!0,greedy:!0,inside:{"regex-source":{pattern:/^(\/)[\s\S]+(?=\/[a-z]*$)/,lookbehind:!0,alias:"language-regex",inside:s.languages.regex},"regex-delimiter":/^\/|\/$/,"regex-flags":/^[a-z]+$/}},"function-variable":{pattern:/#?(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*[=:]\s*(?:async\s*)?(?:\bfunction\b|(?:\((?:[^()]|\([^()]*\))*\)|(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*)\s*=>))/,alias:"function"},parameter:[{pattern:/(function(?:\s+(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*)?\s*\(\s*)(?!\s)(?:[^()\s]|\s+(?![\s)])|\([^()]*\))+(?=\s*\))/,lookbehind:!0,inside:s.languages.javascript},{pattern:/(^|[^$\w\xA0-\uFFFF])(?!\s)[_$a-z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*=>)/i,lookbehind:!0,inside:s.languages.javascript},{pattern:/(\(\s*)(?!\s)(?:[^()\s]|\s+(?![\s)])|\([^()]*\))+(?=\s*\)\s*=>)/,lookbehind:!0,inside:s.languages.javascript},{pattern:/((?:\b|\s|^)(?!(?:as|async|await|break|case|catch|class|const|continue|debugger|default|delete|do|else|enum|export|extends|finally|for|from|function|get|if|implements|import|in|instanceof|interface|let|new|null|of|package|private|protected|public|return|set|static|super|switch|this|throw|try|typeof|undefined|var|void|while|with|yield)(?![$\w\xA0-\uFFFF]))(?:(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*\s*)\(\s*|\]\s*\(\s*)(?!\s)(?:[^()\s]|\s+(?![\s)])|\([^()]*\))+(?=\s*\)\s*\{)/,lookbehind:!0,inside:s.languages.javascript}],constant:/\b[A-Z](?:[A-Z_]|\dx?)*\b/}),s.languages.insertBefore("javascript","string",{hashbang:{pattern:/^#!.*/,greedy:!0,alias:"comment"},"template-string":{pattern:/`(?:\\[\s\S]|\$\{(?:[^{}]|\{(?:[^{}]|\{[^}]*\})*\})+\}|(?!\$\{)[^\\`])*`/,greedy:!0,inside:{"template-punctuation":{pattern:/^`|`$/,alias:"string"},interpolation:{pattern:/((?:^|[^\\])(?:\\{2})*)\$\{(?:[^{}]|\{(?:[^{}]|\{[^}]*\})*\})+\}/,lookbehind:!0,inside:{"interpolation-punctuation":{pattern:/^\$\{|\}$/,alias:"punctuation"},rest:s.languages.javascript}},string:/[\s\S]+/}},"string-property":{pattern:/((?:^|[,{])[ \t]*)(["'])(?:\\(?:\r\n|[\s\S])|(?!\2)[^\\\r\n])*\2(?=\s*:)/m,lookbehind:!0,greedy:!0,alias:"property"}}),s.languages.insertBefore("javascript","operator",{"literal-property":{pattern:/((?:^|[,{])[ \t]*)(?!\s)[_$a-zA-Z\xA0-\uFFFF](?:(?!\s)[$\w\xA0-\uFFFF])*(?=\s*:)/m,lookbehind:!0,alias:"property"}}),s.languages.markup&&(s.languages.markup.tag.addInlined("script","javascript"),s.languages.markup.tag.addAttribute(/on(?:abort|blur|change|click|composition(?:end|start|update)|dblclick|error|focus(?:in|out)?|key(?:down|up)|load|mouse(?:down|enter|leave|move|out|over|up)|reset|resize|scroll|select|slotchange|submit|unload|wheel)/.source,"javascript")),s.languages.js=s.languages.javascript,s.languages.markup={comment:{pattern://,greedy:!0},prolog:{pattern:/<\?[\s\S]+?\?>/,greedy:!0},doctype:{pattern:/"'[\]]|"[^"]*"|'[^']*')+(?:\[(?:[^<"'\]]|"[^"]*"|'[^']*'|<(?!!--)|)*\]\s*)?>/i,greedy:!0,inside:{"internal-subset":{pattern:/(^[^\[]*\[)[\s\S]+(?=\]>$)/,lookbehind:!0,greedy:!0,inside:null},string:{pattern:/"[^"]*"|'[^']*'/,greedy:!0},punctuation:/^$|[[\]]/,"doctype-tag":/^DOCTYPE/i,name:/[^\s<>'"]+/}},cdata:{pattern://i,greedy:!0},tag:{pattern:/<\/?(?!\d)[^\s>\/=$<%]+(?:\s(?:\s*[^\s>\/=]+(?:\s*=\s*(?:"[^"]*"|'[^']*'|[^\s'">=]+(?=[\s>]))|(?=[\s/>])))+)?\s*\/?>/,greedy:!0,inside:{tag:{pattern:/^<\/?[^\s>\/]+/,inside:{punctuation:/^<\/?/,namespace:/^[^\s>\/:]+:/}},"special-attr":[],"attr-value":{pattern:/=\s*(?:"[^"]*"|'[^']*'|[^\s'">=]+)/,inside:{punctuation:[{pattern:/^=/,alias:"attr-equals"},{pattern:/^(\s*)["']|["']$/,lookbehind:!0}]}},punctuation:/\/?>/,"attr-name":{pattern:/[^\s>\/]+/,inside:{namespace:/^[^\s>\/:]+:/}}}},entity:[{pattern:/&[\da-z]{1,8};/i,alias:"named-entity"},/&#x?[\da-f]{1,8};/i]},s.languages.markup.tag.inside["attr-value"].inside.entity=s.languages.markup.entity,s.languages.markup.doctype.inside["internal-subset"].inside=s.languages.markup,s.hooks.add("wrap",(function(e){"entity"===e.type&&(e.attributes.title=e.content.replace(/&/,"&"))})),Object.defineProperty(s.languages.markup.tag,"addInlined",{value:function(e,t){var n={};n["language-"+t]={pattern:/(^$)/i,lookbehind:!0,inside:s.languages[t]},n.cdata=/^$/i;var a={"included-cdata":{pattern://i,inside:n}};a["language-"+t]={pattern:/[\s\S]+/,inside:s.languages[t]};var r={};r[e]={pattern:RegExp(/(<__[^>]*>)(?:))*\]\]>|(?!)/.source.replace(/__/g,(function(){return e})),"i"),lookbehind:!0,greedy:!0,inside:a},s.languages.insertBefore("markup","cdata",r)}}),Object.defineProperty(s.languages.markup.tag,"addAttribute",{value:function(e,t){s.languages.markup.tag.inside["special-attr"].push({pattern:RegExp(/(^|["'\s])/.source+"(?:"+e+")"+/\s*=\s*(?:"[^"]*"|'[^']*'|[^\s'">=]+(?=[\s>]))/.source,"i"),lookbehind:!0,inside:{"attr-name":/^[^\s=]+/,"attr-value":{pattern:/=[\s\S]+/,inside:{value:{pattern:/(^=\s*(["']|(?!["'])))\S[\s\S]*(?=\2$)/,lookbehind:!0,alias:[t,"language-"+t],inside:s.languages[t]},punctuation:[{pattern:/^=/,alias:"attr-equals"},/"|'/]}}}})}}),s.languages.html=s.languages.markup,s.languages.mathml=s.languages.markup,s.languages.svg=s.languages.markup,s.languages.xml=s.languages.extend("markup",{}),s.languages.ssml=s.languages.xml,s.languages.atom=s.languages.xml,s.languages.rss=s.languages.xml,function(e){var t=/\/\*[\s\S]*?\*\/|\/\/.*|#(?!\[).*/,n=[{pattern:/\b(?:false|true)\b/i,alias:"boolean"},{pattern:/(::\s*)\b[a-z_]\w*\b(?!\s*\()/i,greedy:!0,lookbehind:!0},{pattern:/(\b(?:case|const)\s+)\b[a-z_]\w*(?=\s*[;=])/i,greedy:!0,lookbehind:!0},/\b(?:null)\b/i,/\b[A-Z_][A-Z0-9_]*\b(?!\s*\()/],a=/\b0b[01]+(?:_[01]+)*\b|\b0o[0-7]+(?:_[0-7]+)*\b|\b0x[\da-f]+(?:_[\da-f]+)*\b|(?:\b\d+(?:_\d+)*\.?(?:\d+(?:_\d+)*)?|\B\.\d+)(?:e[+-]?\d+)?/i,s=/|\?\?=?|\.{3}|\??->|[!=]=?=?|::|\*\*=?|--|\+\+|&&|\|\||<<|>>|[?~]|[/^|%*&<>.+-]=?/,r=/[{}\[\](),:;]/;e.languages.php={delimiter:{pattern:/\?>$|^<\?(?:php(?=\s)|=)?/i,alias:"important"},comment:t,variable:/\$+(?:\w+\b|(?=\{))/,package:{pattern:/(namespace\s+|use\s+(?:function\s+)?)(?:\\?\b[a-z_]\w*)+\b(?!\\)/i,lookbehind:!0,inside:{punctuation:/\\/}},"class-name-definition":{pattern:/(\b(?:class|enum|interface|trait)\s+)\b[a-z_]\w*(?!\\)\b/i,lookbehind:!0,alias:"class-name"},"function-definition":{pattern:/(\bfunction\s+)[a-z_]\w*(?=\s*\()/i,lookbehind:!0,alias:"function"},keyword:[{pattern:/(\(\s*)\b(?:array|bool|boolean|float|int|integer|object|string)\b(?=\s*\))/i,alias:"type-casting",greedy:!0,lookbehind:!0},{pattern:/([(,?]\s*)\b(?:array(?!\s*\()|bool|callable|(?:false|null)(?=\s*\|)|float|int|iterable|mixed|object|self|static|string)\b(?=\s*\$)/i,alias:"type-hint",greedy:!0,lookbehind:!0},{pattern:/(\)\s*:\s*(?:\?\s*)?)\b(?:array(?!\s*\()|bool|callable|(?:false|null)(?=\s*\|)|float|int|iterable|mixed|never|object|self|static|string|void)\b/i,alias:"return-type",greedy:!0,lookbehind:!0},{pattern:/\b(?:array(?!\s*\()|bool|float|int|iterable|mixed|object|string|void)\b/i,alias:"type-declaration",greedy:!0},{pattern:/(\|\s*)(?:false|null)\b|\b(?:false|null)(?=\s*\|)/i,alias:"type-declaration",greedy:!0,lookbehind:!0},{pattern:/\b(?:parent|self|static)(?=\s*::)/i,alias:"static-context",greedy:!0},{pattern:/(\byield\s+)from\b/i,lookbehind:!0},/\bclass\b/i,{pattern:/((?:^|[^\s>:]|(?:^|[^-])>|(?:^|[^:]):)\s*)\b(?:abstract|and|array|as|break|callable|case|catch|clone|const|continue|declare|default|die|do|echo|else|elseif|empty|enddeclare|endfor|endforeach|endif|endswitch|endwhile|enum|eval|exit|extends|final|finally|fn|for|foreach|function|global|goto|if|implements|include|include_once|instanceof|insteadof|interface|isset|list|match|namespace|never|new|or|parent|print|private|protected|public|readonly|require|require_once|return|self|static|switch|throw|trait|try|unset|use|var|while|xor|yield|__halt_compiler)\b/i,lookbehind:!0}],"argument-name":{pattern:/([(,]\s*)\b[a-z_]\w*(?=\s*:(?!:))/i,lookbehind:!0},"class-name":[{pattern:/(\b(?:extends|implements|instanceof|new(?!\s+self|\s+static))\s+|\bcatch\s*\()\b[a-z_]\w*(?!\\)\b/i,greedy:!0,lookbehind:!0},{pattern:/(\|\s*)\b[a-z_]\w*(?!\\)\b/i,greedy:!0,lookbehind:!0},{pattern:/\b[a-z_]\w*(?!\\)\b(?=\s*\|)/i,greedy:!0},{pattern:/(\|\s*)(?:\\?\b[a-z_]\w*)+\b/i,alias:"class-name-fully-qualified",greedy:!0,lookbehind:!0,inside:{punctuation:/\\/}},{pattern:/(?:\\?\b[a-z_]\w*)+\b(?=\s*\|)/i,alias:"class-name-fully-qualified",greedy:!0,inside:{punctuation:/\\/}},{pattern:/(\b(?:extends|implements|instanceof|new(?!\s+self\b|\s+static\b))\s+|\bcatch\s*\()(?:\\?\b[a-z_]\w*)+\b(?!\\)/i,alias:"class-name-fully-qualified",greedy:!0,lookbehind:!0,inside:{punctuation:/\\/}},{pattern:/\b[a-z_]\w*(?=\s*\$)/i,alias:"type-declaration",greedy:!0},{pattern:/(?:\\?\b[a-z_]\w*)+(?=\s*\$)/i,alias:["class-name-fully-qualified","type-declaration"],greedy:!0,inside:{punctuation:/\\/}},{pattern:/\b[a-z_]\w*(?=\s*::)/i,alias:"static-context",greedy:!0},{pattern:/(?:\\?\b[a-z_]\w*)+(?=\s*::)/i,alias:["class-name-fully-qualified","static-context"],greedy:!0,inside:{punctuation:/\\/}},{pattern:/([(,?]\s*)[a-z_]\w*(?=\s*\$)/i,alias:"type-hint",greedy:!0,lookbehind:!0},{pattern:/([(,?]\s*)(?:\\?\b[a-z_]\w*)+(?=\s*\$)/i,alias:["class-name-fully-qualified","type-hint"],greedy:!0,lookbehind:!0,inside:{punctuation:/\\/}},{pattern:/(\)\s*:\s*(?:\?\s*)?)\b[a-z_]\w*(?!\\)\b/i,alias:"return-type",greedy:!0,lookbehind:!0},{pattern:/(\)\s*:\s*(?:\?\s*)?)(?:\\?\b[a-z_]\w*)+\b(?!\\)/i,alias:["class-name-fully-qualified","return-type"],greedy:!0,lookbehind:!0,inside:{punctuation:/\\/}}],constant:n,function:{pattern:/(^|[^\\\w])\\?[a-z_](?:[\w\\]*\w)?(?=\s*\()/i,lookbehind:!0,inside:{punctuation:/\\/}},property:{pattern:/(->\s*)\w+/,lookbehind:!0},number:a,operator:s,punctuation:r};var i={pattern:/\{\$(?:\{(?:\{[^{}]+\}|[^{}]+)\}|[^{}])+\}|(^|[^\\{])\$+(?:\w+(?:\[[^\r\n\[\]]+\]|->\w+)?)/,lookbehind:!0,inside:e.languages.php},o=[{pattern:/<<<'([^']+)'[\r\n](?:.*[\r\n])*?\1;/,alias:"nowdoc-string",greedy:!0,inside:{delimiter:{pattern:/^<<<'[^']+'|[a-z_]\w*;$/i,alias:"symbol",inside:{punctuation:/^<<<'?|[';]$/}}}},{pattern:/<<<(?:"([^"]+)"[\r\n](?:.*[\r\n])*?\1;|([a-z_]\w*)[\r\n](?:.*[\r\n])*?\2;)/i,alias:"heredoc-string",greedy:!0,inside:{delimiter:{pattern:/^<<<(?:"[^"]+"|[a-z_]\w*)|[a-z_]\w*;$/i,alias:"symbol",inside:{punctuation:/^<<<"?|[";]$/}},interpolation:i}},{pattern:/`(?:\\[\s\S]|[^\\`])*`/,alias:"backtick-quoted-string",greedy:!0},{pattern:/'(?:\\[\s\S]|[^\\'])*'/,alias:"single-quoted-string",greedy:!0},{pattern:/"(?:\\[\s\S]|[^\\"])*"/,alias:"double-quoted-string",greedy:!0,inside:{interpolation:i}}];e.languages.insertBefore("php","variable",{string:o,attribute:{pattern:/#\[(?:[^"'\/#]|\/(?![*/])|\/\/.*$|#(?!\[).*$|\/\*(?:[^*]|\*(?!\/))*\*\/|"(?:\\[\s\S]|[^\\"])*"|'(?:\\[\s\S]|[^\\'])*')+\](?=\s*[a-z$#])/im,greedy:!0,inside:{"attribute-content":{pattern:/^(#\[)[\s\S]+(?=\]$)/,lookbehind:!0,inside:{comment:t,string:o,"attribute-class-name":[{pattern:/([^:]|^)\b[a-z_]\w*(?!\\)\b/i,alias:"class-name",greedy:!0,lookbehind:!0},{pattern:/([^:]|^)(?:\\?\b[a-z_]\w*)+/i,alias:["class-name","class-name-fully-qualified"],greedy:!0,lookbehind:!0,inside:{punctuation:/\\/}}],constant:n,number:a,operator:s,punctuation:r}},delimiter:{pattern:/^#\[|\]$/,alias:"punctuation"}}}}),e.hooks.add("before-tokenize",(function(t){/<\?/.test(t.code)&&e.languages["markup-templating"].buildPlaceholders(t,"php",/<\?(?:[^"'/#]|\/(?![*/])|("|')(?:\\[\s\S]|(?!\1)[^\\])*\1|(?:\/\/|#(?!\[))(?:[^?\n\r]|\?(?!>))*(?=$|\?>|[\r\n])|#\[|\/\*(?:[^*]|\*(?!\/))*(?:\*\/|$))*?(?:\?>|$)/g)})),e.hooks.add("after-tokenize",(function(t){e.languages["markup-templating"].tokenizePlaceholders(t,"php")}))}(s),s.languages.python={comment:{pattern:/(^|[^\\])#.*/,lookbehind:!0,greedy:!0},"string-interpolation":{pattern:/(?:f|fr|rf)(?:("""|''')[\s\S]*?\1|("|')(?:\\.|(?!\2)[^\\\r\n])*\2)/i,greedy:!0,inside:{interpolation:{pattern:/((?:^|[^{])(?:\{\{)*)\{(?!\{)(?:[^{}]|\{(?!\{)(?:[^{}]|\{(?!\{)(?:[^{}])+\})+\})+\}/,lookbehind:!0,inside:{"format-spec":{pattern:/(:)[^:(){}]+(?=\}$)/,lookbehind:!0},"conversion-option":{pattern:/![sra](?=[:}]$)/,alias:"punctuation"},rest:null}},string:/[\s\S]+/}},"triple-quoted-string":{pattern:/(?:[rub]|br|rb)?("""|''')[\s\S]*?\1/i,greedy:!0,alias:"string"},string:{pattern:/(?:[rub]|br|rb)?("|')(?:\\.|(?!\1)[^\\\r\n])*\1/i,greedy:!0},function:{pattern:/((?:^|\s)def[ \t]+)[a-zA-Z_]\w*(?=\s*\()/g,lookbehind:!0},"class-name":{pattern:/(\bclass\s+)\w+/i,lookbehind:!0},decorator:{pattern:/(^[\t ]*)@\w+(?:\.\w+)*/m,lookbehind:!0,alias:["annotation","punctuation"],inside:{punctuation:/\./}},keyword:/\b(?:_(?=\s*:)|and|as|assert|async|await|break|case|class|continue|def|del|elif|else|except|exec|finally|for|from|global|if|import|in|is|lambda|match|nonlocal|not|or|pass|print|raise|return|try|while|with|yield)\b/,builtin:/\b(?:__import__|abs|all|any|apply|ascii|basestring|bin|bool|buffer|bytearray|bytes|callable|chr|classmethod|cmp|coerce|compile|complex|delattr|dict|dir|divmod|enumerate|eval|execfile|file|filter|float|format|frozenset|getattr|globals|hasattr|hash|help|hex|id|input|int|intern|isinstance|issubclass|iter|len|list|locals|long|map|max|memoryview|min|next|object|oct|open|ord|pow|property|range|raw_input|reduce|reload|repr|reversed|round|set|setattr|slice|sorted|staticmethod|str|sum|super|tuple|type|unichr|unicode|vars|xrange|zip)\b/,boolean:/\b(?:False|None|True)\b/,number:/\b0(?:b(?:_?[01])+|o(?:_?[0-7])+|x(?:_?[a-f0-9])+)\b|(?:\b\d+(?:_\d+)*(?:\.(?:\d+(?:_\d+)*)?)?|\B\.\d+(?:_\d+)*)(?:e[+-]?\d+(?:_\d+)*)?j?(?!\w)/i,operator:/[-+%=]=?|!=|:=|\*\*?=?|\/\/?=?|<[<=>]?|>[=>]?|[&|^~]/,punctuation:/[{}[\];(),.:]/},s.languages.python["string-interpolation"].inside.interpolation.inside.rest=s.languages.python,s.languages.py=s.languages.python,function(e){e.languages.ruby=e.languages.extend("clike",{comment:{pattern:/#.*|^=begin\s[\s\S]*?^=end/m,greedy:!0},"class-name":{pattern:/(\b(?:class|module)\s+|\bcatch\s+\()[\w.\\]+|\b[A-Z_]\w*(?=\s*\.\s*new\b)/,lookbehind:!0,inside:{punctuation:/[.\\]/}},keyword:/\b(?:BEGIN|END|alias|and|begin|break|case|class|def|define_method|defined|do|each|else|elsif|end|ensure|extend|for|if|in|include|module|new|next|nil|not|or|prepend|private|protected|public|raise|redo|require|rescue|retry|return|self|super|then|throw|undef|unless|until|when|while|yield)\b/,operator:/\.{2,3}|&\.|===||[!=]?~|(?:&&|\|\||<<|>>|\*\*|[+\-*/%<>!^&|=])=?|[?:]/,punctuation:/[(){}[\].,;]/}),e.languages.insertBefore("ruby","operator",{"double-colon":{pattern:/::/,alias:"punctuation"}});var t={pattern:/((?:^|[^\\])(?:\\{2})*)#\{(?:[^{}]|\{[^{}]*\})*\}/,lookbehind:!0,inside:{content:{pattern:/^(#\{)[\s\S]+(?=\}$)/,lookbehind:!0,inside:e.languages.ruby},delimiter:{pattern:/^#\{|\}$/,alias:"punctuation"}}};delete e.languages.ruby.function;var n="(?:"+[/([^a-zA-Z0-9\s{(\[<=])(?:(?!\1)[^\\]|\\[\s\S])*\1/.source,/\((?:[^()\\]|\\[\s\S]|\((?:[^()\\]|\\[\s\S])*\))*\)/.source,/\{(?:[^{}\\]|\\[\s\S]|\{(?:[^{}\\]|\\[\s\S])*\})*\}/.source,/\[(?:[^\[\]\\]|\\[\s\S]|\[(?:[^\[\]\\]|\\[\s\S])*\])*\]/.source,/<(?:[^<>\\]|\\[\s\S]|<(?:[^<>\\]|\\[\s\S])*>)*>/.source].join("|")+")",a=/(?:"(?:\\.|[^"\\\r\n])*"|(?:\b[a-zA-Z_]\w*|[^\s\0-\x7F]+)[?!]?|\$.)/.source;e.languages.insertBefore("ruby","keyword",{"regex-literal":[{pattern:RegExp(/%r/.source+n+/[egimnosux]{0,6}/.source),greedy:!0,inside:{interpolation:t,regex:/[\s\S]+/}},{pattern:/(^|[^/])\/(?!\/)(?:\[[^\r\n\]]+\]|\\.|[^[/\\\r\n])+\/[egimnosux]{0,6}(?=\s*(?:$|[\r\n,.;})#]))/,lookbehind:!0,greedy:!0,inside:{interpolation:t,regex:/[\s\S]+/}}],variable:/[@$]+[a-zA-Z_]\w*(?:[?!]|\b)/,symbol:[{pattern:RegExp(/(^|[^:]):/.source+a),lookbehind:!0,greedy:!0},{pattern:RegExp(/([\r\n{(,][ \t]*)/.source+a+/(?=:(?!:))/.source),lookbehind:!0,greedy:!0}],"method-definition":{pattern:/(\bdef\s+)\w+(?:\s*\.\s*\w+)?/,lookbehind:!0,inside:{function:/\b\w+$/,keyword:/^self\b/,"class-name":/^\w+/,punctuation:/\./}}}),e.languages.insertBefore("ruby","string",{"string-literal":[{pattern:RegExp(/%[qQiIwWs]?/.source+n),greedy:!0,inside:{interpolation:t,string:/[\s\S]+/}},{pattern:/("|')(?:#\{[^}]+\}|#(?!\{)|\\(?:\r\n|[\s\S])|(?!\1)[^\\#\r\n])*\1/,greedy:!0,inside:{interpolation:t,string:/[\s\S]+/}},{pattern:/<<[-~]?([a-z_]\w*)[\r\n](?:.*[\r\n])*?[\t ]*\1/i,alias:"heredoc-string",greedy:!0,inside:{delimiter:{pattern:/^<<[-~]?[a-z_]\w*|\b[a-z_]\w*$/i,inside:{symbol:/\b\w+/,punctuation:/^<<[-~]?/}},interpolation:t,string:/[\s\S]+/}},{pattern:/<<[-~]?'([a-z_]\w*)'[\r\n](?:.*[\r\n])*?[\t ]*\1/i,alias:"heredoc-string",greedy:!0,inside:{delimiter:{pattern:/^<<[-~]?'[a-z_]\w*'|\b[a-z_]\w*$/i,inside:{symbol:/\b\w+/,punctuation:/^<<[-~]?'|'$/}},string:/[\s\S]+/}}],"command-literal":[{pattern:RegExp(/%x/.source+n),greedy:!0,inside:{interpolation:t,command:{pattern:/[\s\S]+/,alias:"string"}}},{pattern:/`(?:#\{[^}]+\}|#(?!\{)|\\(?:\r\n|[\s\S])|[^\\`#\r\n])*`/,greedy:!0,inside:{interpolation:t,command:{pattern:/[\s\S]+/,alias:"string"}}}]}),delete e.languages.ruby.string,e.languages.insertBefore("ruby","number",{builtin:/\b(?:Array|Bignum|Binding|Class|Continuation|Dir|Exception|FalseClass|File|Fixnum|Float|Hash|IO|Integer|MatchData|Method|Module|NilClass|Numeric|Object|Proc|Range|Regexp|Stat|String|Struct|Symbol|TMS|Thread|ThreadGroup|Time|TrueClass)\b/,constant:/\b[A-Z][A-Z0-9_]*(?:[?!]|\b)/}),e.languages.rb=e.languages.ruby}(s),window.Prism=a,s}(),o=e=>t=>t.options.get(e),l=o("codesample_languages"),u=o("codesample_global_prismjs"),c=e=>r.Prism&&u(e)?r.Prism:i,d=e=>t(e)&&"PRE"===e.nodeName&&-1!==e.className.indexOf("language-"),g=e=>{const t=e.selection?e.selection.getNode():null;return d(t)?a.some(t):a.none()},p=e=>{const t=(e=>l(e)||[{text:"HTML/XML",value:"markup"},{text:"JavaScript",value:"javascript"},{text:"CSS",value:"css"},{text:"PHP",value:"php"},{text:"Ruby",value:"ruby"},{text:"Python",value:"python"},{text:"Java",value:"java"},{text:"C",value:"c"},{text:"C#",value:"csharp"},{text:"C++",value:"cpp"}])(e),n=(r=t,((e,t)=>0""),(e=>e.value));var r;const i=((e,t)=>g(e).fold((()=>t),(e=>{const n=e.className.match(/language-(\w+)/);return n?n[1]:t})))(e,n),o=(e=>g(e).bind((e=>a.from(e.textContent))).getOr(""))(e);e.windowManager.open({title:"Insert/Edit Code Sample",size:"large",body:{type:"panel",items:[{type:"listbox",name:"language",label:"Language",items:t},{type:"textarea",name:"code",label:"Code view"}]},buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],initialData:{language:i,code:o},onSubmit:t=>{const n=t.getData();((e,t,n)=>{const a=e.dom;e.undoManager.transact((()=>{const r=g(e);return n=s.DOM.encode(n),r.fold((()=>{e.insertContent('
'+n+"
");const s=a.select("#__new")[0];a.setAttrib(s,"id",null),e.selection.select(s)}),(s=>{a.setAttrib(s,"class","language-"+t),s.innerHTML=n,c(e).highlightElement(s),e.selection.select(s)}))}))})(e,n.language,n.code),t.close()}})},b=(h=/^\s+|\s+$/g,e=>e.replace(h,""));var h,f=tinymce.util.Tools.resolve("tinymce.util.Tools");const m=(e,t=n)=>n=>{const a=()=>{n.setEnabled(e.selection.isEditable()),t(n)};return e.on("NodeChange",a),a(),()=>{e.off("NodeChange",a)}};e.add("codesample",(e=>{(e=>{const t=e.options.register;t("codesample_languages",{processor:"object[]"}),t("codesample_global_prismjs",{processor:"boolean",default:!1})})(e),(e=>{e.on("PreProcess",(t=>{const n=e.dom,a=n.select("pre[contenteditable=false]",t.node);f.each(f.grep(a,d),(e=>{const t=e.textContent;let a;for(n.setAttrib(e,"class",b(n.getAttrib(e,"class"))),n.setAttrib(e,"contentEditable",null),n.setAttrib(e,"data-mce-highlighted",null);a=e.firstChild;)e.removeChild(a);n.add(e,"code").textContent=t}))})),e.on("SetContent",(()=>{const t=e.dom,n=f.grep(t.select("pre"),(e=>d(e)&&"true"!==t.getAttrib(e,"data-mce-highlighted")));n.length&&e.undoManager.transact((()=>{f.each(n,(n=>{var a;f.each(t.select("br",n),(n=>{t.replace(e.getDoc().createTextNode("\n"),n)})),n.innerHTML=t.encode(null!==(a=n.textContent)&&void 0!==a?a:""),c(e).highlightElement(n),t.setAttrib(n,"data-mce-highlighted",!0),n.className=b(n.className)}))}))})),e.on("PreInit",(()=>{e.parser.addNodeFilter("pre",(e=>{var t;for(let n=0,a=e.length;n{const t=()=>e.execCommand("codesample");e.ui.registry.addToggleButton("codesample",{icon:"code-sample",tooltip:"Insert/edit code sample",onAction:t,onSetup:m(e,(t=>{t.setActive((e=>{const t=e.selection.getStart();return e.dom.is(t,'pre[class*="language-"]')})(e))}))}),e.ui.registry.addMenuItem("codesample",{text:"Code sample...",icon:"code-sample",onAction:t,onSetup:m(e)})})(e),(e=>{e.addCommand("codesample",(()=>{const t=e.selection.getNode();e.selection.isCollapsed()||d(t)?p(e):e.formatter.toggle("code")}))})(e),e.on("dblclick",(t=>{d(t.target)&&p(e)}))}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/contextmenu/plugin.min.js b/deform/static/tinymce/plugins/contextmenu/plugin.min.js deleted file mode 100644 index 4aabc706..00000000 --- a/deform/static/tinymce/plugins/contextmenu/plugin.min.js +++ /dev/null @@ -1 +0,0 @@ -tinymce.PluginManager.add("contextmenu",function(e){var t;e.on("contextmenu",function(n){var i;if(n.preventDefault(),i=e.settings.contextmenu||"link image inserttable | cell row column deletetable",t)t.show();else{var o=[];tinymce.each(i.split(/[ ,]/),function(t){var n=e.menuItems[t];"|"==t&&(n={text:t}),n&&(n.shortcut="",o.push(n))});for(var a=0;a { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType$1 = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const isString = isType$1('string'); + const isBoolean = isSimpleType('boolean'); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + const isNumber = isSimpleType('number'); + + const compose1 = (fbc, fab) => a => fbc(fab(a)); + const constant = value => { + return () => { + return value; + }; + }; + const never = constant(false); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const filter = (xs, pred) => { + const r = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + r.push(x); + } + } + return r; + }; + + const DOCUMENT = 9; + const DOCUMENT_FRAGMENT = 11; + const ELEMENT = 1; + const TEXT = 3; + + const fromHtml = (html, scope) => { + const doc = scope || document; + const div = doc.createElement('div'); + div.innerHTML = html; + if (!div.hasChildNodes() || div.childNodes.length > 1) { + const message = 'HTML does not have a single root node'; + console.error(message, html); + throw new Error(message); + } + return fromDom(div.childNodes[0]); + }; + const fromTag = (tag, scope) => { + const doc = scope || document; + const node = doc.createElement(tag); + return fromDom(node); + }; + const fromText = (text, scope) => { + const doc = scope || document; + const node = doc.createTextNode(text); + return fromDom(node); + }; + const fromDom = node => { + if (node === null || node === undefined) { + throw new Error('Node cannot be null or undefined'); + } + return { dom: node }; + }; + const fromPoint = (docElm, x, y) => Optional.from(docElm.dom.elementFromPoint(x, y)).map(fromDom); + const SugarElement = { + fromHtml, + fromTag, + fromText, + fromDom, + fromPoint + }; + + const is = (element, selector) => { + const dom = element.dom; + if (dom.nodeType !== ELEMENT) { + return false; + } else { + const elem = dom; + if (elem.matches !== undefined) { + return elem.matches(selector); + } else if (elem.msMatchesSelector !== undefined) { + return elem.msMatchesSelector(selector); + } else if (elem.webkitMatchesSelector !== undefined) { + return elem.webkitMatchesSelector(selector); + } else if (elem.mozMatchesSelector !== undefined) { + return elem.mozMatchesSelector(selector); + } else { + throw new Error('Browser lacks native selectors'); + } + } + }; + + typeof window !== 'undefined' ? window : Function('return this;')(); + + const name = element => { + const r = element.dom.nodeName; + return r.toLowerCase(); + }; + const type = element => element.dom.nodeType; + const isType = t => element => type(element) === t; + const isElement = isType(ELEMENT); + const isText = isType(TEXT); + const isDocument = isType(DOCUMENT); + const isDocumentFragment = isType(DOCUMENT_FRAGMENT); + const isTag = tag => e => isElement(e) && name(e) === tag; + + const owner = element => SugarElement.fromDom(element.dom.ownerDocument); + const documentOrOwner = dos => isDocument(dos) ? dos : owner(dos); + const parent = element => Optional.from(element.dom.parentNode).map(SugarElement.fromDom); + const children$2 = element => map(element.dom.childNodes, SugarElement.fromDom); + + const rawSet = (dom, key, value) => { + if (isString(value) || isBoolean(value) || isNumber(value)) { + dom.setAttribute(key, value + ''); + } else { + console.error('Invalid call to Attribute.set. Key ', key, ':: Value ', value, ':: Element ', dom); + throw new Error('Attribute value was not simple'); + } + }; + const set = (element, key, value) => { + rawSet(element.dom, key, value); + }; + const remove = (element, key) => { + element.dom.removeAttribute(key); + }; + + const isShadowRoot = dos => isDocumentFragment(dos) && isNonNullable(dos.dom.host); + const supported = isFunction(Element.prototype.attachShadow) && isFunction(Node.prototype.getRootNode); + const getRootNode = supported ? e => SugarElement.fromDom(e.dom.getRootNode()) : documentOrOwner; + const getShadowRoot = e => { + const r = getRootNode(e); + return isShadowRoot(r) ? Optional.some(r) : Optional.none(); + }; + const getShadowHost = e => SugarElement.fromDom(e.dom.host); + + const inBody = element => { + const dom = isText(element) ? element.dom.parentNode : element.dom; + if (dom === undefined || dom === null || dom.ownerDocument === null) { + return false; + } + const doc = dom.ownerDocument; + return getShadowRoot(SugarElement.fromDom(dom)).fold(() => doc.body.contains(dom), compose1(inBody, getShadowHost)); + }; + + const ancestor$1 = (scope, predicate, isRoot) => { + let element = scope.dom; + const stop = isFunction(isRoot) ? isRoot : never; + while (element.parentNode) { + element = element.parentNode; + const el = SugarElement.fromDom(element); + if (predicate(el)) { + return Optional.some(el); + } else if (stop(el)) { + break; + } + } + return Optional.none(); + }; + + const ancestor = (scope, selector, isRoot) => ancestor$1(scope, e => is(e, selector), isRoot); + + const isSupported = dom => dom.style !== undefined && isFunction(dom.style.getPropertyValue); + + const get = (element, property) => { + const dom = element.dom; + const styles = window.getComputedStyle(dom); + const r = styles.getPropertyValue(property); + return r === '' && !inBody(element) ? getUnsafeProperty(dom, property) : r; + }; + const getUnsafeProperty = (dom, property) => isSupported(dom) ? dom.style.getPropertyValue(property) : ''; + + const getDirection = element => get(element, 'direction') === 'rtl' ? 'rtl' : 'ltr'; + + const children$1 = (scope, predicate) => filter(children$2(scope), predicate); + + const children = (scope, selector) => children$1(scope, e => is(e, selector)); + + const getParentElement = element => parent(element).filter(isElement); + const getNormalizedBlock = (element, isListItem) => { + const normalizedElement = isListItem ? ancestor(element, 'ol,ul') : Optional.some(element); + return normalizedElement.getOr(element); + }; + const isListItem = isTag('li'); + const setDirOnElements = (dom, blocks, dir) => { + each(blocks, block => { + const blockElement = SugarElement.fromDom(block); + const isBlockElementListItem = isListItem(blockElement); + const normalizedBlock = getNormalizedBlock(blockElement, isBlockElementListItem); + const normalizedBlockParent = getParentElement(normalizedBlock); + normalizedBlockParent.each(parent => { + dom.setStyle(normalizedBlock.dom, 'direction', null); + const parentDirection = getDirection(parent); + if (parentDirection === dir) { + remove(normalizedBlock, 'dir'); + } else { + set(normalizedBlock, 'dir', dir); + } + if (getDirection(normalizedBlock) !== dir) { + dom.setStyle(normalizedBlock.dom, 'direction', dir); + } + if (isBlockElementListItem) { + const listItems = children(normalizedBlock, 'li[dir],li[style]'); + each(listItems, listItem => { + remove(listItem, 'dir'); + dom.setStyle(listItem.dom, 'direction', null); + }); + } + }); + }); + }; + const setDir = (editor, dir) => { + if (editor.selection.isEditable()) { + setDirOnElements(editor.dom, editor.selection.getSelectedBlocks(), dir); + editor.nodeChanged(); + } + }; + + const register$1 = editor => { + editor.addCommand('mceDirectionLTR', () => { + setDir(editor, 'ltr'); + }); + editor.addCommand('mceDirectionRTL', () => { + setDir(editor, 'rtl'); + }); + }; + + const getNodeChangeHandler = (editor, dir) => api => { + const nodeChangeHandler = e => { + const element = SugarElement.fromDom(e.element); + api.setActive(getDirection(element) === dir); + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChangeHandler); + api.setEnabled(editor.selection.isEditable()); + return () => editor.off('NodeChange', nodeChangeHandler); + }; + const register = editor => { + editor.ui.registry.addToggleButton('ltr', { + tooltip: 'Left to right', + icon: 'ltr', + onAction: () => editor.execCommand('mceDirectionLTR'), + onSetup: getNodeChangeHandler(editor, 'ltr') + }); + editor.ui.registry.addToggleButton('rtl', { + tooltip: 'Right to left', + icon: 'rtl', + onAction: () => editor.execCommand('mceDirectionRTL'), + onSetup: getNodeChangeHandler(editor, 'rtl') + }); + }; + + var Plugin = () => { + global.add('directionality', editor => { + register$1(editor); + register(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/directionality/plugin.min.js b/deform/static/tinymce/plugins/directionality/plugin.min.js index 60c7f9d5..4f6d2d8d 100644 --- a/deform/static/tinymce/plugins/directionality/plugin.min.js +++ b/deform/static/tinymce/plugins/directionality/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("directionality",function(e){function t(t){var n,i=e.dom,a=e.selection.getSelectedBlocks();a.length&&(n=i.getAttrib(a[0],"dir"),tinymce.each(a,function(e){i.getParent(e.parentNode,"*[dir='"+t+"']",i.getRoot())||(n!=t?i.setAttrib(e,"dir",t):i.setAttrib(e,"dir",null))}),e.nodeChanged())}function n(e){var t=[];return tinymce.each("h1 h2 h3 h4 h5 h6 div p".split(" "),function(n){t.push(n+"[dir="+e+"]")}),t.join(",")}e.addCommand("mceDirectionLTR",function(){t("ltr")}),e.addCommand("mceDirectionRTL",function(){t("rtl")}),e.addButton("ltr",{title:"Left to right",cmd:"mceDirectionLTR",stateSelector:n("ltr")}),e.addButton("rtl",{title:"Right to left",cmd:"mceDirectionRTL",stateSelector:n("rtl")})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var t=tinymce.util.Tools.resolve("tinymce.PluginManager");const e=t=>e=>typeof e===t,o=t=>"string"===(t=>{const e=typeof t;return null===t?"null":"object"===e&&Array.isArray(t)?"array":"object"===e&&(o=r=t,(n=String).prototype.isPrototypeOf(o)||(null===(i=r.constructor)||void 0===i?void 0:i.name)===n.name)?"string":e;var o,r,n,i})(t),r=e("boolean"),n=t=>!(t=>null==t)(t),i=e("function"),s=e("number"),l=(!1,()=>false);class a{constructor(t,e){this.tag=t,this.value=e}static some(t){return new a(!0,t)}static none(){return a.singletonNone}fold(t,e){return this.tag?e(this.value):t()}isSome(){return this.tag}isNone(){return!this.tag}map(t){return this.tag?a.some(t(this.value)):a.none()}bind(t){return this.tag?t(this.value):a.none()}exists(t){return this.tag&&t(this.value)}forall(t){return!this.tag||t(this.value)}filter(t){return!this.tag||t(this.value)?this:a.none()}getOr(t){return this.tag?this.value:t}or(t){return this.tag?this:t}getOrThunk(t){return this.tag?this.value:t()}orThunk(t){return this.tag?this:t()}getOrDie(t){if(this.tag)return this.value;throw new Error(null!=t?t:"Called getOrDie on None")}static from(t){return n(t)?a.some(t):a.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(t){this.tag&&t(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}a.singletonNone=new a(!1);const u=(t,e)=>{for(let o=0,r=t.length;o{if(null==t)throw new Error("Node cannot be null or undefined");return{dom:t}},d=c,h=(t,e)=>{const o=t.dom;if(1!==o.nodeType)return!1;{const t=o;if(void 0!==t.matches)return t.matches(e);if(void 0!==t.msMatchesSelector)return t.msMatchesSelector(e);if(void 0!==t.webkitMatchesSelector)return t.webkitMatchesSelector(e);if(void 0!==t.mozMatchesSelector)return t.mozMatchesSelector(e);throw new Error("Browser lacks native selectors")}};"undefined"!=typeof window?window:Function("return this;")();const m=t=>e=>(t=>t.dom.nodeType)(e)===t,g=m(1),f=m(3),v=m(9),y=m(11),p=(t,e)=>{t.dom.removeAttribute(e)},w=i(Element.prototype.attachShadow)&&i(Node.prototype.getRootNode)?t=>d(t.dom.getRootNode()):t=>v(t)?t:d(t.dom.ownerDocument),b=t=>d(t.dom.host),N=t=>{const e=f(t)?t.dom.parentNode:t.dom;if(null==e||null===e.ownerDocument)return!1;const o=e.ownerDocument;return(t=>{const e=w(t);return y(o=e)&&n(o.dom.host)?a.some(e):a.none();var o})(d(e)).fold((()=>o.body.contains(e)),(r=N,i=b,t=>r(i(t))));var r,i},S=t=>"rtl"===((t,e)=>{const o=t.dom,r=window.getComputedStyle(o).getPropertyValue(e);return""!==r||N(t)?r:((t,e)=>(t=>void 0!==t.style&&i(t.style.getPropertyValue))(t)?t.style.getPropertyValue(e):"")(o,e)})(t,"direction")?"rtl":"ltr",A=(t,e)=>((t,o)=>((t,e)=>{const o=[];for(let r=0,n=t.length;r{const o=t.length,r=new Array(o);for(let n=0;nh(t,e))))(t),E=("li",t=>g(t)&&"li"===t.dom.nodeName.toLowerCase());const T=(t,e,n)=>{u(e,(e=>{const c=d(e),m=E(c),f=((t,e)=>{return(e?(o=t,r="ol,ul",((t,e,o)=>{let n=t.dom;const s=i(o)?o:l;for(;n.parentNode;){n=n.parentNode;const t=d(n);if(h(t,r))return a.some(t);if(s(t))break}return a.none()})(o,0,n)):a.some(t)).getOr(t);var o,r,n})(c,m);var v;(v=f,(t=>a.from(t.dom.parentNode).map(d))(v).filter(g)).each((e=>{if(t.setStyle(f.dom,"direction",null),S(e)===n?p(f,"dir"):((t,e,n)=>{((t,e,n)=>{if(!(o(n)||r(n)||s(n)))throw console.error("Invalid call to Attribute.set. Key ",e,":: Value ",n,":: Element ",t),new Error("Attribute value was not simple");t.setAttribute(e,n+"")})(t.dom,e,n)})(f,"dir",n),S(f)!==n&&t.setStyle(f.dom,"direction",n),m){const e=A(f,"li[dir],li[style]");u(e,(e=>{p(e,"dir"),t.setStyle(e.dom,"direction",null)}))}}))}))},C=(t,e)=>{t.selection.isEditable()&&(T(t.dom,t.selection.getSelectedBlocks(),e),t.nodeChanged())},D=(t,e)=>o=>{const r=r=>{const n=d(r.element);o.setActive(S(n)===e),o.setEnabled(t.selection.isEditable())};return t.on("NodeChange",r),o.setEnabled(t.selection.isEditable()),()=>t.off("NodeChange",r)};t.add("directionality",(t=>{(t=>{t.addCommand("mceDirectionLTR",(()=>{C(t,"ltr")})),t.addCommand("mceDirectionRTL",(()=>{C(t,"rtl")}))})(t),(t=>{t.ui.registry.addToggleButton("ltr",{tooltip:"Left to right",icon:"ltr",onAction:()=>t.execCommand("mceDirectionLTR"),onSetup:D(t,"ltr")}),t.ui.registry.addToggleButton("rtl",{tooltip:"Right to left",icon:"rtl",onAction:()=>t.execCommand("mceDirectionRTL"),onSetup:D(t,"rtl")})})(t)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-cool.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-cool.gif deleted file mode 100644 index ba90cc36..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-cool.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-cry.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-cry.gif deleted file mode 100644 index 74d897a4..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-cry.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-embarassed.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-embarassed.gif deleted file mode 100644 index 963a96b8..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-embarassed.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-foot-in-mouth.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-foot-in-mouth.gif deleted file mode 100644 index c7cf1011..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-foot-in-mouth.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-frown.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-frown.gif deleted file mode 100644 index 716f55e1..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-frown.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-innocent.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-innocent.gif deleted file mode 100644 index 334d49e0..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-innocent.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-kiss.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-kiss.gif deleted file mode 100644 index 4efd549e..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-kiss.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-laughing.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-laughing.gif deleted file mode 100644 index 82c5b182..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-laughing.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-money-mouth.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-money-mouth.gif deleted file mode 100644 index ca2451e1..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-money-mouth.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-sealed.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-sealed.gif deleted file mode 100644 index fe66220c..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-sealed.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-smile.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-smile.gif deleted file mode 100644 index fd27edfa..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-smile.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-surprised.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-surprised.gif deleted file mode 100644 index 0cc9bb71..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-surprised.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-tongue-out.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-tongue-out.gif deleted file mode 100644 index 2075dc16..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-tongue-out.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-undecided.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-undecided.gif deleted file mode 100644 index bef7e257..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-undecided.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-wink.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-wink.gif deleted file mode 100644 index 0631c761..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-wink.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/img/smiley-yell.gif b/deform/static/tinymce/plugins/emoticons/img/smiley-yell.gif deleted file mode 100644 index 648e6e87..00000000 Binary files a/deform/static/tinymce/plugins/emoticons/img/smiley-yell.gif and /dev/null differ diff --git a/deform/static/tinymce/plugins/emoticons/index.js b/deform/static/tinymce/plugins/emoticons/index.js new file mode 100644 index 00000000..7a973798 --- /dev/null +++ b/deform/static/tinymce/plugins/emoticons/index.js @@ -0,0 +1,7 @@ +// Exports the "emoticons" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/emoticons') +// ES2015: +// import 'tinymce/plugins/emoticons' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/emoticons/js/emojiimages.js b/deform/static/tinymce/plugins/emoticons/js/emojiimages.js new file mode 100644 index 00000000..6fcec717 --- /dev/null +++ b/deform/static/tinymce/plugins/emoticons/js/emojiimages.js @@ -0,0 +1 @@ +window.tinymce.Resource.add("tinymce.plugins.emoticons",{100:{keywords:["score","perfect","numbers","century","exam","quiz","test","pass","hundred"],char:'💯',fitzpatrick_scale:false,category:"symbols"},1234:{keywords:["numbers","blue-square"],char:'🔢',fitzpatrick_scale:false,category:"symbols"},grinning:{keywords:["face","smile","happy","joy",":D","grin"],char:'😀',fitzpatrick_scale:false,category:"people"},grimacing:{keywords:["face","grimace","teeth"],char:'😬',fitzpatrick_scale:false,category:"people"},grin:{keywords:["face","happy","smile","joy","kawaii"],char:'😁',fitzpatrick_scale:false,category:"people"},joy:{keywords:["face","cry","tears","weep","happy","happytears","haha"],char:'😂',fitzpatrick_scale:false,category:"people"},rofl:{keywords:["face","rolling","floor","laughing","lol","haha"],char:'🤣',fitzpatrick_scale:false,category:"people"},partying:{keywords:["face","celebration","woohoo"],char:'🥳',fitzpatrick_scale:false,category:"people"},smiley:{keywords:["face","happy","joy","haha",":D",":)","smile","funny"],char:'😃',fitzpatrick_scale:false,category:"people"},smile:{keywords:["face","happy","joy","funny","haha","laugh","like",":D",":)"],char:'😄',fitzpatrick_scale:false,category:"people"},sweat_smile:{keywords:["face","hot","happy","laugh","sweat","smile","relief"],char:'😅',fitzpatrick_scale:false,category:"people"},laughing:{keywords:["happy","joy","lol","satisfied","haha","face","glad","XD","laugh"],char:'😆',fitzpatrick_scale:false,category:"people"},innocent:{keywords:["face","angel","heaven","halo"],char:'😇',fitzpatrick_scale:false,category:"people"},wink:{keywords:["face","happy","mischievous","secret",";)","smile","eye"],char:'😉',fitzpatrick_scale:false,category:"people"},blush:{keywords:["face","smile","happy","flushed","crush","embarrassed","shy","joy"],char:'😊',fitzpatrick_scale:false,category:"people"},slightly_smiling_face:{keywords:["face","smile"],char:'🙂',fitzpatrick_scale:false,category:"people"},upside_down_face:{keywords:["face","flipped","silly","smile"],char:'🙃',fitzpatrick_scale:false,category:"people"},relaxed:{keywords:["face","blush","massage","happiness"],char:'☺️',fitzpatrick_scale:false,category:"people"},yum:{keywords:["happy","joy","tongue","smile","face","silly","yummy","nom","delicious","savouring"],char:'😋',fitzpatrick_scale:false,category:"people"},relieved:{keywords:["face","relaxed","phew","massage","happiness"],char:'😌',fitzpatrick_scale:false,category:"people"},heart_eyes:{keywords:["face","love","like","affection","valentines","infatuation","crush","heart"],char:'😍',fitzpatrick_scale:false,category:"people"},smiling_face_with_three_hearts:{keywords:["face","love","like","affection","valentines","infatuation","crush","hearts","adore"],char:'🥰',fitzpatrick_scale:false,category:"people"},kissing_heart:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:'😘',fitzpatrick_scale:false,category:"people"},kissing:{keywords:["love","like","face","3","valentines","infatuation","kiss"],char:'😗',fitzpatrick_scale:false,category:"people"},kissing_smiling_eyes:{keywords:["face","affection","valentines","infatuation","kiss"],char:'😙',fitzpatrick_scale:false,category:"people"},kissing_closed_eyes:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:'😚',fitzpatrick_scale:false,category:"people"},stuck_out_tongue_winking_eye:{keywords:["face","prank","childish","playful","mischievous","smile","wink","tongue"],char:'😜',fitzpatrick_scale:false,category:"people"},zany:{keywords:["face","goofy","crazy"],char:'🤪',fitzpatrick_scale:false,category:"people"},raised_eyebrow:{keywords:["face","distrust","scepticism","disapproval","disbelief","surprise"],char:'🤨',fitzpatrick_scale:false,category:"people"},monocle:{keywords:["face","stuffy","wealthy"],char:'🧐',fitzpatrick_scale:false,category:"people"},stuck_out_tongue_closed_eyes:{keywords:["face","prank","playful","mischievous","smile","tongue"],char:'😝',fitzpatrick_scale:false,category:"people"},stuck_out_tongue:{keywords:["face","prank","childish","playful","mischievous","smile","tongue"],char:'😛',fitzpatrick_scale:false,category:"people"},money_mouth_face:{keywords:["face","rich","dollar","money"],char:'🤑',fitzpatrick_scale:false,category:"people"},nerd_face:{keywords:["face","nerdy","geek","dork"],char:'🤓',fitzpatrick_scale:false,category:"people"},sunglasses:{keywords:["face","cool","smile","summer","beach","sunglass"],char:'😎',fitzpatrick_scale:false,category:"people"},star_struck:{keywords:["face","smile","starry","eyes","grinning"],char:'🤩',fitzpatrick_scale:false,category:"people"},clown_face:{keywords:["face"],char:'🤡',fitzpatrick_scale:false,category:"people"},cowboy_hat_face:{keywords:["face","cowgirl","hat"],char:'🤠',fitzpatrick_scale:false,category:"people"},hugs:{keywords:["face","smile","hug"],char:'🤗',fitzpatrick_scale:false,category:"people"},smirk:{keywords:["face","smile","mean","prank","smug","sarcasm"],char:'😏',fitzpatrick_scale:false,category:"people"},no_mouth:{keywords:["face","hellokitty"],char:'😶',fitzpatrick_scale:false,category:"people"},neutral_face:{keywords:["indifference","meh",":|","neutral"],char:'😐',fitzpatrick_scale:false,category:"people"},expressionless:{keywords:["face","indifferent","-_-","meh","deadpan"],char:'😑',fitzpatrick_scale:false,category:"people"},unamused:{keywords:["indifference","bored","straight face","serious","sarcasm","unimpressed","skeptical","dubious","side_eye"],char:'😒',fitzpatrick_scale:false,category:"people"},roll_eyes:{keywords:["face","eyeroll","frustrated"],char:'🙄',fitzpatrick_scale:false,category:"people"},thinking:{keywords:["face","hmmm","think","consider"],char:'🤔',fitzpatrick_scale:false,category:"people"},lying_face:{keywords:["face","lie","pinocchio"],char:'🤥',fitzpatrick_scale:false,category:"people"},hand_over_mouth:{keywords:["face","whoops","shock","surprise"],char:'🤭',fitzpatrick_scale:false,category:"people"},shushing:{keywords:["face","quiet","shhh"],char:'🤫',fitzpatrick_scale:false,category:"people"},symbols_over_mouth:{keywords:["face","swearing","cursing","cussing","profanity","expletive"],char:'🤬',fitzpatrick_scale:false,category:"people"},exploding_head:{keywords:["face","shocked","mind","blown"],char:'🤯',fitzpatrick_scale:false,category:"people"},flushed:{keywords:["face","blush","shy","flattered"],char:'😳',fitzpatrick_scale:false,category:"people"},disappointed:{keywords:["face","sad","upset","depressed",":("],char:'😞',fitzpatrick_scale:false,category:"people"},worried:{keywords:["face","concern","nervous",":("],char:'😟',fitzpatrick_scale:false,category:"people"},angry:{keywords:["mad","face","annoyed","frustrated"],char:'😠',fitzpatrick_scale:false,category:"people"},rage:{keywords:["angry","mad","hate","despise"],char:'😡',fitzpatrick_scale:false,category:"people"},pensive:{keywords:["face","sad","depressed","upset"],char:'😔',fitzpatrick_scale:false,category:"people"},confused:{keywords:["face","indifference","huh","weird","hmmm",":/"],char:'😕',fitzpatrick_scale:false,category:"people"},slightly_frowning_face:{keywords:["face","frowning","disappointed","sad","upset"],char:'🙁',fitzpatrick_scale:false,category:"people"},frowning_face:{keywords:["face","sad","upset","frown"],char:'☹',fitzpatrick_scale:false,category:"people"},persevere:{keywords:["face","sick","no","upset","oops"],char:'😣',fitzpatrick_scale:false,category:"people"},confounded:{keywords:["face","confused","sick","unwell","oops",":S"],char:'😖',fitzpatrick_scale:false,category:"people"},tired_face:{keywords:["sick","whine","upset","frustrated"],char:'😫',fitzpatrick_scale:false,category:"people"},weary:{keywords:["face","tired","sleepy","sad","frustrated","upset"],char:'😩',fitzpatrick_scale:false,category:"people"},pleading:{keywords:["face","begging","mercy"],char:'🥺',fitzpatrick_scale:false,category:"people"},triumph:{keywords:["face","gas","phew","proud","pride"],char:'😤',fitzpatrick_scale:false,category:"people"},open_mouth:{keywords:["face","surprise","impressed","wow","whoa",":O"],char:'😮',fitzpatrick_scale:false,category:"people"},scream:{keywords:["face","munch","scared","omg"],char:'😱',fitzpatrick_scale:false,category:"people"},fearful:{keywords:["face","scared","terrified","nervous","oops","huh"],char:'😨',fitzpatrick_scale:false,category:"people"},cold_sweat:{keywords:["face","nervous","sweat"],char:'😰',fitzpatrick_scale:false,category:"people"},hushed:{keywords:["face","woo","shh"],char:'😯',fitzpatrick_scale:false,category:"people"},frowning:{keywords:["face","aw","what"],char:'😦',fitzpatrick_scale:false,category:"people"},anguished:{keywords:["face","stunned","nervous"],char:'😧',fitzpatrick_scale:false,category:"people"},cry:{keywords:["face","tears","sad","depressed","upset",":'("],char:'😢',fitzpatrick_scale:false,category:"people"},disappointed_relieved:{keywords:["face","phew","sweat","nervous"],char:'😥',fitzpatrick_scale:false,category:"people"},drooling_face:{keywords:["face"],char:'🤤',fitzpatrick_scale:false,category:"people"},sleepy:{keywords:["face","tired","rest","nap"],char:'😪',fitzpatrick_scale:false,category:"people"},sweat:{keywords:["face","hot","sad","tired","exercise"],char:'😓',fitzpatrick_scale:false,category:"people"},hot:{keywords:["face","feverish","heat","red","sweating"],char:'🥵',fitzpatrick_scale:false,category:"people"},cold:{keywords:["face","blue","freezing","frozen","frostbite","icicles"],char:'🥶',fitzpatrick_scale:false,category:"people"},sob:{keywords:["face","cry","tears","sad","upset","depressed"],char:'😭',fitzpatrick_scale:false,category:"people"},dizzy_face:{keywords:["spent","unconscious","xox","dizzy"],char:'😵',fitzpatrick_scale:false,category:"people"},astonished:{keywords:["face","xox","surprised","poisoned"],char:'😲',fitzpatrick_scale:false,category:"people"},zipper_mouth_face:{keywords:["face","sealed","zipper","secret"],char:'🤐',fitzpatrick_scale:false,category:"people"},nauseated_face:{keywords:["face","vomit","gross","green","sick","throw up","ill"],char:'🤢',fitzpatrick_scale:false,category:"people"},sneezing_face:{keywords:["face","gesundheit","sneeze","sick","allergy"],char:'🤧',fitzpatrick_scale:false,category:"people"},vomiting:{keywords:["face","sick"],char:'🤮',fitzpatrick_scale:false,category:"people"},mask:{keywords:["face","sick","ill","disease"],char:'😷',fitzpatrick_scale:false,category:"people"},face_with_thermometer:{keywords:["sick","temperature","thermometer","cold","fever"],char:'🤒',fitzpatrick_scale:false,category:"people"},face_with_head_bandage:{keywords:["injured","clumsy","bandage","hurt"],char:'🤕',fitzpatrick_scale:false,category:"people"},woozy:{keywords:["face","dizzy","intoxicated","tipsy","wavy"],char:'🥴',fitzpatrick_scale:false,category:"people"},sleeping:{keywords:["face","tired","sleepy","night","zzz"],char:'😴',fitzpatrick_scale:false,category:"people"},zzz:{keywords:["sleepy","tired","dream"],char:'💤',fitzpatrick_scale:false,category:"people"},poop:{keywords:["hankey","shitface","fail","turd","shit"],char:'💩',fitzpatrick_scale:false,category:"people"},smiling_imp:{keywords:["devil","horns"],char:'😈',fitzpatrick_scale:false,category:"people"},imp:{keywords:["devil","angry","horns"],char:'👿',fitzpatrick_scale:false,category:"people"},japanese_ogre:{keywords:["monster","red","mask","halloween","scary","creepy","devil","demon","japanese","ogre"],char:'👹',fitzpatrick_scale:false,category:"people"},japanese_goblin:{keywords:["red","evil","mask","monster","scary","creepy","japanese","goblin"],char:'👺',fitzpatrick_scale:false,category:"people"},skull:{keywords:["dead","skeleton","creepy","death"],char:'💀',fitzpatrick_scale:false,category:"people"},ghost:{keywords:["halloween","spooky","scary"],char:'👻',fitzpatrick_scale:false,category:"people"},alien:{keywords:["UFO","paul","weird","outer_space"],char:'👽',fitzpatrick_scale:false,category:"people"},robot:{keywords:["computer","machine","bot"],char:'🤖',fitzpatrick_scale:false,category:"people"},smiley_cat:{keywords:["animal","cats","happy","smile"],char:'😺',fitzpatrick_scale:false,category:"people"},smile_cat:{keywords:["animal","cats","smile"],char:'😸',fitzpatrick_scale:false,category:"people"},joy_cat:{keywords:["animal","cats","haha","happy","tears"],char:'😹',fitzpatrick_scale:false,category:"people"},heart_eyes_cat:{keywords:["animal","love","like","affection","cats","valentines","heart"],char:'😻',fitzpatrick_scale:false,category:"people"},smirk_cat:{keywords:["animal","cats","smirk"],char:'😼',fitzpatrick_scale:false,category:"people"},kissing_cat:{keywords:["animal","cats","kiss"],char:'😽',fitzpatrick_scale:false,category:"people"},scream_cat:{keywords:["animal","cats","munch","scared","scream"],char:'🙀',fitzpatrick_scale:false,category:"people"},crying_cat_face:{keywords:["animal","tears","weep","sad","cats","upset","cry"],char:'😿',fitzpatrick_scale:false,category:"people"},pouting_cat:{keywords:["animal","cats"],char:'😾',fitzpatrick_scale:false,category:"people"},palms_up:{keywords:["hands","gesture","cupped","prayer"],char:'🤲',fitzpatrick_scale:true,category:"people"},raised_hands:{keywords:["gesture","hooray","yea","celebration","hands"],char:'🙌',fitzpatrick_scale:true,category:"people"},clap:{keywords:["hands","praise","applause","congrats","yay"],char:'👏',fitzpatrick_scale:true,category:"people"},wave:{keywords:["hands","gesture","goodbye","solong","farewell","hello","hi","palm"],char:'👋',fitzpatrick_scale:true,category:"people"},call_me_hand:{keywords:["hands","gesture"],char:'🤙',fitzpatrick_scale:true,category:"people"},"+1":{keywords:["thumbsup","yes","awesome","good","agree","accept","cool","hand","like"],char:'👍',fitzpatrick_scale:true,category:"people"},"-1":{keywords:["thumbsdown","no","dislike","hand"],char:'👎',fitzpatrick_scale:true,category:"people"},facepunch:{keywords:["angry","violence","fist","hit","attack","hand"],char:'👊',fitzpatrick_scale:true,category:"people"},fist:{keywords:["fingers","hand","grasp"],char:'✊',fitzpatrick_scale:true,category:"people"},fist_left:{keywords:["hand","fistbump"],char:'🤛',fitzpatrick_scale:true,category:"people"},fist_right:{keywords:["hand","fistbump"],char:'🤜',fitzpatrick_scale:true,category:"people"},v:{keywords:["fingers","ohyeah","hand","peace","victory","two"],char:'✌',fitzpatrick_scale:true,category:"people"},ok_hand:{keywords:["fingers","limbs","perfect","ok","okay"],char:'👌',fitzpatrick_scale:true,category:"people"},raised_hand:{keywords:["fingers","stop","highfive","palm","ban"],char:'✋',fitzpatrick_scale:true,category:"people"},raised_back_of_hand:{keywords:["fingers","raised","backhand"],char:'🤚',fitzpatrick_scale:true,category:"people"},open_hands:{keywords:["fingers","butterfly","hands","open"],char:'👐',fitzpatrick_scale:true,category:"people"},muscle:{keywords:["arm","flex","hand","summer","strong","biceps"],char:'💪',fitzpatrick_scale:true,category:"people"},pray:{keywords:["please","hope","wish","namaste","highfive"],char:'🙏',fitzpatrick_scale:true,category:"people"},foot:{keywords:["kick","stomp"],char:'🦶',fitzpatrick_scale:true,category:"people"},leg:{keywords:["kick","limb"],char:'🦵',fitzpatrick_scale:true,category:"people"},handshake:{keywords:["agreement","shake"],char:'🤝',fitzpatrick_scale:false,category:"people"},point_up:{keywords:["hand","fingers","direction","up"],char:'☝',fitzpatrick_scale:true,category:"people"},point_up_2:{keywords:["fingers","hand","direction","up"],char:'👆',fitzpatrick_scale:true,category:"people"},point_down:{keywords:["fingers","hand","direction","down"],char:'👇',fitzpatrick_scale:true,category:"people"},point_left:{keywords:["direction","fingers","hand","left"],char:'👈',fitzpatrick_scale:true,category:"people"},point_right:{keywords:["fingers","hand","direction","right"],char:'👉',fitzpatrick_scale:true,category:"people"},fu:{keywords:["hand","fingers","rude","middle","flipping"],char:'🖕',fitzpatrick_scale:true,category:"people"},raised_hand_with_fingers_splayed:{keywords:["hand","fingers","palm"],char:'🖐',fitzpatrick_scale:true,category:"people"},love_you:{keywords:["hand","fingers","gesture"],char:'🤟',fitzpatrick_scale:true,category:"people"},metal:{keywords:["hand","fingers","evil_eye","sign_of_horns","rock_on"],char:'🤘',fitzpatrick_scale:true,category:"people"},crossed_fingers:{keywords:["good","lucky"],char:'🤞',fitzpatrick_scale:true,category:"people"},vulcan_salute:{keywords:["hand","fingers","spock","star trek"],char:'🖖',fitzpatrick_scale:true,category:"people"},writing_hand:{keywords:["lower_left_ballpoint_pen","stationery","write","compose"],char:'✍',fitzpatrick_scale:true,category:"people"},selfie:{keywords:["camera","phone"],char:'🤳',fitzpatrick_scale:true,category:"people"},nail_care:{keywords:["beauty","manicure","finger","fashion","nail"],char:'💅',fitzpatrick_scale:true,category:"people"},lips:{keywords:["mouth","kiss"],char:'👄',fitzpatrick_scale:false,category:"people"},tooth:{keywords:["teeth","dentist"],char:'🦷',fitzpatrick_scale:false,category:"people"},tongue:{keywords:["mouth","playful"],char:'👅',fitzpatrick_scale:false,category:"people"},ear:{keywords:["face","hear","sound","listen"],char:'👂',fitzpatrick_scale:true,category:"people"},nose:{keywords:["smell","sniff"],char:'👃',fitzpatrick_scale:true,category:"people"},eye:{keywords:["face","look","see","watch","stare"],char:'👁',fitzpatrick_scale:false,category:"people"},eyes:{keywords:["look","watch","stalk","peek","see"],char:'👀',fitzpatrick_scale:false,category:"people"},brain:{keywords:["smart","intelligent"],char:'🧠',fitzpatrick_scale:false,category:"people"},bust_in_silhouette:{keywords:["user","person","human"],char:'👤',fitzpatrick_scale:false,category:"people"},busts_in_silhouette:{keywords:["user","person","human","group","team"],char:'👥',fitzpatrick_scale:false,category:"people"},speaking_head:{keywords:["user","person","human","sing","say","talk"],char:'🗣',fitzpatrick_scale:false,category:"people"},baby:{keywords:["child","boy","girl","toddler"],char:'👶',fitzpatrick_scale:true,category:"people"},child:{keywords:["gender-neutral","young"],char:'🧒',fitzpatrick_scale:true,category:"people"},boy:{keywords:["man","male","guy","teenager"],char:'👦',fitzpatrick_scale:true,category:"people"},girl:{keywords:["female","woman","teenager"],char:'👧',fitzpatrick_scale:true,category:"people"},adult:{keywords:["gender-neutral","person"],char:'🧑',fitzpatrick_scale:true,category:"people"},man:{keywords:["mustache","father","dad","guy","classy","sir","moustache"],char:'👨',fitzpatrick_scale:true,category:"people"},woman:{keywords:["female","girls","lady"],char:'👩',fitzpatrick_scale:true,category:"people"},blonde_woman:{keywords:["woman","female","girl","blonde","person"],char:'👱‍♀️',fitzpatrick_scale:true,category:"people"},blonde_man:{keywords:["man","male","boy","blonde","guy","person"],char:'👱',fitzpatrick_scale:true,category:"people"},bearded_person:{keywords:["person","bewhiskered"],char:'🧔',fitzpatrick_scale:true,category:"people"},older_adult:{keywords:["human","elder","senior","gender-neutral"],char:'🧓',fitzpatrick_scale:true,category:"people"},older_man:{keywords:["human","male","men","old","elder","senior"],char:'👴',fitzpatrick_scale:true,category:"people"},older_woman:{keywords:["human","female","women","lady","old","elder","senior"],char:'👵',fitzpatrick_scale:true,category:"people"},man_with_gua_pi_mao:{keywords:["male","boy","chinese"],char:'👲',fitzpatrick_scale:true,category:"people"},woman_with_headscarf:{keywords:["female","hijab","mantilla","tichel"],char:'🧕',fitzpatrick_scale:true,category:"people"},woman_with_turban:{keywords:["female","indian","hinduism","arabs","woman"],char:'👳‍♀️',fitzpatrick_scale:true,category:"people"},man_with_turban:{keywords:["male","indian","hinduism","arabs"],char:'👳',fitzpatrick_scale:true,category:"people"},policewoman:{keywords:["woman","police","law","legal","enforcement","arrest","911","female"],char:'👮‍♀️',fitzpatrick_scale:true,category:"people"},policeman:{keywords:["man","police","law","legal","enforcement","arrest","911"],char:'👮',fitzpatrick_scale:true,category:"people"},construction_worker_woman:{keywords:["female","human","wip","build","construction","worker","labor","woman"],char:'👷‍♀️',fitzpatrick_scale:true,category:"people"},construction_worker_man:{keywords:["male","human","wip","guy","build","construction","worker","labor"],char:'👷',fitzpatrick_scale:true,category:"people"},guardswoman:{keywords:["uk","gb","british","female","royal","woman"],char:'💂‍♀️',fitzpatrick_scale:true,category:"people"},guardsman:{keywords:["uk","gb","british","male","guy","royal"],char:'💂',fitzpatrick_scale:true,category:"people"},female_detective:{keywords:["human","spy","detective","female","woman"],char:'🕵️‍♀️',fitzpatrick_scale:true,category:"people"},male_detective:{keywords:["human","spy","detective"],char:'🕵',fitzpatrick_scale:true,category:"people"},woman_health_worker:{keywords:["doctor","nurse","therapist","healthcare","woman","human"],char:'👩‍⚕️',fitzpatrick_scale:true,category:"people"},man_health_worker:{keywords:["doctor","nurse","therapist","healthcare","man","human"],char:'👨‍⚕️',fitzpatrick_scale:true,category:"people"},woman_farmer:{keywords:["rancher","gardener","woman","human"],char:'👩‍🌾',fitzpatrick_scale:true,category:"people"},man_farmer:{keywords:["rancher","gardener","man","human"],char:'👨‍🌾',fitzpatrick_scale:true,category:"people"},woman_cook:{keywords:["chef","woman","human"],char:'👩‍🍳',fitzpatrick_scale:true,category:"people"},man_cook:{keywords:["chef","man","human"],char:'👨‍🍳',fitzpatrick_scale:true,category:"people"},woman_student:{keywords:["graduate","woman","human"],char:'👩‍🎓',fitzpatrick_scale:true,category:"people"},man_student:{keywords:["graduate","man","human"],char:'👨‍🎓',fitzpatrick_scale:true,category:"people"},woman_singer:{keywords:["rockstar","entertainer","woman","human"],char:'👩‍🎤',fitzpatrick_scale:true,category:"people"},man_singer:{keywords:["rockstar","entertainer","man","human"],char:'👨‍🎤',fitzpatrick_scale:true,category:"people"},woman_teacher:{keywords:["instructor","professor","woman","human"],char:'👩‍🏫',fitzpatrick_scale:true,category:"people"},man_teacher:{keywords:["instructor","professor","man","human"],char:'👨‍🏫',fitzpatrick_scale:true,category:"people"},woman_factory_worker:{keywords:["assembly","industrial","woman","human"],char:'👩‍🏭',fitzpatrick_scale:true,category:"people"},man_factory_worker:{keywords:["assembly","industrial","man","human"],char:'👨‍🏭',fitzpatrick_scale:true,category:"people"},woman_technologist:{keywords:["coder","developer","engineer","programmer","software","woman","human","laptop","computer"],char:'👩‍💻',fitzpatrick_scale:true,category:"people"},man_technologist:{keywords:["coder","developer","engineer","programmer","software","man","human","laptop","computer"],char:'👨‍💻',fitzpatrick_scale:true,category:"people"},woman_office_worker:{keywords:["business","manager","woman","human"],char:'👩‍💼',fitzpatrick_scale:true,category:"people"},man_office_worker:{keywords:["business","manager","man","human"],char:'👨‍💼',fitzpatrick_scale:true,category:"people"},woman_mechanic:{keywords:["plumber","woman","human","wrench"],char:'👩‍🔧',fitzpatrick_scale:true,category:"people"},man_mechanic:{keywords:["plumber","man","human","wrench"],char:'👨‍🔧',fitzpatrick_scale:true,category:"people"},woman_scientist:{keywords:["biologist","chemist","engineer","physicist","woman","human"],char:'👩‍🔬',fitzpatrick_scale:true,category:"people"},man_scientist:{keywords:["biologist","chemist","engineer","physicist","man","human"],char:'👨‍🔬',fitzpatrick_scale:true,category:"people"},woman_artist:{keywords:["painter","woman","human"],char:'👩‍🎨',fitzpatrick_scale:true,category:"people"},man_artist:{keywords:["painter","man","human"],char:'👨‍🎨',fitzpatrick_scale:true,category:"people"},woman_firefighter:{keywords:["fireman","woman","human"],char:'👩‍🚒',fitzpatrick_scale:true,category:"people"},man_firefighter:{keywords:["fireman","man","human"],char:'👨‍🚒',fitzpatrick_scale:true,category:"people"},woman_pilot:{keywords:["aviator","plane","woman","human"],char:'👩‍✈️',fitzpatrick_scale:true,category:"people"},man_pilot:{keywords:["aviator","plane","man","human"],char:'👨‍✈️',fitzpatrick_scale:true,category:"people"},woman_astronaut:{keywords:["space","rocket","woman","human"],char:'👩‍🚀',fitzpatrick_scale:true,category:"people"},man_astronaut:{keywords:["space","rocket","man","human"],char:'👨‍🚀',fitzpatrick_scale:true,category:"people"},woman_judge:{keywords:["justice","court","woman","human"],char:'👩‍⚖️',fitzpatrick_scale:true,category:"people"},man_judge:{keywords:["justice","court","man","human"],char:'👨‍⚖️',fitzpatrick_scale:true,category:"people"},woman_superhero:{keywords:["woman","female","good","heroine","superpowers"],char:'🦸‍♀️',fitzpatrick_scale:true,category:"people"},man_superhero:{keywords:["man","male","good","hero","superpowers"],char:'🦸‍♂️',fitzpatrick_scale:true,category:"people"},woman_supervillain:{keywords:["woman","female","evil","bad","criminal","heroine","superpowers"],char:'🦹‍♀️',fitzpatrick_scale:true,category:"people"},man_supervillain:{keywords:["man","male","evil","bad","criminal","hero","superpowers"],char:'🦹‍♂️',fitzpatrick_scale:true,category:"people"},mrs_claus:{keywords:["woman","female","xmas","mother christmas"],char:'🤶',fitzpatrick_scale:true,category:"people"},santa:{keywords:["festival","man","male","xmas","father christmas"],char:'🎅',fitzpatrick_scale:true,category:"people"},sorceress:{keywords:["woman","female","mage","witch"],char:'🧙‍♀️',fitzpatrick_scale:true,category:"people"},wizard:{keywords:["man","male","mage","sorcerer"],char:'🧙‍♂️',fitzpatrick_scale:true,category:"people"},woman_elf:{keywords:["woman","female"],char:'🧝‍♀️',fitzpatrick_scale:true,category:"people"},man_elf:{keywords:["man","male"],char:'🧝‍♂️',fitzpatrick_scale:true,category:"people"},woman_vampire:{keywords:["woman","female"],char:'🧛‍♀️',fitzpatrick_scale:true,category:"people"},man_vampire:{keywords:["man","male","dracula"],char:'🧛‍♂️',fitzpatrick_scale:true,category:"people"},woman_zombie:{keywords:["woman","female","undead","walking dead"],char:'🧟‍♀️',fitzpatrick_scale:false,category:"people"},man_zombie:{keywords:["man","male","dracula","undead","walking dead"],char:'🧟‍♂️',fitzpatrick_scale:false,category:"people"},woman_genie:{keywords:["woman","female"],char:'🧞‍♀️',fitzpatrick_scale:false,category:"people"},man_genie:{keywords:["man","male"],char:'🧞‍♂️',fitzpatrick_scale:false,category:"people"},mermaid:{keywords:["woman","female","merwoman","ariel"],char:'🧜‍♀️',fitzpatrick_scale:true,category:"people"},merman:{keywords:["man","male","triton"],char:'🧜‍♂️',fitzpatrick_scale:true,category:"people"},woman_fairy:{keywords:["woman","female"],char:'🧚‍♀️',fitzpatrick_scale:true,category:"people"},man_fairy:{keywords:["man","male"],char:'🧚‍♂️',fitzpatrick_scale:true,category:"people"},angel:{keywords:["heaven","wings","halo"],char:'👼',fitzpatrick_scale:true,category:"people"},pregnant_woman:{keywords:["baby"],char:'🤰',fitzpatrick_scale:true,category:"people"},breastfeeding:{keywords:["nursing","baby"],char:'🤱',fitzpatrick_scale:true,category:"people"},princess:{keywords:["girl","woman","female","blond","crown","royal","queen"],char:'👸',fitzpatrick_scale:true,category:"people"},prince:{keywords:["boy","man","male","crown","royal","king"],char:'🤴',fitzpatrick_scale:true,category:"people"},bride_with_veil:{keywords:["couple","marriage","wedding","woman","bride"],char:'👰',fitzpatrick_scale:true,category:"people"},man_in_tuxedo:{keywords:["couple","marriage","wedding","groom"],char:'🤵',fitzpatrick_scale:true,category:"people"},running_woman:{keywords:["woman","walking","exercise","race","running","female"],char:'🏃‍♀️',fitzpatrick_scale:true,category:"people"},running_man:{keywords:["man","walking","exercise","race","running"],char:'🏃',fitzpatrick_scale:true,category:"people"},walking_woman:{keywords:["human","feet","steps","woman","female"],char:'🚶‍♀️',fitzpatrick_scale:true,category:"people"},walking_man:{keywords:["human","feet","steps"],char:'🚶',fitzpatrick_scale:true,category:"people"},dancer:{keywords:["female","girl","woman","fun"],char:'💃',fitzpatrick_scale:true,category:"people"},man_dancing:{keywords:["male","boy","fun","dancer"],char:'🕺',fitzpatrick_scale:true,category:"people"},dancing_women:{keywords:["female","bunny","women","girls"],char:'👯',fitzpatrick_scale:false,category:"people"},dancing_men:{keywords:["male","bunny","men","boys"],char:'👯‍♂️',fitzpatrick_scale:false,category:"people"},couple:{keywords:["pair","people","human","love","date","dating","like","affection","valentines","marriage"],char:'👫',fitzpatrick_scale:false,category:"people"},two_men_holding_hands:{keywords:["pair","couple","love","like","bromance","friendship","people","human"],char:'👬',fitzpatrick_scale:false,category:"people"},two_women_holding_hands:{keywords:["pair","friendship","couple","love","like","female","people","human"],char:'👭',fitzpatrick_scale:false,category:"people"},bowing_woman:{keywords:["woman","female","girl"],char:'🙇‍♀️',fitzpatrick_scale:true,category:"people"},bowing_man:{keywords:["man","male","boy"],char:'🙇',fitzpatrick_scale:true,category:"people"},man_facepalming:{keywords:["man","male","boy","disbelief"],char:'🤦‍♂️',fitzpatrick_scale:true,category:"people"},woman_facepalming:{keywords:["woman","female","girl","disbelief"],char:'🤦‍♀️',fitzpatrick_scale:true,category:"people"},woman_shrugging:{keywords:["woman","female","girl","confused","indifferent","doubt"],char:'🤷',fitzpatrick_scale:true,category:"people"},man_shrugging:{keywords:["man","male","boy","confused","indifferent","doubt"],char:'🤷‍♂️',fitzpatrick_scale:true,category:"people"},tipping_hand_woman:{keywords:["female","girl","woman","human","information"],char:'💁',fitzpatrick_scale:true,category:"people"},tipping_hand_man:{keywords:["male","boy","man","human","information"],char:'💁‍♂️',fitzpatrick_scale:true,category:"people"},no_good_woman:{keywords:["female","girl","woman","nope"],char:'🙅',fitzpatrick_scale:true,category:"people"},no_good_man:{keywords:["male","boy","man","nope"],char:'🙅‍♂️',fitzpatrick_scale:true,category:"people"},ok_woman:{keywords:["women","girl","female","pink","human","woman"],char:'🙆',fitzpatrick_scale:true,category:"people"},ok_man:{keywords:["men","boy","male","blue","human","man"],char:'🙆‍♂️',fitzpatrick_scale:true,category:"people"},raising_hand_woman:{keywords:["female","girl","woman"],char:'🙋',fitzpatrick_scale:true,category:"people"},raising_hand_man:{keywords:["male","boy","man"],char:'🙋‍♂️',fitzpatrick_scale:true,category:"people"},pouting_woman:{keywords:["female","girl","woman"],char:'🙎',fitzpatrick_scale:true,category:"people"},pouting_man:{keywords:["male","boy","man"],char:'🙎‍♂️',fitzpatrick_scale:true,category:"people"},frowning_woman:{keywords:["female","girl","woman","sad","depressed","discouraged","unhappy"],char:'🙍',fitzpatrick_scale:true,category:"people"},frowning_man:{keywords:["male","boy","man","sad","depressed","discouraged","unhappy"],char:'🙍‍♂️',fitzpatrick_scale:true,category:"people"},haircut_woman:{keywords:["female","girl","woman"],char:'💇',fitzpatrick_scale:true,category:"people"},haircut_man:{keywords:["male","boy","man"],char:'💇‍♂️',fitzpatrick_scale:true,category:"people"},massage_woman:{keywords:["female","girl","woman","head"],char:'💆',fitzpatrick_scale:true,category:"people"},massage_man:{keywords:["male","boy","man","head"],char:'💆‍♂️',fitzpatrick_scale:true,category:"people"},woman_in_steamy_room:{keywords:["female","woman","spa","steamroom","sauna"],char:'🧖‍♀️',fitzpatrick_scale:true,category:"people"},man_in_steamy_room:{keywords:["male","man","spa","steamroom","sauna"],char:'🧖‍♂️',fitzpatrick_scale:true,category:"people"},couple_with_heart_woman_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:'💑',fitzpatrick_scale:false,category:"people"},couple_with_heart_woman_woman:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:'👩‍❤️‍👩',fitzpatrick_scale:false,category:"people"},couple_with_heart_man_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:'👨‍❤️‍👨',fitzpatrick_scale:false,category:"people"},couplekiss_man_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:'💏',fitzpatrick_scale:false,category:"people"},couplekiss_woman_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:'👩‍❤️‍💋‍👩',fitzpatrick_scale:false,category:"people"},couplekiss_man_man:{keywords:["pair","valentines","love","like","dating","marriage"],char:'👨‍❤️‍💋‍👨',fitzpatrick_scale:false,category:"people"},family_man_woman_boy:{keywords:["home","parents","child","mom","dad","father","mother","people","human"],char:'👪',fitzpatrick_scale:false,category:"people"},family_man_woman_girl:{keywords:["home","parents","people","human","child"],char:'👨‍👩‍👧',fitzpatrick_scale:false,category:"people"},family_man_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:'👨‍👩‍👧‍👦',fitzpatrick_scale:false,category:"people"},family_man_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:'👨‍👩‍👦‍👦',fitzpatrick_scale:false,category:"people"},family_man_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:'👨‍👩‍👧‍👧',fitzpatrick_scale:false,category:"people"},family_woman_woman_boy:{keywords:["home","parents","people","human","children"],char:'👩‍👩‍👦',fitzpatrick_scale:false,category:"people"},family_woman_woman_girl:{keywords:["home","parents","people","human","children"],char:'👩‍👩‍👧',fitzpatrick_scale:false,category:"people"},family_woman_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:'👩‍👩‍👧‍👦',fitzpatrick_scale:false,category:"people"},family_woman_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:'👩‍👩‍👦‍👦',fitzpatrick_scale:false,category:"people"},family_woman_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:'👩‍👩‍👧‍👧',fitzpatrick_scale:false,category:"people"},family_man_man_boy:{keywords:["home","parents","people","human","children"],char:'👨‍👨‍👦',fitzpatrick_scale:false,category:"people"},family_man_man_girl:{keywords:["home","parents","people","human","children"],char:'👨‍👨‍👧',fitzpatrick_scale:false,category:"people"},family_man_man_girl_boy:{keywords:["home","parents","people","human","children"],char:'👨‍👨‍👧‍👦',fitzpatrick_scale:false,category:"people"},family_man_man_boy_boy:{keywords:["home","parents","people","human","children"],char:'👨‍👨‍👦‍👦',fitzpatrick_scale:false,category:"people"},family_man_man_girl_girl:{keywords:["home","parents","people","human","children"],char:'👨‍👨‍👧‍👧',fitzpatrick_scale:false,category:"people"},family_woman_boy:{keywords:["home","parent","people","human","child"],char:'👩‍👦',fitzpatrick_scale:false,category:"people"},family_woman_girl:{keywords:["home","parent","people","human","child"],char:'👩‍👧',fitzpatrick_scale:false,category:"people"},family_woman_girl_boy:{keywords:["home","parent","people","human","children"],char:'👩‍👧‍👦',fitzpatrick_scale:false,category:"people"},family_woman_boy_boy:{keywords:["home","parent","people","human","children"],char:'👩‍👦‍👦',fitzpatrick_scale:false,category:"people"},family_woman_girl_girl:{keywords:["home","parent","people","human","children"],char:'👩‍👧‍👧',fitzpatrick_scale:false,category:"people"},family_man_boy:{keywords:["home","parent","people","human","child"],char:'👨‍👦',fitzpatrick_scale:false,category:"people"},family_man_girl:{keywords:["home","parent","people","human","child"],char:'👨‍👧',fitzpatrick_scale:false,category:"people"},family_man_girl_boy:{keywords:["home","parent","people","human","children"],char:'👨‍👧‍👦',fitzpatrick_scale:false,category:"people"},family_man_boy_boy:{keywords:["home","parent","people","human","children"],char:'👨‍👦‍👦',fitzpatrick_scale:false,category:"people"},family_man_girl_girl:{keywords:["home","parent","people","human","children"],char:'👨‍👧‍👧',fitzpatrick_scale:false,category:"people"},yarn:{keywords:["ball","crochet","knit"],char:'🧶',fitzpatrick_scale:false,category:"people"},thread:{keywords:["needle","sewing","spool","string"],char:'🧵',fitzpatrick_scale:false,category:"people"},coat:{keywords:["jacket"],char:'🧥',fitzpatrick_scale:false,category:"people"},labcoat:{keywords:["doctor","experiment","scientist","chemist"],char:'🥼',fitzpatrick_scale:false,category:"people"},womans_clothes:{keywords:["fashion","shopping_bags","female"],char:'👚',fitzpatrick_scale:false,category:"people"},tshirt:{keywords:["fashion","cloth","casual","shirt","tee"],char:'👕',fitzpatrick_scale:false,category:"people"},jeans:{keywords:["fashion","shopping"],char:'👖',fitzpatrick_scale:false,category:"people"},necktie:{keywords:["shirt","suitup","formal","fashion","cloth","business"],char:'👔',fitzpatrick_scale:false,category:"people"},dress:{keywords:["clothes","fashion","shopping"],char:'👗',fitzpatrick_scale:false,category:"people"},bikini:{keywords:["swimming","female","woman","girl","fashion","beach","summer"],char:'👙',fitzpatrick_scale:false,category:"people"},kimono:{keywords:["dress","fashion","women","female","japanese"],char:'👘',fitzpatrick_scale:false,category:"people"},lipstick:{keywords:["female","girl","fashion","woman"],char:'💄',fitzpatrick_scale:false,category:"people"},kiss:{keywords:["face","lips","love","like","affection","valentines"],char:'💋',fitzpatrick_scale:false,category:"people"},footprints:{keywords:["feet","tracking","walking","beach"],char:'👣',fitzpatrick_scale:false,category:"people"},flat_shoe:{keywords:["ballet","slip-on","slipper"],char:'🥿',fitzpatrick_scale:false,category:"people"},high_heel:{keywords:["fashion","shoes","female","pumps","stiletto"],char:'👠',fitzpatrick_scale:false,category:"people"},sandal:{keywords:["shoes","fashion","flip flops"],char:'👡',fitzpatrick_scale:false,category:"people"},boot:{keywords:["shoes","fashion"],char:'👢',fitzpatrick_scale:false,category:"people"},mans_shoe:{keywords:["fashion","male"],char:'👞',fitzpatrick_scale:false,category:"people"},athletic_shoe:{keywords:["shoes","sports","sneakers"],char:'👟',fitzpatrick_scale:false,category:"people"},hiking_boot:{keywords:["backpacking","camping","hiking"],char:'🥾',fitzpatrick_scale:false,category:"people"},socks:{keywords:["stockings","clothes"],char:'🧦',fitzpatrick_scale:false,category:"people"},gloves:{keywords:["hands","winter","clothes"],char:'🧤',fitzpatrick_scale:false,category:"people"},scarf:{keywords:["neck","winter","clothes"],char:'🧣',fitzpatrick_scale:false,category:"people"},womans_hat:{keywords:["fashion","accessories","female","lady","spring"],char:'👒',fitzpatrick_scale:false,category:"people"},tophat:{keywords:["magic","gentleman","classy","circus"],char:'🎩',fitzpatrick_scale:false,category:"people"},billed_hat:{keywords:["cap","baseball"],char:'🧢',fitzpatrick_scale:false,category:"people"},rescue_worker_helmet:{keywords:["construction","build"],char:'⛑',fitzpatrick_scale:false,category:"people"},mortar_board:{keywords:["school","college","degree","university","graduation","cap","hat","legal","learn","education"],char:'🎓',fitzpatrick_scale:false,category:"people"},crown:{keywords:["king","kod","leader","royalty","lord"],char:'👑',fitzpatrick_scale:false,category:"people"},school_satchel:{keywords:["student","education","bag","backpack"],char:'🎒',fitzpatrick_scale:false,category:"people"},luggage:{keywords:["packing","travel"],char:'🧳',fitzpatrick_scale:false,category:"people"},pouch:{keywords:["bag","accessories","shopping"],char:'👝',fitzpatrick_scale:false,category:"people"},purse:{keywords:["fashion","accessories","money","sales","shopping"],char:'👛',fitzpatrick_scale:false,category:"people"},handbag:{keywords:["fashion","accessory","accessories","shopping"],char:'👜',fitzpatrick_scale:false,category:"people"},briefcase:{keywords:["business","documents","work","law","legal","job","career"],char:'💼',fitzpatrick_scale:false,category:"people"},eyeglasses:{keywords:["fashion","accessories","eyesight","nerdy","dork","geek"],char:'👓',fitzpatrick_scale:false,category:"people"},dark_sunglasses:{keywords:["face","cool","accessories"],char:'🕶',fitzpatrick_scale:false,category:"people"},goggles:{keywords:["eyes","protection","safety"],char:'🥽',fitzpatrick_scale:false,category:"people"},ring:{keywords:["wedding","propose","marriage","valentines","diamond","fashion","jewelry","gem","engagement"],char:'💍',fitzpatrick_scale:false,category:"people"},closed_umbrella:{keywords:["weather","rain","drizzle"],char:'🌂',fitzpatrick_scale:false,category:"people"},dog:{keywords:["animal","friend","nature","woof","puppy","pet","faithful"],char:'🐶',fitzpatrick_scale:false,category:"animals_and_nature"},cat:{keywords:["animal","meow","nature","pet","kitten"],char:'🐱',fitzpatrick_scale:false,category:"animals_and_nature"},mouse:{keywords:["animal","nature","cheese_wedge","rodent"],char:'🐭',fitzpatrick_scale:false,category:"animals_and_nature"},hamster:{keywords:["animal","nature"],char:'🐹',fitzpatrick_scale:false,category:"animals_and_nature"},rabbit:{keywords:["animal","nature","pet","spring","magic","bunny"],char:'🐰',fitzpatrick_scale:false,category:"animals_and_nature"},fox_face:{keywords:["animal","nature","face"],char:'🦊',fitzpatrick_scale:false,category:"animals_and_nature"},bear:{keywords:["animal","nature","wild"],char:'🐻',fitzpatrick_scale:false,category:"animals_and_nature"},panda_face:{keywords:["animal","nature","panda"],char:'🐼',fitzpatrick_scale:false,category:"animals_and_nature"},koala:{keywords:["animal","nature"],char:'🐨',fitzpatrick_scale:false,category:"animals_and_nature"},tiger:{keywords:["animal","cat","danger","wild","nature","roar"],char:'🐯',fitzpatrick_scale:false,category:"animals_and_nature"},lion:{keywords:["animal","nature"],char:'🦁',fitzpatrick_scale:false,category:"animals_and_nature"},cow:{keywords:["beef","ox","animal","nature","moo","milk"],char:'🐮',fitzpatrick_scale:false,category:"animals_and_nature"},pig:{keywords:["animal","oink","nature"],char:'🐷',fitzpatrick_scale:false,category:"animals_and_nature"},pig_nose:{keywords:["animal","oink"],char:'🐽',fitzpatrick_scale:false,category:"animals_and_nature"},frog:{keywords:["animal","nature","croak","toad"],char:'🐸',fitzpatrick_scale:false,category:"animals_and_nature"},squid:{keywords:["animal","nature","ocean","sea"],char:'🦑',fitzpatrick_scale:false,category:"animals_and_nature"},octopus:{keywords:["animal","creature","ocean","sea","nature","beach"],char:'🐙',fitzpatrick_scale:false,category:"animals_and_nature"},shrimp:{keywords:["animal","ocean","nature","seafood"],char:'🦐',fitzpatrick_scale:false,category:"animals_and_nature"},monkey_face:{keywords:["animal","nature","circus"],char:'🐵',fitzpatrick_scale:false,category:"animals_and_nature"},gorilla:{keywords:["animal","nature","circus"],char:'🦍',fitzpatrick_scale:false,category:"animals_and_nature"},see_no_evil:{keywords:["monkey","animal","nature","haha"],char:'🙈',fitzpatrick_scale:false,category:"animals_and_nature"},hear_no_evil:{keywords:["animal","monkey","nature"],char:'🙉',fitzpatrick_scale:false,category:"animals_and_nature"},speak_no_evil:{keywords:["monkey","animal","nature","omg"],char:'🙊',fitzpatrick_scale:false,category:"animals_and_nature"},monkey:{keywords:["animal","nature","banana","circus"],char:'🐒',fitzpatrick_scale:false,category:"animals_and_nature"},chicken:{keywords:["animal","cluck","nature","bird"],char:'🐔',fitzpatrick_scale:false,category:"animals_and_nature"},penguin:{keywords:["animal","nature"],char:'🐧',fitzpatrick_scale:false,category:"animals_and_nature"},bird:{keywords:["animal","nature","fly","tweet","spring"],char:'🐦',fitzpatrick_scale:false,category:"animals_and_nature"},baby_chick:{keywords:["animal","chicken","bird"],char:'🐤',fitzpatrick_scale:false,category:"animals_and_nature"},hatching_chick:{keywords:["animal","chicken","egg","born","baby","bird"],char:'🐣',fitzpatrick_scale:false,category:"animals_and_nature"},hatched_chick:{keywords:["animal","chicken","baby","bird"],char:'🐥',fitzpatrick_scale:false,category:"animals_and_nature"},duck:{keywords:["animal","nature","bird","mallard"],char:'🦆',fitzpatrick_scale:false,category:"animals_and_nature"},eagle:{keywords:["animal","nature","bird"],char:'🦅',fitzpatrick_scale:false,category:"animals_and_nature"},owl:{keywords:["animal","nature","bird","hoot"],char:'🦉',fitzpatrick_scale:false,category:"animals_and_nature"},bat:{keywords:["animal","nature","blind","vampire"],char:'🦇',fitzpatrick_scale:false,category:"animals_and_nature"},wolf:{keywords:["animal","nature","wild"],char:'🐺',fitzpatrick_scale:false,category:"animals_and_nature"},boar:{keywords:["animal","nature"],char:'🐗',fitzpatrick_scale:false,category:"animals_and_nature"},horse:{keywords:["animal","brown","nature"],char:'🐴',fitzpatrick_scale:false,category:"animals_and_nature"},unicorn:{keywords:["animal","nature","mystical"],char:'🦄',fitzpatrick_scale:false,category:"animals_and_nature"},honeybee:{keywords:["animal","insect","nature","bug","spring","honey"],char:'🐝',fitzpatrick_scale:false,category:"animals_and_nature"},bug:{keywords:["animal","insect","nature","worm"],char:'🐛',fitzpatrick_scale:false,category:"animals_and_nature"},butterfly:{keywords:["animal","insect","nature","caterpillar"],char:'🦋',fitzpatrick_scale:false,category:"animals_and_nature"},snail:{keywords:["slow","animal","shell"],char:'🐌',fitzpatrick_scale:false,category:"animals_and_nature"},beetle:{keywords:["animal","insect","nature","ladybug"],char:'🐞',fitzpatrick_scale:false,category:"animals_and_nature"},ant:{keywords:["animal","insect","nature","bug"],char:'🐜',fitzpatrick_scale:false,category:"animals_and_nature"},grasshopper:{keywords:["animal","cricket","chirp"],char:'🦗',fitzpatrick_scale:false,category:"animals_and_nature"},spider:{keywords:["animal","arachnid"],char:'🕷',fitzpatrick_scale:false,category:"animals_and_nature"},scorpion:{keywords:["animal","arachnid"],char:'🦂',fitzpatrick_scale:false,category:"animals_and_nature"},crab:{keywords:["animal","crustacean"],char:'🦀',fitzpatrick_scale:false,category:"animals_and_nature"},snake:{keywords:["animal","evil","nature","hiss","python"],char:'🐍',fitzpatrick_scale:false,category:"animals_and_nature"},lizard:{keywords:["animal","nature","reptile"],char:'🦎',fitzpatrick_scale:false,category:"animals_and_nature"},"t-rex":{keywords:["animal","nature","dinosaur","tyrannosaurus","extinct"],char:'🦖',fitzpatrick_scale:false,category:"animals_and_nature"},sauropod:{keywords:["animal","nature","dinosaur","brachiosaurus","brontosaurus","diplodocus","extinct"],char:'🦕',fitzpatrick_scale:false,category:"animals_and_nature"},turtle:{keywords:["animal","slow","nature","tortoise"],char:'🐢',fitzpatrick_scale:false,category:"animals_and_nature"},tropical_fish:{keywords:["animal","swim","ocean","beach","nemo"],char:'🐠',fitzpatrick_scale:false,category:"animals_and_nature"},fish:{keywords:["animal","food","nature"],char:'🐟',fitzpatrick_scale:false,category:"animals_and_nature"},blowfish:{keywords:["animal","nature","food","sea","ocean"],char:'🐡',fitzpatrick_scale:false,category:"animals_and_nature"},dolphin:{keywords:["animal","nature","fish","sea","ocean","flipper","fins","beach"],char:'🐬',fitzpatrick_scale:false,category:"animals_and_nature"},shark:{keywords:["animal","nature","fish","sea","ocean","jaws","fins","beach"],char:'🦈',fitzpatrick_scale:false,category:"animals_and_nature"},whale:{keywords:["animal","nature","sea","ocean"],char:'🐳',fitzpatrick_scale:false,category:"animals_and_nature"},whale2:{keywords:["animal","nature","sea","ocean"],char:'🐋',fitzpatrick_scale:false,category:"animals_and_nature"},crocodile:{keywords:["animal","nature","reptile","lizard","alligator"],char:'🐊',fitzpatrick_scale:false,category:"animals_and_nature"},leopard:{keywords:["animal","nature"],char:'🐆',fitzpatrick_scale:false,category:"animals_and_nature"},zebra:{keywords:["animal","nature","stripes","safari"],char:'🦓',fitzpatrick_scale:false,category:"animals_and_nature"},tiger2:{keywords:["animal","nature","roar"],char:'🐅',fitzpatrick_scale:false,category:"animals_and_nature"},water_buffalo:{keywords:["animal","nature","ox","cow"],char:'🐃',fitzpatrick_scale:false,category:"animals_and_nature"},ox:{keywords:["animal","cow","beef"],char:'🐂',fitzpatrick_scale:false,category:"animals_and_nature"},cow2:{keywords:["beef","ox","animal","nature","moo","milk"],char:'🐄',fitzpatrick_scale:false,category:"animals_and_nature"},deer:{keywords:["animal","nature","horns","venison"],char:'🦌',fitzpatrick_scale:false,category:"animals_and_nature"},dromedary_camel:{keywords:["animal","hot","desert","hump"],char:'🐪',fitzpatrick_scale:false,category:"animals_and_nature"},camel:{keywords:["animal","nature","hot","desert","hump"],char:'🐫',fitzpatrick_scale:false,category:"animals_and_nature"},giraffe:{keywords:["animal","nature","spots","safari"],char:'🦒',fitzpatrick_scale:false,category:"animals_and_nature"},elephant:{keywords:["animal","nature","nose","th","circus"],char:'🐘',fitzpatrick_scale:false,category:"animals_and_nature"},rhinoceros:{keywords:["animal","nature","horn"],char:'🦏',fitzpatrick_scale:false,category:"animals_and_nature"},goat:{keywords:["animal","nature"],char:'🐐',fitzpatrick_scale:false,category:"animals_and_nature"},ram:{keywords:["animal","sheep","nature"],char:'🐏',fitzpatrick_scale:false,category:"animals_and_nature"},sheep:{keywords:["animal","nature","wool","shipit"],char:'🐑',fitzpatrick_scale:false,category:"animals_and_nature"},racehorse:{keywords:["animal","gamble","luck"],char:'🐎',fitzpatrick_scale:false,category:"animals_and_nature"},pig2:{keywords:["animal","nature"],char:'🐖',fitzpatrick_scale:false,category:"animals_and_nature"},rat:{keywords:["animal","mouse","rodent"],char:'🐀',fitzpatrick_scale:false,category:"animals_and_nature"},mouse2:{keywords:["animal","nature","rodent"],char:'🐁',fitzpatrick_scale:false,category:"animals_and_nature"},rooster:{keywords:["animal","nature","chicken"],char:'🐓',fitzpatrick_scale:false,category:"animals_and_nature"},turkey:{keywords:["animal","bird"],char:'🦃',fitzpatrick_scale:false,category:"animals_and_nature"},dove:{keywords:["animal","bird"],char:'🕊',fitzpatrick_scale:false,category:"animals_and_nature"},dog2:{keywords:["animal","nature","friend","doge","pet","faithful"],char:'🐕',fitzpatrick_scale:false,category:"animals_and_nature"},poodle:{keywords:["dog","animal","101","nature","pet"],char:'🐩',fitzpatrick_scale:false,category:"animals_and_nature"},cat2:{keywords:["animal","meow","pet","cats"],char:'🐈',fitzpatrick_scale:false,category:"animals_and_nature"},rabbit2:{keywords:["animal","nature","pet","magic","spring"],char:'🐇',fitzpatrick_scale:false,category:"animals_and_nature"},chipmunk:{keywords:["animal","nature","rodent","squirrel"],char:'🐿',fitzpatrick_scale:false,category:"animals_and_nature"},hedgehog:{keywords:["animal","nature","spiny"],char:'🦔',fitzpatrick_scale:false,category:"animals_and_nature"},raccoon:{keywords:["animal","nature"],char:'🦝',fitzpatrick_scale:false,category:"animals_and_nature"},llama:{keywords:["animal","nature","alpaca"],char:'🦙',fitzpatrick_scale:false,category:"animals_and_nature"},hippopotamus:{keywords:["animal","nature"],char:'🦛',fitzpatrick_scale:false,category:"animals_and_nature"},kangaroo:{keywords:["animal","nature","australia","joey","hop","marsupial"],char:'🦘',fitzpatrick_scale:false,category:"animals_and_nature"},badger:{keywords:["animal","nature","honey"],char:'🦡',fitzpatrick_scale:false,category:"animals_and_nature"},swan:{keywords:["animal","nature","bird"],char:'🦢',fitzpatrick_scale:false,category:"animals_and_nature"},peacock:{keywords:["animal","nature","peahen","bird"],char:'🦚',fitzpatrick_scale:false,category:"animals_and_nature"},parrot:{keywords:["animal","nature","bird","pirate","talk"],char:'🦜',fitzpatrick_scale:false,category:"animals_and_nature"},lobster:{keywords:["animal","nature","bisque","claws","seafood"],char:'🦞',fitzpatrick_scale:false,category:"animals_and_nature"},mosquito:{keywords:["animal","nature","insect","malaria"],char:'🦟',fitzpatrick_scale:false,category:"animals_and_nature"},paw_prints:{keywords:["animal","tracking","footprints","dog","cat","pet","feet"],char:'🐾',fitzpatrick_scale:false,category:"animals_and_nature"},dragon:{keywords:["animal","myth","nature","chinese","green"],char:'🐉',fitzpatrick_scale:false,category:"animals_and_nature"},dragon_face:{keywords:["animal","myth","nature","chinese","green"],char:'🐲',fitzpatrick_scale:false,category:"animals_and_nature"},cactus:{keywords:["vegetable","plant","nature"],char:'🌵',fitzpatrick_scale:false,category:"animals_and_nature"},christmas_tree:{keywords:["festival","vacation","december","xmas","celebration"],char:'🎄',fitzpatrick_scale:false,category:"animals_and_nature"},evergreen_tree:{keywords:["plant","nature"],char:'🌲',fitzpatrick_scale:false,category:"animals_and_nature"},deciduous_tree:{keywords:["plant","nature"],char:'🌳',fitzpatrick_scale:false,category:"animals_and_nature"},palm_tree:{keywords:["plant","vegetable","nature","summer","beach","mojito","tropical"],char:'🌴',fitzpatrick_scale:false,category:"animals_and_nature"},seedling:{keywords:["plant","nature","grass","lawn","spring"],char:'🌱',fitzpatrick_scale:false,category:"animals_and_nature"},herb:{keywords:["vegetable","plant","medicine","weed","grass","lawn"],char:'🌿',fitzpatrick_scale:false,category:"animals_and_nature"},shamrock:{keywords:["vegetable","plant","nature","irish","clover"],char:'☘',fitzpatrick_scale:false,category:"animals_and_nature"},four_leaf_clover:{keywords:["vegetable","plant","nature","lucky","irish"],char:'🍀',fitzpatrick_scale:false,category:"animals_and_nature"},bamboo:{keywords:["plant","nature","vegetable","panda","pine_decoration"],char:'🎍',fitzpatrick_scale:false,category:"animals_and_nature"},tanabata_tree:{keywords:["plant","nature","branch","summer"],char:'🎋',fitzpatrick_scale:false,category:"animals_and_nature"},leaves:{keywords:["nature","plant","tree","vegetable","grass","lawn","spring"],char:'🍃',fitzpatrick_scale:false,category:"animals_and_nature"},fallen_leaf:{keywords:["nature","plant","vegetable","leaves"],char:'🍂',fitzpatrick_scale:false,category:"animals_and_nature"},maple_leaf:{keywords:["nature","plant","vegetable","ca","fall"],char:'🍁',fitzpatrick_scale:false,category:"animals_and_nature"},ear_of_rice:{keywords:["nature","plant"],char:'🌾',fitzpatrick_scale:false,category:"animals_and_nature"},hibiscus:{keywords:["plant","vegetable","flowers","beach"],char:'🌺',fitzpatrick_scale:false,category:"animals_and_nature"},sunflower:{keywords:["nature","plant","fall"],char:'🌻',fitzpatrick_scale:false,category:"animals_and_nature"},rose:{keywords:["flowers","valentines","love","spring"],char:'🌹',fitzpatrick_scale:false,category:"animals_and_nature"},wilted_flower:{keywords:["plant","nature","flower"],char:'🥀',fitzpatrick_scale:false,category:"animals_and_nature"},tulip:{keywords:["flowers","plant","nature","summer","spring"],char:'🌷',fitzpatrick_scale:false,category:"animals_and_nature"},blossom:{keywords:["nature","flowers","yellow"],char:'🌼',fitzpatrick_scale:false,category:"animals_and_nature"},cherry_blossom:{keywords:["nature","plant","spring","flower"],char:'🌸',fitzpatrick_scale:false,category:"animals_and_nature"},bouquet:{keywords:["flowers","nature","spring"],char:'💐',fitzpatrick_scale:false,category:"animals_and_nature"},mushroom:{keywords:["plant","vegetable"],char:'🍄',fitzpatrick_scale:false,category:"animals_and_nature"},chestnut:{keywords:["food","squirrel"],char:'🌰',fitzpatrick_scale:false,category:"animals_and_nature"},jack_o_lantern:{keywords:["halloween","light","pumpkin","creepy","fall"],char:'🎃',fitzpatrick_scale:false,category:"animals_and_nature"},shell:{keywords:["nature","sea","beach"],char:'🐚',fitzpatrick_scale:false,category:"animals_and_nature"},spider_web:{keywords:["animal","insect","arachnid","silk"],char:'🕸',fitzpatrick_scale:false,category:"animals_and_nature"},earth_americas:{keywords:["globe","world","USA","international"],char:'🌎',fitzpatrick_scale:false,category:"animals_and_nature"},earth_africa:{keywords:["globe","world","international"],char:'🌍',fitzpatrick_scale:false,category:"animals_and_nature"},earth_asia:{keywords:["globe","world","east","international"],char:'🌏',fitzpatrick_scale:false,category:"animals_and_nature"},full_moon:{keywords:["nature","yellow","twilight","planet","space","night","evening","sleep"],char:'🌕',fitzpatrick_scale:false,category:"animals_and_nature"},waning_gibbous_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep","waxing_gibbous_moon"],char:'🌖',fitzpatrick_scale:false,category:"animals_and_nature"},last_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌗',fitzpatrick_scale:false,category:"animals_and_nature"},waning_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌘',fitzpatrick_scale:false,category:"animals_and_nature"},new_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌑',fitzpatrick_scale:false,category:"animals_and_nature"},waxing_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌒',fitzpatrick_scale:false,category:"animals_and_nature"},first_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌓',fitzpatrick_scale:false,category:"animals_and_nature"},waxing_gibbous_moon:{keywords:["nature","night","sky","gray","twilight","planet","space","evening","sleep"],char:'🌔',fitzpatrick_scale:false,category:"animals_and_nature"},new_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌚',fitzpatrick_scale:false,category:"animals_and_nature"},full_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌝',fitzpatrick_scale:false,category:"animals_and_nature"},first_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌛',fitzpatrick_scale:false,category:"animals_and_nature"},last_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'🌜',fitzpatrick_scale:false,category:"animals_and_nature"},sun_with_face:{keywords:["nature","morning","sky"],char:'🌞',fitzpatrick_scale:false,category:"animals_and_nature"},crescent_moon:{keywords:["night","sleep","sky","evening","magic"],char:'🌙',fitzpatrick_scale:false,category:"animals_and_nature"},star:{keywords:["night","yellow"],char:'⭐',fitzpatrick_scale:false,category:"animals_and_nature"},star2:{keywords:["night","sparkle","awesome","good","magic"],char:'🌟',fitzpatrick_scale:false,category:"animals_and_nature"},dizzy:{keywords:["star","sparkle","shoot","magic"],char:'💫',fitzpatrick_scale:false,category:"animals_and_nature"},sparkles:{keywords:["stars","shine","shiny","cool","awesome","good","magic"],char:'✨',fitzpatrick_scale:false,category:"animals_and_nature"},comet:{keywords:["space"],char:'☄',fitzpatrick_scale:false,category:"animals_and_nature"},sunny:{keywords:["weather","nature","brightness","summer","beach","spring"],char:'☀️',fitzpatrick_scale:false,category:"animals_and_nature"},sun_behind_small_cloud:{keywords:["weather"],char:'🌤',fitzpatrick_scale:false,category:"animals_and_nature"},partly_sunny:{keywords:["weather","nature","cloudy","morning","fall","spring"],char:'⛅',fitzpatrick_scale:false,category:"animals_and_nature"},sun_behind_large_cloud:{keywords:["weather"],char:'🌥',fitzpatrick_scale:false,category:"animals_and_nature"},sun_behind_rain_cloud:{keywords:["weather"],char:'🌦',fitzpatrick_scale:false,category:"animals_and_nature"},cloud:{keywords:["weather","sky"],char:'☁️',fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_rain:{keywords:["weather"],char:'🌧',fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_lightning_and_rain:{keywords:["weather","lightning"],char:'⛈',fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_lightning:{keywords:["weather","thunder"],char:'🌩',fitzpatrick_scale:false,category:"animals_and_nature"},zap:{keywords:["thunder","weather","lightning bolt","fast"],char:'⚡',fitzpatrick_scale:false,category:"animals_and_nature"},fire:{keywords:["hot","cook","flame"],char:'🔥',fitzpatrick_scale:false,category:"animals_and_nature"},boom:{keywords:["bomb","explode","explosion","collision","blown"],char:'💥',fitzpatrick_scale:false,category:"animals_and_nature"},snowflake:{keywords:["winter","season","cold","weather","christmas","xmas"],char:'❄️',fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_snow:{keywords:["weather"],char:'🌨',fitzpatrick_scale:false,category:"animals_and_nature"},snowman:{keywords:["winter","season","cold","weather","christmas","xmas","frozen","without_snow"],char:'⛄',fitzpatrick_scale:false,category:"animals_and_nature"},snowman_with_snow:{keywords:["winter","season","cold","weather","christmas","xmas","frozen"],char:'☃',fitzpatrick_scale:false,category:"animals_and_nature"},wind_face:{keywords:["gust","air"],char:'🌬',fitzpatrick_scale:false,category:"animals_and_nature"},dash:{keywords:["wind","air","fast","shoo","fart","smoke","puff"],char:'💨',fitzpatrick_scale:false,category:"animals_and_nature"},tornado:{keywords:["weather","cyclone","twister"],char:'🌪',fitzpatrick_scale:false,category:"animals_and_nature"},fog:{keywords:["weather"],char:'🌫',fitzpatrick_scale:false,category:"animals_and_nature"},open_umbrella:{keywords:["weather","spring"],char:'☂',fitzpatrick_scale:false,category:"animals_and_nature"},umbrella:{keywords:["rainy","weather","spring"],char:'☔',fitzpatrick_scale:false,category:"animals_and_nature"},droplet:{keywords:["water","drip","faucet","spring"],char:'💧',fitzpatrick_scale:false,category:"animals_and_nature"},sweat_drops:{keywords:["water","drip","oops"],char:'💦',fitzpatrick_scale:false,category:"animals_and_nature"},ocean:{keywords:["sea","water","wave","nature","tsunami","disaster"],char:'🌊',fitzpatrick_scale:false,category:"animals_and_nature"},green_apple:{keywords:["fruit","nature"],char:'🍏',fitzpatrick_scale:false,category:"food_and_drink"},apple:{keywords:["fruit","mac","school"],char:'🍎',fitzpatrick_scale:false,category:"food_and_drink"},pear:{keywords:["fruit","nature","food"],char:'🍐',fitzpatrick_scale:false,category:"food_and_drink"},tangerine:{keywords:["food","fruit","nature","orange"],char:'🍊',fitzpatrick_scale:false,category:"food_and_drink"},lemon:{keywords:["fruit","nature"],char:'🍋',fitzpatrick_scale:false,category:"food_and_drink"},banana:{keywords:["fruit","food","monkey"],char:'🍌',fitzpatrick_scale:false,category:"food_and_drink"},watermelon:{keywords:["fruit","food","picnic","summer"],char:'🍉',fitzpatrick_scale:false,category:"food_and_drink"},grapes:{keywords:["fruit","food","wine"],char:'🍇',fitzpatrick_scale:false,category:"food_and_drink"},strawberry:{keywords:["fruit","food","nature"],char:'🍓',fitzpatrick_scale:false,category:"food_and_drink"},melon:{keywords:["fruit","nature","food"],char:'🍈',fitzpatrick_scale:false,category:"food_and_drink"},cherries:{keywords:["food","fruit"],char:'🍒',fitzpatrick_scale:false,category:"food_and_drink"},peach:{keywords:["fruit","nature","food"],char:'🍑',fitzpatrick_scale:false,category:"food_and_drink"},pineapple:{keywords:["fruit","nature","food"],char:'🍍',fitzpatrick_scale:false,category:"food_and_drink"},coconut:{keywords:["fruit","nature","food","palm"],char:'🥥',fitzpatrick_scale:false,category:"food_and_drink"},kiwi_fruit:{keywords:["fruit","food"],char:'🥝',fitzpatrick_scale:false,category:"food_and_drink"},mango:{keywords:["fruit","food","tropical"],char:'🥭',fitzpatrick_scale:false,category:"food_and_drink"},avocado:{keywords:["fruit","food"],char:'🥑',fitzpatrick_scale:false,category:"food_and_drink"},broccoli:{keywords:["fruit","food","vegetable"],char:'🥦',fitzpatrick_scale:false,category:"food_and_drink"},tomato:{keywords:["fruit","vegetable","nature","food"],char:'🍅',fitzpatrick_scale:false,category:"food_and_drink"},eggplant:{keywords:["vegetable","nature","food","aubergine"],char:'🍆',fitzpatrick_scale:false,category:"food_and_drink"},cucumber:{keywords:["fruit","food","pickle"],char:'🥒',fitzpatrick_scale:false,category:"food_and_drink"},carrot:{keywords:["vegetable","food","orange"],char:'🥕',fitzpatrick_scale:false,category:"food_and_drink"},hot_pepper:{keywords:["food","spicy","chilli","chili"],char:'🌶',fitzpatrick_scale:false,category:"food_and_drink"},potato:{keywords:["food","tuber","vegatable","starch"],char:'🥔',fitzpatrick_scale:false,category:"food_and_drink"},corn:{keywords:["food","vegetable","plant"],char:'🌽',fitzpatrick_scale:false,category:"food_and_drink"},leafy_greens:{keywords:["food","vegetable","plant","bok choy","cabbage","kale","lettuce"],char:'🥬',fitzpatrick_scale:false,category:"food_and_drink"},sweet_potato:{keywords:["food","nature"],char:'🍠',fitzpatrick_scale:false,category:"food_and_drink"},peanuts:{keywords:["food","nut"],char:'🥜',fitzpatrick_scale:false,category:"food_and_drink"},honey_pot:{keywords:["bees","sweet","kitchen"],char:'🍯',fitzpatrick_scale:false,category:"food_and_drink"},croissant:{keywords:["food","bread","french"],char:'🥐',fitzpatrick_scale:false,category:"food_and_drink"},bread:{keywords:["food","wheat","breakfast","toast"],char:'🍞',fitzpatrick_scale:false,category:"food_and_drink"},baguette_bread:{keywords:["food","bread","french"],char:'🥖',fitzpatrick_scale:false,category:"food_and_drink"},bagel:{keywords:["food","bread","bakery","schmear"],char:'🥯',fitzpatrick_scale:false,category:"food_and_drink"},pretzel:{keywords:["food","bread","twisted"],char:'🥨',fitzpatrick_scale:false,category:"food_and_drink"},cheese:{keywords:["food","chadder"],char:'🧀',fitzpatrick_scale:false,category:"food_and_drink"},egg:{keywords:["food","chicken","breakfast"],char:'🥚',fitzpatrick_scale:false,category:"food_and_drink"},bacon:{keywords:["food","breakfast","pork","pig","meat"],char:'🥓',fitzpatrick_scale:false,category:"food_and_drink"},steak:{keywords:["food","cow","meat","cut","chop","lambchop","porkchop"],char:'🥩',fitzpatrick_scale:false,category:"food_and_drink"},pancakes:{keywords:["food","breakfast","flapjacks","hotcakes"],char:'🥞',fitzpatrick_scale:false,category:"food_and_drink"},poultry_leg:{keywords:["food","meat","drumstick","bird","chicken","turkey"],char:'🍗',fitzpatrick_scale:false,category:"food_and_drink"},meat_on_bone:{keywords:["good","food","drumstick"],char:'🍖',fitzpatrick_scale:false,category:"food_and_drink"},bone:{keywords:["skeleton"],char:'🦴',fitzpatrick_scale:false,category:"food_and_drink"},fried_shrimp:{keywords:["food","animal","appetizer","summer"],char:'🍤',fitzpatrick_scale:false,category:"food_and_drink"},fried_egg:{keywords:["food","breakfast","kitchen","egg"],char:'🍳',fitzpatrick_scale:false,category:"food_and_drink"},hamburger:{keywords:["meat","fast food","beef","cheeseburger","mcdonalds","burger king"],char:'🍔',fitzpatrick_scale:false,category:"food_and_drink"},fries:{keywords:["chips","snack","fast food"],char:'🍟',fitzpatrick_scale:false,category:"food_and_drink"},stuffed_flatbread:{keywords:["food","flatbread","stuffed","gyro"],char:'🥙',fitzpatrick_scale:false,category:"food_and_drink"},hotdog:{keywords:["food","frankfurter"],char:'🌭',fitzpatrick_scale:false,category:"food_and_drink"},pizza:{keywords:["food","party"],char:'🍕',fitzpatrick_scale:false,category:"food_and_drink"},sandwich:{keywords:["food","lunch","bread"],char:'🥪',fitzpatrick_scale:false,category:"food_and_drink"},canned_food:{keywords:["food","soup"],char:'🥫',fitzpatrick_scale:false,category:"food_and_drink"},spaghetti:{keywords:["food","italian","noodle"],char:'🍝',fitzpatrick_scale:false,category:"food_and_drink"},taco:{keywords:["food","mexican"],char:'🌮',fitzpatrick_scale:false,category:"food_and_drink"},burrito:{keywords:["food","mexican"],char:'🌯',fitzpatrick_scale:false,category:"food_and_drink"},green_salad:{keywords:["food","healthy","lettuce"],char:'🥗',fitzpatrick_scale:false,category:"food_and_drink"},shallow_pan_of_food:{keywords:["food","cooking","casserole","paella"],char:'🥘',fitzpatrick_scale:false,category:"food_and_drink"},ramen:{keywords:["food","japanese","noodle","chopsticks"],char:'🍜',fitzpatrick_scale:false,category:"food_and_drink"},stew:{keywords:["food","meat","soup"],char:'🍲',fitzpatrick_scale:false,category:"food_and_drink"},fish_cake:{keywords:["food","japan","sea","beach","narutomaki","pink","swirl","kamaboko","surimi","ramen"],char:'🍥',fitzpatrick_scale:false,category:"food_and_drink"},fortune_cookie:{keywords:["food","prophecy"],char:'🥠',fitzpatrick_scale:false,category:"food_and_drink"},sushi:{keywords:["food","fish","japanese","rice"],char:'🍣',fitzpatrick_scale:false,category:"food_and_drink"},bento:{keywords:["food","japanese","box"],char:'🍱',fitzpatrick_scale:false,category:"food_and_drink"},curry:{keywords:["food","spicy","hot","indian"],char:'🍛',fitzpatrick_scale:false,category:"food_and_drink"},rice_ball:{keywords:["food","japanese"],char:'🍙',fitzpatrick_scale:false,category:"food_and_drink"},rice:{keywords:["food","china","asian"],char:'🍚',fitzpatrick_scale:false,category:"food_and_drink"},rice_cracker:{keywords:["food","japanese"],char:'🍘',fitzpatrick_scale:false,category:"food_and_drink"},oden:{keywords:["food","japanese"],char:'🍢',fitzpatrick_scale:false,category:"food_and_drink"},dango:{keywords:["food","dessert","sweet","japanese","barbecue","meat"],char:'🍡',fitzpatrick_scale:false,category:"food_and_drink"},shaved_ice:{keywords:["hot","dessert","summer"],char:'🍧',fitzpatrick_scale:false,category:"food_and_drink"},ice_cream:{keywords:["food","hot","dessert"],char:'🍨',fitzpatrick_scale:false,category:"food_and_drink"},icecream:{keywords:["food","hot","dessert","summer"],char:'🍦',fitzpatrick_scale:false,category:"food_and_drink"},pie:{keywords:["food","dessert","pastry"],char:'🥧',fitzpatrick_scale:false,category:"food_and_drink"},cake:{keywords:["food","dessert"],char:'🍰',fitzpatrick_scale:false,category:"food_and_drink"},cupcake:{keywords:["food","dessert","bakery","sweet"],char:'🧁',fitzpatrick_scale:false,category:"food_and_drink"},moon_cake:{keywords:["food","autumn"],char:'🥮',fitzpatrick_scale:false,category:"food_and_drink"},birthday:{keywords:["food","dessert","cake"],char:'🎂',fitzpatrick_scale:false,category:"food_and_drink"},custard:{keywords:["dessert","food"],char:'🍮',fitzpatrick_scale:false,category:"food_and_drink"},candy:{keywords:["snack","dessert","sweet","lolly"],char:'🍬',fitzpatrick_scale:false,category:"food_and_drink"},lollipop:{keywords:["food","snack","candy","sweet"],char:'🍭',fitzpatrick_scale:false,category:"food_and_drink"},chocolate_bar:{keywords:["food","snack","dessert","sweet"],char:'🍫',fitzpatrick_scale:false,category:"food_and_drink"},popcorn:{keywords:["food","movie theater","films","snack"],char:'🍿',fitzpatrick_scale:false,category:"food_and_drink"},dumpling:{keywords:["food","empanada","pierogi","potsticker"],char:'🥟',fitzpatrick_scale:false,category:"food_and_drink"},doughnut:{keywords:["food","dessert","snack","sweet","donut"],char:'🍩',fitzpatrick_scale:false,category:"food_and_drink"},cookie:{keywords:["food","snack","oreo","chocolate","sweet","dessert"],char:'🍪',fitzpatrick_scale:false,category:"food_and_drink"},milk_glass:{keywords:["beverage","drink","cow"],char:'🥛',fitzpatrick_scale:false,category:"food_and_drink"},beer:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:'🍺',fitzpatrick_scale:false,category:"food_and_drink"},beers:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:'🍻',fitzpatrick_scale:false,category:"food_and_drink"},clinking_glasses:{keywords:["beverage","drink","party","alcohol","celebrate","cheers","wine","champagne","toast"],char:'🥂',fitzpatrick_scale:false,category:"food_and_drink"},wine_glass:{keywords:["drink","beverage","drunk","alcohol","booze"],char:'🍷',fitzpatrick_scale:false,category:"food_and_drink"},tumbler_glass:{keywords:["drink","beverage","drunk","alcohol","liquor","booze","bourbon","scotch","whisky","glass","shot"],char:'🥃',fitzpatrick_scale:false,category:"food_and_drink"},cocktail:{keywords:["drink","drunk","alcohol","beverage","booze","mojito"],char:'🍸',fitzpatrick_scale:false,category:"food_and_drink"},tropical_drink:{keywords:["beverage","cocktail","summer","beach","alcohol","booze","mojito"],char:'🍹',fitzpatrick_scale:false,category:"food_and_drink"},champagne:{keywords:["drink","wine","bottle","celebration"],char:'🍾',fitzpatrick_scale:false,category:"food_and_drink"},sake:{keywords:["wine","drink","drunk","beverage","japanese","alcohol","booze"],char:'🍶',fitzpatrick_scale:false,category:"food_and_drink"},tea:{keywords:["drink","bowl","breakfast","green","british"],char:'🍵',fitzpatrick_scale:false,category:"food_and_drink"},cup_with_straw:{keywords:["drink","soda"],char:'🥤',fitzpatrick_scale:false,category:"food_and_drink"},coffee:{keywords:["beverage","caffeine","latte","espresso"],char:'☕',fitzpatrick_scale:false,category:"food_and_drink"},baby_bottle:{keywords:["food","container","milk"],char:'🍼',fitzpatrick_scale:false,category:"food_and_drink"},salt:{keywords:["condiment","shaker"],char:'🧂',fitzpatrick_scale:false,category:"food_and_drink"},spoon:{keywords:["cutlery","kitchen","tableware"],char:'🥄',fitzpatrick_scale:false,category:"food_and_drink"},fork_and_knife:{keywords:["cutlery","kitchen"],char:'🍴',fitzpatrick_scale:false,category:"food_and_drink"},plate_with_cutlery:{keywords:["food","eat","meal","lunch","dinner","restaurant"],char:'🍽',fitzpatrick_scale:false,category:"food_and_drink"},bowl_with_spoon:{keywords:["food","breakfast","cereal","oatmeal","porridge"],char:'🥣',fitzpatrick_scale:false,category:"food_and_drink"},takeout_box:{keywords:["food","leftovers"],char:'🥡',fitzpatrick_scale:false,category:"food_and_drink"},chopsticks:{keywords:["food"],char:'🥢',fitzpatrick_scale:false,category:"food_and_drink"},soccer:{keywords:["sports","football"],char:'⚽',fitzpatrick_scale:false,category:"activity"},basketball:{keywords:["sports","balls","NBA"],char:'🏀',fitzpatrick_scale:false,category:"activity"},football:{keywords:["sports","balls","NFL"],char:'🏈',fitzpatrick_scale:false,category:"activity"},baseball:{keywords:["sports","balls"],char:'⚾',fitzpatrick_scale:false,category:"activity"},softball:{keywords:["sports","balls"],char:'🥎',fitzpatrick_scale:false,category:"activity"},tennis:{keywords:["sports","balls","green"],char:'🎾',fitzpatrick_scale:false,category:"activity"},volleyball:{keywords:["sports","balls"],char:'🏐',fitzpatrick_scale:false,category:"activity"},rugby_football:{keywords:["sports","team"],char:'🏉',fitzpatrick_scale:false,category:"activity"},flying_disc:{keywords:["sports","frisbee","ultimate"],char:'🥏',fitzpatrick_scale:false,category:"activity"},"8ball":{keywords:["pool","hobby","game","luck","magic"],char:'🎱',fitzpatrick_scale:false,category:"activity"},golf:{keywords:["sports","business","flag","hole","summer"],char:'⛳',fitzpatrick_scale:false,category:"activity"},golfing_woman:{keywords:["sports","business","woman","female"],char:'🏌️‍♀️',fitzpatrick_scale:false,category:"activity"},golfing_man:{keywords:["sports","business"],char:'🏌',fitzpatrick_scale:true,category:"activity"},ping_pong:{keywords:["sports","pingpong"],char:'🏓',fitzpatrick_scale:false,category:"activity"},badminton:{keywords:["sports"],char:'🏸',fitzpatrick_scale:false,category:"activity"},goal_net:{keywords:["sports"],char:'🥅',fitzpatrick_scale:false,category:"activity"},ice_hockey:{keywords:["sports"],char:'🏒',fitzpatrick_scale:false,category:"activity"},field_hockey:{keywords:["sports"],char:'🏑',fitzpatrick_scale:false,category:"activity"},lacrosse:{keywords:["sports","ball","stick"],char:'🥍',fitzpatrick_scale:false,category:"activity"},cricket:{keywords:["sports"],char:'🏏',fitzpatrick_scale:false,category:"activity"},ski:{keywords:["sports","winter","cold","snow"],char:'🎿',fitzpatrick_scale:false,category:"activity"},skier:{keywords:["sports","winter","snow"],char:'⛷',fitzpatrick_scale:false,category:"activity"},snowboarder:{keywords:["sports","winter"],char:'🏂',fitzpatrick_scale:true,category:"activity"},person_fencing:{keywords:["sports","fencing","sword"],char:'🤺',fitzpatrick_scale:false,category:"activity"},women_wrestling:{keywords:["sports","wrestlers"],char:'🤼‍♀️',fitzpatrick_scale:false,category:"activity"},men_wrestling:{keywords:["sports","wrestlers"],char:'🤼‍♂️',fitzpatrick_scale:false,category:"activity"},woman_cartwheeling:{keywords:["gymnastics"],char:'🤸‍♀️',fitzpatrick_scale:true,category:"activity"},man_cartwheeling:{keywords:["gymnastics"],char:'🤸‍♂️',fitzpatrick_scale:true,category:"activity"},woman_playing_handball:{keywords:["sports"],char:'🤾‍♀️',fitzpatrick_scale:true,category:"activity"},man_playing_handball:{keywords:["sports"],char:'🤾‍♂️',fitzpatrick_scale:true,category:"activity"},ice_skate:{keywords:["sports"],char:'⛸',fitzpatrick_scale:false,category:"activity"},curling_stone:{keywords:["sports"],char:'🥌',fitzpatrick_scale:false,category:"activity"},skateboard:{keywords:["board"],char:'🛹',fitzpatrick_scale:false,category:"activity"},sled:{keywords:["sleigh","luge","toboggan"],char:'🛷',fitzpatrick_scale:false,category:"activity"},bow_and_arrow:{keywords:["sports"],char:'🏹',fitzpatrick_scale:false,category:"activity"},fishing_pole_and_fish:{keywords:["food","hobby","summer"],char:'🎣',fitzpatrick_scale:false,category:"activity"},boxing_glove:{keywords:["sports","fighting"],char:'🥊',fitzpatrick_scale:false,category:"activity"},martial_arts_uniform:{keywords:["judo","karate","taekwondo"],char:'🥋',fitzpatrick_scale:false,category:"activity"},rowing_woman:{keywords:["sports","hobby","water","ship","woman","female"],char:'🚣‍♀️',fitzpatrick_scale:true,category:"activity"},rowing_man:{keywords:["sports","hobby","water","ship"],char:'🚣',fitzpatrick_scale:true,category:"activity"},climbing_woman:{keywords:["sports","hobby","woman","female","rock"],char:'🧗‍♀️',fitzpatrick_scale:true,category:"activity"},climbing_man:{keywords:["sports","hobby","man","male","rock"],char:'🧗‍♂️',fitzpatrick_scale:true,category:"activity"},swimming_woman:{keywords:["sports","exercise","human","athlete","water","summer","woman","female"],char:'🏊‍♀️',fitzpatrick_scale:true,category:"activity"},swimming_man:{keywords:["sports","exercise","human","athlete","water","summer"],char:'🏊',fitzpatrick_scale:true,category:"activity"},woman_playing_water_polo:{keywords:["sports","pool"],char:'🤽‍♀️',fitzpatrick_scale:true,category:"activity"},man_playing_water_polo:{keywords:["sports","pool"],char:'🤽‍♂️',fitzpatrick_scale:true,category:"activity"},woman_in_lotus_position:{keywords:["woman","female","meditation","yoga","serenity","zen","mindfulness"],char:'🧘‍♀️',fitzpatrick_scale:true,category:"activity"},man_in_lotus_position:{keywords:["man","male","meditation","yoga","serenity","zen","mindfulness"],char:'🧘‍♂️',fitzpatrick_scale:true,category:"activity"},surfing_woman:{keywords:["sports","ocean","sea","summer","beach","woman","female"],char:'🏄‍♀️',fitzpatrick_scale:true,category:"activity"},surfing_man:{keywords:["sports","ocean","sea","summer","beach"],char:'🏄',fitzpatrick_scale:true,category:"activity"},bath:{keywords:["clean","shower","bathroom"],char:'🛀',fitzpatrick_scale:true,category:"activity"},basketball_woman:{keywords:["sports","human","woman","female"],char:'⛹️‍♀️',fitzpatrick_scale:true,category:"activity"},basketball_man:{keywords:["sports","human"],char:'⛹',fitzpatrick_scale:true,category:"activity"},weight_lifting_woman:{keywords:["sports","training","exercise","woman","female"],char:'🏋️‍♀️',fitzpatrick_scale:true,category:"activity"},weight_lifting_man:{keywords:["sports","training","exercise"],char:'🏋',fitzpatrick_scale:true,category:"activity"},biking_woman:{keywords:["sports","bike","exercise","hipster","woman","female"],char:'🚴‍♀️',fitzpatrick_scale:true,category:"activity"},biking_man:{keywords:["sports","bike","exercise","hipster"],char:'🚴',fitzpatrick_scale:true,category:"activity"},mountain_biking_woman:{keywords:["transportation","sports","human","race","bike","woman","female"],char:'🚵‍♀️',fitzpatrick_scale:true,category:"activity"},mountain_biking_man:{keywords:["transportation","sports","human","race","bike"],char:'🚵',fitzpatrick_scale:true,category:"activity"},horse_racing:{keywords:["animal","betting","competition","gambling","luck"],char:'🏇',fitzpatrick_scale:true,category:"activity"},business_suit_levitating:{keywords:["suit","business","levitate","hover","jump"],char:'🕴',fitzpatrick_scale:true,category:"activity"},trophy:{keywords:["win","award","contest","place","ftw","ceremony"],char:'🏆',fitzpatrick_scale:false,category:"activity"},running_shirt_with_sash:{keywords:["play","pageant"],char:'🎽',fitzpatrick_scale:false,category:"activity"},medal_sports:{keywords:["award","winning"],char:'🏅',fitzpatrick_scale:false,category:"activity"},medal_military:{keywords:["award","winning","army"],char:'🎖',fitzpatrick_scale:false,category:"activity"},"1st_place_medal":{keywords:["award","winning","first"],char:'🥇',fitzpatrick_scale:false,category:"activity"},"2nd_place_medal":{keywords:["award","second"],char:'🥈',fitzpatrick_scale:false,category:"activity"},"3rd_place_medal":{keywords:["award","third"],char:'🥉',fitzpatrick_scale:false,category:"activity"},reminder_ribbon:{keywords:["sports","cause","support","awareness"],char:'🎗',fitzpatrick_scale:false,category:"activity"},rosette:{keywords:["flower","decoration","military"],char:'🏵',fitzpatrick_scale:false,category:"activity"},ticket:{keywords:["event","concert","pass"],char:'🎫',fitzpatrick_scale:false,category:"activity"},tickets:{keywords:["sports","concert","entrance"],char:'🎟',fitzpatrick_scale:false,category:"activity"},performing_arts:{keywords:["acting","theater","drama"],char:'🎭',fitzpatrick_scale:false,category:"activity"},art:{keywords:["design","paint","draw","colors"],char:'🎨',fitzpatrick_scale:false,category:"activity"},circus_tent:{keywords:["festival","carnival","party"],char:'🎪',fitzpatrick_scale:false,category:"activity"},woman_juggling:{keywords:["juggle","balance","skill","multitask"],char:'🤹‍♀️',fitzpatrick_scale:true,category:"activity"},man_juggling:{keywords:["juggle","balance","skill","multitask"],char:'🤹‍♂️',fitzpatrick_scale:true,category:"activity"},microphone:{keywords:["sound","music","PA","sing","talkshow"],char:'🎤',fitzpatrick_scale:false,category:"activity"},headphones:{keywords:["music","score","gadgets"],char:'🎧',fitzpatrick_scale:false,category:"activity"},musical_score:{keywords:["treble","clef","compose"],char:'🎼',fitzpatrick_scale:false,category:"activity"},musical_keyboard:{keywords:["piano","instrument","compose"],char:'🎹',fitzpatrick_scale:false,category:"activity"},drum:{keywords:["music","instrument","drumsticks","snare"],char:'🥁',fitzpatrick_scale:false,category:"activity"},saxophone:{keywords:["music","instrument","jazz","blues"],char:'🎷',fitzpatrick_scale:false,category:"activity"},trumpet:{keywords:["music","brass"],char:'🎺',fitzpatrick_scale:false,category:"activity"},guitar:{keywords:["music","instrument"],char:'🎸',fitzpatrick_scale:false,category:"activity"},violin:{keywords:["music","instrument","orchestra","symphony"],char:'🎻',fitzpatrick_scale:false,category:"activity"},clapper:{keywords:["movie","film","record"],char:'🎬',fitzpatrick_scale:false,category:"activity"},video_game:{keywords:["play","console","PS4","controller"],char:'🎮',fitzpatrick_scale:false,category:"activity"},space_invader:{keywords:["game","arcade","play"],char:'👾',fitzpatrick_scale:false,category:"activity"},dart:{keywords:["game","play","bar","target","bullseye"],char:'🎯',fitzpatrick_scale:false,category:"activity"},game_die:{keywords:["dice","random","tabletop","play","luck"],char:'🎲',fitzpatrick_scale:false,category:"activity"},chess_pawn:{keywords:["expendable"],char:"♟",fitzpatrick_scale:false,category:"activity"},slot_machine:{keywords:["bet","gamble","vegas","fruit machine","luck","casino"],char:'🎰',fitzpatrick_scale:false,category:"activity"},jigsaw:{keywords:["interlocking","puzzle","piece"],char:'🧩',fitzpatrick_scale:false,category:"activity"},bowling:{keywords:["sports","fun","play"],char:'🎳',fitzpatrick_scale:false,category:"activity"},red_car:{keywords:["red","transportation","vehicle"],char:'🚗',fitzpatrick_scale:false,category:"travel_and_places"},taxi:{keywords:["uber","vehicle","cars","transportation"],char:'🚕',fitzpatrick_scale:false,category:"travel_and_places"},blue_car:{keywords:["transportation","vehicle"],char:'🚙',fitzpatrick_scale:false,category:"travel_and_places"},bus:{keywords:["car","vehicle","transportation"],char:'🚌',fitzpatrick_scale:false,category:"travel_and_places"},trolleybus:{keywords:["bart","transportation","vehicle"],char:'🚎',fitzpatrick_scale:false,category:"travel_and_places"},racing_car:{keywords:["sports","race","fast","formula","f1"],char:'🏎',fitzpatrick_scale:false,category:"travel_and_places"},police_car:{keywords:["vehicle","cars","transportation","law","legal","enforcement"],char:'🚓',fitzpatrick_scale:false,category:"travel_and_places"},ambulance:{keywords:["health","911","hospital"],char:'🚑',fitzpatrick_scale:false,category:"travel_and_places"},fire_engine:{keywords:["transportation","cars","vehicle"],char:'🚒',fitzpatrick_scale:false,category:"travel_and_places"},minibus:{keywords:["vehicle","car","transportation"],char:'🚐',fitzpatrick_scale:false,category:"travel_and_places"},truck:{keywords:["cars","transportation"],char:'🚚',fitzpatrick_scale:false,category:"travel_and_places"},articulated_lorry:{keywords:["vehicle","cars","transportation","express"],char:'🚛',fitzpatrick_scale:false,category:"travel_and_places"},tractor:{keywords:["vehicle","car","farming","agriculture"],char:'🚜',fitzpatrick_scale:false,category:"travel_and_places"},kick_scooter:{keywords:["vehicle","kick","razor"],char:'🛴',fitzpatrick_scale:false,category:"travel_and_places"},motorcycle:{keywords:["race","sports","fast"],char:'🏍',fitzpatrick_scale:false,category:"travel_and_places"},bike:{keywords:["sports","bicycle","exercise","hipster"],char:'🚲',fitzpatrick_scale:false,category:"travel_and_places"},motor_scooter:{keywords:["vehicle","vespa","sasha"],char:'🛵',fitzpatrick_scale:false,category:"travel_and_places"},rotating_light:{keywords:["police","ambulance","911","emergency","alert","error","pinged","law","legal"],char:'🚨',fitzpatrick_scale:false,category:"travel_and_places"},oncoming_police_car:{keywords:["vehicle","law","legal","enforcement","911"],char:'🚔',fitzpatrick_scale:false,category:"travel_and_places"},oncoming_bus:{keywords:["vehicle","transportation"],char:'🚍',fitzpatrick_scale:false,category:"travel_and_places"},oncoming_automobile:{keywords:["car","vehicle","transportation"],char:'🚘',fitzpatrick_scale:false,category:"travel_and_places"},oncoming_taxi:{keywords:["vehicle","cars","uber"],char:'🚖',fitzpatrick_scale:false,category:"travel_and_places"},aerial_tramway:{keywords:["transportation","vehicle","ski"],char:'🚡',fitzpatrick_scale:false,category:"travel_and_places"},mountain_cableway:{keywords:["transportation","vehicle","ski"],char:'🚠',fitzpatrick_scale:false,category:"travel_and_places"},suspension_railway:{keywords:["vehicle","transportation"],char:'🚟',fitzpatrick_scale:false,category:"travel_and_places"},railway_car:{keywords:["transportation","vehicle"],char:'🚃',fitzpatrick_scale:false,category:"travel_and_places"},train:{keywords:["transportation","vehicle","carriage","public","travel"],char:'🚋',fitzpatrick_scale:false,category:"travel_and_places"},monorail:{keywords:["transportation","vehicle"],char:'🚝',fitzpatrick_scale:false,category:"travel_and_places"},bullettrain_side:{keywords:["transportation","vehicle"],char:'🚄',fitzpatrick_scale:false,category:"travel_and_places"},bullettrain_front:{keywords:["transportation","vehicle","speed","fast","public","travel"],char:'🚅',fitzpatrick_scale:false,category:"travel_and_places"},light_rail:{keywords:["transportation","vehicle"],char:'🚈',fitzpatrick_scale:false,category:"travel_and_places"},mountain_railway:{keywords:["transportation","vehicle"],char:'🚞',fitzpatrick_scale:false,category:"travel_and_places"},steam_locomotive:{keywords:["transportation","vehicle","train"],char:'🚂',fitzpatrick_scale:false,category:"travel_and_places"},train2:{keywords:["transportation","vehicle"],char:'🚆',fitzpatrick_scale:false,category:"travel_and_places"},metro:{keywords:["transportation","blue-square","mrt","underground","tube"],char:'🚇',fitzpatrick_scale:false,category:"travel_and_places"},tram:{keywords:["transportation","vehicle"],char:'🚊',fitzpatrick_scale:false,category:"travel_and_places"},station:{keywords:["transportation","vehicle","public"],char:'🚉',fitzpatrick_scale:false,category:"travel_and_places"},flying_saucer:{keywords:["transportation","vehicle","ufo"],char:'🛸',fitzpatrick_scale:false,category:"travel_and_places"},helicopter:{keywords:["transportation","vehicle","fly"],char:'🚁',fitzpatrick_scale:false,category:"travel_and_places"},small_airplane:{keywords:["flight","transportation","fly","vehicle"],char:'🛩',fitzpatrick_scale:false,category:"travel_and_places"},airplane:{keywords:["vehicle","transportation","flight","fly"],char:'✈️',fitzpatrick_scale:false,category:"travel_and_places"},flight_departure:{keywords:["airport","flight","landing"],char:'🛫',fitzpatrick_scale:false,category:"travel_and_places"},flight_arrival:{keywords:["airport","flight","boarding"],char:'🛬',fitzpatrick_scale:false,category:"travel_and_places"},sailboat:{keywords:["ship","summer","transportation","water","sailing"],char:'⛵',fitzpatrick_scale:false,category:"travel_and_places"},motor_boat:{keywords:["ship"],char:'🛥',fitzpatrick_scale:false,category:"travel_and_places"},speedboat:{keywords:["ship","transportation","vehicle","summer"],char:'🚤',fitzpatrick_scale:false,category:"travel_and_places"},ferry:{keywords:["boat","ship","yacht"],char:'⛴',fitzpatrick_scale:false,category:"travel_and_places"},passenger_ship:{keywords:["yacht","cruise","ferry"],char:'🛳',fitzpatrick_scale:false,category:"travel_and_places"},rocket:{keywords:["launch","ship","staffmode","NASA","outer space","outer_space","fly"],char:'🚀',fitzpatrick_scale:false,category:"travel_and_places"},artificial_satellite:{keywords:["communication","gps","orbit","spaceflight","NASA","ISS"],char:'🛰',fitzpatrick_scale:false,category:"travel_and_places"},seat:{keywords:["sit","airplane","transport","bus","flight","fly"],char:'💺',fitzpatrick_scale:false,category:"travel_and_places"},canoe:{keywords:["boat","paddle","water","ship"],char:'🛶',fitzpatrick_scale:false,category:"travel_and_places"},anchor:{keywords:["ship","ferry","sea","boat"],char:'⚓',fitzpatrick_scale:false,category:"travel_and_places"},construction:{keywords:["wip","progress","caution","warning"],char:'🚧',fitzpatrick_scale:false,category:"travel_and_places"},fuelpump:{keywords:["gas station","petroleum"],char:'⛽',fitzpatrick_scale:false,category:"travel_and_places"},busstop:{keywords:["transportation","wait"],char:'🚏',fitzpatrick_scale:false,category:"travel_and_places"},vertical_traffic_light:{keywords:["transportation","driving"],char:'🚦',fitzpatrick_scale:false,category:"travel_and_places"},traffic_light:{keywords:["transportation","signal"],char:'🚥',fitzpatrick_scale:false,category:"travel_and_places"},checkered_flag:{keywords:["contest","finishline","race","gokart"],char:'🏁',fitzpatrick_scale:false,category:"travel_and_places"},ship:{keywords:["transportation","titanic","deploy"],char:'🚢',fitzpatrick_scale:false,category:"travel_and_places"},ferris_wheel:{keywords:["photo","carnival","londoneye"],char:'🎡',fitzpatrick_scale:false,category:"travel_and_places"},roller_coaster:{keywords:["carnival","playground","photo","fun"],char:'🎢',fitzpatrick_scale:false,category:"travel_and_places"},carousel_horse:{keywords:["photo","carnival"],char:'🎠',fitzpatrick_scale:false,category:"travel_and_places"},building_construction:{keywords:["wip","working","progress"],char:'🏗',fitzpatrick_scale:false,category:"travel_and_places"},foggy:{keywords:["photo","mountain"],char:'🌁',fitzpatrick_scale:false,category:"travel_and_places"},tokyo_tower:{keywords:["photo","japanese"],char:'🗼',fitzpatrick_scale:false,category:"travel_and_places"},factory:{keywords:["building","industry","pollution","smoke"],char:'🏭',fitzpatrick_scale:false,category:"travel_and_places"},fountain:{keywords:["photo","summer","water","fresh"],char:'⛲',fitzpatrick_scale:false,category:"travel_and_places"},rice_scene:{keywords:["photo","japan","asia","tsukimi"],char:'🎑',fitzpatrick_scale:false,category:"travel_and_places"},mountain:{keywords:["photo","nature","environment"],char:'⛰',fitzpatrick_scale:false,category:"travel_and_places"},mountain_snow:{keywords:["photo","nature","environment","winter","cold"],char:'🏔',fitzpatrick_scale:false,category:"travel_and_places"},mount_fuji:{keywords:["photo","mountain","nature","japanese"],char:'🗻',fitzpatrick_scale:false,category:"travel_and_places"},volcano:{keywords:["photo","nature","disaster"],char:'🌋',fitzpatrick_scale:false,category:"travel_and_places"},japan:{keywords:["nation","country","japanese","asia"],char:'🗾',fitzpatrick_scale:false,category:"travel_and_places"},camping:{keywords:["photo","outdoors","tent"],char:'🏕',fitzpatrick_scale:false,category:"travel_and_places"},tent:{keywords:["photo","camping","outdoors"],char:'⛺',fitzpatrick_scale:false,category:"travel_and_places"},national_park:{keywords:["photo","environment","nature"],char:'🏞',fitzpatrick_scale:false,category:"travel_and_places"},motorway:{keywords:["road","cupertino","interstate","highway"],char:'🛣',fitzpatrick_scale:false,category:"travel_and_places"},railway_track:{keywords:["train","transportation"],char:'🛤',fitzpatrick_scale:false,category:"travel_and_places"},sunrise:{keywords:["morning","view","vacation","photo"],char:'🌅',fitzpatrick_scale:false,category:"travel_and_places"},sunrise_over_mountains:{keywords:["view","vacation","photo"],char:'🌄',fitzpatrick_scale:false,category:"travel_and_places"},desert:{keywords:["photo","warm","saharah"],char:'🏜',fitzpatrick_scale:false,category:"travel_and_places"},beach_umbrella:{keywords:["weather","summer","sunny","sand","mojito"],char:'🏖',fitzpatrick_scale:false,category:"travel_and_places"},desert_island:{keywords:["photo","tropical","mojito"],char:'🏝',fitzpatrick_scale:false,category:"travel_and_places"},city_sunrise:{keywords:["photo","good morning","dawn"],char:'🌇',fitzpatrick_scale:false,category:"travel_and_places"},city_sunset:{keywords:["photo","evening","sky","buildings"],char:'🌆',fitzpatrick_scale:false,category:"travel_and_places"},cityscape:{keywords:["photo","night life","urban"],char:'🏙',fitzpatrick_scale:false,category:"travel_and_places"},night_with_stars:{keywords:["evening","city","downtown"],char:'🌃',fitzpatrick_scale:false,category:"travel_and_places"},bridge_at_night:{keywords:["photo","sanfrancisco"],char:'🌉',fitzpatrick_scale:false,category:"travel_and_places"},milky_way:{keywords:["photo","space","stars"],char:'🌌',fitzpatrick_scale:false,category:"travel_and_places"},stars:{keywords:["night","photo"],char:'🌠',fitzpatrick_scale:false,category:"travel_and_places"},sparkler:{keywords:["stars","night","shine"],char:'🎇',fitzpatrick_scale:false,category:"travel_and_places"},fireworks:{keywords:["photo","festival","carnival","congratulations"],char:'🎆',fitzpatrick_scale:false,category:"travel_and_places"},rainbow:{keywords:["nature","happy","unicorn_face","photo","sky","spring"],char:'🌈',fitzpatrick_scale:false,category:"travel_and_places"},houses:{keywords:["buildings","photo"],char:'🏘',fitzpatrick_scale:false,category:"travel_and_places"},european_castle:{keywords:["building","royalty","history"],char:'🏰',fitzpatrick_scale:false,category:"travel_and_places"},japanese_castle:{keywords:["photo","building"],char:'🏯',fitzpatrick_scale:false,category:"travel_and_places"},stadium:{keywords:["photo","place","sports","concert","venue"],char:'🏟',fitzpatrick_scale:false,category:"travel_and_places"},statue_of_liberty:{keywords:["american","newyork"],char:'🗽',fitzpatrick_scale:false,category:"travel_and_places"},house:{keywords:["building","home"],char:'🏠',fitzpatrick_scale:false,category:"travel_and_places"},house_with_garden:{keywords:["home","plant","nature"],char:'🏡',fitzpatrick_scale:false,category:"travel_and_places"},derelict_house:{keywords:["abandon","evict","broken","building"],char:'🏚',fitzpatrick_scale:false,category:"travel_and_places"},office:{keywords:["building","bureau","work"],char:'🏢',fitzpatrick_scale:false,category:"travel_and_places"},department_store:{keywords:["building","shopping","mall"],char:'🏬',fitzpatrick_scale:false,category:"travel_and_places"},post_office:{keywords:["building","envelope","communication"],char:'🏣',fitzpatrick_scale:false,category:"travel_and_places"},european_post_office:{keywords:["building","email"],char:'🏤',fitzpatrick_scale:false,category:"travel_and_places"},hospital:{keywords:["building","health","surgery","doctor"],char:'🏥',fitzpatrick_scale:false,category:"travel_and_places"},bank:{keywords:["building","money","sales","cash","business","enterprise"],char:'🏦',fitzpatrick_scale:false,category:"travel_and_places"},hotel:{keywords:["building","accomodation","checkin"],char:'🏨',fitzpatrick_scale:false,category:"travel_and_places"},convenience_store:{keywords:["building","shopping","groceries"],char:'🏪',fitzpatrick_scale:false,category:"travel_and_places"},school:{keywords:["building","student","education","learn","teach"],char:'🏫',fitzpatrick_scale:false,category:"travel_and_places"},love_hotel:{keywords:["like","affection","dating"],char:'🏩',fitzpatrick_scale:false,category:"travel_and_places"},wedding:{keywords:["love","like","affection","couple","marriage","bride","groom"],char:'💒',fitzpatrick_scale:false,category:"travel_and_places"},classical_building:{keywords:["art","culture","history"],char:'🏛',fitzpatrick_scale:false,category:"travel_and_places"},church:{keywords:["building","religion","christ"],char:'⛪',fitzpatrick_scale:false,category:"travel_and_places"},mosque:{keywords:["islam","worship","minaret"],char:'🕌',fitzpatrick_scale:false,category:"travel_and_places"},synagogue:{keywords:["judaism","worship","temple","jewish"],char:'🕍',fitzpatrick_scale:false,category:"travel_and_places"},kaaba:{keywords:["mecca","mosque","islam"],char:'🕋',fitzpatrick_scale:false,category:"travel_and_places"},shinto_shrine:{keywords:["temple","japan","kyoto"],char:'⛩',fitzpatrick_scale:false,category:"travel_and_places"},watch:{keywords:["time","accessories"],char:'⌚',fitzpatrick_scale:false,category:"objects"},iphone:{keywords:["technology","apple","gadgets","dial"],char:'📱',fitzpatrick_scale:false,category:"objects"},calling:{keywords:["iphone","incoming"],char:'📲',fitzpatrick_scale:false,category:"objects"},computer:{keywords:["technology","laptop","screen","display","monitor"],char:'💻',fitzpatrick_scale:false,category:"objects"},keyboard:{keywords:["technology","computer","type","input","text"],char:'⌨',fitzpatrick_scale:false,category:"objects"},desktop_computer:{keywords:["technology","computing","screen"],char:'🖥',fitzpatrick_scale:false,category:"objects"},printer:{keywords:["paper","ink"],char:'🖨',fitzpatrick_scale:false,category:"objects"},computer_mouse:{keywords:["click"],char:'🖱',fitzpatrick_scale:false,category:"objects"},trackball:{keywords:["technology","trackpad"],char:'🖲',fitzpatrick_scale:false,category:"objects"},joystick:{keywords:["game","play"],char:'🕹',fitzpatrick_scale:false,category:"objects"},clamp:{keywords:["tool"],char:'🗜',fitzpatrick_scale:false,category:"objects"},minidisc:{keywords:["technology","record","data","disk","90s"],char:'💽',fitzpatrick_scale:false,category:"objects"},floppy_disk:{keywords:["oldschool","technology","save","90s","80s"],char:'💾',fitzpatrick_scale:false,category:"objects"},cd:{keywords:["technology","dvd","disk","disc","90s"],char:'💿',fitzpatrick_scale:false,category:"objects"},dvd:{keywords:["cd","disk","disc"],char:'📀',fitzpatrick_scale:false,category:"objects"},vhs:{keywords:["record","video","oldschool","90s","80s"],char:'📼',fitzpatrick_scale:false,category:"objects"},camera:{keywords:["gadgets","photography"],char:'📷',fitzpatrick_scale:false,category:"objects"},camera_flash:{keywords:["photography","gadgets"],char:'📸',fitzpatrick_scale:false,category:"objects"},video_camera:{keywords:["film","record"],char:'📹',fitzpatrick_scale:false,category:"objects"},movie_camera:{keywords:["film","record"],char:'🎥',fitzpatrick_scale:false,category:"objects"},film_projector:{keywords:["video","tape","record","movie"],char:'📽',fitzpatrick_scale:false,category:"objects"},film_strip:{keywords:["movie"],char:'🎞',fitzpatrick_scale:false,category:"objects"},telephone_receiver:{keywords:["technology","communication","dial"],char:'📞',fitzpatrick_scale:false,category:"objects"},phone:{keywords:["technology","communication","dial","telephone"],char:'☎️',fitzpatrick_scale:false,category:"objects"},pager:{keywords:["bbcall","oldschool","90s"],char:'📟',fitzpatrick_scale:false,category:"objects"},fax:{keywords:["communication","technology"],char:'📠',fitzpatrick_scale:false,category:"objects"},tv:{keywords:["technology","program","oldschool","show","television"],char:'📺',fitzpatrick_scale:false,category:"objects"},radio:{keywords:["communication","music","podcast","program"],char:'📻',fitzpatrick_scale:false,category:"objects"},studio_microphone:{keywords:["sing","recording","artist","talkshow"],char:'🎙',fitzpatrick_scale:false,category:"objects"},level_slider:{keywords:["scale"],char:'🎚',fitzpatrick_scale:false,category:"objects"},control_knobs:{keywords:["dial"],char:'🎛',fitzpatrick_scale:false,category:"objects"},compass:{keywords:["magnetic","navigation","orienteering"],char:'🧭',fitzpatrick_scale:false,category:"objects"},stopwatch:{keywords:["time","deadline"],char:'⏱',fitzpatrick_scale:false,category:"objects"},timer_clock:{keywords:["alarm"],char:'⏲',fitzpatrick_scale:false,category:"objects"},alarm_clock:{keywords:["time","wake"],char:'⏰',fitzpatrick_scale:false,category:"objects"},mantelpiece_clock:{keywords:["time"],char:'🕰',fitzpatrick_scale:false,category:"objects"},hourglass_flowing_sand:{keywords:["oldschool","time","countdown"],char:'⏳',fitzpatrick_scale:false,category:"objects"},hourglass:{keywords:["time","clock","oldschool","limit","exam","quiz","test"],char:'⌛',fitzpatrick_scale:false,category:"objects"},satellite:{keywords:["communication","future","radio","space"],char:'📡',fitzpatrick_scale:false,category:"objects"},battery:{keywords:["power","energy","sustain"],char:'🔋',fitzpatrick_scale:false,category:"objects"},electric_plug:{keywords:["charger","power"],char:'🔌',fitzpatrick_scale:false,category:"objects"},bulb:{keywords:["light","electricity","idea"],char:'💡',fitzpatrick_scale:false,category:"objects"},flashlight:{keywords:["dark","camping","sight","night"],char:'🔦',fitzpatrick_scale:false,category:"objects"},candle:{keywords:["fire","wax"],char:'🕯',fitzpatrick_scale:false,category:"objects"},fire_extinguisher:{keywords:["quench"],char:'🧯',fitzpatrick_scale:false,category:"objects"},wastebasket:{keywords:["bin","trash","rubbish","garbage","toss"],char:'🗑',fitzpatrick_scale:false,category:"objects"},oil_drum:{keywords:["barrell"],char:'🛢',fitzpatrick_scale:false,category:"objects"},money_with_wings:{keywords:["dollar","bills","payment","sale"],char:'💸',fitzpatrick_scale:false,category:"objects"},dollar:{keywords:["money","sales","bill","currency"],char:'💵',fitzpatrick_scale:false,category:"objects"},yen:{keywords:["money","sales","japanese","dollar","currency"],char:'💴',fitzpatrick_scale:false,category:"objects"},euro:{keywords:["money","sales","dollar","currency"],char:'💶',fitzpatrick_scale:false,category:"objects"},pound:{keywords:["british","sterling","money","sales","bills","uk","england","currency"],char:'💷',fitzpatrick_scale:false,category:"objects"},moneybag:{keywords:["dollar","payment","coins","sale"],char:'💰',fitzpatrick_scale:false,category:"objects"},credit_card:{keywords:["money","sales","dollar","bill","payment","shopping"],char:'💳',fitzpatrick_scale:false,category:"objects"},gem:{keywords:["blue","ruby","diamond","jewelry"],char:'💎',fitzpatrick_scale:false,category:"objects"},balance_scale:{keywords:["law","fairness","weight"],char:'⚖',fitzpatrick_scale:false,category:"objects"},toolbox:{keywords:["tools","diy","fix","maintainer","mechanic"],char:'🧰',fitzpatrick_scale:false,category:"objects"},wrench:{keywords:["tools","diy","ikea","fix","maintainer"],char:'🔧',fitzpatrick_scale:false,category:"objects"},hammer:{keywords:["tools","build","create"],char:'🔨',fitzpatrick_scale:false,category:"objects"},hammer_and_pick:{keywords:["tools","build","create"],char:'⚒',fitzpatrick_scale:false,category:"objects"},hammer_and_wrench:{keywords:["tools","build","create"],char:'🛠',fitzpatrick_scale:false,category:"objects"},pick:{keywords:["tools","dig"],char:'⛏',fitzpatrick_scale:false,category:"objects"},nut_and_bolt:{keywords:["handy","tools","fix"],char:'🔩',fitzpatrick_scale:false,category:"objects"},gear:{keywords:["cog"],char:'⚙',fitzpatrick_scale:false,category:"objects"},brick:{keywords:["bricks"],char:'🧱',fitzpatrick_scale:false,category:"objects"},chains:{keywords:["lock","arrest"],char:'⛓',fitzpatrick_scale:false,category:"objects"},magnet:{keywords:["attraction","magnetic"],char:'🧲',fitzpatrick_scale:false,category:"objects"},gun:{keywords:["violence","weapon","pistol","revolver"],char:'🔫',fitzpatrick_scale:false,category:"objects"},bomb:{keywords:["boom","explode","explosion","terrorism"],char:'💣',fitzpatrick_scale:false,category:"objects"},firecracker:{keywords:["dynamite","boom","explode","explosion","explosive"],char:'🧨',fitzpatrick_scale:false,category:"objects"},hocho:{keywords:["knife","blade","cutlery","kitchen","weapon"],char:'🔪',fitzpatrick_scale:false,category:"objects"},dagger:{keywords:["weapon"],char:'🗡',fitzpatrick_scale:false,category:"objects"},crossed_swords:{keywords:["weapon"],char:'⚔',fitzpatrick_scale:false,category:"objects"},shield:{keywords:["protection","security"],char:'🛡',fitzpatrick_scale:false,category:"objects"},smoking:{keywords:["kills","tobacco","cigarette","joint","smoke"],char:'🚬',fitzpatrick_scale:false,category:"objects"},skull_and_crossbones:{keywords:["poison","danger","deadly","scary","death","pirate","evil"],char:'☠',fitzpatrick_scale:false,category:"objects"},coffin:{keywords:["vampire","dead","die","death","rip","graveyard","cemetery","casket","funeral","box"],char:'⚰',fitzpatrick_scale:false,category:"objects"},funeral_urn:{keywords:["dead","die","death","rip","ashes"],char:'⚱',fitzpatrick_scale:false,category:"objects"},amphora:{keywords:["vase","jar"],char:'🏺',fitzpatrick_scale:false,category:"objects"},crystal_ball:{keywords:["disco","party","magic","circus","fortune_teller"],char:'🔮',fitzpatrick_scale:false,category:"objects"},prayer_beads:{keywords:["dhikr","religious"],char:'📿',fitzpatrick_scale:false,category:"objects"},nazar_amulet:{keywords:["bead","charm"],char:'🧿',fitzpatrick_scale:false,category:"objects"},barber:{keywords:["hair","salon","style"],char:'💈',fitzpatrick_scale:false,category:"objects"},alembic:{keywords:["distilling","science","experiment","chemistry"],char:'⚗',fitzpatrick_scale:false,category:"objects"},telescope:{keywords:["stars","space","zoom","science","astronomy"],char:'🔭',fitzpatrick_scale:false,category:"objects"},microscope:{keywords:["laboratory","experiment","zoomin","science","study"],char:'🔬',fitzpatrick_scale:false,category:"objects"},hole:{keywords:["embarrassing"],char:'🕳',fitzpatrick_scale:false,category:"objects"},pill:{keywords:["health","medicine","doctor","pharmacy","drug"],char:'💊',fitzpatrick_scale:false,category:"objects"},syringe:{keywords:["health","hospital","drugs","blood","medicine","needle","doctor","nurse"],char:'💉',fitzpatrick_scale:false,category:"objects"},dna:{keywords:["biologist","genetics","life"],char:'🧬',fitzpatrick_scale:false,category:"objects"},microbe:{keywords:["amoeba","bacteria","germs"],char:'🦠',fitzpatrick_scale:false,category:"objects"},petri_dish:{keywords:["bacteria","biology","culture","lab"],char:'🧫',fitzpatrick_scale:false,category:"objects"},test_tube:{keywords:["chemistry","experiment","lab","science"],char:'🧪',fitzpatrick_scale:false,category:"objects"},thermometer:{keywords:["weather","temperature","hot","cold"],char:'🌡',fitzpatrick_scale:false,category:"objects"},broom:{keywords:["cleaning","sweeping","witch"],char:'🧹',fitzpatrick_scale:false,category:"objects"},basket:{keywords:["laundry"],char:'🧺',fitzpatrick_scale:false,category:"objects"},toilet_paper:{keywords:["roll"],char:'🧻',fitzpatrick_scale:false,category:"objects"},label:{keywords:["sale","tag"],char:'🏷',fitzpatrick_scale:false,category:"objects"},bookmark:{keywords:["favorite","label","save"],char:'🔖',fitzpatrick_scale:false,category:"objects"},toilet:{keywords:["restroom","wc","washroom","bathroom","potty"],char:'🚽',fitzpatrick_scale:false,category:"objects"},shower:{keywords:["clean","water","bathroom"],char:'🚿',fitzpatrick_scale:false,category:"objects"},bathtub:{keywords:["clean","shower","bathroom"],char:'🛁',fitzpatrick_scale:false,category:"objects"},soap:{keywords:["bar","bathing","cleaning","lather"],char:'🧼',fitzpatrick_scale:false,category:"objects"},sponge:{keywords:["absorbing","cleaning","porous"],char:'🧽',fitzpatrick_scale:false,category:"objects"},lotion_bottle:{keywords:["moisturizer","sunscreen"],char:'🧴',fitzpatrick_scale:false,category:"objects"},key:{keywords:["lock","door","password"],char:'🔑',fitzpatrick_scale:false,category:"objects"},old_key:{keywords:["lock","door","password"],char:'🗝',fitzpatrick_scale:false,category:"objects"},couch_and_lamp:{keywords:["read","chill"],char:'🛋',fitzpatrick_scale:false,category:"objects"},sleeping_bed:{keywords:["bed","rest"],char:'🛌',fitzpatrick_scale:true,category:"objects"},bed:{keywords:["sleep","rest"],char:'🛏',fitzpatrick_scale:false,category:"objects"},door:{keywords:["house","entry","exit"],char:'🚪',fitzpatrick_scale:false,category:"objects"},bellhop_bell:{keywords:["service"],char:'🛎',fitzpatrick_scale:false,category:"objects"},teddy_bear:{keywords:["plush","stuffed"],char:'🧸',fitzpatrick_scale:false,category:"objects"},framed_picture:{keywords:["photography"],char:'🖼',fitzpatrick_scale:false,category:"objects"},world_map:{keywords:["location","direction"],char:'🗺',fitzpatrick_scale:false,category:"objects"},parasol_on_ground:{keywords:["weather","summer"],char:'⛱',fitzpatrick_scale:false,category:"objects"},moyai:{keywords:["rock","easter island","moai"],char:'🗿',fitzpatrick_scale:false,category:"objects"},shopping:{keywords:["mall","buy","purchase"],char:'🛍',fitzpatrick_scale:false,category:"objects"},shopping_cart:{keywords:["trolley"],char:'🛒',fitzpatrick_scale:false,category:"objects"},balloon:{keywords:["party","celebration","birthday","circus"],char:'🎈',fitzpatrick_scale:false,category:"objects"},flags:{keywords:["fish","japanese","koinobori","carp","banner"],char:'🎏',fitzpatrick_scale:false,category:"objects"},ribbon:{keywords:["decoration","pink","girl","bowtie"],char:'🎀',fitzpatrick_scale:false,category:"objects"},gift:{keywords:["present","birthday","christmas","xmas"],char:'🎁',fitzpatrick_scale:false,category:"objects"},confetti_ball:{keywords:["festival","party","birthday","circus"],char:'🎊',fitzpatrick_scale:false,category:"objects"},tada:{keywords:["party","congratulations","birthday","magic","circus","celebration"],char:'🎉',fitzpatrick_scale:false,category:"objects"},dolls:{keywords:["japanese","toy","kimono"],char:'🎎',fitzpatrick_scale:false,category:"objects"},wind_chime:{keywords:["nature","ding","spring","bell"],char:'🎐',fitzpatrick_scale:false,category:"objects"},crossed_flags:{keywords:["japanese","nation","country","border"],char:'🎌',fitzpatrick_scale:false,category:"objects"},izakaya_lantern:{keywords:["light","paper","halloween","spooky"],char:'🏮',fitzpatrick_scale:false,category:"objects"},red_envelope:{keywords:["gift"],char:'🧧',fitzpatrick_scale:false,category:"objects"},email:{keywords:["letter","postal","inbox","communication"],char:'✉️',fitzpatrick_scale:false,category:"objects"},envelope_with_arrow:{keywords:["email","communication"],char:'📩',fitzpatrick_scale:false,category:"objects"},incoming_envelope:{keywords:["email","inbox"],char:'📨',fitzpatrick_scale:false,category:"objects"},"e-mail":{keywords:["communication","inbox"],char:'📧',fitzpatrick_scale:false,category:"objects"},love_letter:{keywords:["email","like","affection","envelope","valentines"],char:'💌',fitzpatrick_scale:false,category:"objects"},postbox:{keywords:["email","letter","envelope"],char:'📮',fitzpatrick_scale:false,category:"objects"},mailbox_closed:{keywords:["email","communication","inbox"],char:'📪',fitzpatrick_scale:false,category:"objects"},mailbox:{keywords:["email","inbox","communication"],char:'📫',fitzpatrick_scale:false,category:"objects"},mailbox_with_mail:{keywords:["email","inbox","communication"],char:'📬',fitzpatrick_scale:false,category:"objects"},mailbox_with_no_mail:{keywords:["email","inbox"],char:'📭',fitzpatrick_scale:false,category:"objects"},package:{keywords:["mail","gift","cardboard","box","moving"],char:'📦',fitzpatrick_scale:false,category:"objects"},postal_horn:{keywords:["instrument","music"],char:'📯',fitzpatrick_scale:false,category:"objects"},inbox_tray:{keywords:["email","documents"],char:'📥',fitzpatrick_scale:false,category:"objects"},outbox_tray:{keywords:["inbox","email"],char:'📤',fitzpatrick_scale:false,category:"objects"},scroll:{keywords:["documents","ancient","history","paper"],char:'📜',fitzpatrick_scale:false,category:"objects"},page_with_curl:{keywords:["documents","office","paper"],char:'📃',fitzpatrick_scale:false,category:"objects"},bookmark_tabs:{keywords:["favorite","save","order","tidy"],char:'📑',fitzpatrick_scale:false,category:"objects"},receipt:{keywords:["accounting","expenses"],char:'🧾',fitzpatrick_scale:false,category:"objects"},bar_chart:{keywords:["graph","presentation","stats"],char:'📊',fitzpatrick_scale:false,category:"objects"},chart_with_upwards_trend:{keywords:["graph","presentation","stats","recovery","business","economics","money","sales","good","success"],char:'📈',fitzpatrick_scale:false,category:"objects"},chart_with_downwards_trend:{keywords:["graph","presentation","stats","recession","business","economics","money","sales","bad","failure"],char:'📉',fitzpatrick_scale:false,category:"objects"},page_facing_up:{keywords:["documents","office","paper","information"],char:'📄',fitzpatrick_scale:false,category:"objects"},date:{keywords:["calendar","schedule"],char:'📅',fitzpatrick_scale:false,category:"objects"},calendar:{keywords:["schedule","date","planning"],char:'📆',fitzpatrick_scale:false,category:"objects"},spiral_calendar:{keywords:["date","schedule","planning"],char:'🗓',fitzpatrick_scale:false,category:"objects"},card_index:{keywords:["business","stationery"],char:'📇',fitzpatrick_scale:false,category:"objects"},card_file_box:{keywords:["business","stationery"],char:'🗃',fitzpatrick_scale:false,category:"objects"},ballot_box:{keywords:["election","vote"],char:'🗳',fitzpatrick_scale:false,category:"objects"},file_cabinet:{keywords:["filing","organizing"],char:'🗄',fitzpatrick_scale:false,category:"objects"},clipboard:{keywords:["stationery","documents"],char:'📋',fitzpatrick_scale:false,category:"objects"},spiral_notepad:{keywords:["memo","stationery"],char:'🗒',fitzpatrick_scale:false,category:"objects"},file_folder:{keywords:["documents","business","office"],char:'📁',fitzpatrick_scale:false,category:"objects"},open_file_folder:{keywords:["documents","load"],char:'📂',fitzpatrick_scale:false,category:"objects"},card_index_dividers:{keywords:["organizing","business","stationery"],char:'🗂',fitzpatrick_scale:false,category:"objects"},newspaper_roll:{keywords:["press","headline"],char:'🗞',fitzpatrick_scale:false,category:"objects"},newspaper:{keywords:["press","headline"],char:'📰',fitzpatrick_scale:false,category:"objects"},notebook:{keywords:["stationery","record","notes","paper","study"],char:'📓',fitzpatrick_scale:false,category:"objects"},closed_book:{keywords:["read","library","knowledge","textbook","learn"],char:'📕',fitzpatrick_scale:false,category:"objects"},green_book:{keywords:["read","library","knowledge","study"],char:'📗',fitzpatrick_scale:false,category:"objects"},blue_book:{keywords:["read","library","knowledge","learn","study"],char:'📘',fitzpatrick_scale:false,category:"objects"},orange_book:{keywords:["read","library","knowledge","textbook","study"],char:'📙',fitzpatrick_scale:false,category:"objects"},notebook_with_decorative_cover:{keywords:["classroom","notes","record","paper","study"],char:'📔',fitzpatrick_scale:false,category:"objects"},ledger:{keywords:["notes","paper"],char:'📒',fitzpatrick_scale:false,category:"objects"},books:{keywords:["literature","library","study"],char:'📚',fitzpatrick_scale:false,category:"objects"},open_book:{keywords:["book","read","library","knowledge","literature","learn","study"],char:'📖',fitzpatrick_scale:false,category:"objects"},safety_pin:{keywords:["diaper"],char:'🧷',fitzpatrick_scale:false,category:"objects"},link:{keywords:["rings","url"],char:'🔗',fitzpatrick_scale:false,category:"objects"},paperclip:{keywords:["documents","stationery"],char:'📎',fitzpatrick_scale:false,category:"objects"},paperclips:{keywords:["documents","stationery"],char:'🖇',fitzpatrick_scale:false,category:"objects"},scissors:{keywords:["stationery","cut"],char:'✂️',fitzpatrick_scale:false,category:"objects"},triangular_ruler:{keywords:["stationery","math","architect","sketch"],char:'📐',fitzpatrick_scale:false,category:"objects"},straight_ruler:{keywords:["stationery","calculate","length","math","school","drawing","architect","sketch"],char:'📏',fitzpatrick_scale:false,category:"objects"},abacus:{keywords:["calculation"],char:'🧮',fitzpatrick_scale:false,category:"objects"},pushpin:{keywords:["stationery","mark","here"],char:'📌',fitzpatrick_scale:false,category:"objects"},round_pushpin:{keywords:["stationery","location","map","here"],char:'📍',fitzpatrick_scale:false,category:"objects"},triangular_flag_on_post:{keywords:["mark","milestone","place"],char:'🚩',fitzpatrick_scale:false,category:"objects"},white_flag:{keywords:["losing","loser","lost","surrender","give up","fail"],char:'🏳',fitzpatrick_scale:false,category:"objects"},black_flag:{keywords:["pirate"],char:'🏴',fitzpatrick_scale:false,category:"objects"},rainbow_flag:{keywords:["flag","rainbow","pride","gay","lgbt","glbt","queer","homosexual","lesbian","bisexual","transgender"],char:'🏳️‍🌈',fitzpatrick_scale:false,category:"objects"},closed_lock_with_key:{keywords:["security","privacy"],char:'🔐',fitzpatrick_scale:false,category:"objects"},lock:{keywords:["security","password","padlock"],char:'🔒',fitzpatrick_scale:false,category:"objects"},unlock:{keywords:["privacy","security"],char:'🔓',fitzpatrick_scale:false,category:"objects"},lock_with_ink_pen:{keywords:["security","secret"],char:'🔏',fitzpatrick_scale:false,category:"objects"},pen:{keywords:["stationery","writing","write"],char:'🖊',fitzpatrick_scale:false,category:"objects"},fountain_pen:{keywords:["stationery","writing","write"],char:'🖋',fitzpatrick_scale:false,category:"objects"},black_nib:{keywords:["pen","stationery","writing","write"],char:'✒️',fitzpatrick_scale:false,category:"objects"},memo:{keywords:["write","documents","stationery","pencil","paper","writing","legal","exam","quiz","test","study","compose"],char:'📝',fitzpatrick_scale:false,category:"objects"},pencil2:{keywords:["stationery","write","paper","writing","school","study"],char:'✏️',fitzpatrick_scale:false,category:"objects"},crayon:{keywords:["drawing","creativity"],char:'🖍',fitzpatrick_scale:false,category:"objects"},paintbrush:{keywords:["drawing","creativity","art"],char:'🖌',fitzpatrick_scale:false,category:"objects"},mag:{keywords:["search","zoom","find","detective"],char:'🔍',fitzpatrick_scale:false,category:"objects"},mag_right:{keywords:["search","zoom","find","detective"],char:'🔎',fitzpatrick_scale:false,category:"objects"},heart:{keywords:["love","like","valentines"],char:'❤️',fitzpatrick_scale:false,category:"symbols"},orange_heart:{keywords:["love","like","affection","valentines"],char:'🧡',fitzpatrick_scale:false,category:"symbols"},yellow_heart:{keywords:["love","like","affection","valentines"],char:'💛',fitzpatrick_scale:false,category:"symbols"},green_heart:{keywords:["love","like","affection","valentines"],char:'💚',fitzpatrick_scale:false,category:"symbols"},blue_heart:{keywords:["love","like","affection","valentines"],char:'💙',fitzpatrick_scale:false,category:"symbols"},purple_heart:{keywords:["love","like","affection","valentines"],char:'💜',fitzpatrick_scale:false,category:"symbols"},black_heart:{keywords:["evil"],char:'🖤',fitzpatrick_scale:false,category:"symbols"},broken_heart:{keywords:["sad","sorry","break","heart","heartbreak"],char:'💔',fitzpatrick_scale:false,category:"symbols"},heavy_heart_exclamation:{keywords:["decoration","love"],char:'❣',fitzpatrick_scale:false,category:"symbols"},two_hearts:{keywords:["love","like","affection","valentines","heart"],char:'💕',fitzpatrick_scale:false,category:"symbols"},revolving_hearts:{keywords:["love","like","affection","valentines"],char:'💞',fitzpatrick_scale:false,category:"symbols"},heartbeat:{keywords:["love","like","affection","valentines","pink","heart"],char:'💓',fitzpatrick_scale:false,category:"symbols"},heartpulse:{keywords:["like","love","affection","valentines","pink"],char:'💗',fitzpatrick_scale:false,category:"symbols"},sparkling_heart:{keywords:["love","like","affection","valentines"],char:'💖',fitzpatrick_scale:false,category:"symbols"},cupid:{keywords:["love","like","heart","affection","valentines"],char:'💘',fitzpatrick_scale:false,category:"symbols"},gift_heart:{keywords:["love","valentines"],char:'💝',fitzpatrick_scale:false,category:"symbols"},heart_decoration:{keywords:["purple-square","love","like"],char:'💟',fitzpatrick_scale:false,category:"symbols"},peace_symbol:{keywords:["hippie"],char:'☮',fitzpatrick_scale:false,category:"symbols"},latin_cross:{keywords:["christianity"],char:'✝',fitzpatrick_scale:false,category:"symbols"},star_and_crescent:{keywords:["islam"],char:'☪',fitzpatrick_scale:false,category:"symbols"},om:{keywords:["hinduism","buddhism","sikhism","jainism"],char:'🕉',fitzpatrick_scale:false,category:"symbols"},wheel_of_dharma:{keywords:["hinduism","buddhism","sikhism","jainism"],char:'☸',fitzpatrick_scale:false,category:"symbols"},star_of_david:{keywords:["judaism"],char:'✡',fitzpatrick_scale:false,category:"symbols"},six_pointed_star:{keywords:["purple-square","religion","jewish","hexagram"],char:'🔯',fitzpatrick_scale:false,category:"symbols"},menorah:{keywords:["hanukkah","candles","jewish"],char:'🕎',fitzpatrick_scale:false,category:"symbols"},yin_yang:{keywords:["balance"],char:'☯',fitzpatrick_scale:false,category:"symbols"},orthodox_cross:{keywords:["suppedaneum","religion"],char:'☦',fitzpatrick_scale:false,category:"symbols"},place_of_worship:{keywords:["religion","church","temple","prayer"],char:'🛐',fitzpatrick_scale:false,category:"symbols"},ophiuchus:{keywords:["sign","purple-square","constellation","astrology"],char:'⛎',fitzpatrick_scale:false,category:"symbols"},aries:{keywords:["sign","purple-square","zodiac","astrology"],char:'♈',fitzpatrick_scale:false,category:"symbols"},taurus:{keywords:["purple-square","sign","zodiac","astrology"],char:'♉',fitzpatrick_scale:false,category:"symbols"},gemini:{keywords:["sign","zodiac","purple-square","astrology"],char:'♊',fitzpatrick_scale:false,category:"symbols"},cancer:{keywords:["sign","zodiac","purple-square","astrology"],char:'♋',fitzpatrick_scale:false,category:"symbols"},leo:{keywords:["sign","purple-square","zodiac","astrology"],char:'♌',fitzpatrick_scale:false,category:"symbols"},virgo:{keywords:["sign","zodiac","purple-square","astrology"],char:'♍',fitzpatrick_scale:false,category:"symbols"},libra:{keywords:["sign","purple-square","zodiac","astrology"],char:'♎',fitzpatrick_scale:false,category:"symbols"},scorpius:{keywords:["sign","zodiac","purple-square","astrology","scorpio"],char:'♏',fitzpatrick_scale:false,category:"symbols"},sagittarius:{keywords:["sign","zodiac","purple-square","astrology"],char:'♐',fitzpatrick_scale:false,category:"symbols"},capricorn:{keywords:["sign","zodiac","purple-square","astrology"],char:'♑',fitzpatrick_scale:false,category:"symbols"},aquarius:{keywords:["sign","purple-square","zodiac","astrology"],char:'♒',fitzpatrick_scale:false,category:"symbols"},pisces:{keywords:["purple-square","sign","zodiac","astrology"],char:'♓',fitzpatrick_scale:false,category:"symbols"},id:{keywords:["purple-square","words"],char:'🆔',fitzpatrick_scale:false,category:"symbols"},atom_symbol:{keywords:["science","physics","chemistry"],char:'⚛',fitzpatrick_scale:false,category:"symbols"},u7a7a:{keywords:["kanji","japanese","chinese","empty","sky","blue-square"],char:'🈳',fitzpatrick_scale:false,category:"symbols"},u5272:{keywords:["cut","divide","chinese","kanji","pink-square"],char:'🈹',fitzpatrick_scale:false,category:"symbols"},radioactive:{keywords:["nuclear","danger"],char:'☢',fitzpatrick_scale:false,category:"symbols"},biohazard:{keywords:["danger"],char:'☣',fitzpatrick_scale:false,category:"symbols"},mobile_phone_off:{keywords:["mute","orange-square","silence","quiet"],char:'📴',fitzpatrick_scale:false,category:"symbols"},vibration_mode:{keywords:["orange-square","phone"],char:'📳',fitzpatrick_scale:false,category:"symbols"},u6709:{keywords:["orange-square","chinese","have","kanji"],char:'🈶',fitzpatrick_scale:false,category:"symbols"},u7121:{keywords:["nothing","chinese","kanji","japanese","orange-square"],char:'🈚',fitzpatrick_scale:false,category:"symbols"},u7533:{keywords:["chinese","japanese","kanji","orange-square"],char:'🈸',fitzpatrick_scale:false,category:"symbols"},u55b6:{keywords:["japanese","opening hours","orange-square"],char:'🈺',fitzpatrick_scale:false,category:"symbols"},u6708:{keywords:["chinese","month","moon","japanese","orange-square","kanji"],char:'🈷️',fitzpatrick_scale:false,category:"symbols"},eight_pointed_black_star:{keywords:["orange-square","shape","polygon"],char:'✴️',fitzpatrick_scale:false,category:"symbols"},vs:{keywords:["words","orange-square"],char:'🆚',fitzpatrick_scale:false,category:"symbols"},accept:{keywords:["ok","good","chinese","kanji","agree","yes","orange-circle"],char:'🉑',fitzpatrick_scale:false,category:"symbols"},white_flower:{keywords:["japanese","spring"],char:'💮',fitzpatrick_scale:false,category:"symbols"},ideograph_advantage:{keywords:["chinese","kanji","obtain","get","circle"],char:'🉐',fitzpatrick_scale:false,category:"symbols"},secret:{keywords:["privacy","chinese","sshh","kanji","red-circle"],char:'㊙️',fitzpatrick_scale:false,category:"symbols"},congratulations:{keywords:["chinese","kanji","japanese","red-circle"],char:'㊗️',fitzpatrick_scale:false,category:"symbols"},u5408:{keywords:["japanese","chinese","join","kanji","red-square"],char:'🈴',fitzpatrick_scale:false,category:"symbols"},u6e80:{keywords:["full","chinese","japanese","red-square","kanji"],char:'🈵',fitzpatrick_scale:false,category:"symbols"},u7981:{keywords:["kanji","japanese","chinese","forbidden","limit","restricted","red-square"],char:'🈲',fitzpatrick_scale:false,category:"symbols"},a:{keywords:["red-square","alphabet","letter"],char:'🅰️',fitzpatrick_scale:false,category:"symbols"},b:{keywords:["red-square","alphabet","letter"],char:'🅱️',fitzpatrick_scale:false,category:"symbols"},ab:{keywords:["red-square","alphabet"],char:'🆎',fitzpatrick_scale:false,category:"symbols"},cl:{keywords:["alphabet","words","red-square"],char:'🆑',fitzpatrick_scale:false,category:"symbols"},o2:{keywords:["alphabet","red-square","letter"],char:'🅾️',fitzpatrick_scale:false,category:"symbols"},sos:{keywords:["help","red-square","words","emergency","911"],char:'🆘',fitzpatrick_scale:false,category:"symbols"},no_entry:{keywords:["limit","security","privacy","bad","denied","stop","circle"],char:'⛔',fitzpatrick_scale:false,category:"symbols"},name_badge:{keywords:["fire","forbid"],char:'📛',fitzpatrick_scale:false,category:"symbols"},no_entry_sign:{keywords:["forbid","stop","limit","denied","disallow","circle"],char:'🚫',fitzpatrick_scale:false,category:"symbols"},x:{keywords:["no","delete","remove","cancel","red"],char:'❌',fitzpatrick_scale:false,category:"symbols"},o:{keywords:["circle","round"],char:'⭕',fitzpatrick_scale:false,category:"symbols"},stop_sign:{keywords:["stop"],char:'🛑',fitzpatrick_scale:false,category:"symbols"},anger:{keywords:["angry","mad"],char:'💢',fitzpatrick_scale:false,category:"symbols"},hotsprings:{keywords:["bath","warm","relax"],char:'♨️',fitzpatrick_scale:false,category:"symbols"},no_pedestrians:{keywords:["rules","crossing","walking","circle"],char:'🚷',fitzpatrick_scale:false,category:"symbols"},do_not_litter:{keywords:["trash","bin","garbage","circle"],char:'🚯',fitzpatrick_scale:false,category:"symbols"},no_bicycles:{keywords:["cyclist","prohibited","circle"],char:'🚳',fitzpatrick_scale:false,category:"symbols"},"non-potable_water":{keywords:["drink","faucet","tap","circle"],char:'🚱',fitzpatrick_scale:false,category:"symbols"},underage:{keywords:["18","drink","pub","night","minor","circle"],char:'🔞',fitzpatrick_scale:false,category:"symbols"},no_mobile_phones:{keywords:["iphone","mute","circle"],char:'📵',fitzpatrick_scale:false,category:"symbols"},exclamation:{keywords:["heavy_exclamation_mark","danger","surprise","punctuation","wow","warning"],char:'❗',fitzpatrick_scale:false,category:"symbols"},grey_exclamation:{keywords:["surprise","punctuation","gray","wow","warning"],char:'❕',fitzpatrick_scale:false,category:"symbols"},question:{keywords:["doubt","confused"],char:'❓',fitzpatrick_scale:false,category:"symbols"},grey_question:{keywords:["doubts","gray","huh","confused"],char:'❔',fitzpatrick_scale:false,category:"symbols"},bangbang:{keywords:["exclamation","surprise"],char:'‼️',fitzpatrick_scale:false,category:"symbols"},interrobang:{keywords:["wat","punctuation","surprise"],char:'⁉️',fitzpatrick_scale:false,category:"symbols"},low_brightness:{keywords:["sun","afternoon","warm","summer"],char:'🔅',fitzpatrick_scale:false,category:"symbols"},high_brightness:{keywords:["sun","light"],char:'🔆',fitzpatrick_scale:false,category:"symbols"},trident:{keywords:["weapon","spear"],char:'🔱',fitzpatrick_scale:false,category:"symbols"},fleur_de_lis:{keywords:["decorative","scout"],char:'⚜',fitzpatrick_scale:false,category:"symbols"},part_alternation_mark:{keywords:["graph","presentation","stats","business","economics","bad"],char:'〽️',fitzpatrick_scale:false,category:"symbols"},warning:{keywords:["exclamation","wip","alert","error","problem","issue"],char:'⚠️',fitzpatrick_scale:false,category:"symbols"},children_crossing:{keywords:["school","warning","danger","sign","driving","yellow-diamond"],char:'🚸',fitzpatrick_scale:false,category:"symbols"},beginner:{keywords:["badge","shield"],char:'🔰',fitzpatrick_scale:false,category:"symbols"},recycle:{keywords:["arrow","environment","garbage","trash"],char:'♻️',fitzpatrick_scale:false,category:"symbols"},u6307:{keywords:["chinese","point","green-square","kanji"],char:'🈯',fitzpatrick_scale:false,category:"symbols"},chart:{keywords:["green-square","graph","presentation","stats"],char:'💹',fitzpatrick_scale:false,category:"symbols"},sparkle:{keywords:["stars","green-square","awesome","good","fireworks"],char:'❇️',fitzpatrick_scale:false,category:"symbols"},eight_spoked_asterisk:{keywords:["star","sparkle","green-square"],char:'✳️',fitzpatrick_scale:false,category:"symbols"},negative_squared_cross_mark:{keywords:["x","green-square","no","deny"],char:'❎',fitzpatrick_scale:false,category:"symbols"},white_check_mark:{keywords:["green-square","ok","agree","vote","election","answer","tick"],char:'✅',fitzpatrick_scale:false,category:"symbols"},diamond_shape_with_a_dot_inside:{keywords:["jewel","blue","gem","crystal","fancy"],char:'💠',fitzpatrick_scale:false,category:"symbols"},cyclone:{keywords:["weather","swirl","blue","cloud","vortex","spiral","whirlpool","spin","tornado","hurricane","typhoon"],char:'🌀',fitzpatrick_scale:false,category:"symbols"},loop:{keywords:["tape","cassette"],char:'➿',fitzpatrick_scale:false,category:"symbols"},globe_with_meridians:{keywords:["earth","international","world","internet","interweb","i18n"],char:'🌐',fitzpatrick_scale:false,category:"symbols"},m:{keywords:["alphabet","blue-circle","letter"],char:'Ⓜ️',fitzpatrick_scale:false,category:"symbols"},atm:{keywords:["money","sales","cash","blue-square","payment","bank"],char:'🏧',fitzpatrick_scale:false,category:"symbols"},sa:{keywords:["japanese","blue-square","katakana"],char:'🈂️',fitzpatrick_scale:false,category:"symbols"},passport_control:{keywords:["custom","blue-square"],char:'🛂',fitzpatrick_scale:false,category:"symbols"},customs:{keywords:["passport","border","blue-square"],char:'🛃',fitzpatrick_scale:false,category:"symbols"},baggage_claim:{keywords:["blue-square","airport","transport"],char:'🛄',fitzpatrick_scale:false,category:"symbols"},left_luggage:{keywords:["blue-square","travel"],char:'🛅',fitzpatrick_scale:false,category:"symbols"},wheelchair:{keywords:["blue-square","disabled","a11y","accessibility"],char:'♿',fitzpatrick_scale:false,category:"symbols"},no_smoking:{keywords:["cigarette","blue-square","smell","smoke"],char:'🚭',fitzpatrick_scale:false,category:"symbols"},wc:{keywords:["toilet","restroom","blue-square"],char:'🚾',fitzpatrick_scale:false,category:"symbols"},parking:{keywords:["cars","blue-square","alphabet","letter"],char:'🅿️',fitzpatrick_scale:false,category:"symbols"},potable_water:{keywords:["blue-square","liquid","restroom","cleaning","faucet"],char:'🚰',fitzpatrick_scale:false,category:"symbols"},mens:{keywords:["toilet","restroom","wc","blue-square","gender","male"],char:'🚹',fitzpatrick_scale:false,category:"symbols"},womens:{keywords:["purple-square","woman","female","toilet","loo","restroom","gender"],char:'🚺',fitzpatrick_scale:false,category:"symbols"},baby_symbol:{keywords:["orange-square","child"],char:'🚼',fitzpatrick_scale:false,category:"symbols"},restroom:{keywords:["blue-square","toilet","refresh","wc","gender"],char:'🚻',fitzpatrick_scale:false,category:"symbols"},put_litter_in_its_place:{keywords:["blue-square","sign","human","info"],char:'🚮',fitzpatrick_scale:false,category:"symbols"},cinema:{keywords:["blue-square","record","film","movie","curtain","stage","theater"],char:'🎦',fitzpatrick_scale:false,category:"symbols"},signal_strength:{keywords:["blue-square","reception","phone","internet","connection","wifi","bluetooth","bars"],char:'📶',fitzpatrick_scale:false,category:"symbols"},koko:{keywords:["blue-square","here","katakana","japanese","destination"],char:'🈁',fitzpatrick_scale:false,category:"symbols"},ng:{keywords:["blue-square","words","shape","icon"],char:'🆖',fitzpatrick_scale:false,category:"symbols"},ok:{keywords:["good","agree","yes","blue-square"],char:'🆗',fitzpatrick_scale:false,category:"symbols"},up:{keywords:["blue-square","above","high"],char:'🆙',fitzpatrick_scale:false,category:"symbols"},cool:{keywords:["words","blue-square"],char:'🆒',fitzpatrick_scale:false,category:"symbols"},new:{keywords:["blue-square","words","start"],char:'🆕',fitzpatrick_scale:false,category:"symbols"},free:{keywords:["blue-square","words"],char:'🆓',fitzpatrick_scale:false,category:"symbols"},zero:{keywords:["0","numbers","blue-square","null"],char:'0️⃣',fitzpatrick_scale:false,category:"symbols"},one:{keywords:["blue-square","numbers","1"],char:'1️⃣',fitzpatrick_scale:false,category:"symbols"},two:{keywords:["numbers","2","prime","blue-square"],char:'2️⃣',fitzpatrick_scale:false,category:"symbols"},three:{keywords:["3","numbers","prime","blue-square"],char:'3️⃣',fitzpatrick_scale:false,category:"symbols"},four:{keywords:["4","numbers","blue-square"],char:'4️⃣',fitzpatrick_scale:false,category:"symbols"},five:{keywords:["5","numbers","blue-square","prime"],char:'5️⃣',fitzpatrick_scale:false,category:"symbols"},six:{keywords:["6","numbers","blue-square"],char:'6️⃣',fitzpatrick_scale:false,category:"symbols"},seven:{keywords:["7","numbers","blue-square","prime"],char:'7️⃣',fitzpatrick_scale:false,category:"symbols"},eight:{keywords:["8","blue-square","numbers"],char:'8️⃣',fitzpatrick_scale:false,category:"symbols"},nine:{keywords:["blue-square","numbers","9"],char:'9️⃣',fitzpatrick_scale:false,category:"symbols"},keycap_ten:{keywords:["numbers","10","blue-square"],char:'🔟',fitzpatrick_scale:false,category:"symbols"},asterisk:{keywords:["star","keycap"],char:'*⃣',fitzpatrick_scale:false,category:"symbols"},eject_button:{keywords:["blue-square"],char:'⏏️',fitzpatrick_scale:false,category:"symbols"},arrow_forward:{keywords:["blue-square","right","direction","play"],char:'▶️',fitzpatrick_scale:false,category:"symbols"},pause_button:{keywords:["pause","blue-square"],char:'⏸',fitzpatrick_scale:false,category:"symbols"},next_track_button:{keywords:["forward","next","blue-square"],char:'⏭',fitzpatrick_scale:false,category:"symbols"},stop_button:{keywords:["blue-square"],char:'⏹',fitzpatrick_scale:false,category:"symbols"},record_button:{keywords:["blue-square"],char:'⏺',fitzpatrick_scale:false,category:"symbols"},play_or_pause_button:{keywords:["blue-square","play","pause"],char:'⏯',fitzpatrick_scale:false,category:"symbols"},previous_track_button:{keywords:["backward"],char:'⏮',fitzpatrick_scale:false,category:"symbols"},fast_forward:{keywords:["blue-square","play","speed","continue"],char:'⏩',fitzpatrick_scale:false,category:"symbols"},rewind:{keywords:["play","blue-square"],char:'⏪',fitzpatrick_scale:false,category:"symbols"},twisted_rightwards_arrows:{keywords:["blue-square","shuffle","music","random"],char:'🔀',fitzpatrick_scale:false,category:"symbols"},repeat:{keywords:["loop","record"],char:'🔁',fitzpatrick_scale:false,category:"symbols"},repeat_one:{keywords:["blue-square","loop"],char:'🔂',fitzpatrick_scale:false,category:"symbols"},arrow_backward:{keywords:["blue-square","left","direction"],char:'◀️',fitzpatrick_scale:false,category:"symbols"},arrow_up_small:{keywords:["blue-square","triangle","direction","point","forward","top"],char:'🔼',fitzpatrick_scale:false,category:"symbols"},arrow_down_small:{keywords:["blue-square","direction","bottom"],char:'🔽',fitzpatrick_scale:false,category:"symbols"},arrow_double_up:{keywords:["blue-square","direction","top"],char:'⏫',fitzpatrick_scale:false,category:"symbols"},arrow_double_down:{keywords:["blue-square","direction","bottom"],char:'⏬',fitzpatrick_scale:false,category:"symbols"},arrow_right:{keywords:["blue-square","next"],char:'➡️',fitzpatrick_scale:false,category:"symbols"},arrow_left:{keywords:["blue-square","previous","back"],char:'⬅️',fitzpatrick_scale:false,category:"symbols"},arrow_up:{keywords:["blue-square","continue","top","direction"],char:'⬆️',fitzpatrick_scale:false,category:"symbols"},arrow_down:{keywords:["blue-square","direction","bottom"],char:'⬇️',fitzpatrick_scale:false,category:"symbols"},arrow_upper_right:{keywords:["blue-square","point","direction","diagonal","northeast"],char:'↗️',fitzpatrick_scale:false,category:"symbols"},arrow_lower_right:{keywords:["blue-square","direction","diagonal","southeast"],char:'↘️',fitzpatrick_scale:false,category:"symbols"},arrow_lower_left:{keywords:["blue-square","direction","diagonal","southwest"],char:'↙️',fitzpatrick_scale:false,category:"symbols"},arrow_upper_left:{keywords:["blue-square","point","direction","diagonal","northwest"],char:'↖️',fitzpatrick_scale:false,category:"symbols"},arrow_up_down:{keywords:["blue-square","direction","way","vertical"],char:'↕️',fitzpatrick_scale:false,category:"symbols"},left_right_arrow:{keywords:["shape","direction","horizontal","sideways"],char:'↔️',fitzpatrick_scale:false,category:"symbols"},arrows_counterclockwise:{keywords:["blue-square","sync","cycle"],char:'🔄',fitzpatrick_scale:false,category:"symbols"},arrow_right_hook:{keywords:["blue-square","return","rotate","direction"],char:'↪️',fitzpatrick_scale:false,category:"symbols"},leftwards_arrow_with_hook:{keywords:["back","return","blue-square","undo","enter"],char:'↩️',fitzpatrick_scale:false,category:"symbols"},arrow_heading_up:{keywords:["blue-square","direction","top"],char:'⤴️',fitzpatrick_scale:false,category:"symbols"},arrow_heading_down:{keywords:["blue-square","direction","bottom"],char:'⤵️',fitzpatrick_scale:false,category:"symbols"},hash:{keywords:["symbol","blue-square","twitter"],char:'#️⃣',fitzpatrick_scale:false,category:"symbols"},information_source:{keywords:["blue-square","alphabet","letter"],char:'ℹ️',fitzpatrick_scale:false,category:"symbols"},abc:{keywords:["blue-square","alphabet"],char:'🔤',fitzpatrick_scale:false,category:"symbols"},abcd:{keywords:["blue-square","alphabet"],char:'🔡',fitzpatrick_scale:false,category:"symbols"},capital_abcd:{keywords:["alphabet","words","blue-square"],char:'🔠',fitzpatrick_scale:false,category:"symbols"},symbols:{keywords:["blue-square","music","note","ampersand","percent","glyphs","characters"],char:'🔣',fitzpatrick_scale:false,category:"symbols"},musical_note:{keywords:["score","tone","sound"],char:'🎵',fitzpatrick_scale:false,category:"symbols"},notes:{keywords:["music","score"],char:'🎶',fitzpatrick_scale:false,category:"symbols"},wavy_dash:{keywords:["draw","line","moustache","mustache","squiggle","scribble"],char:'〰️',fitzpatrick_scale:false,category:"symbols"},curly_loop:{keywords:["scribble","draw","shape","squiggle"],char:'➰',fitzpatrick_scale:false,category:"symbols"},heavy_check_mark:{keywords:["ok","nike","answer","yes","tick"],char:'✔️',fitzpatrick_scale:false,category:"symbols"},arrows_clockwise:{keywords:["sync","cycle","round","repeat"],char:'🔃',fitzpatrick_scale:false,category:"symbols"},heavy_plus_sign:{keywords:["math","calculation","addition","more","increase"],char:'➕',fitzpatrick_scale:false,category:"symbols"},heavy_minus_sign:{keywords:["math","calculation","subtract","less"],char:'➖',fitzpatrick_scale:false,category:"symbols"},heavy_division_sign:{keywords:["divide","math","calculation"],char:'➗',fitzpatrick_scale:false,category:"symbols"},heavy_multiplication_x:{keywords:["math","calculation"],char:'✖️',fitzpatrick_scale:false,category:"symbols"},infinity:{keywords:["forever"],char:'♾',fitzpatrick_scale:false,category:"symbols"},heavy_dollar_sign:{keywords:["money","sales","payment","currency","buck"],char:'💲',fitzpatrick_scale:false,category:"symbols"},currency_exchange:{keywords:["money","sales","dollar","travel"],char:'💱',fitzpatrick_scale:false,category:"symbols"},copyright:{keywords:["ip","license","circle","law","legal"],char:'©️',fitzpatrick_scale:false,category:"symbols"},registered:{keywords:["alphabet","circle"],char:'®️',fitzpatrick_scale:false,category:"symbols"},tm:{keywords:["trademark","brand","law","legal"],char:'™️',fitzpatrick_scale:false,category:"symbols"},end:{keywords:["words","arrow"],char:'🔚',fitzpatrick_scale:false,category:"symbols"},back:{keywords:["arrow","words","return"],char:'🔙',fitzpatrick_scale:false,category:"symbols"},on:{keywords:["arrow","words"],char:'🔛',fitzpatrick_scale:false,category:"symbols"},top:{keywords:["words","blue-square"],char:'🔝',fitzpatrick_scale:false,category:"symbols"},soon:{keywords:["arrow","words"],char:'🔜',fitzpatrick_scale:false,category:"symbols"},ballot_box_with_check:{keywords:["ok","agree","confirm","black-square","vote","election","yes","tick"],char:'☑️',fitzpatrick_scale:false,category:"symbols"},radio_button:{keywords:["input","old","music","circle"],char:'🔘',fitzpatrick_scale:false,category:"symbols"},white_circle:{keywords:["shape","round"],char:'⚪',fitzpatrick_scale:false,category:"symbols"},black_circle:{keywords:["shape","button","round"],char:'⚫',fitzpatrick_scale:false,category:"symbols"},red_circle:{keywords:["shape","error","danger"],char:'🔴',fitzpatrick_scale:false,category:"symbols"},large_blue_circle:{keywords:["shape","icon","button"],char:'🔵',fitzpatrick_scale:false,category:"symbols"},small_orange_diamond:{keywords:["shape","jewel","gem"],char:'🔸',fitzpatrick_scale:false,category:"symbols"},small_blue_diamond:{keywords:["shape","jewel","gem"],char:'🔹',fitzpatrick_scale:false,category:"symbols"},large_orange_diamond:{keywords:["shape","jewel","gem"],char:'🔶',fitzpatrick_scale:false,category:"symbols"},large_blue_diamond:{keywords:["shape","jewel","gem"],char:'🔷',fitzpatrick_scale:false,category:"symbols"},small_red_triangle:{keywords:["shape","direction","up","top"],char:'🔺',fitzpatrick_scale:false,category:"symbols"},black_small_square:{keywords:["shape","icon"],char:'▪️',fitzpatrick_scale:false,category:"symbols"},white_small_square:{keywords:["shape","icon"],char:'▫️',fitzpatrick_scale:false,category:"symbols"},black_large_square:{keywords:["shape","icon","button"],char:'⬛',fitzpatrick_scale:false,category:"symbols"},white_large_square:{keywords:["shape","icon","stone","button"],char:'⬜',fitzpatrick_scale:false,category:"symbols"},small_red_triangle_down:{keywords:["shape","direction","bottom"],char:'🔻',fitzpatrick_scale:false,category:"symbols"},black_medium_square:{keywords:["shape","button","icon"],char:'◼️',fitzpatrick_scale:false,category:"symbols"},white_medium_square:{keywords:["shape","stone","icon"],char:'◻️',fitzpatrick_scale:false,category:"symbols"},black_medium_small_square:{keywords:["icon","shape","button"],char:'◾',fitzpatrick_scale:false,category:"symbols"},white_medium_small_square:{keywords:["shape","stone","icon","button"],char:'◽',fitzpatrick_scale:false,category:"symbols"},black_square_button:{keywords:["shape","input","frame"],char:'🔲',fitzpatrick_scale:false,category:"symbols"},white_square_button:{keywords:["shape","input"],char:'🔳',fitzpatrick_scale:false,category:"symbols"},speaker:{keywords:["sound","volume","silence","broadcast"],char:'🔈',fitzpatrick_scale:false,category:"symbols"},sound:{keywords:["volume","speaker","broadcast"],char:'🔉',fitzpatrick_scale:false,category:"symbols"},loud_sound:{keywords:["volume","noise","noisy","speaker","broadcast"],char:'🔊',fitzpatrick_scale:false,category:"symbols"},mute:{keywords:["sound","volume","silence","quiet"],char:'🔇',fitzpatrick_scale:false,category:"symbols"},mega:{keywords:["sound","speaker","volume"],char:'📣',fitzpatrick_scale:false,category:"symbols"},loudspeaker:{keywords:["volume","sound"],char:'📢',fitzpatrick_scale:false,category:"symbols"},bell:{keywords:["sound","notification","christmas","xmas","chime"],char:'🔔',fitzpatrick_scale:false,category:"symbols"},no_bell:{keywords:["sound","volume","mute","quiet","silent"],char:'🔕',fitzpatrick_scale:false,category:"symbols"},black_joker:{keywords:["poker","cards","game","play","magic"],char:'🃏',fitzpatrick_scale:false,category:"symbols"},mahjong:{keywords:["game","play","chinese","kanji"],char:'🀄',fitzpatrick_scale:false,category:"symbols"},spades:{keywords:["poker","cards","suits","magic"],char:'♠️',fitzpatrick_scale:false,category:"symbols"},clubs:{keywords:["poker","cards","magic","suits"],char:'♣️',fitzpatrick_scale:false,category:"symbols"},hearts:{keywords:["poker","cards","magic","suits"],char:'♥️',fitzpatrick_scale:false,category:"symbols"},diamonds:{keywords:["poker","cards","magic","suits"],char:'♦️',fitzpatrick_scale:false,category:"symbols"},flower_playing_cards:{keywords:["game","sunset","red"],char:'🎴',fitzpatrick_scale:false,category:"symbols"},thought_balloon:{keywords:["bubble","cloud","speech","thinking","dream"],char:'💭',fitzpatrick_scale:false,category:"symbols"},right_anger_bubble:{keywords:["caption","speech","thinking","mad"],char:'🗯',fitzpatrick_scale:false,category:"symbols"},speech_balloon:{keywords:["bubble","words","message","talk","chatting"],char:'💬',fitzpatrick_scale:false,category:"symbols"},left_speech_bubble:{keywords:["words","message","talk","chatting"],char:'🗨',fitzpatrick_scale:false,category:"symbols"},clock1:{keywords:["time","late","early","schedule"],char:'🕐',fitzpatrick_scale:false,category:"symbols"},clock2:{keywords:["time","late","early","schedule"],char:'🕑',fitzpatrick_scale:false,category:"symbols"},clock3:{keywords:["time","late","early","schedule"],char:'🕒',fitzpatrick_scale:false,category:"symbols"},clock4:{keywords:["time","late","early","schedule"],char:'🕓',fitzpatrick_scale:false,category:"symbols"},clock5:{keywords:["time","late","early","schedule"],char:'🕔',fitzpatrick_scale:false,category:"symbols"},clock6:{keywords:["time","late","early","schedule","dawn","dusk"],char:'🕕',fitzpatrick_scale:false,category:"symbols"},clock7:{keywords:["time","late","early","schedule"],char:'🕖',fitzpatrick_scale:false,category:"symbols"},clock8:{keywords:["time","late","early","schedule"],char:'🕗',fitzpatrick_scale:false,category:"symbols"},clock9:{keywords:["time","late","early","schedule"],char:'🕘',fitzpatrick_scale:false,category:"symbols"},clock10:{keywords:["time","late","early","schedule"],char:'🕙',fitzpatrick_scale:false,category:"symbols"},clock11:{keywords:["time","late","early","schedule"],char:'🕚',fitzpatrick_scale:false,category:"symbols"},clock12:{keywords:["time","noon","midnight","midday","late","early","schedule"],char:'🕛',fitzpatrick_scale:false,category:"symbols"},clock130:{keywords:["time","late","early","schedule"],char:'🕜',fitzpatrick_scale:false,category:"symbols"},clock230:{keywords:["time","late","early","schedule"],char:'🕝',fitzpatrick_scale:false,category:"symbols"},clock330:{keywords:["time","late","early","schedule"],char:'🕞',fitzpatrick_scale:false,category:"symbols"},clock430:{keywords:["time","late","early","schedule"],char:'🕟',fitzpatrick_scale:false,category:"symbols"},clock530:{keywords:["time","late","early","schedule"],char:'🕠',fitzpatrick_scale:false,category:"symbols"},clock630:{keywords:["time","late","early","schedule"],char:'🕡',fitzpatrick_scale:false,category:"symbols"},clock730:{keywords:["time","late","early","schedule"],char:'🕢',fitzpatrick_scale:false,category:"symbols"},clock830:{keywords:["time","late","early","schedule"],char:'🕣',fitzpatrick_scale:false,category:"symbols"},clock930:{keywords:["time","late","early","schedule"],char:'🕤',fitzpatrick_scale:false,category:"symbols"},clock1030:{keywords:["time","late","early","schedule"],char:'🕥',fitzpatrick_scale:false,category:"symbols"},clock1130:{keywords:["time","late","early","schedule"],char:'🕦',fitzpatrick_scale:false,category:"symbols"},clock1230:{keywords:["time","late","early","schedule"],char:'🕧',fitzpatrick_scale:false,category:"symbols"},afghanistan:{keywords:["af","flag","nation","country","banner"],char:'🇦🇫',fitzpatrick_scale:false,category:"flags"},aland_islands:{keywords:["Åland","islands","flag","nation","country","banner"],char:'🇦🇽',fitzpatrick_scale:false,category:"flags"},albania:{keywords:["al","flag","nation","country","banner"],char:'🇦🇱',fitzpatrick_scale:false,category:"flags"},algeria:{keywords:["dz","flag","nation","country","banner"],char:'🇩🇿',fitzpatrick_scale:false,category:"flags"},american_samoa:{keywords:["american","ws","flag","nation","country","banner"],char:'🇦🇸',fitzpatrick_scale:false,category:"flags"},andorra:{keywords:["ad","flag","nation","country","banner"],char:'🇦🇩',fitzpatrick_scale:false,category:"flags"},angola:{keywords:["ao","flag","nation","country","banner"],char:'🇦🇴',fitzpatrick_scale:false,category:"flags"},anguilla:{keywords:["ai","flag","nation","country","banner"],char:'🇦🇮',fitzpatrick_scale:false,category:"flags"},antarctica:{keywords:["aq","flag","nation","country","banner"],char:'🇦🇶',fitzpatrick_scale:false,category:"flags"},antigua_barbuda:{keywords:["antigua","barbuda","flag","nation","country","banner"],char:'🇦🇬',fitzpatrick_scale:false,category:"flags"},argentina:{keywords:["ar","flag","nation","country","banner"],char:'🇦🇷',fitzpatrick_scale:false,category:"flags"},armenia:{keywords:["am","flag","nation","country","banner"],char:'🇦🇲',fitzpatrick_scale:false,category:"flags"},aruba:{keywords:["aw","flag","nation","country","banner"],char:'🇦🇼',fitzpatrick_scale:false,category:"flags"},australia:{keywords:["au","flag","nation","country","banner"],char:'🇦🇺',fitzpatrick_scale:false,category:"flags"},austria:{keywords:["at","flag","nation","country","banner"],char:'🇦🇹',fitzpatrick_scale:false,category:"flags"},azerbaijan:{keywords:["az","flag","nation","country","banner"],char:'🇦🇿',fitzpatrick_scale:false,category:"flags"},bahamas:{keywords:["bs","flag","nation","country","banner"],char:'🇧🇸',fitzpatrick_scale:false,category:"flags"},bahrain:{keywords:["bh","flag","nation","country","banner"],char:'🇧🇭',fitzpatrick_scale:false,category:"flags"},bangladesh:{keywords:["bd","flag","nation","country","banner"],char:'🇧🇩',fitzpatrick_scale:false,category:"flags"},barbados:{keywords:["bb","flag","nation","country","banner"],char:'🇧🇧',fitzpatrick_scale:false,category:"flags"},belarus:{keywords:["by","flag","nation","country","banner"],char:'🇧🇾',fitzpatrick_scale:false,category:"flags"},belgium:{keywords:["be","flag","nation","country","banner"],char:'🇧🇪',fitzpatrick_scale:false,category:"flags"},belize:{keywords:["bz","flag","nation","country","banner"],char:'🇧🇿',fitzpatrick_scale:false,category:"flags"},benin:{keywords:["bj","flag","nation","country","banner"],char:'🇧🇯',fitzpatrick_scale:false,category:"flags"},bermuda:{keywords:["bm","flag","nation","country","banner"],char:'🇧🇲',fitzpatrick_scale:false,category:"flags"},bhutan:{keywords:["bt","flag","nation","country","banner"],char:'🇧🇹',fitzpatrick_scale:false,category:"flags"},bolivia:{keywords:["bo","flag","nation","country","banner"],char:'🇧🇴',fitzpatrick_scale:false,category:"flags"},caribbean_netherlands:{keywords:["bonaire","flag","nation","country","banner"],char:'🇧🇶',fitzpatrick_scale:false,category:"flags"},bosnia_herzegovina:{keywords:["bosnia","herzegovina","flag","nation","country","banner"],char:'🇧🇦',fitzpatrick_scale:false,category:"flags"},botswana:{keywords:["bw","flag","nation","country","banner"],char:'🇧🇼',fitzpatrick_scale:false,category:"flags"},brazil:{keywords:["br","flag","nation","country","banner"],char:'🇧🇷',fitzpatrick_scale:false,category:"flags"},british_indian_ocean_territory:{keywords:["british","indian","ocean","territory","flag","nation","country","banner"],char:'🇮🇴',fitzpatrick_scale:false,category:"flags"},british_virgin_islands:{keywords:["british","virgin","islands","bvi","flag","nation","country","banner"],char:'🇻🇬',fitzpatrick_scale:false,category:"flags"},brunei:{keywords:["bn","darussalam","flag","nation","country","banner"],char:'🇧🇳',fitzpatrick_scale:false,category:"flags"},bulgaria:{keywords:["bg","flag","nation","country","banner"],char:'🇧🇬',fitzpatrick_scale:false,category:"flags"},burkina_faso:{keywords:["burkina","faso","flag","nation","country","banner"],char:'🇧🇫',fitzpatrick_scale:false,category:"flags"},burundi:{keywords:["bi","flag","nation","country","banner"],char:'🇧🇮',fitzpatrick_scale:false,category:"flags"},cape_verde:{keywords:["cabo","verde","flag","nation","country","banner"],char:'🇨🇻',fitzpatrick_scale:false,category:"flags"},cambodia:{keywords:["kh","flag","nation","country","banner"],char:'🇰🇭',fitzpatrick_scale:false,category:"flags"},cameroon:{keywords:["cm","flag","nation","country","banner"],char:'🇨🇲',fitzpatrick_scale:false,category:"flags"},canada:{keywords:["ca","flag","nation","country","banner"],char:'🇨🇦',fitzpatrick_scale:false,category:"flags"},canary_islands:{keywords:["canary","islands","flag","nation","country","banner"],char:'🇮🇨',fitzpatrick_scale:false,category:"flags"},cayman_islands:{keywords:["cayman","islands","flag","nation","country","banner"],char:'🇰🇾',fitzpatrick_scale:false,category:"flags"},central_african_republic:{keywords:["central","african","republic","flag","nation","country","banner"],char:'🇨🇫',fitzpatrick_scale:false,category:"flags"},chad:{keywords:["td","flag","nation","country","banner"],char:'🇹🇩',fitzpatrick_scale:false,category:"flags"},chile:{keywords:["flag","nation","country","banner"],char:'🇨🇱',fitzpatrick_scale:false,category:"flags"},cn:{keywords:["china","chinese","prc","flag","country","nation","banner"],char:'🇨🇳',fitzpatrick_scale:false,category:"flags"},christmas_island:{keywords:["christmas","island","flag","nation","country","banner"],char:'🇨🇽',fitzpatrick_scale:false,category:"flags"},cocos_islands:{keywords:["cocos","keeling","islands","flag","nation","country","banner"],char:'🇨🇨',fitzpatrick_scale:false,category:"flags"},colombia:{keywords:["co","flag","nation","country","banner"],char:'🇨🇴',fitzpatrick_scale:false,category:"flags"},comoros:{keywords:["km","flag","nation","country","banner"],char:'🇰🇲',fitzpatrick_scale:false,category:"flags"},congo_brazzaville:{keywords:["congo","flag","nation","country","banner"],char:'🇨🇬',fitzpatrick_scale:false,category:"flags"},congo_kinshasa:{keywords:["congo","democratic","republic","flag","nation","country","banner"],char:'🇨🇩',fitzpatrick_scale:false,category:"flags"},cook_islands:{keywords:["cook","islands","flag","nation","country","banner"],char:'🇨🇰',fitzpatrick_scale:false,category:"flags"},costa_rica:{keywords:["costa","rica","flag","nation","country","banner"],char:'🇨🇷',fitzpatrick_scale:false,category:"flags"},croatia:{keywords:["hr","flag","nation","country","banner"],char:'🇭🇷',fitzpatrick_scale:false,category:"flags"},cuba:{keywords:["cu","flag","nation","country","banner"],char:'🇨🇺',fitzpatrick_scale:false,category:"flags"},curacao:{keywords:["curaçao","flag","nation","country","banner"],char:'🇨🇼',fitzpatrick_scale:false,category:"flags"},cyprus:{keywords:["cy","flag","nation","country","banner"],char:'🇨🇾',fitzpatrick_scale:false,category:"flags"},czech_republic:{keywords:["cz","flag","nation","country","banner"],char:'🇨🇿',fitzpatrick_scale:false,category:"flags"},denmark:{keywords:["dk","flag","nation","country","banner"],char:'🇩🇰',fitzpatrick_scale:false,category:"flags"},djibouti:{keywords:["dj","flag","nation","country","banner"],char:'🇩🇯',fitzpatrick_scale:false,category:"flags"},dominica:{keywords:["dm","flag","nation","country","banner"],char:'🇩🇲',fitzpatrick_scale:false,category:"flags"},dominican_republic:{keywords:["dominican","republic","flag","nation","country","banner"],char:'🇩🇴',fitzpatrick_scale:false,category:"flags"},ecuador:{keywords:["ec","flag","nation","country","banner"],char:'🇪🇨',fitzpatrick_scale:false,category:"flags"},egypt:{keywords:["eg","flag","nation","country","banner"],char:'🇪🇬',fitzpatrick_scale:false,category:"flags"},el_salvador:{keywords:["el","salvador","flag","nation","country","banner"],char:'🇸🇻',fitzpatrick_scale:false,category:"flags"},equatorial_guinea:{keywords:["equatorial","gn","flag","nation","country","banner"],char:'🇬🇶',fitzpatrick_scale:false,category:"flags"},eritrea:{keywords:["er","flag","nation","country","banner"],char:'🇪🇷',fitzpatrick_scale:false,category:"flags"},estonia:{keywords:["ee","flag","nation","country","banner"],char:'🇪🇪',fitzpatrick_scale:false,category:"flags"},ethiopia:{keywords:["et","flag","nation","country","banner"],char:'🇪🇹',fitzpatrick_scale:false,category:"flags"},eu:{keywords:["european","union","flag","banner"],char:'🇪🇺',fitzpatrick_scale:false,category:"flags"},falkland_islands:{keywords:["falkland","islands","malvinas","flag","nation","country","banner"],char:'🇫🇰',fitzpatrick_scale:false,category:"flags"},faroe_islands:{keywords:["faroe","islands","flag","nation","country","banner"],char:'🇫🇴',fitzpatrick_scale:false,category:"flags"},fiji:{keywords:["fj","flag","nation","country","banner"],char:'🇫🇯',fitzpatrick_scale:false,category:"flags"},finland:{keywords:["fi","flag","nation","country","banner"],char:'🇫🇮',fitzpatrick_scale:false,category:"flags"},fr:{keywords:["banner","flag","nation","france","french","country"],char:'🇫🇷',fitzpatrick_scale:false,category:"flags"},french_guiana:{keywords:["french","guiana","flag","nation","country","banner"],char:'🇬🇫',fitzpatrick_scale:false,category:"flags"},french_polynesia:{keywords:["french","polynesia","flag","nation","country","banner"],char:'🇵🇫',fitzpatrick_scale:false,category:"flags"},french_southern_territories:{keywords:["french","southern","territories","flag","nation","country","banner"],char:'🇹🇫',fitzpatrick_scale:false,category:"flags"},gabon:{keywords:["ga","flag","nation","country","banner"],char:'🇬🇦',fitzpatrick_scale:false,category:"flags"},gambia:{keywords:["gm","flag","nation","country","banner"],char:'🇬🇲',fitzpatrick_scale:false,category:"flags"},georgia:{keywords:["ge","flag","nation","country","banner"],char:'🇬🇪',fitzpatrick_scale:false,category:"flags"},de:{keywords:["german","nation","flag","country","banner"],char:'🇩🇪',fitzpatrick_scale:false,category:"flags"},ghana:{keywords:["gh","flag","nation","country","banner"],char:'🇬🇭',fitzpatrick_scale:false,category:"flags"},gibraltar:{keywords:["gi","flag","nation","country","banner"],char:'🇬🇮',fitzpatrick_scale:false,category:"flags"},greece:{keywords:["gr","flag","nation","country","banner"],char:'🇬🇷',fitzpatrick_scale:false,category:"flags"},greenland:{keywords:["gl","flag","nation","country","banner"],char:'🇬🇱',fitzpatrick_scale:false,category:"flags"},grenada:{keywords:["gd","flag","nation","country","banner"],char:'🇬🇩',fitzpatrick_scale:false,category:"flags"},guadeloupe:{keywords:["gp","flag","nation","country","banner"],char:'🇬🇵',fitzpatrick_scale:false,category:"flags"},guam:{keywords:["gu","flag","nation","country","banner"],char:'🇬🇺',fitzpatrick_scale:false,category:"flags"},guatemala:{keywords:["gt","flag","nation","country","banner"],char:'🇬🇹',fitzpatrick_scale:false,category:"flags"},guernsey:{keywords:["gg","flag","nation","country","banner"],char:'🇬🇬',fitzpatrick_scale:false,category:"flags"},guinea:{keywords:["gn","flag","nation","country","banner"],char:'🇬🇳',fitzpatrick_scale:false,category:"flags"},guinea_bissau:{keywords:["gw","bissau","flag","nation","country","banner"],char:'🇬🇼',fitzpatrick_scale:false,category:"flags"},guyana:{keywords:["gy","flag","nation","country","banner"],char:'🇬🇾',fitzpatrick_scale:false,category:"flags"},haiti:{keywords:["ht","flag","nation","country","banner"],char:'🇭🇹',fitzpatrick_scale:false,category:"flags"},honduras:{keywords:["hn","flag","nation","country","banner"],char:'🇭🇳',fitzpatrick_scale:false,category:"flags"},hong_kong:{keywords:["hong","kong","flag","nation","country","banner"],char:'🇭🇰',fitzpatrick_scale:false,category:"flags"},hungary:{keywords:["hu","flag","nation","country","banner"],char:'🇭🇺',fitzpatrick_scale:false,category:"flags"},iceland:{keywords:["is","flag","nation","country","banner"],char:'🇮🇸',fitzpatrick_scale:false,category:"flags"},india:{keywords:["in","flag","nation","country","banner"],char:'🇮🇳',fitzpatrick_scale:false,category:"flags"},indonesia:{keywords:["flag","nation","country","banner"],char:'🇮🇩',fitzpatrick_scale:false,category:"flags"},iran:{keywords:["iran,","islamic","republic","flag","nation","country","banner"],char:'🇮🇷',fitzpatrick_scale:false,category:"flags"},iraq:{keywords:["iq","flag","nation","country","banner"],char:'🇮🇶',fitzpatrick_scale:false,category:"flags"},ireland:{keywords:["ie","flag","nation","country","banner"],char:'🇮🇪',fitzpatrick_scale:false,category:"flags"},isle_of_man:{keywords:["isle","man","flag","nation","country","banner"],char:'🇮🇲',fitzpatrick_scale:false,category:"flags"},israel:{keywords:["il","flag","nation","country","banner"],char:'🇮🇱',fitzpatrick_scale:false,category:"flags"},it:{keywords:["italy","flag","nation","country","banner"],char:'🇮🇹',fitzpatrick_scale:false,category:"flags"},cote_divoire:{keywords:["ivory","coast","flag","nation","country","banner"],char:'🇨🇮',fitzpatrick_scale:false,category:"flags"},jamaica:{keywords:["jm","flag","nation","country","banner"],char:'🇯🇲',fitzpatrick_scale:false,category:"flags"},jp:{keywords:["japanese","nation","flag","country","banner"],char:'🇯🇵',fitzpatrick_scale:false,category:"flags"},jersey:{keywords:["je","flag","nation","country","banner"],char:'🇯🇪',fitzpatrick_scale:false,category:"flags"},jordan:{keywords:["jo","flag","nation","country","banner"],char:'🇯🇴',fitzpatrick_scale:false,category:"flags"},kazakhstan:{keywords:["kz","flag","nation","country","banner"],char:'🇰🇿',fitzpatrick_scale:false,category:"flags"},kenya:{keywords:["ke","flag","nation","country","banner"],char:'🇰🇪',fitzpatrick_scale:false,category:"flags"},kiribati:{keywords:["ki","flag","nation","country","banner"],char:'🇰🇮',fitzpatrick_scale:false,category:"flags"},kosovo:{keywords:["xk","flag","nation","country","banner"],char:'🇽🇰',fitzpatrick_scale:false,category:"flags"},kuwait:{keywords:["kw","flag","nation","country","banner"],char:'🇰🇼',fitzpatrick_scale:false,category:"flags"},kyrgyzstan:{keywords:["kg","flag","nation","country","banner"],char:'🇰🇬',fitzpatrick_scale:false,category:"flags"},laos:{keywords:["lao","democratic","republic","flag","nation","country","banner"],char:'🇱🇦',fitzpatrick_scale:false,category:"flags"},latvia:{keywords:["lv","flag","nation","country","banner"],char:'🇱🇻',fitzpatrick_scale:false,category:"flags"},lebanon:{keywords:["lb","flag","nation","country","banner"],char:'🇱🇧',fitzpatrick_scale:false,category:"flags"},lesotho:{keywords:["ls","flag","nation","country","banner"],char:'🇱🇸',fitzpatrick_scale:false,category:"flags"},liberia:{keywords:["lr","flag","nation","country","banner"],char:'🇱🇷',fitzpatrick_scale:false,category:"flags"},libya:{keywords:["ly","flag","nation","country","banner"],char:'🇱🇾',fitzpatrick_scale:false,category:"flags"},liechtenstein:{keywords:["li","flag","nation","country","banner"],char:'🇱🇮',fitzpatrick_scale:false,category:"flags"},lithuania:{keywords:["lt","flag","nation","country","banner"],char:'🇱🇹',fitzpatrick_scale:false,category:"flags"},luxembourg:{keywords:["lu","flag","nation","country","banner"],char:'🇱🇺',fitzpatrick_scale:false,category:"flags"},macau:{keywords:["macao","flag","nation","country","banner"],char:'🇲🇴',fitzpatrick_scale:false,category:"flags"},macedonia:{keywords:["macedonia,","flag","nation","country","banner"],char:'🇲🇰',fitzpatrick_scale:false,category:"flags"},madagascar:{keywords:["mg","flag","nation","country","banner"],char:'🇲🇬',fitzpatrick_scale:false,category:"flags"},malawi:{keywords:["mw","flag","nation","country","banner"],char:'🇲🇼',fitzpatrick_scale:false,category:"flags"},malaysia:{keywords:["my","flag","nation","country","banner"],char:'🇲🇾',fitzpatrick_scale:false,category:"flags"},maldives:{keywords:["mv","flag","nation","country","banner"],char:'🇲🇻',fitzpatrick_scale:false,category:"flags"},mali:{keywords:["ml","flag","nation","country","banner"],char:'🇲🇱',fitzpatrick_scale:false,category:"flags"},malta:{keywords:["mt","flag","nation","country","banner"],char:'🇲🇹',fitzpatrick_scale:false,category:"flags"},marshall_islands:{keywords:["marshall","islands","flag","nation","country","banner"],char:'🇲🇭',fitzpatrick_scale:false,category:"flags"},martinique:{keywords:["mq","flag","nation","country","banner"],char:'🇲🇶',fitzpatrick_scale:false,category:"flags"},mauritania:{keywords:["mr","flag","nation","country","banner"],char:'🇲🇷',fitzpatrick_scale:false,category:"flags"},mauritius:{keywords:["mu","flag","nation","country","banner"],char:'🇲🇺',fitzpatrick_scale:false,category:"flags"},mayotte:{keywords:["yt","flag","nation","country","banner"],char:'🇾🇹',fitzpatrick_scale:false,category:"flags"},mexico:{keywords:["mx","flag","nation","country","banner"],char:'🇲🇽',fitzpatrick_scale:false,category:"flags"},micronesia:{keywords:["micronesia,","federated","states","flag","nation","country","banner"],char:'🇫🇲',fitzpatrick_scale:false,category:"flags"},moldova:{keywords:["moldova,","republic","flag","nation","country","banner"],char:'🇲🇩',fitzpatrick_scale:false,category:"flags"},monaco:{keywords:["mc","flag","nation","country","banner"],char:'🇲🇨',fitzpatrick_scale:false,category:"flags"},mongolia:{keywords:["mn","flag","nation","country","banner"],char:'🇲🇳',fitzpatrick_scale:false,category:"flags"},montenegro:{keywords:["me","flag","nation","country","banner"],char:'🇲🇪',fitzpatrick_scale:false,category:"flags"},montserrat:{keywords:["ms","flag","nation","country","banner"],char:'🇲🇸',fitzpatrick_scale:false,category:"flags"},morocco:{keywords:["ma","flag","nation","country","banner"],char:'🇲🇦',fitzpatrick_scale:false,category:"flags"},mozambique:{keywords:["mz","flag","nation","country","banner"],char:'🇲🇿',fitzpatrick_scale:false,category:"flags"},myanmar:{keywords:["mm","flag","nation","country","banner"],char:'🇲🇲',fitzpatrick_scale:false,category:"flags"},namibia:{keywords:["na","flag","nation","country","banner"],char:'🇳🇦',fitzpatrick_scale:false,category:"flags"},nauru:{keywords:["nr","flag","nation","country","banner"],char:'🇳🇷',fitzpatrick_scale:false,category:"flags"},nepal:{keywords:["np","flag","nation","country","banner"],char:'🇳🇵',fitzpatrick_scale:false,category:"flags"},netherlands:{keywords:["nl","flag","nation","country","banner"],char:'🇳🇱',fitzpatrick_scale:false,category:"flags"},new_caledonia:{keywords:["new","caledonia","flag","nation","country","banner"],char:'🇳🇨',fitzpatrick_scale:false,category:"flags"},new_zealand:{keywords:["new","zealand","flag","nation","country","banner"],char:'🇳🇿',fitzpatrick_scale:false,category:"flags"},nicaragua:{keywords:["ni","flag","nation","country","banner"],char:'🇳🇮',fitzpatrick_scale:false,category:"flags"},niger:{keywords:["ne","flag","nation","country","banner"],char:'🇳🇪',fitzpatrick_scale:false,category:"flags"},nigeria:{keywords:["flag","nation","country","banner"],char:'🇳🇬',fitzpatrick_scale:false,category:"flags"},niue:{keywords:["nu","flag","nation","country","banner"],char:'🇳🇺',fitzpatrick_scale:false,category:"flags"},norfolk_island:{keywords:["norfolk","island","flag","nation","country","banner"],char:'🇳🇫',fitzpatrick_scale:false,category:"flags"},northern_mariana_islands:{keywords:["northern","mariana","islands","flag","nation","country","banner"],char:'🇲🇵',fitzpatrick_scale:false,category:"flags"},north_korea:{keywords:["north","korea","nation","flag","country","banner"],char:'🇰🇵',fitzpatrick_scale:false,category:"flags"},norway:{keywords:["no","flag","nation","country","banner"],char:'🇳🇴',fitzpatrick_scale:false,category:"flags"},oman:{keywords:["om_symbol","flag","nation","country","banner"],char:'🇴🇲',fitzpatrick_scale:false,category:"flags"},pakistan:{keywords:["pk","flag","nation","country","banner"],char:'🇵🇰',fitzpatrick_scale:false,category:"flags"},palau:{keywords:["pw","flag","nation","country","banner"],char:'🇵🇼',fitzpatrick_scale:false,category:"flags"},palestinian_territories:{keywords:["palestine","palestinian","territories","flag","nation","country","banner"],char:'🇵🇸',fitzpatrick_scale:false,category:"flags"},panama:{keywords:["pa","flag","nation","country","banner"],char:'🇵🇦',fitzpatrick_scale:false,category:"flags"},papua_new_guinea:{keywords:["papua","new","guinea","flag","nation","country","banner"],char:'🇵🇬',fitzpatrick_scale:false,category:"flags"},paraguay:{keywords:["py","flag","nation","country","banner"],char:'🇵🇾',fitzpatrick_scale:false,category:"flags"},peru:{keywords:["pe","flag","nation","country","banner"],char:'🇵🇪',fitzpatrick_scale:false,category:"flags"},philippines:{keywords:["ph","flag","nation","country","banner"],char:'🇵🇭',fitzpatrick_scale:false,category:"flags"},pitcairn_islands:{keywords:["pitcairn","flag","nation","country","banner"],char:'🇵🇳',fitzpatrick_scale:false,category:"flags"},poland:{keywords:["pl","flag","nation","country","banner"],char:'🇵🇱',fitzpatrick_scale:false,category:"flags"},portugal:{keywords:["pt","flag","nation","country","banner"],char:'🇵🇹',fitzpatrick_scale:false,category:"flags"},puerto_rico:{keywords:["puerto","rico","flag","nation","country","banner"],char:'🇵🇷',fitzpatrick_scale:false,category:"flags"},qatar:{keywords:["qa","flag","nation","country","banner"],char:'🇶🇦',fitzpatrick_scale:false,category:"flags"},reunion:{keywords:["réunion","flag","nation","country","banner"],char:'🇷🇪',fitzpatrick_scale:false,category:"flags"},romania:{keywords:["ro","flag","nation","country","banner"],char:'🇷🇴',fitzpatrick_scale:false,category:"flags"},ru:{keywords:["russian","federation","flag","nation","country","banner"],char:'🇷🇺',fitzpatrick_scale:false,category:"flags"},rwanda:{keywords:["rw","flag","nation","country","banner"],char:'🇷🇼',fitzpatrick_scale:false,category:"flags"},st_barthelemy:{keywords:["saint","barthélemy","flag","nation","country","banner"],char:'🇧🇱',fitzpatrick_scale:false,category:"flags"},st_helena:{keywords:["saint","helena","ascension","tristan","cunha","flag","nation","country","banner"],char:'🇸🇭',fitzpatrick_scale:false,category:"flags"},st_kitts_nevis:{keywords:["saint","kitts","nevis","flag","nation","country","banner"],char:'🇰🇳',fitzpatrick_scale:false,category:"flags"},st_lucia:{keywords:["saint","lucia","flag","nation","country","banner"],char:'🇱🇨',fitzpatrick_scale:false,category:"flags"},st_pierre_miquelon:{keywords:["saint","pierre","miquelon","flag","nation","country","banner"],char:'🇵🇲',fitzpatrick_scale:false,category:"flags"},st_vincent_grenadines:{keywords:["saint","vincent","grenadines","flag","nation","country","banner"],char:'🇻🇨',fitzpatrick_scale:false,category:"flags"},samoa:{keywords:["ws","flag","nation","country","banner"],char:'🇼🇸',fitzpatrick_scale:false,category:"flags"},san_marino:{keywords:["san","marino","flag","nation","country","banner"],char:'🇸🇲',fitzpatrick_scale:false,category:"flags"},sao_tome_principe:{keywords:["sao","tome","principe","flag","nation","country","banner"],char:'🇸🇹',fitzpatrick_scale:false,category:"flags"},saudi_arabia:{keywords:["flag","nation","country","banner"],char:'🇸🇦',fitzpatrick_scale:false,category:"flags"},senegal:{keywords:["sn","flag","nation","country","banner"],char:'🇸🇳',fitzpatrick_scale:false,category:"flags"},serbia:{keywords:["rs","flag","nation","country","banner"],char:'🇷🇸',fitzpatrick_scale:false,category:"flags"},seychelles:{keywords:["sc","flag","nation","country","banner"],char:'🇸🇨',fitzpatrick_scale:false,category:"flags"},sierra_leone:{keywords:["sierra","leone","flag","nation","country","banner"],char:'🇸🇱',fitzpatrick_scale:false,category:"flags"},singapore:{keywords:["sg","flag","nation","country","banner"],char:'🇸🇬',fitzpatrick_scale:false,category:"flags"},sint_maarten:{keywords:["sint","maarten","dutch","flag","nation","country","banner"],char:'🇸🇽',fitzpatrick_scale:false,category:"flags"},slovakia:{keywords:["sk","flag","nation","country","banner"],char:'🇸🇰',fitzpatrick_scale:false,category:"flags"},slovenia:{keywords:["si","flag","nation","country","banner"],char:'🇸🇮',fitzpatrick_scale:false,category:"flags"},solomon_islands:{keywords:["solomon","islands","flag","nation","country","banner"],char:'🇸🇧',fitzpatrick_scale:false,category:"flags"},somalia:{keywords:["so","flag","nation","country","banner"],char:'🇸🇴',fitzpatrick_scale:false,category:"flags"},south_africa:{keywords:["south","africa","flag","nation","country","banner"],char:'🇿🇦',fitzpatrick_scale:false,category:"flags"},south_georgia_south_sandwich_islands:{keywords:["south","georgia","sandwich","islands","flag","nation","country","banner"],char:'🇬🇸',fitzpatrick_scale:false,category:"flags"},kr:{keywords:["south","korea","nation","flag","country","banner"],char:'🇰🇷',fitzpatrick_scale:false,category:"flags"},south_sudan:{keywords:["south","sd","flag","nation","country","banner"],char:'🇸🇸',fitzpatrick_scale:false,category:"flags"},es:{keywords:["spain","flag","nation","country","banner"],char:'🇪🇸',fitzpatrick_scale:false,category:"flags"},sri_lanka:{keywords:["sri","lanka","flag","nation","country","banner"],char:'🇱🇰',fitzpatrick_scale:false,category:"flags"},sudan:{keywords:["sd","flag","nation","country","banner"],char:'🇸🇩',fitzpatrick_scale:false,category:"flags"},suriname:{keywords:["sr","flag","nation","country","banner"],char:'🇸🇷',fitzpatrick_scale:false,category:"flags"},swaziland:{keywords:["sz","flag","nation","country","banner"],char:'🇸🇿',fitzpatrick_scale:false,category:"flags"},sweden:{keywords:["se","flag","nation","country","banner"],char:'🇸🇪',fitzpatrick_scale:false,category:"flags"},switzerland:{keywords:["ch","flag","nation","country","banner"],char:'🇨🇭',fitzpatrick_scale:false,category:"flags"},syria:{keywords:["syrian","arab","republic","flag","nation","country","banner"],char:'🇸🇾',fitzpatrick_scale:false,category:"flags"},taiwan:{keywords:["tw","flag","nation","country","banner"],char:'🇹🇼',fitzpatrick_scale:false,category:"flags"},tajikistan:{keywords:["tj","flag","nation","country","banner"],char:'🇹🇯',fitzpatrick_scale:false,category:"flags"},tanzania:{keywords:["tanzania,","united","republic","flag","nation","country","banner"],char:'🇹🇿',fitzpatrick_scale:false,category:"flags"},thailand:{keywords:["th","flag","nation","country","banner"],char:'🇹🇭',fitzpatrick_scale:false,category:"flags"},timor_leste:{keywords:["timor","leste","flag","nation","country","banner"],char:'🇹🇱',fitzpatrick_scale:false,category:"flags"},togo:{keywords:["tg","flag","nation","country","banner"],char:'🇹🇬',fitzpatrick_scale:false,category:"flags"},tokelau:{keywords:["tk","flag","nation","country","banner"],char:'🇹🇰',fitzpatrick_scale:false,category:"flags"},tonga:{keywords:["to","flag","nation","country","banner"],char:'🇹🇴',fitzpatrick_scale:false,category:"flags"},trinidad_tobago:{keywords:["trinidad","tobago","flag","nation","country","banner"],char:'🇹🇹',fitzpatrick_scale:false,category:"flags"},tunisia:{keywords:["tn","flag","nation","country","banner"],char:'🇹🇳',fitzpatrick_scale:false,category:"flags"},tr:{keywords:["turkey","flag","nation","country","banner"],char:'🇹🇷',fitzpatrick_scale:false,category:"flags"},turkmenistan:{keywords:["flag","nation","country","banner"],char:'🇹🇲',fitzpatrick_scale:false,category:"flags"},turks_caicos_islands:{keywords:["turks","caicos","islands","flag","nation","country","banner"],char:'🇹🇨',fitzpatrick_scale:false,category:"flags"},tuvalu:{keywords:["flag","nation","country","banner"],char:'🇹🇻',fitzpatrick_scale:false,category:"flags"},uganda:{keywords:["ug","flag","nation","country","banner"],char:'🇺🇬',fitzpatrick_scale:false,category:"flags"},ukraine:{keywords:["ua","flag","nation","country","banner"],char:'🇺🇦',fitzpatrick_scale:false,category:"flags"},united_arab_emirates:{keywords:["united","arab","emirates","flag","nation","country","banner"],char:'🇦🇪',fitzpatrick_scale:false,category:"flags"},uk:{keywords:["united","kingdom","great","britain","northern","ireland","flag","nation","country","banner","british","UK","english","england","union jack"],char:'🇬🇧',fitzpatrick_scale:false,category:"flags"},england:{keywords:["flag","english"],char:'🏴󠁧󠁢󠁥󠁮󠁧󠁿',fitzpatrick_scale:false,category:"flags"},scotland:{keywords:["flag","scottish"],char:'🏴󠁧󠁢󠁳󠁣󠁴󠁿',fitzpatrick_scale:false,category:"flags"},wales:{keywords:["flag","welsh"],char:'🏴󠁧󠁢󠁷󠁬󠁳󠁿',fitzpatrick_scale:false,category:"flags"},us:{keywords:["united","states","america","flag","nation","country","banner"],char:'🇺🇸',fitzpatrick_scale:false,category:"flags"},us_virgin_islands:{keywords:["virgin","islands","us","flag","nation","country","banner"],char:'🇻🇮',fitzpatrick_scale:false,category:"flags"},uruguay:{keywords:["uy","flag","nation","country","banner"],char:'🇺🇾',fitzpatrick_scale:false,category:"flags"},uzbekistan:{keywords:["uz","flag","nation","country","banner"],char:'🇺🇿',fitzpatrick_scale:false,category:"flags"},vanuatu:{keywords:["vu","flag","nation","country","banner"],char:'🇻🇺',fitzpatrick_scale:false,category:"flags"},vatican_city:{keywords:["vatican","city","flag","nation","country","banner"],char:'🇻🇦',fitzpatrick_scale:false,category:"flags"},venezuela:{keywords:["ve","bolivarian","republic","flag","nation","country","banner"],char:'🇻🇪',fitzpatrick_scale:false,category:"flags"},vietnam:{keywords:["viet","nam","flag","nation","country","banner"],char:'🇻🇳',fitzpatrick_scale:false,category:"flags"},wallis_futuna:{keywords:["wallis","futuna","flag","nation","country","banner"],char:'🇼🇫',fitzpatrick_scale:false,category:"flags"},western_sahara:{keywords:["western","sahara","flag","nation","country","banner"],char:'🇪🇭',fitzpatrick_scale:false,category:"flags"},yemen:{keywords:["ye","flag","nation","country","banner"],char:'🇾🇪',fitzpatrick_scale:false,category:"flags"},zambia:{keywords:["zm","flag","nation","country","banner"],char:'🇿🇲',fitzpatrick_scale:false,category:"flags"},zimbabwe:{keywords:["zw","flag","nation","country","banner"],char:'🇿🇼',fitzpatrick_scale:false,category:"flags"},united_nations:{keywords:["un","flag","banner"],char:'🇺🇳',fitzpatrick_scale:false,category:"flags"},pirate_flag:{keywords:["skull","crossbones","flag","banner"],char:'🏴‍☠️',fitzpatrick_scale:false,category:"flags"}}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/emoticons/js/emojiimages.min.js b/deform/static/tinymce/plugins/emoticons/js/emojiimages.min.js new file mode 100644 index 00000000..37f3bcf8 --- /dev/null +++ b/deform/static/tinymce/plugins/emoticons/js/emojiimages.min.js @@ -0,0 +1,3 @@ +// Source: npm package: emojilib +// Images provided by twemoji: https://github.com/twitter/twemoji +window.tinymce.Resource.add("tinymce.plugins.emoticons",{100:{keywords:["score","perfect","numbers","century","exam","quiz","test","pass","hundred"],char:'\u{1f4af}',fitzpatrick_scale:!1,category:"symbols"},1234:{keywords:["numbers","blue-square"],char:'\u{1f522}',fitzpatrick_scale:!1,category:"symbols"},grinning:{keywords:["face","smile","happy","joy",":D","grin"],char:'\u{1f600}',fitzpatrick_scale:!1,category:"people"},grimacing:{keywords:["face","grimace","teeth"],char:'\u{1f62c}',fitzpatrick_scale:!1,category:"people"},grin:{keywords:["face","happy","smile","joy","kawaii"],char:'\u{1f601}',fitzpatrick_scale:!1,category:"people"},joy:{keywords:["face","cry","tears","weep","happy","happytears","haha"],char:'\u{1f602}',fitzpatrick_scale:!1,category:"people"},rofl:{keywords:["face","rolling","floor","laughing","lol","haha"],char:'\u{1f923}',fitzpatrick_scale:!1,category:"people"},partying:{keywords:["face","celebration","woohoo"],char:'\u{1f973}',fitzpatrick_scale:!1,category:"people"},smiley:{keywords:["face","happy","joy","haha",":D",":)","smile","funny"],char:'\u{1f603}',fitzpatrick_scale:!1,category:"people"},smile:{keywords:["face","happy","joy","funny","haha","laugh","like",":D",":)"],char:'\u{1f604}',fitzpatrick_scale:!1,category:"people"},sweat_smile:{keywords:["face","hot","happy","laugh","sweat","smile","relief"],char:'\u{1f605}',fitzpatrick_scale:!1,category:"people"},laughing:{keywords:["happy","joy","lol","satisfied","haha","face","glad","XD","laugh"],char:'\u{1f606}',fitzpatrick_scale:!1,category:"people"},innocent:{keywords:["face","angel","heaven","halo"],char:'\u{1f607}',fitzpatrick_scale:!1,category:"people"},wink:{keywords:["face","happy","mischievous","secret",";)","smile","eye"],char:'\u{1f609}',fitzpatrick_scale:!1,category:"people"},blush:{keywords:["face","smile","happy","flushed","crush","embarrassed","shy","joy"],char:'\u{1f60a}',fitzpatrick_scale:!1,category:"people"},slightly_smiling_face:{keywords:["face","smile"],char:'\u{1f642}',fitzpatrick_scale:!1,category:"people"},upside_down_face:{keywords:["face","flipped","silly","smile"],char:'\u{1f643}',fitzpatrick_scale:!1,category:"people"},relaxed:{keywords:["face","blush","massage","happiness"],char:'\u263a\ufe0f',fitzpatrick_scale:!1,category:"people"},yum:{keywords:["happy","joy","tongue","smile","face","silly","yummy","nom","delicious","savouring"],char:'\u{1f60b}',fitzpatrick_scale:!1,category:"people"},relieved:{keywords:["face","relaxed","phew","massage","happiness"],char:'\u{1f60c}',fitzpatrick_scale:!1,category:"people"},heart_eyes:{keywords:["face","love","like","affection","valentines","infatuation","crush","heart"],char:'\u{1f60d}',fitzpatrick_scale:!1,category:"people"},smiling_face_with_three_hearts:{keywords:["face","love","like","affection","valentines","infatuation","crush","hearts","adore"],char:'\u{1f970}',fitzpatrick_scale:!1,category:"people"},kissing_heart:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:'\u{1f618}',fitzpatrick_scale:!1,category:"people"},kissing:{keywords:["love","like","face","3","valentines","infatuation","kiss"],char:'\u{1f617}',fitzpatrick_scale:!1,category:"people"},kissing_smiling_eyes:{keywords:["face","affection","valentines","infatuation","kiss"],char:'\u{1f619}',fitzpatrick_scale:!1,category:"people"},kissing_closed_eyes:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:'\u{1f61a}',fitzpatrick_scale:!1,category:"people"},stuck_out_tongue_winking_eye:{keywords:["face","prank","childish","playful","mischievous","smile","wink","tongue"],char:'\u{1f61c}',fitzpatrick_scale:!1,category:"people"},zany:{keywords:["face","goofy","crazy"],char:'\u{1f92a}',fitzpatrick_scale:!1,category:"people"},raised_eyebrow:{keywords:["face","distrust","scepticism","disapproval","disbelief","surprise"],char:'\u{1f928}',fitzpatrick_scale:!1,category:"people"},monocle:{keywords:["face","stuffy","wealthy"],char:'\u{1f9d0}',fitzpatrick_scale:!1,category:"people"},stuck_out_tongue_closed_eyes:{keywords:["face","prank","playful","mischievous","smile","tongue"],char:'\u{1f61d}',fitzpatrick_scale:!1,category:"people"},stuck_out_tongue:{keywords:["face","prank","childish","playful","mischievous","smile","tongue"],char:'\u{1f61b}',fitzpatrick_scale:!1,category:"people"},money_mouth_face:{keywords:["face","rich","dollar","money"],char:'\u{1f911}',fitzpatrick_scale:!1,category:"people"},nerd_face:{keywords:["face","nerdy","geek","dork"],char:'\u{1f913}',fitzpatrick_scale:!1,category:"people"},sunglasses:{keywords:["face","cool","smile","summer","beach","sunglass"],char:'\u{1f60e}',fitzpatrick_scale:!1,category:"people"},star_struck:{keywords:["face","smile","starry","eyes","grinning"],char:'\u{1f929}',fitzpatrick_scale:!1,category:"people"},clown_face:{keywords:["face"],char:'\u{1f921}',fitzpatrick_scale:!1,category:"people"},cowboy_hat_face:{keywords:["face","cowgirl","hat"],char:'\u{1f920}',fitzpatrick_scale:!1,category:"people"},hugs:{keywords:["face","smile","hug"],char:'\u{1f917}',fitzpatrick_scale:!1,category:"people"},smirk:{keywords:["face","smile","mean","prank","smug","sarcasm"],char:'\u{1f60f}',fitzpatrick_scale:!1,category:"people"},no_mouth:{keywords:["face","hellokitty"],char:'\u{1f636}',fitzpatrick_scale:!1,category:"people"},neutral_face:{keywords:["indifference","meh",":|","neutral"],char:'\u{1f610}',fitzpatrick_scale:!1,category:"people"},expressionless:{keywords:["face","indifferent","-_-","meh","deadpan"],char:'\u{1f611}',fitzpatrick_scale:!1,category:"people"},unamused:{keywords:["indifference","bored","straight face","serious","sarcasm","unimpressed","skeptical","dubious","side_eye"],char:'\u{1f612}',fitzpatrick_scale:!1,category:"people"},roll_eyes:{keywords:["face","eyeroll","frustrated"],char:'\u{1f644}',fitzpatrick_scale:!1,category:"people"},thinking:{keywords:["face","hmmm","think","consider"],char:'\u{1f914}',fitzpatrick_scale:!1,category:"people"},lying_face:{keywords:["face","lie","pinocchio"],char:'\u{1f925}',fitzpatrick_scale:!1,category:"people"},hand_over_mouth:{keywords:["face","whoops","shock","surprise"],char:'\u{1f92d}',fitzpatrick_scale:!1,category:"people"},shushing:{keywords:["face","quiet","shhh"],char:'\u{1f92b}',fitzpatrick_scale:!1,category:"people"},symbols_over_mouth:{keywords:["face","swearing","cursing","cussing","profanity","expletive"],char:'\u{1f92c}',fitzpatrick_scale:!1,category:"people"},exploding_head:{keywords:["face","shocked","mind","blown"],char:'\u{1f92f}',fitzpatrick_scale:!1,category:"people"},flushed:{keywords:["face","blush","shy","flattered"],char:'\u{1f633}',fitzpatrick_scale:!1,category:"people"},disappointed:{keywords:["face","sad","upset","depressed",":("],char:'\u{1f61e}',fitzpatrick_scale:!1,category:"people"},worried:{keywords:["face","concern","nervous",":("],char:'\u{1f61f}',fitzpatrick_scale:!1,category:"people"},angry:{keywords:["mad","face","annoyed","frustrated"],char:'\u{1f620}',fitzpatrick_scale:!1,category:"people"},rage:{keywords:["angry","mad","hate","despise"],char:'\u{1f621}',fitzpatrick_scale:!1,category:"people"},pensive:{keywords:["face","sad","depressed","upset"],char:'\u{1f614}',fitzpatrick_scale:!1,category:"people"},confused:{keywords:["face","indifference","huh","weird","hmmm",":/"],char:'\u{1f615}',fitzpatrick_scale:!1,category:"people"},slightly_frowning_face:{keywords:["face","frowning","disappointed","sad","upset"],char:'\u{1f641}',fitzpatrick_scale:!1,category:"people"},frowning_face:{keywords:["face","sad","upset","frown"],char:'\u2639',fitzpatrick_scale:!1,category:"people"},persevere:{keywords:["face","sick","no","upset","oops"],char:'\u{1f623}',fitzpatrick_scale:!1,category:"people"},confounded:{keywords:["face","confused","sick","unwell","oops",":S"],char:'\u{1f616}',fitzpatrick_scale:!1,category:"people"},tired_face:{keywords:["sick","whine","upset","frustrated"],char:'\u{1f62b}',fitzpatrick_scale:!1,category:"people"},weary:{keywords:["face","tired","sleepy","sad","frustrated","upset"],char:'\u{1f629}',fitzpatrick_scale:!1,category:"people"},pleading:{keywords:["face","begging","mercy"],char:'\u{1f97a}',fitzpatrick_scale:!1,category:"people"},triumph:{keywords:["face","gas","phew","proud","pride"],char:'\u{1f624}',fitzpatrick_scale:!1,category:"people"},open_mouth:{keywords:["face","surprise","impressed","wow","whoa",":O"],char:'\u{1f62e}',fitzpatrick_scale:!1,category:"people"},scream:{keywords:["face","munch","scared","omg"],char:'\u{1f631}',fitzpatrick_scale:!1,category:"people"},fearful:{keywords:["face","scared","terrified","nervous","oops","huh"],char:'\u{1f628}',fitzpatrick_scale:!1,category:"people"},cold_sweat:{keywords:["face","nervous","sweat"],char:'\u{1f630}',fitzpatrick_scale:!1,category:"people"},hushed:{keywords:["face","woo","shh"],char:'\u{1f62f}',fitzpatrick_scale:!1,category:"people"},frowning:{keywords:["face","aw","what"],char:'\u{1f626}',fitzpatrick_scale:!1,category:"people"},anguished:{keywords:["face","stunned","nervous"],char:'\u{1f627}',fitzpatrick_scale:!1,category:"people"},cry:{keywords:["face","tears","sad","depressed","upset",":'("],char:'\u{1f622}',fitzpatrick_scale:!1,category:"people"},disappointed_relieved:{keywords:["face","phew","sweat","nervous"],char:'\u{1f625}',fitzpatrick_scale:!1,category:"people"},drooling_face:{keywords:["face"],char:'\u{1f924}',fitzpatrick_scale:!1,category:"people"},sleepy:{keywords:["face","tired","rest","nap"],char:'\u{1f62a}',fitzpatrick_scale:!1,category:"people"},sweat:{keywords:["face","hot","sad","tired","exercise"],char:'\u{1f613}',fitzpatrick_scale:!1,category:"people"},hot:{keywords:["face","feverish","heat","red","sweating"],char:'\u{1f975}',fitzpatrick_scale:!1,category:"people"},cold:{keywords:["face","blue","freezing","frozen","frostbite","icicles"],char:'\u{1f976}',fitzpatrick_scale:!1,category:"people"},sob:{keywords:["face","cry","tears","sad","upset","depressed"],char:'\u{1f62d}',fitzpatrick_scale:!1,category:"people"},dizzy_face:{keywords:["spent","unconscious","xox","dizzy"],char:'\u{1f635}',fitzpatrick_scale:!1,category:"people"},astonished:{keywords:["face","xox","surprised","poisoned"],char:'\u{1f632}',fitzpatrick_scale:!1,category:"people"},zipper_mouth_face:{keywords:["face","sealed","zipper","secret"],char:'\u{1f910}',fitzpatrick_scale:!1,category:"people"},nauseated_face:{keywords:["face","vomit","gross","green","sick","throw up","ill"],char:'\u{1f922}',fitzpatrick_scale:!1,category:"people"},sneezing_face:{keywords:["face","gesundheit","sneeze","sick","allergy"],char:'\u{1f927}',fitzpatrick_scale:!1,category:"people"},vomiting:{keywords:["face","sick"],char:'\u{1f92e}',fitzpatrick_scale:!1,category:"people"},mask:{keywords:["face","sick","ill","disease"],char:'\u{1f637}',fitzpatrick_scale:!1,category:"people"},face_with_thermometer:{keywords:["sick","temperature","thermometer","cold","fever"],char:'\u{1f912}',fitzpatrick_scale:!1,category:"people"},face_with_head_bandage:{keywords:["injured","clumsy","bandage","hurt"],char:'\u{1f915}',fitzpatrick_scale:!1,category:"people"},woozy:{keywords:["face","dizzy","intoxicated","tipsy","wavy"],char:'\u{1f974}',fitzpatrick_scale:!1,category:"people"},sleeping:{keywords:["face","tired","sleepy","night","zzz"],char:'\u{1f634}',fitzpatrick_scale:!1,category:"people"},zzz:{keywords:["sleepy","tired","dream"],char:'\u{1f4a4}',fitzpatrick_scale:!1,category:"people"},poop:{keywords:["hankey","shitface","fail","turd","shit"],char:'\u{1f4a9}',fitzpatrick_scale:!1,category:"people"},smiling_imp:{keywords:["devil","horns"],char:'\u{1f608}',fitzpatrick_scale:!1,category:"people"},imp:{keywords:["devil","angry","horns"],char:'\u{1f47f}',fitzpatrick_scale:!1,category:"people"},japanese_ogre:{keywords:["monster","red","mask","halloween","scary","creepy","devil","demon","japanese","ogre"],char:'\u{1f479}',fitzpatrick_scale:!1,category:"people"},japanese_goblin:{keywords:["red","evil","mask","monster","scary","creepy","japanese","goblin"],char:'\u{1f47a}',fitzpatrick_scale:!1,category:"people"},skull:{keywords:["dead","skeleton","creepy","death"],char:'\u{1f480}',fitzpatrick_scale:!1,category:"people"},ghost:{keywords:["halloween","spooky","scary"],char:'\u{1f47b}',fitzpatrick_scale:!1,category:"people"},alien:{keywords:["UFO","paul","weird","outer_space"],char:'\u{1f47d}',fitzpatrick_scale:!1,category:"people"},robot:{keywords:["computer","machine","bot"],char:'\u{1f916}',fitzpatrick_scale:!1,category:"people"},smiley_cat:{keywords:["animal","cats","happy","smile"],char:'\u{1f63a}',fitzpatrick_scale:!1,category:"people"},smile_cat:{keywords:["animal","cats","smile"],char:'\u{1f638}',fitzpatrick_scale:!1,category:"people"},joy_cat:{keywords:["animal","cats","haha","happy","tears"],char:'\u{1f639}',fitzpatrick_scale:!1,category:"people"},heart_eyes_cat:{keywords:["animal","love","like","affection","cats","valentines","heart"],char:'\u{1f63b}',fitzpatrick_scale:!1,category:"people"},smirk_cat:{keywords:["animal","cats","smirk"],char:'\u{1f63c}',fitzpatrick_scale:!1,category:"people"},kissing_cat:{keywords:["animal","cats","kiss"],char:'\u{1f63d}',fitzpatrick_scale:!1,category:"people"},scream_cat:{keywords:["animal","cats","munch","scared","scream"],char:'\u{1f640}',fitzpatrick_scale:!1,category:"people"},crying_cat_face:{keywords:["animal","tears","weep","sad","cats","upset","cry"],char:'\u{1f63f}',fitzpatrick_scale:!1,category:"people"},pouting_cat:{keywords:["animal","cats"],char:'\u{1f63e}',fitzpatrick_scale:!1,category:"people"},palms_up:{keywords:["hands","gesture","cupped","prayer"],char:'\u{1f932}',fitzpatrick_scale:!0,category:"people"},raised_hands:{keywords:["gesture","hooray","yea","celebration","hands"],char:'\u{1f64c}',fitzpatrick_scale:!0,category:"people"},clap:{keywords:["hands","praise","applause","congrats","yay"],char:'\u{1f44f}',fitzpatrick_scale:!0,category:"people"},wave:{keywords:["hands","gesture","goodbye","solong","farewell","hello","hi","palm"],char:'\u{1f44b}',fitzpatrick_scale:!0,category:"people"},call_me_hand:{keywords:["hands","gesture"],char:'\u{1f919}',fitzpatrick_scale:!0,category:"people"},"+1":{keywords:["thumbsup","yes","awesome","good","agree","accept","cool","hand","like"],char:'\u{1f44d}',fitzpatrick_scale:!0,category:"people"},"-1":{keywords:["thumbsdown","no","dislike","hand"],char:'\u{1f44e}',fitzpatrick_scale:!0,category:"people"},facepunch:{keywords:["angry","violence","fist","hit","attack","hand"],char:'\u{1f44a}',fitzpatrick_scale:!0,category:"people"},fist:{keywords:["fingers","hand","grasp"],char:'\u270a',fitzpatrick_scale:!0,category:"people"},fist_left:{keywords:["hand","fistbump"],char:'\u{1f91b}',fitzpatrick_scale:!0,category:"people"},fist_right:{keywords:["hand","fistbump"],char:'\u{1f91c}',fitzpatrick_scale:!0,category:"people"},v:{keywords:["fingers","ohyeah","hand","peace","victory","two"],char:'\u270c',fitzpatrick_scale:!0,category:"people"},ok_hand:{keywords:["fingers","limbs","perfect","ok","okay"],char:'\u{1f44c}',fitzpatrick_scale:!0,category:"people"},raised_hand:{keywords:["fingers","stop","highfive","palm","ban"],char:'\u270b',fitzpatrick_scale:!0,category:"people"},raised_back_of_hand:{keywords:["fingers","raised","backhand"],char:'\u{1f91a}',fitzpatrick_scale:!0,category:"people"},open_hands:{keywords:["fingers","butterfly","hands","open"],char:'\u{1f450}',fitzpatrick_scale:!0,category:"people"},muscle:{keywords:["arm","flex","hand","summer","strong","biceps"],char:'\u{1f4aa}',fitzpatrick_scale:!0,category:"people"},pray:{keywords:["please","hope","wish","namaste","highfive"],char:'\u{1f64f}',fitzpatrick_scale:!0,category:"people"},foot:{keywords:["kick","stomp"],char:'\u{1f9b6}',fitzpatrick_scale:!0,category:"people"},leg:{keywords:["kick","limb"],char:'\u{1f9b5}',fitzpatrick_scale:!0,category:"people"},handshake:{keywords:["agreement","shake"],char:'\u{1f91d}',fitzpatrick_scale:!1,category:"people"},point_up:{keywords:["hand","fingers","direction","up"],char:'\u261d',fitzpatrick_scale:!0,category:"people"},point_up_2:{keywords:["fingers","hand","direction","up"],char:'\u{1f446}',fitzpatrick_scale:!0,category:"people"},point_down:{keywords:["fingers","hand","direction","down"],char:'\u{1f447}',fitzpatrick_scale:!0,category:"people"},point_left:{keywords:["direction","fingers","hand","left"],char:'\u{1f448}',fitzpatrick_scale:!0,category:"people"},point_right:{keywords:["fingers","hand","direction","right"],char:'\u{1f449}',fitzpatrick_scale:!0,category:"people"},fu:{keywords:["hand","fingers","rude","middle","flipping"],char:'\u{1f595}',fitzpatrick_scale:!0,category:"people"},raised_hand_with_fingers_splayed:{keywords:["hand","fingers","palm"],char:'\u{1f590}',fitzpatrick_scale:!0,category:"people"},love_you:{keywords:["hand","fingers","gesture"],char:'\u{1f91f}',fitzpatrick_scale:!0,category:"people"},metal:{keywords:["hand","fingers","evil_eye","sign_of_horns","rock_on"],char:'\u{1f918}',fitzpatrick_scale:!0,category:"people"},crossed_fingers:{keywords:["good","lucky"],char:'\u{1f91e}',fitzpatrick_scale:!0,category:"people"},vulcan_salute:{keywords:["hand","fingers","spock","star trek"],char:'\u{1f596}',fitzpatrick_scale:!0,category:"people"},writing_hand:{keywords:["lower_left_ballpoint_pen","stationery","write","compose"],char:'\u270d',fitzpatrick_scale:!0,category:"people"},selfie:{keywords:["camera","phone"],char:'\u{1f933}',fitzpatrick_scale:!0,category:"people"},nail_care:{keywords:["beauty","manicure","finger","fashion","nail"],char:'\u{1f485}',fitzpatrick_scale:!0,category:"people"},lips:{keywords:["mouth","kiss"],char:'\u{1f444}',fitzpatrick_scale:!1,category:"people"},tooth:{keywords:["teeth","dentist"],char:'\u{1f9b7}',fitzpatrick_scale:!1,category:"people"},tongue:{keywords:["mouth","playful"],char:'\u{1f445}',fitzpatrick_scale:!1,category:"people"},ear:{keywords:["face","hear","sound","listen"],char:'\u{1f442}',fitzpatrick_scale:!0,category:"people"},nose:{keywords:["smell","sniff"],char:'\u{1f443}',fitzpatrick_scale:!0,category:"people"},eye:{keywords:["face","look","see","watch","stare"],char:'\u{1f441}',fitzpatrick_scale:!1,category:"people"},eyes:{keywords:["look","watch","stalk","peek","see"],char:'\u{1f440}',fitzpatrick_scale:!1,category:"people"},brain:{keywords:["smart","intelligent"],char:'\u{1f9e0}',fitzpatrick_scale:!1,category:"people"},bust_in_silhouette:{keywords:["user","person","human"],char:'\u{1f464}',fitzpatrick_scale:!1,category:"people"},busts_in_silhouette:{keywords:["user","person","human","group","team"],char:'\u{1f465}',fitzpatrick_scale:!1,category:"people"},speaking_head:{keywords:["user","person","human","sing","say","talk"],char:'\u{1f5e3}',fitzpatrick_scale:!1,category:"people"},baby:{keywords:["child","boy","girl","toddler"],char:'\u{1f476}',fitzpatrick_scale:!0,category:"people"},child:{keywords:["gender-neutral","young"],char:'\u{1f9d2}',fitzpatrick_scale:!0,category:"people"},boy:{keywords:["man","male","guy","teenager"],char:'\u{1f466}',fitzpatrick_scale:!0,category:"people"},girl:{keywords:["female","woman","teenager"],char:'\u{1f467}',fitzpatrick_scale:!0,category:"people"},adult:{keywords:["gender-neutral","person"],char:'\u{1f9d1}',fitzpatrick_scale:!0,category:"people"},man:{keywords:["mustache","father","dad","guy","classy","sir","moustache"],char:'\u{1f468}',fitzpatrick_scale:!0,category:"people"},woman:{keywords:["female","girls","lady"],char:'\u{1f469}',fitzpatrick_scale:!0,category:"people"},blonde_woman:{keywords:["woman","female","girl","blonde","person"],char:'\u{1f471}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},blonde_man:{keywords:["man","male","boy","blonde","guy","person"],char:'\u{1f471}',fitzpatrick_scale:!0,category:"people"},bearded_person:{keywords:["person","bewhiskered"],char:'\u{1f9d4}',fitzpatrick_scale:!0,category:"people"},older_adult:{keywords:["human","elder","senior","gender-neutral"],char:'\u{1f9d3}',fitzpatrick_scale:!0,category:"people"},older_man:{keywords:["human","male","men","old","elder","senior"],char:'\u{1f474}',fitzpatrick_scale:!0,category:"people"},older_woman:{keywords:["human","female","women","lady","old","elder","senior"],char:'\u{1f475}',fitzpatrick_scale:!0,category:"people"},man_with_gua_pi_mao:{keywords:["male","boy","chinese"],char:'\u{1f472}',fitzpatrick_scale:!0,category:"people"},woman_with_headscarf:{keywords:["female","hijab","mantilla","tichel"],char:'\u{1f9d5}',fitzpatrick_scale:!0,category:"people"},woman_with_turban:{keywords:["female","indian","hinduism","arabs","woman"],char:'\u{1f473}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},man_with_turban:{keywords:["male","indian","hinduism","arabs"],char:'\u{1f473}',fitzpatrick_scale:!0,category:"people"},policewoman:{keywords:["woman","police","law","legal","enforcement","arrest","911","female"],char:'\u{1f46e}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},policeman:{keywords:["man","police","law","legal","enforcement","arrest","911"],char:'\u{1f46e}',fitzpatrick_scale:!0,category:"people"},construction_worker_woman:{keywords:["female","human","wip","build","construction","worker","labor","woman"],char:'\u{1f477}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},construction_worker_man:{keywords:["male","human","wip","guy","build","construction","worker","labor"],char:'\u{1f477}',fitzpatrick_scale:!0,category:"people"},guardswoman:{keywords:["uk","gb","british","female","royal","woman"],char:'\u{1f482}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},guardsman:{keywords:["uk","gb","british","male","guy","royal"],char:'\u{1f482}',fitzpatrick_scale:!0,category:"people"},female_detective:{keywords:["human","spy","detective","female","woman"],char:'\u{1f575}\ufe0f\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},male_detective:{keywords:["human","spy","detective"],char:'\u{1f575}',fitzpatrick_scale:!0,category:"people"},woman_health_worker:{keywords:["doctor","nurse","therapist","healthcare","woman","human"],char:'\u{1f469}\u200d\u2695\ufe0f',fitzpatrick_scale:!0,category:"people"},man_health_worker:{keywords:["doctor","nurse","therapist","healthcare","man","human"],char:'\u{1f468}\u200d\u2695\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_farmer:{keywords:["rancher","gardener","woman","human"],char:'\u{1f469}\u200d\u{1f33e}',fitzpatrick_scale:!0,category:"people"},man_farmer:{keywords:["rancher","gardener","man","human"],char:'\u{1f468}\u200d\u{1f33e}',fitzpatrick_scale:!0,category:"people"},woman_cook:{keywords:["chef","woman","human"],char:'\u{1f469}\u200d\u{1f373}',fitzpatrick_scale:!0,category:"people"},man_cook:{keywords:["chef","man","human"],char:'\u{1f468}\u200d\u{1f373}',fitzpatrick_scale:!0,category:"people"},woman_student:{keywords:["graduate","woman","human"],char:'\u{1f469}\u200d\u{1f393}',fitzpatrick_scale:!0,category:"people"},man_student:{keywords:["graduate","man","human"],char:'\u{1f468}\u200d\u{1f393}',fitzpatrick_scale:!0,category:"people"},woman_singer:{keywords:["rockstar","entertainer","woman","human"],char:'\u{1f469}\u200d\u{1f3a4}',fitzpatrick_scale:!0,category:"people"},man_singer:{keywords:["rockstar","entertainer","man","human"],char:'\u{1f468}\u200d\u{1f3a4}',fitzpatrick_scale:!0,category:"people"},woman_teacher:{keywords:["instructor","professor","woman","human"],char:'\u{1f469}\u200d\u{1f3eb}',fitzpatrick_scale:!0,category:"people"},man_teacher:{keywords:["instructor","professor","man","human"],char:'\u{1f468}\u200d\u{1f3eb}',fitzpatrick_scale:!0,category:"people"},woman_factory_worker:{keywords:["assembly","industrial","woman","human"],char:'\u{1f469}\u200d\u{1f3ed}',fitzpatrick_scale:!0,category:"people"},man_factory_worker:{keywords:["assembly","industrial","man","human"],char:'\u{1f468}\u200d\u{1f3ed}',fitzpatrick_scale:!0,category:"people"},woman_technologist:{keywords:["coder","developer","engineer","programmer","software","woman","human","laptop","computer"],char:'\u{1f469}\u200d\u{1f4bb}',fitzpatrick_scale:!0,category:"people"},man_technologist:{keywords:["coder","developer","engineer","programmer","software","man","human","laptop","computer"],char:'\u{1f468}\u200d\u{1f4bb}',fitzpatrick_scale:!0,category:"people"},woman_office_worker:{keywords:["business","manager","woman","human"],char:'\u{1f469}\u200d\u{1f4bc}',fitzpatrick_scale:!0,category:"people"},man_office_worker:{keywords:["business","manager","man","human"],char:'\u{1f468}\u200d\u{1f4bc}',fitzpatrick_scale:!0,category:"people"},woman_mechanic:{keywords:["plumber","woman","human","wrench"],char:'\u{1f469}\u200d\u{1f527}',fitzpatrick_scale:!0,category:"people"},man_mechanic:{keywords:["plumber","man","human","wrench"],char:'\u{1f468}\u200d\u{1f527}',fitzpatrick_scale:!0,category:"people"},woman_scientist:{keywords:["biologist","chemist","engineer","physicist","woman","human"],char:'\u{1f469}\u200d\u{1f52c}',fitzpatrick_scale:!0,category:"people"},man_scientist:{keywords:["biologist","chemist","engineer","physicist","man","human"],char:'\u{1f468}\u200d\u{1f52c}',fitzpatrick_scale:!0,category:"people"},woman_artist:{keywords:["painter","woman","human"],char:'\u{1f469}\u200d\u{1f3a8}',fitzpatrick_scale:!0,category:"people"},man_artist:{keywords:["painter","man","human"],char:'\u{1f468}\u200d\u{1f3a8}',fitzpatrick_scale:!0,category:"people"},woman_firefighter:{keywords:["fireman","woman","human"],char:'\u{1f469}\u200d\u{1f692}',fitzpatrick_scale:!0,category:"people"},man_firefighter:{keywords:["fireman","man","human"],char:'\u{1f468}\u200d\u{1f692}',fitzpatrick_scale:!0,category:"people"},woman_pilot:{keywords:["aviator","plane","woman","human"],char:'\u{1f469}\u200d\u2708\ufe0f',fitzpatrick_scale:!0,category:"people"},man_pilot:{keywords:["aviator","plane","man","human"],char:'\u{1f468}\u200d\u2708\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_astronaut:{keywords:["space","rocket","woman","human"],char:'\u{1f469}\u200d\u{1f680}',fitzpatrick_scale:!0,category:"people"},man_astronaut:{keywords:["space","rocket","man","human"],char:'\u{1f468}\u200d\u{1f680}',fitzpatrick_scale:!0,category:"people"},woman_judge:{keywords:["justice","court","woman","human"],char:'\u{1f469}\u200d\u2696\ufe0f',fitzpatrick_scale:!0,category:"people"},man_judge:{keywords:["justice","court","man","human"],char:'\u{1f468}\u200d\u2696\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_superhero:{keywords:["woman","female","good","heroine","superpowers"],char:'\u{1f9b8}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},man_superhero:{keywords:["man","male","good","hero","superpowers"],char:'\u{1f9b8}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_supervillain:{keywords:["woman","female","evil","bad","criminal","heroine","superpowers"],char:'\u{1f9b9}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},man_supervillain:{keywords:["man","male","evil","bad","criminal","hero","superpowers"],char:'\u{1f9b9}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},mrs_claus:{keywords:["woman","female","xmas","mother christmas"],char:'\u{1f936}',fitzpatrick_scale:!0,category:"people"},santa:{keywords:["festival","man","male","xmas","father christmas"],char:'\u{1f385}',fitzpatrick_scale:!0,category:"people"},sorceress:{keywords:["woman","female","mage","witch"],char:'\u{1f9d9}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},wizard:{keywords:["man","male","mage","sorcerer"],char:'\u{1f9d9}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_elf:{keywords:["woman","female"],char:'\u{1f9dd}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},man_elf:{keywords:["man","male"],char:'\u{1f9dd}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_vampire:{keywords:["woman","female"],char:'\u{1f9db}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},man_vampire:{keywords:["man","male","dracula"],char:'\u{1f9db}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_zombie:{keywords:["woman","female","undead","walking dead"],char:'\u{1f9df}\u200d\u2640\ufe0f',fitzpatrick_scale:!1,category:"people"},man_zombie:{keywords:["man","male","dracula","undead","walking dead"],char:'\u{1f9df}\u200d\u2642\ufe0f',fitzpatrick_scale:!1,category:"people"},woman_genie:{keywords:["woman","female"],char:'\u{1f9de}\u200d\u2640\ufe0f',fitzpatrick_scale:!1,category:"people"},man_genie:{keywords:["man","male"],char:'\u{1f9de}\u200d\u2642\ufe0f',fitzpatrick_scale:!1,category:"people"},mermaid:{keywords:["woman","female","merwoman","ariel"],char:'\u{1f9dc}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},merman:{keywords:["man","male","triton"],char:'\u{1f9dc}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_fairy:{keywords:["woman","female"],char:'\u{1f9da}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},man_fairy:{keywords:["man","male"],char:'\u{1f9da}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},angel:{keywords:["heaven","wings","halo"],char:'\u{1f47c}',fitzpatrick_scale:!0,category:"people"},pregnant_woman:{keywords:["baby"],char:'\u{1f930}',fitzpatrick_scale:!0,category:"people"},breastfeeding:{keywords:["nursing","baby"],char:'\u{1f931}',fitzpatrick_scale:!0,category:"people"},princess:{keywords:["girl","woman","female","blond","crown","royal","queen"],char:'\u{1f478}',fitzpatrick_scale:!0,category:"people"},prince:{keywords:["boy","man","male","crown","royal","king"],char:'\u{1f934}',fitzpatrick_scale:!0,category:"people"},bride_with_veil:{keywords:["couple","marriage","wedding","woman","bride"],char:'\u{1f470}',fitzpatrick_scale:!0,category:"people"},man_in_tuxedo:{keywords:["couple","marriage","wedding","groom"],char:'\u{1f935}',fitzpatrick_scale:!0,category:"people"},running_woman:{keywords:["woman","walking","exercise","race","running","female"],char:'\u{1f3c3}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},running_man:{keywords:["man","walking","exercise","race","running"],char:'\u{1f3c3}',fitzpatrick_scale:!0,category:"people"},walking_woman:{keywords:["human","feet","steps","woman","female"],char:'\u{1f6b6}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},walking_man:{keywords:["human","feet","steps"],char:'\u{1f6b6}',fitzpatrick_scale:!0,category:"people"},dancer:{keywords:["female","girl","woman","fun"],char:'\u{1f483}',fitzpatrick_scale:!0,category:"people"},man_dancing:{keywords:["male","boy","fun","dancer"],char:'\u{1f57a}',fitzpatrick_scale:!0,category:"people"},dancing_women:{keywords:["female","bunny","women","girls"],char:'\u{1f46f}',fitzpatrick_scale:!1,category:"people"},dancing_men:{keywords:["male","bunny","men","boys"],char:'\u{1f46f}\u200d\u2642\ufe0f',fitzpatrick_scale:!1,category:"people"},couple:{keywords:["pair","people","human","love","date","dating","like","affection","valentines","marriage"],char:'\u{1f46b}',fitzpatrick_scale:!1,category:"people"},two_men_holding_hands:{keywords:["pair","couple","love","like","bromance","friendship","people","human"],char:'\u{1f46c}',fitzpatrick_scale:!1,category:"people"},two_women_holding_hands:{keywords:["pair","friendship","couple","love","like","female","people","human"],char:'\u{1f46d}',fitzpatrick_scale:!1,category:"people"},bowing_woman:{keywords:["woman","female","girl"],char:'\u{1f647}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},bowing_man:{keywords:["man","male","boy"],char:'\u{1f647}',fitzpatrick_scale:!0,category:"people"},man_facepalming:{keywords:["man","male","boy","disbelief"],char:'\u{1f926}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_facepalming:{keywords:["woman","female","girl","disbelief"],char:'\u{1f926}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_shrugging:{keywords:["woman","female","girl","confused","indifferent","doubt"],char:'\u{1f937}',fitzpatrick_scale:!0,category:"people"},man_shrugging:{keywords:["man","male","boy","confused","indifferent","doubt"],char:'\u{1f937}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},tipping_hand_woman:{keywords:["female","girl","woman","human","information"],char:'\u{1f481}',fitzpatrick_scale:!0,category:"people"},tipping_hand_man:{keywords:["male","boy","man","human","information"],char:'\u{1f481}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},no_good_woman:{keywords:["female","girl","woman","nope"],char:'\u{1f645}',fitzpatrick_scale:!0,category:"people"},no_good_man:{keywords:["male","boy","man","nope"],char:'\u{1f645}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},ok_woman:{keywords:["women","girl","female","pink","human","woman"],char:'\u{1f646}',fitzpatrick_scale:!0,category:"people"},ok_man:{keywords:["men","boy","male","blue","human","man"],char:'\u{1f646}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},raising_hand_woman:{keywords:["female","girl","woman"],char:'\u{1f64b}',fitzpatrick_scale:!0,category:"people"},raising_hand_man:{keywords:["male","boy","man"],char:'\u{1f64b}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},pouting_woman:{keywords:["female","girl","woman"],char:'\u{1f64e}',fitzpatrick_scale:!0,category:"people"},pouting_man:{keywords:["male","boy","man"],char:'\u{1f64e}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},frowning_woman:{keywords:["female","girl","woman","sad","depressed","discouraged","unhappy"],char:'\u{1f64d}',fitzpatrick_scale:!0,category:"people"},frowning_man:{keywords:["male","boy","man","sad","depressed","discouraged","unhappy"],char:'\u{1f64d}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},haircut_woman:{keywords:["female","girl","woman"],char:'\u{1f487}',fitzpatrick_scale:!0,category:"people"},haircut_man:{keywords:["male","boy","man"],char:'\u{1f487}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},massage_woman:{keywords:["female","girl","woman","head"],char:'\u{1f486}',fitzpatrick_scale:!0,category:"people"},massage_man:{keywords:["male","boy","man","head"],char:'\u{1f486}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},woman_in_steamy_room:{keywords:["female","woman","spa","steamroom","sauna"],char:'\u{1f9d6}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"people"},man_in_steamy_room:{keywords:["male","man","spa","steamroom","sauna"],char:'\u{1f9d6}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"people"},couple_with_heart_woman_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:'\u{1f491}',fitzpatrick_scale:!1,category:"people"},couple_with_heart_woman_woman:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:'\u{1f469}\u200d\u2764\ufe0f\u200d\u{1f469}',fitzpatrick_scale:!1,category:"people"},couple_with_heart_man_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:'\u{1f468}\u200d\u2764\ufe0f\u200d\u{1f468}',fitzpatrick_scale:!1,category:"people"},couplekiss_man_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:'\u{1f48f}',fitzpatrick_scale:!1,category:"people"},couplekiss_woman_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:'\u{1f469}\u200d\u2764\ufe0f\u200d\u{1f48b}\u200d\u{1f469}',fitzpatrick_scale:!1,category:"people"},couplekiss_man_man:{keywords:["pair","valentines","love","like","dating","marriage"],char:'\u{1f468}\u200d\u2764\ufe0f\u200d\u{1f48b}\u200d\u{1f468}',fitzpatrick_scale:!1,category:"people"},family_man_woman_boy:{keywords:["home","parents","child","mom","dad","father","mother","people","human"],char:'\u{1f46a}',fitzpatrick_scale:!1,category:"people"},family_man_woman_girl:{keywords:["home","parents","people","human","child"],char:'\u{1f468}\u200d\u{1f469}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_man_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f469}\u200d\u{1f466}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_woman_woman_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f469}\u200d\u{1f469}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_woman_woman_girl:{keywords:["home","parents","people","human","children"],char:'\u{1f469}\u200d\u{1f469}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_woman_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f469}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_woman_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f469}\u200d\u{1f469}\u200d\u{1f466}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_woman_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:'\u{1f469}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_man_man_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f468}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_man_girl:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f468}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_man_man_girl_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f468}\u200d\u{1f467}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_man_boy_boy:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f468}\u200d\u{1f466}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_man_girl_girl:{keywords:["home","parents","people","human","children"],char:'\u{1f468}\u200d\u{1f468}\u200d\u{1f467}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_woman_boy:{keywords:["home","parent","people","human","child"],char:'\u{1f469}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_woman_girl:{keywords:["home","parent","people","human","child"],char:'\u{1f469}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_woman_girl_boy:{keywords:["home","parent","people","human","children"],char:'\u{1f469}\u200d\u{1f467}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_woman_boy_boy:{keywords:["home","parent","people","human","children"],char:'\u{1f469}\u200d\u{1f466}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_woman_girl_girl:{keywords:["home","parent","people","human","children"],char:'\u{1f469}\u200d\u{1f467}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_man_boy:{keywords:["home","parent","people","human","child"],char:'\u{1f468}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_girl:{keywords:["home","parent","people","human","child"],char:'\u{1f468}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},family_man_girl_boy:{keywords:["home","parent","people","human","children"],char:'\u{1f468}\u200d\u{1f467}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_boy_boy:{keywords:["home","parent","people","human","children"],char:'\u{1f468}\u200d\u{1f466}\u200d\u{1f466}',fitzpatrick_scale:!1,category:"people"},family_man_girl_girl:{keywords:["home","parent","people","human","children"],char:'\u{1f468}\u200d\u{1f467}\u200d\u{1f467}',fitzpatrick_scale:!1,category:"people"},yarn:{keywords:["ball","crochet","knit"],char:'\u{1f9f6}',fitzpatrick_scale:!1,category:"people"},thread:{keywords:["needle","sewing","spool","string"],char:'\u{1f9f5}',fitzpatrick_scale:!1,category:"people"},coat:{keywords:["jacket"],char:'\u{1f9e5}',fitzpatrick_scale:!1,category:"people"},labcoat:{keywords:["doctor","experiment","scientist","chemist"],char:'\u{1f97c}',fitzpatrick_scale:!1,category:"people"},womans_clothes:{keywords:["fashion","shopping_bags","female"],char:'\u{1f45a}',fitzpatrick_scale:!1,category:"people"},tshirt:{keywords:["fashion","cloth","casual","shirt","tee"],char:'\u{1f455}',fitzpatrick_scale:!1,category:"people"},jeans:{keywords:["fashion","shopping"],char:'\u{1f456}',fitzpatrick_scale:!1,category:"people"},necktie:{keywords:["shirt","suitup","formal","fashion","cloth","business"],char:'\u{1f454}',fitzpatrick_scale:!1,category:"people"},dress:{keywords:["clothes","fashion","shopping"],char:'\u{1f457}',fitzpatrick_scale:!1,category:"people"},bikini:{keywords:["swimming","female","woman","girl","fashion","beach","summer"],char:'\u{1f459}',fitzpatrick_scale:!1,category:"people"},kimono:{keywords:["dress","fashion","women","female","japanese"],char:'\u{1f458}',fitzpatrick_scale:!1,category:"people"},lipstick:{keywords:["female","girl","fashion","woman"],char:'\u{1f484}',fitzpatrick_scale:!1,category:"people"},kiss:{keywords:["face","lips","love","like","affection","valentines"],char:'\u{1f48b}',fitzpatrick_scale:!1,category:"people"},footprints:{keywords:["feet","tracking","walking","beach"],char:'\u{1f463}',fitzpatrick_scale:!1,category:"people"},flat_shoe:{keywords:["ballet","slip-on","slipper"],char:'\u{1f97f}',fitzpatrick_scale:!1,category:"people"},high_heel:{keywords:["fashion","shoes","female","pumps","stiletto"],char:'\u{1f460}',fitzpatrick_scale:!1,category:"people"},sandal:{keywords:["shoes","fashion","flip flops"],char:'\u{1f461}',fitzpatrick_scale:!1,category:"people"},boot:{keywords:["shoes","fashion"],char:'\u{1f462}',fitzpatrick_scale:!1,category:"people"},mans_shoe:{keywords:["fashion","male"],char:'\u{1f45e}',fitzpatrick_scale:!1,category:"people"},athletic_shoe:{keywords:["shoes","sports","sneakers"],char:'\u{1f45f}',fitzpatrick_scale:!1,category:"people"},hiking_boot:{keywords:["backpacking","camping","hiking"],char:'\u{1f97e}',fitzpatrick_scale:!1,category:"people"},socks:{keywords:["stockings","clothes"],char:'\u{1f9e6}',fitzpatrick_scale:!1,category:"people"},gloves:{keywords:["hands","winter","clothes"],char:'\u{1f9e4}',fitzpatrick_scale:!1,category:"people"},scarf:{keywords:["neck","winter","clothes"],char:'\u{1f9e3}',fitzpatrick_scale:!1,category:"people"},womans_hat:{keywords:["fashion","accessories","female","lady","spring"],char:'\u{1f452}',fitzpatrick_scale:!1,category:"people"},tophat:{keywords:["magic","gentleman","classy","circus"],char:'\u{1f3a9}',fitzpatrick_scale:!1,category:"people"},billed_hat:{keywords:["cap","baseball"],char:'\u{1f9e2}',fitzpatrick_scale:!1,category:"people"},rescue_worker_helmet:{keywords:["construction","build"],char:'\u26d1',fitzpatrick_scale:!1,category:"people"},mortar_board:{keywords:["school","college","degree","university","graduation","cap","hat","legal","learn","education"],char:'\u{1f393}',fitzpatrick_scale:!1,category:"people"},crown:{keywords:["king","kod","leader","royalty","lord"],char:'\u{1f451}',fitzpatrick_scale:!1,category:"people"},school_satchel:{keywords:["student","education","bag","backpack"],char:'\u{1f392}',fitzpatrick_scale:!1,category:"people"},luggage:{keywords:["packing","travel"],char:'\u{1f9f3}',fitzpatrick_scale:!1,category:"people"},pouch:{keywords:["bag","accessories","shopping"],char:'\u{1f45d}',fitzpatrick_scale:!1,category:"people"},purse:{keywords:["fashion","accessories","money","sales","shopping"],char:'\u{1f45b}',fitzpatrick_scale:!1,category:"people"},handbag:{keywords:["fashion","accessory","accessories","shopping"],char:'\u{1f45c}',fitzpatrick_scale:!1,category:"people"},briefcase:{keywords:["business","documents","work","law","legal","job","career"],char:'\u{1f4bc}',fitzpatrick_scale:!1,category:"people"},eyeglasses:{keywords:["fashion","accessories","eyesight","nerdy","dork","geek"],char:'\u{1f453}',fitzpatrick_scale:!1,category:"people"},dark_sunglasses:{keywords:["face","cool","accessories"],char:'\u{1f576}',fitzpatrick_scale:!1,category:"people"},goggles:{keywords:["eyes","protection","safety"],char:'\u{1f97d}',fitzpatrick_scale:!1,category:"people"},ring:{keywords:["wedding","propose","marriage","valentines","diamond","fashion","jewelry","gem","engagement"],char:'\u{1f48d}',fitzpatrick_scale:!1,category:"people"},closed_umbrella:{keywords:["weather","rain","drizzle"],char:'\u{1f302}',fitzpatrick_scale:!1,category:"people"},dog:{keywords:["animal","friend","nature","woof","puppy","pet","faithful"],char:'\u{1f436}',fitzpatrick_scale:!1,category:"animals_and_nature"},cat:{keywords:["animal","meow","nature","pet","kitten"],char:'\u{1f431}',fitzpatrick_scale:!1,category:"animals_and_nature"},mouse:{keywords:["animal","nature","cheese_wedge","rodent"],char:'\u{1f42d}',fitzpatrick_scale:!1,category:"animals_and_nature"},hamster:{keywords:["animal","nature"],char:'\u{1f439}',fitzpatrick_scale:!1,category:"animals_and_nature"},rabbit:{keywords:["animal","nature","pet","spring","magic","bunny"],char:'\u{1f430}',fitzpatrick_scale:!1,category:"animals_and_nature"},fox_face:{keywords:["animal","nature","face"],char:'\u{1f98a}',fitzpatrick_scale:!1,category:"animals_and_nature"},bear:{keywords:["animal","nature","wild"],char:'\u{1f43b}',fitzpatrick_scale:!1,category:"animals_and_nature"},panda_face:{keywords:["animal","nature","panda"],char:'\u{1f43c}',fitzpatrick_scale:!1,category:"animals_and_nature"},koala:{keywords:["animal","nature"],char:'\u{1f428}',fitzpatrick_scale:!1,category:"animals_and_nature"},tiger:{keywords:["animal","cat","danger","wild","nature","roar"],char:'\u{1f42f}',fitzpatrick_scale:!1,category:"animals_and_nature"},lion:{keywords:["animal","nature"],char:'\u{1f981}',fitzpatrick_scale:!1,category:"animals_and_nature"},cow:{keywords:["beef","ox","animal","nature","moo","milk"],char:'\u{1f42e}',fitzpatrick_scale:!1,category:"animals_and_nature"},pig:{keywords:["animal","oink","nature"],char:'\u{1f437}',fitzpatrick_scale:!1,category:"animals_and_nature"},pig_nose:{keywords:["animal","oink"],char:'\u{1f43d}',fitzpatrick_scale:!1,category:"animals_and_nature"},frog:{keywords:["animal","nature","croak","toad"],char:'\u{1f438}',fitzpatrick_scale:!1,category:"animals_and_nature"},squid:{keywords:["animal","nature","ocean","sea"],char:'\u{1f991}',fitzpatrick_scale:!1,category:"animals_and_nature"},octopus:{keywords:["animal","creature","ocean","sea","nature","beach"],char:'\u{1f419}',fitzpatrick_scale:!1,category:"animals_and_nature"},shrimp:{keywords:["animal","ocean","nature","seafood"],char:'\u{1f990}',fitzpatrick_scale:!1,category:"animals_and_nature"},monkey_face:{keywords:["animal","nature","circus"],char:'\u{1f435}',fitzpatrick_scale:!1,category:"animals_and_nature"},gorilla:{keywords:["animal","nature","circus"],char:'\u{1f98d}',fitzpatrick_scale:!1,category:"animals_and_nature"},see_no_evil:{keywords:["monkey","animal","nature","haha"],char:'\u{1f648}',fitzpatrick_scale:!1,category:"animals_and_nature"},hear_no_evil:{keywords:["animal","monkey","nature"],char:'\u{1f649}',fitzpatrick_scale:!1,category:"animals_and_nature"},speak_no_evil:{keywords:["monkey","animal","nature","omg"],char:'\u{1f64a}',fitzpatrick_scale:!1,category:"animals_and_nature"},monkey:{keywords:["animal","nature","banana","circus"],char:'\u{1f412}',fitzpatrick_scale:!1,category:"animals_and_nature"},chicken:{keywords:["animal","cluck","nature","bird"],char:'\u{1f414}',fitzpatrick_scale:!1,category:"animals_and_nature"},penguin:{keywords:["animal","nature"],char:'\u{1f427}',fitzpatrick_scale:!1,category:"animals_and_nature"},bird:{keywords:["animal","nature","fly","tweet","spring"],char:'\u{1f426}',fitzpatrick_scale:!1,category:"animals_and_nature"},baby_chick:{keywords:["animal","chicken","bird"],char:'\u{1f424}',fitzpatrick_scale:!1,category:"animals_and_nature"},hatching_chick:{keywords:["animal","chicken","egg","born","baby","bird"],char:'\u{1f423}',fitzpatrick_scale:!1,category:"animals_and_nature"},hatched_chick:{keywords:["animal","chicken","baby","bird"],char:'\u{1f425}',fitzpatrick_scale:!1,category:"animals_and_nature"},duck:{keywords:["animal","nature","bird","mallard"],char:'\u{1f986}',fitzpatrick_scale:!1,category:"animals_and_nature"},eagle:{keywords:["animal","nature","bird"],char:'\u{1f985}',fitzpatrick_scale:!1,category:"animals_and_nature"},owl:{keywords:["animal","nature","bird","hoot"],char:'\u{1f989}',fitzpatrick_scale:!1,category:"animals_and_nature"},bat:{keywords:["animal","nature","blind","vampire"],char:'\u{1f987}',fitzpatrick_scale:!1,category:"animals_and_nature"},wolf:{keywords:["animal","nature","wild"],char:'\u{1f43a}',fitzpatrick_scale:!1,category:"animals_and_nature"},boar:{keywords:["animal","nature"],char:'\u{1f417}',fitzpatrick_scale:!1,category:"animals_and_nature"},horse:{keywords:["animal","brown","nature"],char:'\u{1f434}',fitzpatrick_scale:!1,category:"animals_and_nature"},unicorn:{keywords:["animal","nature","mystical"],char:'\u{1f984}',fitzpatrick_scale:!1,category:"animals_and_nature"},honeybee:{keywords:["animal","insect","nature","bug","spring","honey"],char:'\u{1f41d}',fitzpatrick_scale:!1,category:"animals_and_nature"},bug:{keywords:["animal","insect","nature","worm"],char:'\u{1f41b}',fitzpatrick_scale:!1,category:"animals_and_nature"},butterfly:{keywords:["animal","insect","nature","caterpillar"],char:'\u{1f98b}',fitzpatrick_scale:!1,category:"animals_and_nature"},snail:{keywords:["slow","animal","shell"],char:'\u{1f40c}',fitzpatrick_scale:!1,category:"animals_and_nature"},beetle:{keywords:["animal","insect","nature","ladybug"],char:'\u{1f41e}',fitzpatrick_scale:!1,category:"animals_and_nature"},ant:{keywords:["animal","insect","nature","bug"],char:'\u{1f41c}',fitzpatrick_scale:!1,category:"animals_and_nature"},grasshopper:{keywords:["animal","cricket","chirp"],char:'\u{1f997}',fitzpatrick_scale:!1,category:"animals_and_nature"},spider:{keywords:["animal","arachnid"],char:'\u{1f577}',fitzpatrick_scale:!1,category:"animals_and_nature"},scorpion:{keywords:["animal","arachnid"],char:'\u{1f982}',fitzpatrick_scale:!1,category:"animals_and_nature"},crab:{keywords:["animal","crustacean"],char:'\u{1f980}',fitzpatrick_scale:!1,category:"animals_and_nature"},snake:{keywords:["animal","evil","nature","hiss","python"],char:'\u{1f40d}',fitzpatrick_scale:!1,category:"animals_and_nature"},lizard:{keywords:["animal","nature","reptile"],char:'\u{1f98e}',fitzpatrick_scale:!1,category:"animals_and_nature"},"t-rex":{keywords:["animal","nature","dinosaur","tyrannosaurus","extinct"],char:'\u{1f996}',fitzpatrick_scale:!1,category:"animals_and_nature"},sauropod:{keywords:["animal","nature","dinosaur","brachiosaurus","brontosaurus","diplodocus","extinct"],char:'\u{1f995}',fitzpatrick_scale:!1,category:"animals_and_nature"},turtle:{keywords:["animal","slow","nature","tortoise"],char:'\u{1f422}',fitzpatrick_scale:!1,category:"animals_and_nature"},tropical_fish:{keywords:["animal","swim","ocean","beach","nemo"],char:'\u{1f420}',fitzpatrick_scale:!1,category:"animals_and_nature"},fish:{keywords:["animal","food","nature"],char:'\u{1f41f}',fitzpatrick_scale:!1,category:"animals_and_nature"},blowfish:{keywords:["animal","nature","food","sea","ocean"],char:'\u{1f421}',fitzpatrick_scale:!1,category:"animals_and_nature"},dolphin:{keywords:["animal","nature","fish","sea","ocean","flipper","fins","beach"],char:'\u{1f42c}',fitzpatrick_scale:!1,category:"animals_and_nature"},shark:{keywords:["animal","nature","fish","sea","ocean","jaws","fins","beach"],char:'\u{1f988}',fitzpatrick_scale:!1,category:"animals_and_nature"},whale:{keywords:["animal","nature","sea","ocean"],char:'\u{1f433}',fitzpatrick_scale:!1,category:"animals_and_nature"},whale2:{keywords:["animal","nature","sea","ocean"],char:'\u{1f40b}',fitzpatrick_scale:!1,category:"animals_and_nature"},crocodile:{keywords:["animal","nature","reptile","lizard","alligator"],char:'\u{1f40a}',fitzpatrick_scale:!1,category:"animals_and_nature"},leopard:{keywords:["animal","nature"],char:'\u{1f406}',fitzpatrick_scale:!1,category:"animals_and_nature"},zebra:{keywords:["animal","nature","stripes","safari"],char:'\u{1f993}',fitzpatrick_scale:!1,category:"animals_and_nature"},tiger2:{keywords:["animal","nature","roar"],char:'\u{1f405}',fitzpatrick_scale:!1,category:"animals_and_nature"},water_buffalo:{keywords:["animal","nature","ox","cow"],char:'\u{1f403}',fitzpatrick_scale:!1,category:"animals_and_nature"},ox:{keywords:["animal","cow","beef"],char:'\u{1f402}',fitzpatrick_scale:!1,category:"animals_and_nature"},cow2:{keywords:["beef","ox","animal","nature","moo","milk"],char:'\u{1f404}',fitzpatrick_scale:!1,category:"animals_and_nature"},deer:{keywords:["animal","nature","horns","venison"],char:'\u{1f98c}',fitzpatrick_scale:!1,category:"animals_and_nature"},dromedary_camel:{keywords:["animal","hot","desert","hump"],char:'\u{1f42a}',fitzpatrick_scale:!1,category:"animals_and_nature"},camel:{keywords:["animal","nature","hot","desert","hump"],char:'\u{1f42b}',fitzpatrick_scale:!1,category:"animals_and_nature"},giraffe:{keywords:["animal","nature","spots","safari"],char:'\u{1f992}',fitzpatrick_scale:!1,category:"animals_and_nature"},elephant:{keywords:["animal","nature","nose","th","circus"],char:'\u{1f418}',fitzpatrick_scale:!1,category:"animals_and_nature"},rhinoceros:{keywords:["animal","nature","horn"],char:'\u{1f98f}',fitzpatrick_scale:!1,category:"animals_and_nature"},goat:{keywords:["animal","nature"],char:'\u{1f410}',fitzpatrick_scale:!1,category:"animals_and_nature"},ram:{keywords:["animal","sheep","nature"],char:'\u{1f40f}',fitzpatrick_scale:!1,category:"animals_and_nature"},sheep:{keywords:["animal","nature","wool","shipit"],char:'\u{1f411}',fitzpatrick_scale:!1,category:"animals_and_nature"},racehorse:{keywords:["animal","gamble","luck"],char:'\u{1f40e}',fitzpatrick_scale:!1,category:"animals_and_nature"},pig2:{keywords:["animal","nature"],char:'\u{1f416}',fitzpatrick_scale:!1,category:"animals_and_nature"},rat:{keywords:["animal","mouse","rodent"],char:'\u{1f400}',fitzpatrick_scale:!1,category:"animals_and_nature"},mouse2:{keywords:["animal","nature","rodent"],char:'\u{1f401}',fitzpatrick_scale:!1,category:"animals_and_nature"},rooster:{keywords:["animal","nature","chicken"],char:'\u{1f413}',fitzpatrick_scale:!1,category:"animals_and_nature"},turkey:{keywords:["animal","bird"],char:'\u{1f983}',fitzpatrick_scale:!1,category:"animals_and_nature"},dove:{keywords:["animal","bird"],char:'\u{1f54a}',fitzpatrick_scale:!1,category:"animals_and_nature"},dog2:{keywords:["animal","nature","friend","doge","pet","faithful"],char:'\u{1f415}',fitzpatrick_scale:!1,category:"animals_and_nature"},poodle:{keywords:["dog","animal","101","nature","pet"],char:'\u{1f429}',fitzpatrick_scale:!1,category:"animals_and_nature"},cat2:{keywords:["animal","meow","pet","cats"],char:'\u{1f408}',fitzpatrick_scale:!1,category:"animals_and_nature"},rabbit2:{keywords:["animal","nature","pet","magic","spring"],char:'\u{1f407}',fitzpatrick_scale:!1,category:"animals_and_nature"},chipmunk:{keywords:["animal","nature","rodent","squirrel"],char:'\u{1f43f}',fitzpatrick_scale:!1,category:"animals_and_nature"},hedgehog:{keywords:["animal","nature","spiny"],char:'\u{1f994}',fitzpatrick_scale:!1,category:"animals_and_nature"},raccoon:{keywords:["animal","nature"],char:'\u{1f99d}',fitzpatrick_scale:!1,category:"animals_and_nature"},llama:{keywords:["animal","nature","alpaca"],char:'\u{1f999}',fitzpatrick_scale:!1,category:"animals_and_nature"},hippopotamus:{keywords:["animal","nature"],char:'\u{1f99b}',fitzpatrick_scale:!1,category:"animals_and_nature"},kangaroo:{keywords:["animal","nature","australia","joey","hop","marsupial"],char:'\u{1f998}',fitzpatrick_scale:!1,category:"animals_and_nature"},badger:{keywords:["animal","nature","honey"],char:'\u{1f9a1}',fitzpatrick_scale:!1,category:"animals_and_nature"},swan:{keywords:["animal","nature","bird"],char:'\u{1f9a2}',fitzpatrick_scale:!1,category:"animals_and_nature"},peacock:{keywords:["animal","nature","peahen","bird"],char:'\u{1f99a}',fitzpatrick_scale:!1,category:"animals_and_nature"},parrot:{keywords:["animal","nature","bird","pirate","talk"],char:'\u{1f99c}',fitzpatrick_scale:!1,category:"animals_and_nature"},lobster:{keywords:["animal","nature","bisque","claws","seafood"],char:'\u{1f99e}',fitzpatrick_scale:!1,category:"animals_and_nature"},mosquito:{keywords:["animal","nature","insect","malaria"],char:'\u{1f99f}',fitzpatrick_scale:!1,category:"animals_and_nature"},paw_prints:{keywords:["animal","tracking","footprints","dog","cat","pet","feet"],char:'\u{1f43e}',fitzpatrick_scale:!1,category:"animals_and_nature"},dragon:{keywords:["animal","myth","nature","chinese","green"],char:'\u{1f409}',fitzpatrick_scale:!1,category:"animals_and_nature"},dragon_face:{keywords:["animal","myth","nature","chinese","green"],char:'\u{1f432}',fitzpatrick_scale:!1,category:"animals_and_nature"},cactus:{keywords:["vegetable","plant","nature"],char:'\u{1f335}',fitzpatrick_scale:!1,category:"animals_and_nature"},christmas_tree:{keywords:["festival","vacation","december","xmas","celebration"],char:'\u{1f384}',fitzpatrick_scale:!1,category:"animals_and_nature"},evergreen_tree:{keywords:["plant","nature"],char:'\u{1f332}',fitzpatrick_scale:!1,category:"animals_and_nature"},deciduous_tree:{keywords:["plant","nature"],char:'\u{1f333}',fitzpatrick_scale:!1,category:"animals_and_nature"},palm_tree:{keywords:["plant","vegetable","nature","summer","beach","mojito","tropical"],char:'\u{1f334}',fitzpatrick_scale:!1,category:"animals_and_nature"},seedling:{keywords:["plant","nature","grass","lawn","spring"],char:'\u{1f331}',fitzpatrick_scale:!1,category:"animals_and_nature"},herb:{keywords:["vegetable","plant","medicine","weed","grass","lawn"],char:'\u{1f33f}',fitzpatrick_scale:!1,category:"animals_and_nature"},shamrock:{keywords:["vegetable","plant","nature","irish","clover"],char:'\u2618',fitzpatrick_scale:!1,category:"animals_and_nature"},four_leaf_clover:{keywords:["vegetable","plant","nature","lucky","irish"],char:'\u{1f340}',fitzpatrick_scale:!1,category:"animals_and_nature"},bamboo:{keywords:["plant","nature","vegetable","panda","pine_decoration"],char:'\u{1f38d}',fitzpatrick_scale:!1,category:"animals_and_nature"},tanabata_tree:{keywords:["plant","nature","branch","summer"],char:'\u{1f38b}',fitzpatrick_scale:!1,category:"animals_and_nature"},leaves:{keywords:["nature","plant","tree","vegetable","grass","lawn","spring"],char:'\u{1f343}',fitzpatrick_scale:!1,category:"animals_and_nature"},fallen_leaf:{keywords:["nature","plant","vegetable","leaves"],char:'\u{1f342}',fitzpatrick_scale:!1,category:"animals_and_nature"},maple_leaf:{keywords:["nature","plant","vegetable","ca","fall"],char:'\u{1f341}',fitzpatrick_scale:!1,category:"animals_and_nature"},ear_of_rice:{keywords:["nature","plant"],char:'\u{1f33e}',fitzpatrick_scale:!1,category:"animals_and_nature"},hibiscus:{keywords:["plant","vegetable","flowers","beach"],char:'\u{1f33a}',fitzpatrick_scale:!1,category:"animals_and_nature"},sunflower:{keywords:["nature","plant","fall"],char:'\u{1f33b}',fitzpatrick_scale:!1,category:"animals_and_nature"},rose:{keywords:["flowers","valentines","love","spring"],char:'\u{1f339}',fitzpatrick_scale:!1,category:"animals_and_nature"},wilted_flower:{keywords:["plant","nature","flower"],char:'\u{1f940}',fitzpatrick_scale:!1,category:"animals_and_nature"},tulip:{keywords:["flowers","plant","nature","summer","spring"],char:'\u{1f337}',fitzpatrick_scale:!1,category:"animals_and_nature"},blossom:{keywords:["nature","flowers","yellow"],char:'\u{1f33c}',fitzpatrick_scale:!1,category:"animals_and_nature"},cherry_blossom:{keywords:["nature","plant","spring","flower"],char:'\u{1f338}',fitzpatrick_scale:!1,category:"animals_and_nature"},bouquet:{keywords:["flowers","nature","spring"],char:'\u{1f490}',fitzpatrick_scale:!1,category:"animals_and_nature"},mushroom:{keywords:["plant","vegetable"],char:'\u{1f344}',fitzpatrick_scale:!1,category:"animals_and_nature"},chestnut:{keywords:["food","squirrel"],char:'\u{1f330}',fitzpatrick_scale:!1,category:"animals_and_nature"},jack_o_lantern:{keywords:["halloween","light","pumpkin","creepy","fall"],char:'\u{1f383}',fitzpatrick_scale:!1,category:"animals_and_nature"},shell:{keywords:["nature","sea","beach"],char:'\u{1f41a}',fitzpatrick_scale:!1,category:"animals_and_nature"},spider_web:{keywords:["animal","insect","arachnid","silk"],char:'\u{1f578}',fitzpatrick_scale:!1,category:"animals_and_nature"},earth_americas:{keywords:["globe","world","USA","international"],char:'\u{1f30e}',fitzpatrick_scale:!1,category:"animals_and_nature"},earth_africa:{keywords:["globe","world","international"],char:'\u{1f30d}',fitzpatrick_scale:!1,category:"animals_and_nature"},earth_asia:{keywords:["globe","world","east","international"],char:'\u{1f30f}',fitzpatrick_scale:!1,category:"animals_and_nature"},full_moon:{keywords:["nature","yellow","twilight","planet","space","night","evening","sleep"],char:'\u{1f315}',fitzpatrick_scale:!1,category:"animals_and_nature"},waning_gibbous_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep","waxing_gibbous_moon"],char:'\u{1f316}',fitzpatrick_scale:!1,category:"animals_and_nature"},last_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f317}',fitzpatrick_scale:!1,category:"animals_and_nature"},waning_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f318}',fitzpatrick_scale:!1,category:"animals_and_nature"},new_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f311}',fitzpatrick_scale:!1,category:"animals_and_nature"},waxing_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f312}',fitzpatrick_scale:!1,category:"animals_and_nature"},first_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f313}',fitzpatrick_scale:!1,category:"animals_and_nature"},waxing_gibbous_moon:{keywords:["nature","night","sky","gray","twilight","planet","space","evening","sleep"],char:'\u{1f314}',fitzpatrick_scale:!1,category:"animals_and_nature"},new_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f31a}',fitzpatrick_scale:!1,category:"animals_and_nature"},full_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f31d}',fitzpatrick_scale:!1,category:"animals_and_nature"},first_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f31b}',fitzpatrick_scale:!1,category:"animals_and_nature"},last_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:'\u{1f31c}',fitzpatrick_scale:!1,category:"animals_and_nature"},sun_with_face:{keywords:["nature","morning","sky"],char:'\u{1f31e}',fitzpatrick_scale:!1,category:"animals_and_nature"},crescent_moon:{keywords:["night","sleep","sky","evening","magic"],char:'\u{1f319}',fitzpatrick_scale:!1,category:"animals_and_nature"},star:{keywords:["night","yellow"],char:'\u2b50',fitzpatrick_scale:!1,category:"animals_and_nature"},star2:{keywords:["night","sparkle","awesome","good","magic"],char:'\u{1f31f}',fitzpatrick_scale:!1,category:"animals_and_nature"},dizzy:{keywords:["star","sparkle","shoot","magic"],char:'\u{1f4ab}',fitzpatrick_scale:!1,category:"animals_and_nature"},sparkles:{keywords:["stars","shine","shiny","cool","awesome","good","magic"],char:'\u2728',fitzpatrick_scale:!1,category:"animals_and_nature"},comet:{keywords:["space"],char:'\u2604',fitzpatrick_scale:!1,category:"animals_and_nature"},sunny:{keywords:["weather","nature","brightness","summer","beach","spring"],char:'\u2600\ufe0f',fitzpatrick_scale:!1,category:"animals_and_nature"},sun_behind_small_cloud:{keywords:["weather"],char:'\u{1f324}',fitzpatrick_scale:!1,category:"animals_and_nature"},partly_sunny:{keywords:["weather","nature","cloudy","morning","fall","spring"],char:'\u26c5',fitzpatrick_scale:!1,category:"animals_and_nature"},sun_behind_large_cloud:{keywords:["weather"],char:'\u{1f325}',fitzpatrick_scale:!1,category:"animals_and_nature"},sun_behind_rain_cloud:{keywords:["weather"],char:'\u{1f326}',fitzpatrick_scale:!1,category:"animals_and_nature"},cloud:{keywords:["weather","sky"],char:'\u2601\ufe0f',fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_rain:{keywords:["weather"],char:'\u{1f327}',fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_lightning_and_rain:{keywords:["weather","lightning"],char:'\u26c8',fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_lightning:{keywords:["weather","thunder"],char:'\u{1f329}',fitzpatrick_scale:!1,category:"animals_and_nature"},zap:{keywords:["thunder","weather","lightning bolt","fast"],char:'\u26a1',fitzpatrick_scale:!1,category:"animals_and_nature"},fire:{keywords:["hot","cook","flame"],char:'\u{1f525}',fitzpatrick_scale:!1,category:"animals_and_nature"},boom:{keywords:["bomb","explode","explosion","collision","blown"],char:'\u{1f4a5}',fitzpatrick_scale:!1,category:"animals_and_nature"},snowflake:{keywords:["winter","season","cold","weather","christmas","xmas"],char:'\u2744\ufe0f',fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_snow:{keywords:["weather"],char:'\u{1f328}',fitzpatrick_scale:!1,category:"animals_and_nature"},snowman:{keywords:["winter","season","cold","weather","christmas","xmas","frozen","without_snow"],char:'\u26c4',fitzpatrick_scale:!1,category:"animals_and_nature"},snowman_with_snow:{keywords:["winter","season","cold","weather","christmas","xmas","frozen"],char:'\u2603',fitzpatrick_scale:!1,category:"animals_and_nature"},wind_face:{keywords:["gust","air"],char:'\u{1f32c}',fitzpatrick_scale:!1,category:"animals_and_nature"},dash:{keywords:["wind","air","fast","shoo","fart","smoke","puff"],char:'\u{1f4a8}',fitzpatrick_scale:!1,category:"animals_and_nature"},tornado:{keywords:["weather","cyclone","twister"],char:'\u{1f32a}',fitzpatrick_scale:!1,category:"animals_and_nature"},fog:{keywords:["weather"],char:'\u{1f32b}',fitzpatrick_scale:!1,category:"animals_and_nature"},open_umbrella:{keywords:["weather","spring"],char:'\u2602',fitzpatrick_scale:!1,category:"animals_and_nature"},umbrella:{keywords:["rainy","weather","spring"],char:'\u2614',fitzpatrick_scale:!1,category:"animals_and_nature"},droplet:{keywords:["water","drip","faucet","spring"],char:'\u{1f4a7}',fitzpatrick_scale:!1,category:"animals_and_nature"},sweat_drops:{keywords:["water","drip","oops"],char:'\u{1f4a6}',fitzpatrick_scale:!1,category:"animals_and_nature"},ocean:{keywords:["sea","water","wave","nature","tsunami","disaster"],char:'\u{1f30a}',fitzpatrick_scale:!1,category:"animals_and_nature"},green_apple:{keywords:["fruit","nature"],char:'\u{1f34f}',fitzpatrick_scale:!1,category:"food_and_drink"},apple:{keywords:["fruit","mac","school"],char:'\u{1f34e}',fitzpatrick_scale:!1,category:"food_and_drink"},pear:{keywords:["fruit","nature","food"],char:'\u{1f350}',fitzpatrick_scale:!1,category:"food_and_drink"},tangerine:{keywords:["food","fruit","nature","orange"],char:'\u{1f34a}',fitzpatrick_scale:!1,category:"food_and_drink"},lemon:{keywords:["fruit","nature"],char:'\u{1f34b}',fitzpatrick_scale:!1,category:"food_and_drink"},banana:{keywords:["fruit","food","monkey"],char:'\u{1f34c}',fitzpatrick_scale:!1,category:"food_and_drink"},watermelon:{keywords:["fruit","food","picnic","summer"],char:'\u{1f349}',fitzpatrick_scale:!1,category:"food_and_drink"},grapes:{keywords:["fruit","food","wine"],char:'\u{1f347}',fitzpatrick_scale:!1,category:"food_and_drink"},strawberry:{keywords:["fruit","food","nature"],char:'\u{1f353}',fitzpatrick_scale:!1,category:"food_and_drink"},melon:{keywords:["fruit","nature","food"],char:'\u{1f348}',fitzpatrick_scale:!1,category:"food_and_drink"},cherries:{keywords:["food","fruit"],char:'\u{1f352}',fitzpatrick_scale:!1,category:"food_and_drink"},peach:{keywords:["fruit","nature","food"],char:'\u{1f351}',fitzpatrick_scale:!1,category:"food_and_drink"},pineapple:{keywords:["fruit","nature","food"],char:'\u{1f34d}',fitzpatrick_scale:!1,category:"food_and_drink"},coconut:{keywords:["fruit","nature","food","palm"],char:'\u{1f965}',fitzpatrick_scale:!1,category:"food_and_drink"},kiwi_fruit:{keywords:["fruit","food"],char:'\u{1f95d}',fitzpatrick_scale:!1,category:"food_and_drink"},mango:{keywords:["fruit","food","tropical"],char:'\u{1f96d}',fitzpatrick_scale:!1,category:"food_and_drink"},avocado:{keywords:["fruit","food"],char:'\u{1f951}',fitzpatrick_scale:!1,category:"food_and_drink"},broccoli:{keywords:["fruit","food","vegetable"],char:'\u{1f966}',fitzpatrick_scale:!1,category:"food_and_drink"},tomato:{keywords:["fruit","vegetable","nature","food"],char:'\u{1f345}',fitzpatrick_scale:!1,category:"food_and_drink"},eggplant:{keywords:["vegetable","nature","food","aubergine"],char:'\u{1f346}',fitzpatrick_scale:!1,category:"food_and_drink"},cucumber:{keywords:["fruit","food","pickle"],char:'\u{1f952}',fitzpatrick_scale:!1,category:"food_and_drink"},carrot:{keywords:["vegetable","food","orange"],char:'\u{1f955}',fitzpatrick_scale:!1,category:"food_and_drink"},hot_pepper:{keywords:["food","spicy","chilli","chili"],char:'\u{1f336}',fitzpatrick_scale:!1,category:"food_and_drink"},potato:{keywords:["food","tuber","vegatable","starch"],char:'\u{1f954}',fitzpatrick_scale:!1,category:"food_and_drink"},corn:{keywords:["food","vegetable","plant"],char:'\u{1f33d}',fitzpatrick_scale:!1,category:"food_and_drink"},leafy_greens:{keywords:["food","vegetable","plant","bok choy","cabbage","kale","lettuce"],char:'\u{1f96c}',fitzpatrick_scale:!1,category:"food_and_drink"},sweet_potato:{keywords:["food","nature"],char:'\u{1f360}',fitzpatrick_scale:!1,category:"food_and_drink"},peanuts:{keywords:["food","nut"],char:'\u{1f95c}',fitzpatrick_scale:!1,category:"food_and_drink"},honey_pot:{keywords:["bees","sweet","kitchen"],char:'\u{1f36f}',fitzpatrick_scale:!1,category:"food_and_drink"},croissant:{keywords:["food","bread","french"],char:'\u{1f950}',fitzpatrick_scale:!1,category:"food_and_drink"},bread:{keywords:["food","wheat","breakfast","toast"],char:'\u{1f35e}',fitzpatrick_scale:!1,category:"food_and_drink"},baguette_bread:{keywords:["food","bread","french"],char:'\u{1f956}',fitzpatrick_scale:!1,category:"food_and_drink"},bagel:{keywords:["food","bread","bakery","schmear"],char:'\u{1f96f}',fitzpatrick_scale:!1,category:"food_and_drink"},pretzel:{keywords:["food","bread","twisted"],char:'\u{1f968}',fitzpatrick_scale:!1,category:"food_and_drink"},cheese:{keywords:["food","chadder"],char:'\u{1f9c0}',fitzpatrick_scale:!1,category:"food_and_drink"},egg:{keywords:["food","chicken","breakfast"],char:'\u{1f95a}',fitzpatrick_scale:!1,category:"food_and_drink"},bacon:{keywords:["food","breakfast","pork","pig","meat"],char:'\u{1f953}',fitzpatrick_scale:!1,category:"food_and_drink"},steak:{keywords:["food","cow","meat","cut","chop","lambchop","porkchop"],char:'\u{1f969}',fitzpatrick_scale:!1,category:"food_and_drink"},pancakes:{keywords:["food","breakfast","flapjacks","hotcakes"],char:'\u{1f95e}',fitzpatrick_scale:!1,category:"food_and_drink"},poultry_leg:{keywords:["food","meat","drumstick","bird","chicken","turkey"],char:'\u{1f357}',fitzpatrick_scale:!1,category:"food_and_drink"},meat_on_bone:{keywords:["good","food","drumstick"],char:'\u{1f356}',fitzpatrick_scale:!1,category:"food_and_drink"},bone:{keywords:["skeleton"],char:'\u{1f9b4}',fitzpatrick_scale:!1,category:"food_and_drink"},fried_shrimp:{keywords:["food","animal","appetizer","summer"],char:'\u{1f364}',fitzpatrick_scale:!1,category:"food_and_drink"},fried_egg:{keywords:["food","breakfast","kitchen","egg"],char:'\u{1f373}',fitzpatrick_scale:!1,category:"food_and_drink"},hamburger:{keywords:["meat","fast food","beef","cheeseburger","mcdonalds","burger king"],char:'\u{1f354}',fitzpatrick_scale:!1,category:"food_and_drink"},fries:{keywords:["chips","snack","fast food"],char:'\u{1f35f}',fitzpatrick_scale:!1,category:"food_and_drink"},stuffed_flatbread:{keywords:["food","flatbread","stuffed","gyro"],char:'\u{1f959}',fitzpatrick_scale:!1,category:"food_and_drink"},hotdog:{keywords:["food","frankfurter"],char:'\u{1f32d}',fitzpatrick_scale:!1,category:"food_and_drink"},pizza:{keywords:["food","party"],char:'\u{1f355}',fitzpatrick_scale:!1,category:"food_and_drink"},sandwich:{keywords:["food","lunch","bread"],char:'\u{1f96a}',fitzpatrick_scale:!1,category:"food_and_drink"},canned_food:{keywords:["food","soup"],char:'\u{1f96b}',fitzpatrick_scale:!1,category:"food_and_drink"},spaghetti:{keywords:["food","italian","noodle"],char:'\u{1f35d}',fitzpatrick_scale:!1,category:"food_and_drink"},taco:{keywords:["food","mexican"],char:'\u{1f32e}',fitzpatrick_scale:!1,category:"food_and_drink"},burrito:{keywords:["food","mexican"],char:'\u{1f32f}',fitzpatrick_scale:!1,category:"food_and_drink"},green_salad:{keywords:["food","healthy","lettuce"],char:'\u{1f957}',fitzpatrick_scale:!1,category:"food_and_drink"},shallow_pan_of_food:{keywords:["food","cooking","casserole","paella"],char:'\u{1f958}',fitzpatrick_scale:!1,category:"food_and_drink"},ramen:{keywords:["food","japanese","noodle","chopsticks"],char:'\u{1f35c}',fitzpatrick_scale:!1,category:"food_and_drink"},stew:{keywords:["food","meat","soup"],char:'\u{1f372}',fitzpatrick_scale:!1,category:"food_and_drink"},fish_cake:{keywords:["food","japan","sea","beach","narutomaki","pink","swirl","kamaboko","surimi","ramen"],char:'\u{1f365}',fitzpatrick_scale:!1,category:"food_and_drink"},fortune_cookie:{keywords:["food","prophecy"],char:'\u{1f960}',fitzpatrick_scale:!1,category:"food_and_drink"},sushi:{keywords:["food","fish","japanese","rice"],char:'\u{1f363}',fitzpatrick_scale:!1,category:"food_and_drink"},bento:{keywords:["food","japanese","box"],char:'\u{1f371}',fitzpatrick_scale:!1,category:"food_and_drink"},curry:{keywords:["food","spicy","hot","indian"],char:'\u{1f35b}',fitzpatrick_scale:!1,category:"food_and_drink"},rice_ball:{keywords:["food","japanese"],char:'\u{1f359}',fitzpatrick_scale:!1,category:"food_and_drink"},rice:{keywords:["food","china","asian"],char:'\u{1f35a}',fitzpatrick_scale:!1,category:"food_and_drink"},rice_cracker:{keywords:["food","japanese"],char:'\u{1f358}',fitzpatrick_scale:!1,category:"food_and_drink"},oden:{keywords:["food","japanese"],char:'\u{1f362}',fitzpatrick_scale:!1,category:"food_and_drink"},dango:{keywords:["food","dessert","sweet","japanese","barbecue","meat"],char:'\u{1f361}',fitzpatrick_scale:!1,category:"food_and_drink"},shaved_ice:{keywords:["hot","dessert","summer"],char:'\u{1f367}',fitzpatrick_scale:!1,category:"food_and_drink"},ice_cream:{keywords:["food","hot","dessert"],char:'\u{1f368}',fitzpatrick_scale:!1,category:"food_and_drink"},icecream:{keywords:["food","hot","dessert","summer"],char:'\u{1f366}',fitzpatrick_scale:!1,category:"food_and_drink"},pie:{keywords:["food","dessert","pastry"],char:'\u{1f967}',fitzpatrick_scale:!1,category:"food_and_drink"},cake:{keywords:["food","dessert"],char:'\u{1f370}',fitzpatrick_scale:!1,category:"food_and_drink"},cupcake:{keywords:["food","dessert","bakery","sweet"],char:'\u{1f9c1}',fitzpatrick_scale:!1,category:"food_and_drink"},moon_cake:{keywords:["food","autumn"],char:'\u{1f96e}',fitzpatrick_scale:!1,category:"food_and_drink"},birthday:{keywords:["food","dessert","cake"],char:'\u{1f382}',fitzpatrick_scale:!1,category:"food_and_drink"},custard:{keywords:["dessert","food"],char:'\u{1f36e}',fitzpatrick_scale:!1,category:"food_and_drink"},candy:{keywords:["snack","dessert","sweet","lolly"],char:'\u{1f36c}',fitzpatrick_scale:!1,category:"food_and_drink"},lollipop:{keywords:["food","snack","candy","sweet"],char:'\u{1f36d}',fitzpatrick_scale:!1,category:"food_and_drink"},chocolate_bar:{keywords:["food","snack","dessert","sweet"],char:'\u{1f36b}',fitzpatrick_scale:!1,category:"food_and_drink"},popcorn:{keywords:["food","movie theater","films","snack"],char:'\u{1f37f}',fitzpatrick_scale:!1,category:"food_and_drink"},dumpling:{keywords:["food","empanada","pierogi","potsticker"],char:'\u{1f95f}',fitzpatrick_scale:!1,category:"food_and_drink"},doughnut:{keywords:["food","dessert","snack","sweet","donut"],char:'\u{1f369}',fitzpatrick_scale:!1,category:"food_and_drink"},cookie:{keywords:["food","snack","oreo","chocolate","sweet","dessert"],char:'\u{1f36a}',fitzpatrick_scale:!1,category:"food_and_drink"},milk_glass:{keywords:["beverage","drink","cow"],char:'\u{1f95b}',fitzpatrick_scale:!1,category:"food_and_drink"},beer:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:'\u{1f37a}',fitzpatrick_scale:!1,category:"food_and_drink"},beers:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:'\u{1f37b}',fitzpatrick_scale:!1,category:"food_and_drink"},clinking_glasses:{keywords:["beverage","drink","party","alcohol","celebrate","cheers","wine","champagne","toast"],char:'\u{1f942}',fitzpatrick_scale:!1,category:"food_and_drink"},wine_glass:{keywords:["drink","beverage","drunk","alcohol","booze"],char:'\u{1f377}',fitzpatrick_scale:!1,category:"food_and_drink"},tumbler_glass:{keywords:["drink","beverage","drunk","alcohol","liquor","booze","bourbon","scotch","whisky","glass","shot"],char:'\u{1f943}',fitzpatrick_scale:!1,category:"food_and_drink"},cocktail:{keywords:["drink","drunk","alcohol","beverage","booze","mojito"],char:'\u{1f378}',fitzpatrick_scale:!1,category:"food_and_drink"},tropical_drink:{keywords:["beverage","cocktail","summer","beach","alcohol","booze","mojito"],char:'\u{1f379}',fitzpatrick_scale:!1,category:"food_and_drink"},champagne:{keywords:["drink","wine","bottle","celebration"],char:'\u{1f37e}',fitzpatrick_scale:!1,category:"food_and_drink"},sake:{keywords:["wine","drink","drunk","beverage","japanese","alcohol","booze"],char:'\u{1f376}',fitzpatrick_scale:!1,category:"food_and_drink"},tea:{keywords:["drink","bowl","breakfast","green","british"],char:'\u{1f375}',fitzpatrick_scale:!1,category:"food_and_drink"},cup_with_straw:{keywords:["drink","soda"],char:'\u{1f964}',fitzpatrick_scale:!1,category:"food_and_drink"},coffee:{keywords:["beverage","caffeine","latte","espresso"],char:'\u2615',fitzpatrick_scale:!1,category:"food_and_drink"},baby_bottle:{keywords:["food","container","milk"],char:'\u{1f37c}',fitzpatrick_scale:!1,category:"food_and_drink"},salt:{keywords:["condiment","shaker"],char:'\u{1f9c2}',fitzpatrick_scale:!1,category:"food_and_drink"},spoon:{keywords:["cutlery","kitchen","tableware"],char:'\u{1f944}',fitzpatrick_scale:!1,category:"food_and_drink"},fork_and_knife:{keywords:["cutlery","kitchen"],char:'\u{1f374}',fitzpatrick_scale:!1,category:"food_and_drink"},plate_with_cutlery:{keywords:["food","eat","meal","lunch","dinner","restaurant"],char:'\u{1f37d}',fitzpatrick_scale:!1,category:"food_and_drink"},bowl_with_spoon:{keywords:["food","breakfast","cereal","oatmeal","porridge"],char:'\u{1f963}',fitzpatrick_scale:!1,category:"food_and_drink"},takeout_box:{keywords:["food","leftovers"],char:'\u{1f961}',fitzpatrick_scale:!1,category:"food_and_drink"},chopsticks:{keywords:["food"],char:'\u{1f962}',fitzpatrick_scale:!1,category:"food_and_drink"},soccer:{keywords:["sports","football"],char:'\u26bd',fitzpatrick_scale:!1,category:"activity"},basketball:{keywords:["sports","balls","NBA"],char:'\u{1f3c0}',fitzpatrick_scale:!1,category:"activity"},football:{keywords:["sports","balls","NFL"],char:'\u{1f3c8}',fitzpatrick_scale:!1,category:"activity"},baseball:{keywords:["sports","balls"],char:'\u26be',fitzpatrick_scale:!1,category:"activity"},softball:{keywords:["sports","balls"],char:'\u{1f94e}',fitzpatrick_scale:!1,category:"activity"},tennis:{keywords:["sports","balls","green"],char:'\u{1f3be}',fitzpatrick_scale:!1,category:"activity"},volleyball:{keywords:["sports","balls"],char:'\u{1f3d0}',fitzpatrick_scale:!1,category:"activity"},rugby_football:{keywords:["sports","team"],char:'\u{1f3c9}',fitzpatrick_scale:!1,category:"activity"},flying_disc:{keywords:["sports","frisbee","ultimate"],char:'\u{1f94f}',fitzpatrick_scale:!1,category:"activity"},"8ball":{keywords:["pool","hobby","game","luck","magic"],char:'\u{1f3b1}',fitzpatrick_scale:!1,category:"activity"},golf:{keywords:["sports","business","flag","hole","summer"],char:'\u26f3',fitzpatrick_scale:!1,category:"activity"},golfing_woman:{keywords:["sports","business","woman","female"],char:'\u{1f3cc}\ufe0f\u200d\u2640\ufe0f',fitzpatrick_scale:!1,category:"activity"},golfing_man:{keywords:["sports","business"],char:'\u{1f3cc}',fitzpatrick_scale:!0,category:"activity"},ping_pong:{keywords:["sports","pingpong"],char:'\u{1f3d3}',fitzpatrick_scale:!1,category:"activity"},badminton:{keywords:["sports"],char:'\u{1f3f8}',fitzpatrick_scale:!1,category:"activity"},goal_net:{keywords:["sports"],char:'\u{1f945}',fitzpatrick_scale:!1,category:"activity"},ice_hockey:{keywords:["sports"],char:'\u{1f3d2}',fitzpatrick_scale:!1,category:"activity"},field_hockey:{keywords:["sports"],char:'\u{1f3d1}',fitzpatrick_scale:!1,category:"activity"},lacrosse:{keywords:["sports","ball","stick"],char:'\u{1f94d}',fitzpatrick_scale:!1,category:"activity"},cricket:{keywords:["sports"],char:'\u{1f3cf}',fitzpatrick_scale:!1,category:"activity"},ski:{keywords:["sports","winter","cold","snow"],char:'\u{1f3bf}',fitzpatrick_scale:!1,category:"activity"},skier:{keywords:["sports","winter","snow"],char:'\u26f7',fitzpatrick_scale:!1,category:"activity"},snowboarder:{keywords:["sports","winter"],char:'\u{1f3c2}',fitzpatrick_scale:!0,category:"activity"},person_fencing:{keywords:["sports","fencing","sword"],char:'\u{1f93a}',fitzpatrick_scale:!1,category:"activity"},women_wrestling:{keywords:["sports","wrestlers"],char:'\u{1f93c}\u200d\u2640\ufe0f',fitzpatrick_scale:!1,category:"activity"},men_wrestling:{keywords:["sports","wrestlers"],char:'\u{1f93c}\u200d\u2642\ufe0f',fitzpatrick_scale:!1,category:"activity"},woman_cartwheeling:{keywords:["gymnastics"],char:'\u{1f938}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},man_cartwheeling:{keywords:["gymnastics"],char:'\u{1f938}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"activity"},woman_playing_handball:{keywords:["sports"],char:'\u{1f93e}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},man_playing_handball:{keywords:["sports"],char:'\u{1f93e}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"activity"},ice_skate:{keywords:["sports"],char:'\u26f8',fitzpatrick_scale:!1,category:"activity"},curling_stone:{keywords:["sports"],char:'\u{1f94c}',fitzpatrick_scale:!1,category:"activity"},skateboard:{keywords:["board"],char:'\u{1f6f9}',fitzpatrick_scale:!1,category:"activity"},sled:{keywords:["sleigh","luge","toboggan"],char:'\u{1f6f7}',fitzpatrick_scale:!1,category:"activity"},bow_and_arrow:{keywords:["sports"],char:'\u{1f3f9}',fitzpatrick_scale:!1,category:"activity"},fishing_pole_and_fish:{keywords:["food","hobby","summer"],char:'\u{1f3a3}',fitzpatrick_scale:!1,category:"activity"},boxing_glove:{keywords:["sports","fighting"],char:'\u{1f94a}',fitzpatrick_scale:!1,category:"activity"},martial_arts_uniform:{keywords:["judo","karate","taekwondo"],char:'\u{1f94b}',fitzpatrick_scale:!1,category:"activity"},rowing_woman:{keywords:["sports","hobby","water","ship","woman","female"],char:'\u{1f6a3}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},rowing_man:{keywords:["sports","hobby","water","ship"],char:'\u{1f6a3}',fitzpatrick_scale:!0,category:"activity"},climbing_woman:{keywords:["sports","hobby","woman","female","rock"],char:'\u{1f9d7}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},climbing_man:{keywords:["sports","hobby","man","male","rock"],char:'\u{1f9d7}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"activity"},swimming_woman:{keywords:["sports","exercise","human","athlete","water","summer","woman","female"],char:'\u{1f3ca}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},swimming_man:{keywords:["sports","exercise","human","athlete","water","summer"],char:'\u{1f3ca}',fitzpatrick_scale:!0,category:"activity"},woman_playing_water_polo:{keywords:["sports","pool"],char:'\u{1f93d}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},man_playing_water_polo:{keywords:["sports","pool"],char:'\u{1f93d}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"activity"},woman_in_lotus_position:{keywords:["woman","female","meditation","yoga","serenity","zen","mindfulness"],char:'\u{1f9d8}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},man_in_lotus_position:{keywords:["man","male","meditation","yoga","serenity","zen","mindfulness"],char:'\u{1f9d8}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"activity"},surfing_woman:{keywords:["sports","ocean","sea","summer","beach","woman","female"],char:'\u{1f3c4}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},surfing_man:{keywords:["sports","ocean","sea","summer","beach"],char:'\u{1f3c4}',fitzpatrick_scale:!0,category:"activity"},bath:{keywords:["clean","shower","bathroom"],char:'\u{1f6c0}',fitzpatrick_scale:!0,category:"activity"},basketball_woman:{keywords:["sports","human","woman","female"],char:'\u26f9\ufe0f\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},basketball_man:{keywords:["sports","human"],char:'\u26f9',fitzpatrick_scale:!0,category:"activity"},weight_lifting_woman:{keywords:["sports","training","exercise","woman","female"],char:'\u{1f3cb}\ufe0f\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},weight_lifting_man:{keywords:["sports","training","exercise"],char:'\u{1f3cb}',fitzpatrick_scale:!0,category:"activity"},biking_woman:{keywords:["sports","bike","exercise","hipster","woman","female"],char:'\u{1f6b4}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},biking_man:{keywords:["sports","bike","exercise","hipster"],char:'\u{1f6b4}',fitzpatrick_scale:!0,category:"activity"},mountain_biking_woman:{keywords:["transportation","sports","human","race","bike","woman","female"],char:'\u{1f6b5}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},mountain_biking_man:{keywords:["transportation","sports","human","race","bike"],char:'\u{1f6b5}',fitzpatrick_scale:!0,category:"activity"},horse_racing:{keywords:["animal","betting","competition","gambling","luck"],char:'\u{1f3c7}',fitzpatrick_scale:!0,category:"activity"},business_suit_levitating:{keywords:["suit","business","levitate","hover","jump"],char:'\u{1f574}',fitzpatrick_scale:!0,category:"activity"},trophy:{keywords:["win","award","contest","place","ftw","ceremony"],char:'\u{1f3c6}',fitzpatrick_scale:!1,category:"activity"},running_shirt_with_sash:{keywords:["play","pageant"],char:'\u{1f3bd}',fitzpatrick_scale:!1,category:"activity"},medal_sports:{keywords:["award","winning"],char:'\u{1f3c5}',fitzpatrick_scale:!1,category:"activity"},medal_military:{keywords:["award","winning","army"],char:'\u{1f396}',fitzpatrick_scale:!1,category:"activity"},"1st_place_medal":{keywords:["award","winning","first"],char:'\u{1f947}',fitzpatrick_scale:!1,category:"activity"},"2nd_place_medal":{keywords:["award","second"],char:'\u{1f948}',fitzpatrick_scale:!1,category:"activity"},"3rd_place_medal":{keywords:["award","third"],char:'\u{1f949}',fitzpatrick_scale:!1,category:"activity"},reminder_ribbon:{keywords:["sports","cause","support","awareness"],char:'\u{1f397}',fitzpatrick_scale:!1,category:"activity"},rosette:{keywords:["flower","decoration","military"],char:'\u{1f3f5}',fitzpatrick_scale:!1,category:"activity"},ticket:{keywords:["event","concert","pass"],char:'\u{1f3ab}',fitzpatrick_scale:!1,category:"activity"},tickets:{keywords:["sports","concert","entrance"],char:'\u{1f39f}',fitzpatrick_scale:!1,category:"activity"},performing_arts:{keywords:["acting","theater","drama"],char:'\u{1f3ad}',fitzpatrick_scale:!1,category:"activity"},art:{keywords:["design","paint","draw","colors"],char:'\u{1f3a8}',fitzpatrick_scale:!1,category:"activity"},circus_tent:{keywords:["festival","carnival","party"],char:'\u{1f3aa}',fitzpatrick_scale:!1,category:"activity"},woman_juggling:{keywords:["juggle","balance","skill","multitask"],char:'\u{1f939}\u200d\u2640\ufe0f',fitzpatrick_scale:!0,category:"activity"},man_juggling:{keywords:["juggle","balance","skill","multitask"],char:'\u{1f939}\u200d\u2642\ufe0f',fitzpatrick_scale:!0,category:"activity"},microphone:{keywords:["sound","music","PA","sing","talkshow"],char:'\u{1f3a4}',fitzpatrick_scale:!1,category:"activity"},headphones:{keywords:["music","score","gadgets"],char:'\u{1f3a7}',fitzpatrick_scale:!1,category:"activity"},musical_score:{keywords:["treble","clef","compose"],char:'\u{1f3bc}',fitzpatrick_scale:!1,category:"activity"},musical_keyboard:{keywords:["piano","instrument","compose"],char:'\u{1f3b9}',fitzpatrick_scale:!1,category:"activity"},drum:{keywords:["music","instrument","drumsticks","snare"],char:'\u{1f941}',fitzpatrick_scale:!1,category:"activity"},saxophone:{keywords:["music","instrument","jazz","blues"],char:'\u{1f3b7}',fitzpatrick_scale:!1,category:"activity"},trumpet:{keywords:["music","brass"],char:'\u{1f3ba}',fitzpatrick_scale:!1,category:"activity"},guitar:{keywords:["music","instrument"],char:'\u{1f3b8}',fitzpatrick_scale:!1,category:"activity"},violin:{keywords:["music","instrument","orchestra","symphony"],char:'\u{1f3bb}',fitzpatrick_scale:!1,category:"activity"},clapper:{keywords:["movie","film","record"],char:'\u{1f3ac}',fitzpatrick_scale:!1,category:"activity"},video_game:{keywords:["play","console","PS4","controller"],char:'\u{1f3ae}',fitzpatrick_scale:!1,category:"activity"},space_invader:{keywords:["game","arcade","play"],char:'\u{1f47e}',fitzpatrick_scale:!1,category:"activity"},dart:{keywords:["game","play","bar","target","bullseye"],char:'\u{1f3af}',fitzpatrick_scale:!1,category:"activity"},game_die:{keywords:["dice","random","tabletop","play","luck"],char:'\u{1f3b2}',fitzpatrick_scale:!1,category:"activity"},chess_pawn:{keywords:["expendable"],char:"\u265f",fitzpatrick_scale:!1,category:"activity"},slot_machine:{keywords:["bet","gamble","vegas","fruit machine","luck","casino"],char:'\u{1f3b0}',fitzpatrick_scale:!1,category:"activity"},jigsaw:{keywords:["interlocking","puzzle","piece"],char:'\u{1f9e9}',fitzpatrick_scale:!1,category:"activity"},bowling:{keywords:["sports","fun","play"],char:'\u{1f3b3}',fitzpatrick_scale:!1,category:"activity"},red_car:{keywords:["red","transportation","vehicle"],char:'\u{1f697}',fitzpatrick_scale:!1,category:"travel_and_places"},taxi:{keywords:["uber","vehicle","cars","transportation"],char:'\u{1f695}',fitzpatrick_scale:!1,category:"travel_and_places"},blue_car:{keywords:["transportation","vehicle"],char:'\u{1f699}',fitzpatrick_scale:!1,category:"travel_and_places"},bus:{keywords:["car","vehicle","transportation"],char:'\u{1f68c}',fitzpatrick_scale:!1,category:"travel_and_places"},trolleybus:{keywords:["bart","transportation","vehicle"],char:'\u{1f68e}',fitzpatrick_scale:!1,category:"travel_and_places"},racing_car:{keywords:["sports","race","fast","formula","f1"],char:'\u{1f3ce}',fitzpatrick_scale:!1,category:"travel_and_places"},police_car:{keywords:["vehicle","cars","transportation","law","legal","enforcement"],char:'\u{1f693}',fitzpatrick_scale:!1,category:"travel_and_places"},ambulance:{keywords:["health","911","hospital"],char:'\u{1f691}',fitzpatrick_scale:!1,category:"travel_and_places"},fire_engine:{keywords:["transportation","cars","vehicle"],char:'\u{1f692}',fitzpatrick_scale:!1,category:"travel_and_places"},minibus:{keywords:["vehicle","car","transportation"],char:'\u{1f690}',fitzpatrick_scale:!1,category:"travel_and_places"},truck:{keywords:["cars","transportation"],char:'\u{1f69a}',fitzpatrick_scale:!1,category:"travel_and_places"},articulated_lorry:{keywords:["vehicle","cars","transportation","express"],char:'\u{1f69b}',fitzpatrick_scale:!1,category:"travel_and_places"},tractor:{keywords:["vehicle","car","farming","agriculture"],char:'\u{1f69c}',fitzpatrick_scale:!1,category:"travel_and_places"},kick_scooter:{keywords:["vehicle","kick","razor"],char:'\u{1f6f4}',fitzpatrick_scale:!1,category:"travel_and_places"},motorcycle:{keywords:["race","sports","fast"],char:'\u{1f3cd}',fitzpatrick_scale:!1,category:"travel_and_places"},bike:{keywords:["sports","bicycle","exercise","hipster"],char:'\u{1f6b2}',fitzpatrick_scale:!1,category:"travel_and_places"},motor_scooter:{keywords:["vehicle","vespa","sasha"],char:'\u{1f6f5}',fitzpatrick_scale:!1,category:"travel_and_places"},rotating_light:{keywords:["police","ambulance","911","emergency","alert","error","pinged","law","legal"],char:'\u{1f6a8}',fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_police_car:{keywords:["vehicle","law","legal","enforcement","911"],char:'\u{1f694}',fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_bus:{keywords:["vehicle","transportation"],char:'\u{1f68d}',fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_automobile:{keywords:["car","vehicle","transportation"],char:'\u{1f698}',fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_taxi:{keywords:["vehicle","cars","uber"],char:'\u{1f696}',fitzpatrick_scale:!1,category:"travel_and_places"},aerial_tramway:{keywords:["transportation","vehicle","ski"],char:'\u{1f6a1}',fitzpatrick_scale:!1,category:"travel_and_places"},mountain_cableway:{keywords:["transportation","vehicle","ski"],char:'\u{1f6a0}',fitzpatrick_scale:!1,category:"travel_and_places"},suspension_railway:{keywords:["vehicle","transportation"],char:'\u{1f69f}',fitzpatrick_scale:!1,category:"travel_and_places"},railway_car:{keywords:["transportation","vehicle"],char:'\u{1f683}',fitzpatrick_scale:!1,category:"travel_and_places"},train:{keywords:["transportation","vehicle","carriage","public","travel"],char:'\u{1f68b}',fitzpatrick_scale:!1,category:"travel_and_places"},monorail:{keywords:["transportation","vehicle"],char:'\u{1f69d}',fitzpatrick_scale:!1,category:"travel_and_places"},bullettrain_side:{keywords:["transportation","vehicle"],char:'\u{1f684}',fitzpatrick_scale:!1,category:"travel_and_places"},bullettrain_front:{keywords:["transportation","vehicle","speed","fast","public","travel"],char:'\u{1f685}',fitzpatrick_scale:!1,category:"travel_and_places"},light_rail:{keywords:["transportation","vehicle"],char:'\u{1f688}',fitzpatrick_scale:!1,category:"travel_and_places"},mountain_railway:{keywords:["transportation","vehicle"],char:'\u{1f69e}',fitzpatrick_scale:!1,category:"travel_and_places"},steam_locomotive:{keywords:["transportation","vehicle","train"],char:'\u{1f682}',fitzpatrick_scale:!1,category:"travel_and_places"},train2:{keywords:["transportation","vehicle"],char:'\u{1f686}',fitzpatrick_scale:!1,category:"travel_and_places"},metro:{keywords:["transportation","blue-square","mrt","underground","tube"],char:'\u{1f687}',fitzpatrick_scale:!1,category:"travel_and_places"},tram:{keywords:["transportation","vehicle"],char:'\u{1f68a}',fitzpatrick_scale:!1,category:"travel_and_places"},station:{keywords:["transportation","vehicle","public"],char:'\u{1f689}',fitzpatrick_scale:!1,category:"travel_and_places"},flying_saucer:{keywords:["transportation","vehicle","ufo"],char:'\u{1f6f8}',fitzpatrick_scale:!1,category:"travel_and_places"},helicopter:{keywords:["transportation","vehicle","fly"],char:'\u{1f681}',fitzpatrick_scale:!1,category:"travel_and_places"},small_airplane:{keywords:["flight","transportation","fly","vehicle"],char:'\u{1f6e9}',fitzpatrick_scale:!1,category:"travel_and_places"},airplane:{keywords:["vehicle","transportation","flight","fly"],char:'\u2708\ufe0f',fitzpatrick_scale:!1,category:"travel_and_places"},flight_departure:{keywords:["airport","flight","landing"],char:'\u{1f6eb}',fitzpatrick_scale:!1,category:"travel_and_places"},flight_arrival:{keywords:["airport","flight","boarding"],char:'\u{1f6ec}',fitzpatrick_scale:!1,category:"travel_and_places"},sailboat:{keywords:["ship","summer","transportation","water","sailing"],char:'\u26f5',fitzpatrick_scale:!1,category:"travel_and_places"},motor_boat:{keywords:["ship"],char:'\u{1f6e5}',fitzpatrick_scale:!1,category:"travel_and_places"},speedboat:{keywords:["ship","transportation","vehicle","summer"],char:'\u{1f6a4}',fitzpatrick_scale:!1,category:"travel_and_places"},ferry:{keywords:["boat","ship","yacht"],char:'\u26f4',fitzpatrick_scale:!1,category:"travel_and_places"},passenger_ship:{keywords:["yacht","cruise","ferry"],char:'\u{1f6f3}',fitzpatrick_scale:!1,category:"travel_and_places"},rocket:{keywords:["launch","ship","staffmode","NASA","outer space","outer_space","fly"],char:'\u{1f680}',fitzpatrick_scale:!1,category:"travel_and_places"},artificial_satellite:{keywords:["communication","gps","orbit","spaceflight","NASA","ISS"],char:'\u{1f6f0}',fitzpatrick_scale:!1,category:"travel_and_places"},seat:{keywords:["sit","airplane","transport","bus","flight","fly"],char:'\u{1f4ba}',fitzpatrick_scale:!1,category:"travel_and_places"},canoe:{keywords:["boat","paddle","water","ship"],char:'\u{1f6f6}',fitzpatrick_scale:!1,category:"travel_and_places"},anchor:{keywords:["ship","ferry","sea","boat"],char:'\u2693',fitzpatrick_scale:!1,category:"travel_and_places"},construction:{keywords:["wip","progress","caution","warning"],char:'\u{1f6a7}',fitzpatrick_scale:!1,category:"travel_and_places"},fuelpump:{keywords:["gas station","petroleum"],char:'\u26fd',fitzpatrick_scale:!1,category:"travel_and_places"},busstop:{keywords:["transportation","wait"],char:'\u{1f68f}',fitzpatrick_scale:!1,category:"travel_and_places"},vertical_traffic_light:{keywords:["transportation","driving"],char:'\u{1f6a6}',fitzpatrick_scale:!1,category:"travel_and_places"},traffic_light:{keywords:["transportation","signal"],char:'\u{1f6a5}',fitzpatrick_scale:!1,category:"travel_and_places"},checkered_flag:{keywords:["contest","finishline","race","gokart"],char:'\u{1f3c1}',fitzpatrick_scale:!1,category:"travel_and_places"},ship:{keywords:["transportation","titanic","deploy"],char:'\u{1f6a2}',fitzpatrick_scale:!1,category:"travel_and_places"},ferris_wheel:{keywords:["photo","carnival","londoneye"],char:'\u{1f3a1}',fitzpatrick_scale:!1,category:"travel_and_places"},roller_coaster:{keywords:["carnival","playground","photo","fun"],char:'\u{1f3a2}',fitzpatrick_scale:!1,category:"travel_and_places"},carousel_horse:{keywords:["photo","carnival"],char:'\u{1f3a0}',fitzpatrick_scale:!1,category:"travel_and_places"},building_construction:{keywords:["wip","working","progress"],char:'\u{1f3d7}',fitzpatrick_scale:!1,category:"travel_and_places"},foggy:{keywords:["photo","mountain"],char:'\u{1f301}',fitzpatrick_scale:!1,category:"travel_and_places"},tokyo_tower:{keywords:["photo","japanese"],char:'\u{1f5fc}',fitzpatrick_scale:!1,category:"travel_and_places"},factory:{keywords:["building","industry","pollution","smoke"],char:'\u{1f3ed}',fitzpatrick_scale:!1,category:"travel_and_places"},fountain:{keywords:["photo","summer","water","fresh"],char:'\u26f2',fitzpatrick_scale:!1,category:"travel_and_places"},rice_scene:{keywords:["photo","japan","asia","tsukimi"],char:'\u{1f391}',fitzpatrick_scale:!1,category:"travel_and_places"},mountain:{keywords:["photo","nature","environment"],char:'\u26f0',fitzpatrick_scale:!1,category:"travel_and_places"},mountain_snow:{keywords:["photo","nature","environment","winter","cold"],char:'\u{1f3d4}',fitzpatrick_scale:!1,category:"travel_and_places"},mount_fuji:{keywords:["photo","mountain","nature","japanese"],char:'\u{1f5fb}',fitzpatrick_scale:!1,category:"travel_and_places"},volcano:{keywords:["photo","nature","disaster"],char:'\u{1f30b}',fitzpatrick_scale:!1,category:"travel_and_places"},japan:{keywords:["nation","country","japanese","asia"],char:'\u{1f5fe}',fitzpatrick_scale:!1,category:"travel_and_places"},camping:{keywords:["photo","outdoors","tent"],char:'\u{1f3d5}',fitzpatrick_scale:!1,category:"travel_and_places"},tent:{keywords:["photo","camping","outdoors"],char:'\u26fa',fitzpatrick_scale:!1,category:"travel_and_places"},national_park:{keywords:["photo","environment","nature"],char:'\u{1f3de}',fitzpatrick_scale:!1,category:"travel_and_places"},motorway:{keywords:["road","cupertino","interstate","highway"],char:'\u{1f6e3}',fitzpatrick_scale:!1,category:"travel_and_places"},railway_track:{keywords:["train","transportation"],char:'\u{1f6e4}',fitzpatrick_scale:!1,category:"travel_and_places"},sunrise:{keywords:["morning","view","vacation","photo"],char:'\u{1f305}',fitzpatrick_scale:!1,category:"travel_and_places"},sunrise_over_mountains:{keywords:["view","vacation","photo"],char:'\u{1f304}',fitzpatrick_scale:!1,category:"travel_and_places"},desert:{keywords:["photo","warm","saharah"],char:'\u{1f3dc}',fitzpatrick_scale:!1,category:"travel_and_places"},beach_umbrella:{keywords:["weather","summer","sunny","sand","mojito"],char:'\u{1f3d6}',fitzpatrick_scale:!1,category:"travel_and_places"},desert_island:{keywords:["photo","tropical","mojito"],char:'\u{1f3dd}',fitzpatrick_scale:!1,category:"travel_and_places"},city_sunrise:{keywords:["photo","good morning","dawn"],char:'\u{1f307}',fitzpatrick_scale:!1,category:"travel_and_places"},city_sunset:{keywords:["photo","evening","sky","buildings"],char:'\u{1f306}',fitzpatrick_scale:!1,category:"travel_and_places"},cityscape:{keywords:["photo","night life","urban"],char:'\u{1f3d9}',fitzpatrick_scale:!1,category:"travel_and_places"},night_with_stars:{keywords:["evening","city","downtown"],char:'\u{1f303}',fitzpatrick_scale:!1,category:"travel_and_places"},bridge_at_night:{keywords:["photo","sanfrancisco"],char:'\u{1f309}',fitzpatrick_scale:!1,category:"travel_and_places"},milky_way:{keywords:["photo","space","stars"],char:'\u{1f30c}',fitzpatrick_scale:!1,category:"travel_and_places"},stars:{keywords:["night","photo"],char:'\u{1f320}',fitzpatrick_scale:!1,category:"travel_and_places"},sparkler:{keywords:["stars","night","shine"],char:'\u{1f387}',fitzpatrick_scale:!1,category:"travel_and_places"},fireworks:{keywords:["photo","festival","carnival","congratulations"],char:'\u{1f386}',fitzpatrick_scale:!1,category:"travel_and_places"},rainbow:{keywords:["nature","happy","unicorn_face","photo","sky","spring"],char:'\u{1f308}',fitzpatrick_scale:!1,category:"travel_and_places"},houses:{keywords:["buildings","photo"],char:'\u{1f3d8}',fitzpatrick_scale:!1,category:"travel_and_places"},european_castle:{keywords:["building","royalty","history"],char:'\u{1f3f0}',fitzpatrick_scale:!1,category:"travel_and_places"},japanese_castle:{keywords:["photo","building"],char:'\u{1f3ef}',fitzpatrick_scale:!1,category:"travel_and_places"},stadium:{keywords:["photo","place","sports","concert","venue"],char:'\u{1f3df}',fitzpatrick_scale:!1,category:"travel_and_places"},statue_of_liberty:{keywords:["american","newyork"],char:'\u{1f5fd}',fitzpatrick_scale:!1,category:"travel_and_places"},house:{keywords:["building","home"],char:'\u{1f3e0}',fitzpatrick_scale:!1,category:"travel_and_places"},house_with_garden:{keywords:["home","plant","nature"],char:'\u{1f3e1}',fitzpatrick_scale:!1,category:"travel_and_places"},derelict_house:{keywords:["abandon","evict","broken","building"],char:'\u{1f3da}',fitzpatrick_scale:!1,category:"travel_and_places"},office:{keywords:["building","bureau","work"],char:'\u{1f3e2}',fitzpatrick_scale:!1,category:"travel_and_places"},department_store:{keywords:["building","shopping","mall"],char:'\u{1f3ec}',fitzpatrick_scale:!1,category:"travel_and_places"},post_office:{keywords:["building","envelope","communication"],char:'\u{1f3e3}',fitzpatrick_scale:!1,category:"travel_and_places"},european_post_office:{keywords:["building","email"],char:'\u{1f3e4}',fitzpatrick_scale:!1,category:"travel_and_places"},hospital:{keywords:["building","health","surgery","doctor"],char:'\u{1f3e5}',fitzpatrick_scale:!1,category:"travel_and_places"},bank:{keywords:["building","money","sales","cash","business","enterprise"],char:'\u{1f3e6}',fitzpatrick_scale:!1,category:"travel_and_places"},hotel:{keywords:["building","accomodation","checkin"],char:'\u{1f3e8}',fitzpatrick_scale:!1,category:"travel_and_places"},convenience_store:{keywords:["building","shopping","groceries"],char:'\u{1f3ea}',fitzpatrick_scale:!1,category:"travel_and_places"},school:{keywords:["building","student","education","learn","teach"],char:'\u{1f3eb}',fitzpatrick_scale:!1,category:"travel_and_places"},love_hotel:{keywords:["like","affection","dating"],char:'\u{1f3e9}',fitzpatrick_scale:!1,category:"travel_and_places"},wedding:{keywords:["love","like","affection","couple","marriage","bride","groom"],char:'\u{1f492}',fitzpatrick_scale:!1,category:"travel_and_places"},classical_building:{keywords:["art","culture","history"],char:'\u{1f3db}',fitzpatrick_scale:!1,category:"travel_and_places"},church:{keywords:["building","religion","christ"],char:'\u26ea',fitzpatrick_scale:!1,category:"travel_and_places"},mosque:{keywords:["islam","worship","minaret"],char:'\u{1f54c}',fitzpatrick_scale:!1,category:"travel_and_places"},synagogue:{keywords:["judaism","worship","temple","jewish"],char:'\u{1f54d}',fitzpatrick_scale:!1,category:"travel_and_places"},kaaba:{keywords:["mecca","mosque","islam"],char:'\u{1f54b}',fitzpatrick_scale:!1,category:"travel_and_places"},shinto_shrine:{keywords:["temple","japan","kyoto"],char:'\u26e9',fitzpatrick_scale:!1,category:"travel_and_places"},watch:{keywords:["time","accessories"],char:'\u231a',fitzpatrick_scale:!1,category:"objects"},iphone:{keywords:["technology","apple","gadgets","dial"],char:'\u{1f4f1}',fitzpatrick_scale:!1,category:"objects"},calling:{keywords:["iphone","incoming"],char:'\u{1f4f2}',fitzpatrick_scale:!1,category:"objects"},computer:{keywords:["technology","laptop","screen","display","monitor"],char:'\u{1f4bb}',fitzpatrick_scale:!1,category:"objects"},keyboard:{keywords:["technology","computer","type","input","text"],char:'\u2328',fitzpatrick_scale:!1,category:"objects"},desktop_computer:{keywords:["technology","computing","screen"],char:'\u{1f5a5}',fitzpatrick_scale:!1,category:"objects"},printer:{keywords:["paper","ink"],char:'\u{1f5a8}',fitzpatrick_scale:!1,category:"objects"},computer_mouse:{keywords:["click"],char:'\u{1f5b1}',fitzpatrick_scale:!1,category:"objects"},trackball:{keywords:["technology","trackpad"],char:'\u{1f5b2}',fitzpatrick_scale:!1,category:"objects"},joystick:{keywords:["game","play"],char:'\u{1f579}',fitzpatrick_scale:!1,category:"objects"},clamp:{keywords:["tool"],char:'\u{1f5dc}',fitzpatrick_scale:!1,category:"objects"},minidisc:{keywords:["technology","record","data","disk","90s"],char:'\u{1f4bd}',fitzpatrick_scale:!1,category:"objects"},floppy_disk:{keywords:["oldschool","technology","save","90s","80s"],char:'\u{1f4be}',fitzpatrick_scale:!1,category:"objects"},cd:{keywords:["technology","dvd","disk","disc","90s"],char:'\u{1f4bf}',fitzpatrick_scale:!1,category:"objects"},dvd:{keywords:["cd","disk","disc"],char:'\u{1f4c0}',fitzpatrick_scale:!1,category:"objects"},vhs:{keywords:["record","video","oldschool","90s","80s"],char:'\u{1f4fc}',fitzpatrick_scale:!1,category:"objects"},camera:{keywords:["gadgets","photography"],char:'\u{1f4f7}',fitzpatrick_scale:!1,category:"objects"},camera_flash:{keywords:["photography","gadgets"],char:'\u{1f4f8}',fitzpatrick_scale:!1,category:"objects"},video_camera:{keywords:["film","record"],char:'\u{1f4f9}',fitzpatrick_scale:!1,category:"objects"},movie_camera:{keywords:["film","record"],char:'\u{1f3a5}',fitzpatrick_scale:!1,category:"objects"},film_projector:{keywords:["video","tape","record","movie"],char:'\u{1f4fd}',fitzpatrick_scale:!1,category:"objects"},film_strip:{keywords:["movie"],char:'\u{1f39e}',fitzpatrick_scale:!1,category:"objects"},telephone_receiver:{keywords:["technology","communication","dial"],char:'\u{1f4de}',fitzpatrick_scale:!1,category:"objects"},phone:{keywords:["technology","communication","dial","telephone"],char:'\u260e\ufe0f',fitzpatrick_scale:!1,category:"objects"},pager:{keywords:["bbcall","oldschool","90s"],char:'\u{1f4df}',fitzpatrick_scale:!1,category:"objects"},fax:{keywords:["communication","technology"],char:'\u{1f4e0}',fitzpatrick_scale:!1,category:"objects"},tv:{keywords:["technology","program","oldschool","show","television"],char:'\u{1f4fa}',fitzpatrick_scale:!1,category:"objects"},radio:{keywords:["communication","music","podcast","program"],char:'\u{1f4fb}',fitzpatrick_scale:!1,category:"objects"},studio_microphone:{keywords:["sing","recording","artist","talkshow"],char:'\u{1f399}',fitzpatrick_scale:!1,category:"objects"},level_slider:{keywords:["scale"],char:'\u{1f39a}',fitzpatrick_scale:!1,category:"objects"},control_knobs:{keywords:["dial"],char:'\u{1f39b}',fitzpatrick_scale:!1,category:"objects"},compass:{keywords:["magnetic","navigation","orienteering"],char:'\u{1f9ed}',fitzpatrick_scale:!1,category:"objects"},stopwatch:{keywords:["time","deadline"],char:'\u23f1',fitzpatrick_scale:!1,category:"objects"},timer_clock:{keywords:["alarm"],char:'\u23f2',fitzpatrick_scale:!1,category:"objects"},alarm_clock:{keywords:["time","wake"],char:'\u23f0',fitzpatrick_scale:!1,category:"objects"},mantelpiece_clock:{keywords:["time"],char:'\u{1f570}',fitzpatrick_scale:!1,category:"objects"},hourglass_flowing_sand:{keywords:["oldschool","time","countdown"],char:'\u23f3',fitzpatrick_scale:!1,category:"objects"},hourglass:{keywords:["time","clock","oldschool","limit","exam","quiz","test"],char:'\u231b',fitzpatrick_scale:!1,category:"objects"},satellite:{keywords:["communication","future","radio","space"],char:'\u{1f4e1}',fitzpatrick_scale:!1,category:"objects"},battery:{keywords:["power","energy","sustain"],char:'\u{1f50b}',fitzpatrick_scale:!1,category:"objects"},electric_plug:{keywords:["charger","power"],char:'\u{1f50c}',fitzpatrick_scale:!1,category:"objects"},bulb:{keywords:["light","electricity","idea"],char:'\u{1f4a1}',fitzpatrick_scale:!1,category:"objects"},flashlight:{keywords:["dark","camping","sight","night"],char:'\u{1f526}',fitzpatrick_scale:!1,category:"objects"},candle:{keywords:["fire","wax"],char:'\u{1f56f}',fitzpatrick_scale:!1,category:"objects"},fire_extinguisher:{keywords:["quench"],char:'\u{1f9ef}',fitzpatrick_scale:!1,category:"objects"},wastebasket:{keywords:["bin","trash","rubbish","garbage","toss"],char:'\u{1f5d1}',fitzpatrick_scale:!1,category:"objects"},oil_drum:{keywords:["barrell"],char:'\u{1f6e2}',fitzpatrick_scale:!1,category:"objects"},money_with_wings:{keywords:["dollar","bills","payment","sale"],char:'\u{1f4b8}',fitzpatrick_scale:!1,category:"objects"},dollar:{keywords:["money","sales","bill","currency"],char:'\u{1f4b5}',fitzpatrick_scale:!1,category:"objects"},yen:{keywords:["money","sales","japanese","dollar","currency"],char:'\u{1f4b4}',fitzpatrick_scale:!1,category:"objects"},euro:{keywords:["money","sales","dollar","currency"],char:'\u{1f4b6}',fitzpatrick_scale:!1,category:"objects"},pound:{keywords:["british","sterling","money","sales","bills","uk","england","currency"],char:'\u{1f4b7}',fitzpatrick_scale:!1,category:"objects"},moneybag:{keywords:["dollar","payment","coins","sale"],char:'\u{1f4b0}',fitzpatrick_scale:!1,category:"objects"},credit_card:{keywords:["money","sales","dollar","bill","payment","shopping"],char:'\u{1f4b3}',fitzpatrick_scale:!1,category:"objects"},gem:{keywords:["blue","ruby","diamond","jewelry"],char:'\u{1f48e}',fitzpatrick_scale:!1,category:"objects"},balance_scale:{keywords:["law","fairness","weight"],char:'\u2696',fitzpatrick_scale:!1,category:"objects"},toolbox:{keywords:["tools","diy","fix","maintainer","mechanic"],char:'\u{1f9f0}',fitzpatrick_scale:!1,category:"objects"},wrench:{keywords:["tools","diy","ikea","fix","maintainer"],char:'\u{1f527}',fitzpatrick_scale:!1,category:"objects"},hammer:{keywords:["tools","build","create"],char:'\u{1f528}',fitzpatrick_scale:!1,category:"objects"},hammer_and_pick:{keywords:["tools","build","create"],char:'\u2692',fitzpatrick_scale:!1,category:"objects"},hammer_and_wrench:{keywords:["tools","build","create"],char:'\u{1f6e0}',fitzpatrick_scale:!1,category:"objects"},pick:{keywords:["tools","dig"],char:'\u26cf',fitzpatrick_scale:!1,category:"objects"},nut_and_bolt:{keywords:["handy","tools","fix"],char:'\u{1f529}',fitzpatrick_scale:!1,category:"objects"},gear:{keywords:["cog"],char:'\u2699',fitzpatrick_scale:!1,category:"objects"},brick:{keywords:["bricks"],char:'\u{1f9f1}',fitzpatrick_scale:!1,category:"objects"},chains:{keywords:["lock","arrest"],char:'\u26d3',fitzpatrick_scale:!1,category:"objects"},magnet:{keywords:["attraction","magnetic"],char:'\u{1f9f2}',fitzpatrick_scale:!1,category:"objects"},gun:{keywords:["violence","weapon","pistol","revolver"],char:'\u{1f52b}',fitzpatrick_scale:!1,category:"objects"},bomb:{keywords:["boom","explode","explosion","terrorism"],char:'\u{1f4a3}',fitzpatrick_scale:!1,category:"objects"},firecracker:{keywords:["dynamite","boom","explode","explosion","explosive"],char:'\u{1f9e8}',fitzpatrick_scale:!1,category:"objects"},hocho:{keywords:["knife","blade","cutlery","kitchen","weapon"],char:'\u{1f52a}',fitzpatrick_scale:!1,category:"objects"},dagger:{keywords:["weapon"],char:'\u{1f5e1}',fitzpatrick_scale:!1,category:"objects"},crossed_swords:{keywords:["weapon"],char:'\u2694',fitzpatrick_scale:!1,category:"objects"},shield:{keywords:["protection","security"],char:'\u{1f6e1}',fitzpatrick_scale:!1,category:"objects"},smoking:{keywords:["kills","tobacco","cigarette","joint","smoke"],char:'\u{1f6ac}',fitzpatrick_scale:!1,category:"objects"},skull_and_crossbones:{keywords:["poison","danger","deadly","scary","death","pirate","evil"],char:'\u2620',fitzpatrick_scale:!1,category:"objects"},coffin:{keywords:["vampire","dead","die","death","rip","graveyard","cemetery","casket","funeral","box"],char:'\u26b0',fitzpatrick_scale:!1,category:"objects"},funeral_urn:{keywords:["dead","die","death","rip","ashes"],char:'\u26b1',fitzpatrick_scale:!1,category:"objects"},amphora:{keywords:["vase","jar"],char:'\u{1f3fa}',fitzpatrick_scale:!1,category:"objects"},crystal_ball:{keywords:["disco","party","magic","circus","fortune_teller"],char:'\u{1f52e}',fitzpatrick_scale:!1,category:"objects"},prayer_beads:{keywords:["dhikr","religious"],char:'\u{1f4ff}',fitzpatrick_scale:!1,category:"objects"},nazar_amulet:{keywords:["bead","charm"],char:'\u{1f9ff}',fitzpatrick_scale:!1,category:"objects"},barber:{keywords:["hair","salon","style"],char:'\u{1f488}',fitzpatrick_scale:!1,category:"objects"},alembic:{keywords:["distilling","science","experiment","chemistry"],char:'\u2697',fitzpatrick_scale:!1,category:"objects"},telescope:{keywords:["stars","space","zoom","science","astronomy"],char:'\u{1f52d}',fitzpatrick_scale:!1,category:"objects"},microscope:{keywords:["laboratory","experiment","zoomin","science","study"],char:'\u{1f52c}',fitzpatrick_scale:!1,category:"objects"},hole:{keywords:["embarrassing"],char:'\u{1f573}',fitzpatrick_scale:!1,category:"objects"},pill:{keywords:["health","medicine","doctor","pharmacy","drug"],char:'\u{1f48a}',fitzpatrick_scale:!1,category:"objects"},syringe:{keywords:["health","hospital","drugs","blood","medicine","needle","doctor","nurse"],char:'\u{1f489}',fitzpatrick_scale:!1,category:"objects"},dna:{keywords:["biologist","genetics","life"],char:'\u{1f9ec}',fitzpatrick_scale:!1,category:"objects"},microbe:{keywords:["amoeba","bacteria","germs"],char:'\u{1f9a0}',fitzpatrick_scale:!1,category:"objects"},petri_dish:{keywords:["bacteria","biology","culture","lab"],char:'\u{1f9eb}',fitzpatrick_scale:!1,category:"objects"},test_tube:{keywords:["chemistry","experiment","lab","science"],char:'\u{1f9ea}',fitzpatrick_scale:!1,category:"objects"},thermometer:{keywords:["weather","temperature","hot","cold"],char:'\u{1f321}',fitzpatrick_scale:!1,category:"objects"},broom:{keywords:["cleaning","sweeping","witch"],char:'\u{1f9f9}',fitzpatrick_scale:!1,category:"objects"},basket:{keywords:["laundry"],char:'\u{1f9fa}',fitzpatrick_scale:!1,category:"objects"},toilet_paper:{keywords:["roll"],char:'\u{1f9fb}',fitzpatrick_scale:!1,category:"objects"},label:{keywords:["sale","tag"],char:'\u{1f3f7}',fitzpatrick_scale:!1,category:"objects"},bookmark:{keywords:["favorite","label","save"],char:'\u{1f516}',fitzpatrick_scale:!1,category:"objects"},toilet:{keywords:["restroom","wc","washroom","bathroom","potty"],char:'\u{1f6bd}',fitzpatrick_scale:!1,category:"objects"},shower:{keywords:["clean","water","bathroom"],char:'\u{1f6bf}',fitzpatrick_scale:!1,category:"objects"},bathtub:{keywords:["clean","shower","bathroom"],char:'\u{1f6c1}',fitzpatrick_scale:!1,category:"objects"},soap:{keywords:["bar","bathing","cleaning","lather"],char:'\u{1f9fc}',fitzpatrick_scale:!1,category:"objects"},sponge:{keywords:["absorbing","cleaning","porous"],char:'\u{1f9fd}',fitzpatrick_scale:!1,category:"objects"},lotion_bottle:{keywords:["moisturizer","sunscreen"],char:'\u{1f9f4}',fitzpatrick_scale:!1,category:"objects"},key:{keywords:["lock","door","password"],char:'\u{1f511}',fitzpatrick_scale:!1,category:"objects"},old_key:{keywords:["lock","door","password"],char:'\u{1f5dd}',fitzpatrick_scale:!1,category:"objects"},couch_and_lamp:{keywords:["read","chill"],char:'\u{1f6cb}',fitzpatrick_scale:!1,category:"objects"},sleeping_bed:{keywords:["bed","rest"],char:'\u{1f6cc}',fitzpatrick_scale:!0,category:"objects"},bed:{keywords:["sleep","rest"],char:'\u{1f6cf}',fitzpatrick_scale:!1,category:"objects"},door:{keywords:["house","entry","exit"],char:'\u{1f6aa}',fitzpatrick_scale:!1,category:"objects"},bellhop_bell:{keywords:["service"],char:'\u{1f6ce}',fitzpatrick_scale:!1,category:"objects"},teddy_bear:{keywords:["plush","stuffed"],char:'\u{1f9f8}',fitzpatrick_scale:!1,category:"objects"},framed_picture:{keywords:["photography"],char:'\u{1f5bc}',fitzpatrick_scale:!1,category:"objects"},world_map:{keywords:["location","direction"],char:'\u{1f5fa}',fitzpatrick_scale:!1,category:"objects"},parasol_on_ground:{keywords:["weather","summer"],char:'\u26f1',fitzpatrick_scale:!1,category:"objects"},moyai:{keywords:["rock","easter island","moai"],char:'\u{1f5ff}',fitzpatrick_scale:!1,category:"objects"},shopping:{keywords:["mall","buy","purchase"],char:'\u{1f6cd}',fitzpatrick_scale:!1,category:"objects"},shopping_cart:{keywords:["trolley"],char:'\u{1f6d2}',fitzpatrick_scale:!1,category:"objects"},balloon:{keywords:["party","celebration","birthday","circus"],char:'\u{1f388}',fitzpatrick_scale:!1,category:"objects"},flags:{keywords:["fish","japanese","koinobori","carp","banner"],char:'\u{1f38f}',fitzpatrick_scale:!1,category:"objects"},ribbon:{keywords:["decoration","pink","girl","bowtie"],char:'\u{1f380}',fitzpatrick_scale:!1,category:"objects"},gift:{keywords:["present","birthday","christmas","xmas"],char:'\u{1f381}',fitzpatrick_scale:!1,category:"objects"},confetti_ball:{keywords:["festival","party","birthday","circus"],char:'\u{1f38a}',fitzpatrick_scale:!1,category:"objects"},tada:{keywords:["party","congratulations","birthday","magic","circus","celebration"],char:'\u{1f389}',fitzpatrick_scale:!1,category:"objects"},dolls:{keywords:["japanese","toy","kimono"],char:'\u{1f38e}',fitzpatrick_scale:!1,category:"objects"},wind_chime:{keywords:["nature","ding","spring","bell"],char:'\u{1f390}',fitzpatrick_scale:!1,category:"objects"},crossed_flags:{keywords:["japanese","nation","country","border"],char:'\u{1f38c}',fitzpatrick_scale:!1,category:"objects"},izakaya_lantern:{keywords:["light","paper","halloween","spooky"],char:'\u{1f3ee}',fitzpatrick_scale:!1,category:"objects"},red_envelope:{keywords:["gift"],char:'\u{1f9e7}',fitzpatrick_scale:!1,category:"objects"},email:{keywords:["letter","postal","inbox","communication"],char:'\u2709\ufe0f',fitzpatrick_scale:!1,category:"objects"},envelope_with_arrow:{keywords:["email","communication"],char:'\u{1f4e9}',fitzpatrick_scale:!1,category:"objects"},incoming_envelope:{keywords:["email","inbox"],char:'\u{1f4e8}',fitzpatrick_scale:!1,category:"objects"},"e-mail":{keywords:["communication","inbox"],char:'\u{1f4e7}',fitzpatrick_scale:!1,category:"objects"},love_letter:{keywords:["email","like","affection","envelope","valentines"],char:'\u{1f48c}',fitzpatrick_scale:!1,category:"objects"},postbox:{keywords:["email","letter","envelope"],char:'\u{1f4ee}',fitzpatrick_scale:!1,category:"objects"},mailbox_closed:{keywords:["email","communication","inbox"],char:'\u{1f4ea}',fitzpatrick_scale:!1,category:"objects"},mailbox:{keywords:["email","inbox","communication"],char:'\u{1f4eb}',fitzpatrick_scale:!1,category:"objects"},mailbox_with_mail:{keywords:["email","inbox","communication"],char:'\u{1f4ec}',fitzpatrick_scale:!1,category:"objects"},mailbox_with_no_mail:{keywords:["email","inbox"],char:'\u{1f4ed}',fitzpatrick_scale:!1,category:"objects"},package:{keywords:["mail","gift","cardboard","box","moving"],char:'\u{1f4e6}',fitzpatrick_scale:!1,category:"objects"},postal_horn:{keywords:["instrument","music"],char:'\u{1f4ef}',fitzpatrick_scale:!1,category:"objects"},inbox_tray:{keywords:["email","documents"],char:'\u{1f4e5}',fitzpatrick_scale:!1,category:"objects"},outbox_tray:{keywords:["inbox","email"],char:'\u{1f4e4}',fitzpatrick_scale:!1,category:"objects"},scroll:{keywords:["documents","ancient","history","paper"],char:'\u{1f4dc}',fitzpatrick_scale:!1,category:"objects"},page_with_curl:{keywords:["documents","office","paper"],char:'\u{1f4c3}',fitzpatrick_scale:!1,category:"objects"},bookmark_tabs:{keywords:["favorite","save","order","tidy"],char:'\u{1f4d1}',fitzpatrick_scale:!1,category:"objects"},receipt:{keywords:["accounting","expenses"],char:'\u{1f9fe}',fitzpatrick_scale:!1,category:"objects"},bar_chart:{keywords:["graph","presentation","stats"],char:'\u{1f4ca}',fitzpatrick_scale:!1,category:"objects"},chart_with_upwards_trend:{keywords:["graph","presentation","stats","recovery","business","economics","money","sales","good","success"],char:'\u{1f4c8}',fitzpatrick_scale:!1,category:"objects"},chart_with_downwards_trend:{keywords:["graph","presentation","stats","recession","business","economics","money","sales","bad","failure"],char:'\u{1f4c9}',fitzpatrick_scale:!1,category:"objects"},page_facing_up:{keywords:["documents","office","paper","information"],char:'\u{1f4c4}',fitzpatrick_scale:!1,category:"objects"},date:{keywords:["calendar","schedule"],char:'\u{1f4c5}',fitzpatrick_scale:!1,category:"objects"},calendar:{keywords:["schedule","date","planning"],char:'\u{1f4c6}',fitzpatrick_scale:!1,category:"objects"},spiral_calendar:{keywords:["date","schedule","planning"],char:'\u{1f5d3}',fitzpatrick_scale:!1,category:"objects"},card_index:{keywords:["business","stationery"],char:'\u{1f4c7}',fitzpatrick_scale:!1,category:"objects"},card_file_box:{keywords:["business","stationery"],char:'\u{1f5c3}',fitzpatrick_scale:!1,category:"objects"},ballot_box:{keywords:["election","vote"],char:'\u{1f5f3}',fitzpatrick_scale:!1,category:"objects"},file_cabinet:{keywords:["filing","organizing"],char:'\u{1f5c4}',fitzpatrick_scale:!1,category:"objects"},clipboard:{keywords:["stationery","documents"],char:'\u{1f4cb}',fitzpatrick_scale:!1,category:"objects"},spiral_notepad:{keywords:["memo","stationery"],char:'\u{1f5d2}',fitzpatrick_scale:!1,category:"objects"},file_folder:{keywords:["documents","business","office"],char:'\u{1f4c1}',fitzpatrick_scale:!1,category:"objects"},open_file_folder:{keywords:["documents","load"],char:'\u{1f4c2}',fitzpatrick_scale:!1,category:"objects"},card_index_dividers:{keywords:["organizing","business","stationery"],char:'\u{1f5c2}',fitzpatrick_scale:!1,category:"objects"},newspaper_roll:{keywords:["press","headline"],char:'\u{1f5de}',fitzpatrick_scale:!1,category:"objects"},newspaper:{keywords:["press","headline"],char:'\u{1f4f0}',fitzpatrick_scale:!1,category:"objects"},notebook:{keywords:["stationery","record","notes","paper","study"],char:'\u{1f4d3}',fitzpatrick_scale:!1,category:"objects"},closed_book:{keywords:["read","library","knowledge","textbook","learn"],char:'\u{1f4d5}',fitzpatrick_scale:!1,category:"objects"},green_book:{keywords:["read","library","knowledge","study"],char:'\u{1f4d7}',fitzpatrick_scale:!1,category:"objects"},blue_book:{keywords:["read","library","knowledge","learn","study"],char:'\u{1f4d8}',fitzpatrick_scale:!1,category:"objects"},orange_book:{keywords:["read","library","knowledge","textbook","study"],char:'\u{1f4d9}',fitzpatrick_scale:!1,category:"objects"},notebook_with_decorative_cover:{keywords:["classroom","notes","record","paper","study"],char:'\u{1f4d4}',fitzpatrick_scale:!1,category:"objects"},ledger:{keywords:["notes","paper"],char:'\u{1f4d2}',fitzpatrick_scale:!1,category:"objects"},books:{keywords:["literature","library","study"],char:'\u{1f4da}',fitzpatrick_scale:!1,category:"objects"},open_book:{keywords:["book","read","library","knowledge","literature","learn","study"],char:'\u{1f4d6}',fitzpatrick_scale:!1,category:"objects"},safety_pin:{keywords:["diaper"],char:'\u{1f9f7}',fitzpatrick_scale:!1,category:"objects"},link:{keywords:["rings","url"],char:'\u{1f517}',fitzpatrick_scale:!1,category:"objects"},paperclip:{keywords:["documents","stationery"],char:'\u{1f4ce}',fitzpatrick_scale:!1,category:"objects"},paperclips:{keywords:["documents","stationery"],char:'\u{1f587}',fitzpatrick_scale:!1,category:"objects"},scissors:{keywords:["stationery","cut"],char:'\u2702\ufe0f',fitzpatrick_scale:!1,category:"objects"},triangular_ruler:{keywords:["stationery","math","architect","sketch"],char:'\u{1f4d0}',fitzpatrick_scale:!1,category:"objects"},straight_ruler:{keywords:["stationery","calculate","length","math","school","drawing","architect","sketch"],char:'\u{1f4cf}',fitzpatrick_scale:!1,category:"objects"},abacus:{keywords:["calculation"],char:'\u{1f9ee}',fitzpatrick_scale:!1,category:"objects"},pushpin:{keywords:["stationery","mark","here"],char:'\u{1f4cc}',fitzpatrick_scale:!1,category:"objects"},round_pushpin:{keywords:["stationery","location","map","here"],char:'\u{1f4cd}',fitzpatrick_scale:!1,category:"objects"},triangular_flag_on_post:{keywords:["mark","milestone","place"],char:'\u{1f6a9}',fitzpatrick_scale:!1,category:"objects"},white_flag:{keywords:["losing","loser","lost","surrender","give up","fail"],char:'\u{1f3f3}',fitzpatrick_scale:!1,category:"objects"},black_flag:{keywords:["pirate"],char:'\u{1f3f4}',fitzpatrick_scale:!1,category:"objects"},rainbow_flag:{keywords:["flag","rainbow","pride","gay","lgbt","glbt","queer","homosexual","lesbian","bisexual","transgender"],char:'\u{1f3f3}\ufe0f\u200d\u{1f308}',fitzpatrick_scale:!1,category:"objects"},closed_lock_with_key:{keywords:["security","privacy"],char:'\u{1f510}',fitzpatrick_scale:!1,category:"objects"},lock:{keywords:["security","password","padlock"],char:'\u{1f512}',fitzpatrick_scale:!1,category:"objects"},unlock:{keywords:["privacy","security"],char:'\u{1f513}',fitzpatrick_scale:!1,category:"objects"},lock_with_ink_pen:{keywords:["security","secret"],char:'\u{1f50f}',fitzpatrick_scale:!1,category:"objects"},pen:{keywords:["stationery","writing","write"],char:'\u{1f58a}',fitzpatrick_scale:!1,category:"objects"},fountain_pen:{keywords:["stationery","writing","write"],char:'\u{1f58b}',fitzpatrick_scale:!1,category:"objects"},black_nib:{keywords:["pen","stationery","writing","write"],char:'\u2712\ufe0f',fitzpatrick_scale:!1,category:"objects"},memo:{keywords:["write","documents","stationery","pencil","paper","writing","legal","exam","quiz","test","study","compose"],char:'\u{1f4dd}',fitzpatrick_scale:!1,category:"objects"},pencil2:{keywords:["stationery","write","paper","writing","school","study"],char:'\u270f\ufe0f',fitzpatrick_scale:!1,category:"objects"},crayon:{keywords:["drawing","creativity"],char:'\u{1f58d}',fitzpatrick_scale:!1,category:"objects"},paintbrush:{keywords:["drawing","creativity","art"],char:'\u{1f58c}',fitzpatrick_scale:!1,category:"objects"},mag:{keywords:["search","zoom","find","detective"],char:'\u{1f50d}',fitzpatrick_scale:!1,category:"objects"},mag_right:{keywords:["search","zoom","find","detective"],char:'\u{1f50e}',fitzpatrick_scale:!1,category:"objects"},heart:{keywords:["love","like","valentines"],char:'\u2764\ufe0f',fitzpatrick_scale:!1,category:"symbols"},orange_heart:{keywords:["love","like","affection","valentines"],char:'\u{1f9e1}',fitzpatrick_scale:!1,category:"symbols"},yellow_heart:{keywords:["love","like","affection","valentines"],char:'\u{1f49b}',fitzpatrick_scale:!1,category:"symbols"},green_heart:{keywords:["love","like","affection","valentines"],char:'\u{1f49a}',fitzpatrick_scale:!1,category:"symbols"},blue_heart:{keywords:["love","like","affection","valentines"],char:'\u{1f499}',fitzpatrick_scale:!1,category:"symbols"},purple_heart:{keywords:["love","like","affection","valentines"],char:'\u{1f49c}',fitzpatrick_scale:!1,category:"symbols"},black_heart:{keywords:["evil"],char:'\u{1f5a4}',fitzpatrick_scale:!1,category:"symbols"},broken_heart:{keywords:["sad","sorry","break","heart","heartbreak"],char:'\u{1f494}',fitzpatrick_scale:!1,category:"symbols"},heavy_heart_exclamation:{keywords:["decoration","love"],char:'\u2763',fitzpatrick_scale:!1,category:"symbols"},two_hearts:{keywords:["love","like","affection","valentines","heart"],char:'\u{1f495}',fitzpatrick_scale:!1,category:"symbols"},revolving_hearts:{keywords:["love","like","affection","valentines"],char:'\u{1f49e}',fitzpatrick_scale:!1,category:"symbols"},heartbeat:{keywords:["love","like","affection","valentines","pink","heart"],char:'\u{1f493}',fitzpatrick_scale:!1,category:"symbols"},heartpulse:{keywords:["like","love","affection","valentines","pink"],char:'\u{1f497}',fitzpatrick_scale:!1,category:"symbols"},sparkling_heart:{keywords:["love","like","affection","valentines"],char:'\u{1f496}',fitzpatrick_scale:!1,category:"symbols"},cupid:{keywords:["love","like","heart","affection","valentines"],char:'\u{1f498}',fitzpatrick_scale:!1,category:"symbols"},gift_heart:{keywords:["love","valentines"],char:'\u{1f49d}',fitzpatrick_scale:!1,category:"symbols"},heart_decoration:{keywords:["purple-square","love","like"],char:'\u{1f49f}',fitzpatrick_scale:!1,category:"symbols"},peace_symbol:{keywords:["hippie"],char:'\u262e',fitzpatrick_scale:!1,category:"symbols"},latin_cross:{keywords:["christianity"],char:'\u271d',fitzpatrick_scale:!1,category:"symbols"},star_and_crescent:{keywords:["islam"],char:'\u262a',fitzpatrick_scale:!1,category:"symbols"},om:{keywords:["hinduism","buddhism","sikhism","jainism"],char:'\u{1f549}',fitzpatrick_scale:!1,category:"symbols"},wheel_of_dharma:{keywords:["hinduism","buddhism","sikhism","jainism"],char:'\u2638',fitzpatrick_scale:!1,category:"symbols"},star_of_david:{keywords:["judaism"],char:'\u2721',fitzpatrick_scale:!1,category:"symbols"},six_pointed_star:{keywords:["purple-square","religion","jewish","hexagram"],char:'\u{1f52f}',fitzpatrick_scale:!1,category:"symbols"},menorah:{keywords:["hanukkah","candles","jewish"],char:'\u{1f54e}',fitzpatrick_scale:!1,category:"symbols"},yin_yang:{keywords:["balance"],char:'\u262f',fitzpatrick_scale:!1,category:"symbols"},orthodox_cross:{keywords:["suppedaneum","religion"],char:'\u2626',fitzpatrick_scale:!1,category:"symbols"},place_of_worship:{keywords:["religion","church","temple","prayer"],char:'\u{1f6d0}',fitzpatrick_scale:!1,category:"symbols"},ophiuchus:{keywords:["sign","purple-square","constellation","astrology"],char:'\u26ce',fitzpatrick_scale:!1,category:"symbols"},aries:{keywords:["sign","purple-square","zodiac","astrology"],char:'\u2648',fitzpatrick_scale:!1,category:"symbols"},taurus:{keywords:["purple-square","sign","zodiac","astrology"],char:'\u2649',fitzpatrick_scale:!1,category:"symbols"},gemini:{keywords:["sign","zodiac","purple-square","astrology"],char:'\u264a',fitzpatrick_scale:!1,category:"symbols"},cancer:{keywords:["sign","zodiac","purple-square","astrology"],char:'\u264b',fitzpatrick_scale:!1,category:"symbols"},leo:{keywords:["sign","purple-square","zodiac","astrology"],char:'\u264c',fitzpatrick_scale:!1,category:"symbols"},virgo:{keywords:["sign","zodiac","purple-square","astrology"],char:'\u264d',fitzpatrick_scale:!1,category:"symbols"},libra:{keywords:["sign","purple-square","zodiac","astrology"],char:'\u264e',fitzpatrick_scale:!1,category:"symbols"},scorpius:{keywords:["sign","zodiac","purple-square","astrology","scorpio"],char:'\u264f',fitzpatrick_scale:!1,category:"symbols"},sagittarius:{keywords:["sign","zodiac","purple-square","astrology"],char:'\u2650',fitzpatrick_scale:!1,category:"symbols"},capricorn:{keywords:["sign","zodiac","purple-square","astrology"],char:'\u2651',fitzpatrick_scale:!1,category:"symbols"},aquarius:{keywords:["sign","purple-square","zodiac","astrology"],char:'\u2652',fitzpatrick_scale:!1,category:"symbols"},pisces:{keywords:["purple-square","sign","zodiac","astrology"],char:'\u2653',fitzpatrick_scale:!1,category:"symbols"},id:{keywords:["purple-square","words"],char:'\u{1f194}',fitzpatrick_scale:!1,category:"symbols"},atom_symbol:{keywords:["science","physics","chemistry"],char:'\u269b',fitzpatrick_scale:!1,category:"symbols"},u7a7a:{keywords:["kanji","japanese","chinese","empty","sky","blue-square"],char:'\u{1f233}',fitzpatrick_scale:!1,category:"symbols"},u5272:{keywords:["cut","divide","chinese","kanji","pink-square"],char:'\u{1f239}',fitzpatrick_scale:!1,category:"symbols"},radioactive:{keywords:["nuclear","danger"],char:'\u2622',fitzpatrick_scale:!1,category:"symbols"},biohazard:{keywords:["danger"],char:'\u2623',fitzpatrick_scale:!1,category:"symbols"},mobile_phone_off:{keywords:["mute","orange-square","silence","quiet"],char:'\u{1f4f4}',fitzpatrick_scale:!1,category:"symbols"},vibration_mode:{keywords:["orange-square","phone"],char:'\u{1f4f3}',fitzpatrick_scale:!1,category:"symbols"},u6709:{keywords:["orange-square","chinese","have","kanji"],char:'\u{1f236}',fitzpatrick_scale:!1,category:"symbols"},u7121:{keywords:["nothing","chinese","kanji","japanese","orange-square"],char:'\u{1f21a}',fitzpatrick_scale:!1,category:"symbols"},u7533:{keywords:["chinese","japanese","kanji","orange-square"],char:'\u{1f238}',fitzpatrick_scale:!1,category:"symbols"},u55b6:{keywords:["japanese","opening hours","orange-square"],char:'\u{1f23a}',fitzpatrick_scale:!1,category:"symbols"},u6708:{keywords:["chinese","month","moon","japanese","orange-square","kanji"],char:'\u{1f237}\ufe0f',fitzpatrick_scale:!1,category:"symbols"},eight_pointed_black_star:{keywords:["orange-square","shape","polygon"],char:'\u2734\ufe0f',fitzpatrick_scale:!1,category:"symbols"},vs:{keywords:["words","orange-square"],char:'\u{1f19a}',fitzpatrick_scale:!1,category:"symbols"},accept:{keywords:["ok","good","chinese","kanji","agree","yes","orange-circle"],char:'\u{1f251}',fitzpatrick_scale:!1,category:"symbols"},white_flower:{keywords:["japanese","spring"],char:'\u{1f4ae}',fitzpatrick_scale:!1,category:"symbols"},ideograph_advantage:{keywords:["chinese","kanji","obtain","get","circle"],char:'\u{1f250}',fitzpatrick_scale:!1,category:"symbols"},secret:{keywords:["privacy","chinese","sshh","kanji","red-circle"],char:'\u3299\ufe0f',fitzpatrick_scale:!1,category:"symbols"},congratulations:{keywords:["chinese","kanji","japanese","red-circle"],char:'\u3297\ufe0f',fitzpatrick_scale:!1,category:"symbols"},u5408:{keywords:["japanese","chinese","join","kanji","red-square"],char:'\u{1f234}',fitzpatrick_scale:!1,category:"symbols"},u6e80:{keywords:["full","chinese","japanese","red-square","kanji"],char:'\u{1f235}',fitzpatrick_scale:!1,category:"symbols"},u7981:{keywords:["kanji","japanese","chinese","forbidden","limit","restricted","red-square"],char:'\u{1f232}',fitzpatrick_scale:!1,category:"symbols"},a:{keywords:["red-square","alphabet","letter"],char:'\u{1f170}\ufe0f',fitzpatrick_scale:!1,category:"symbols"},b:{keywords:["red-square","alphabet","letter"],char:'\u{1f171}\ufe0f',fitzpatrick_scale:!1,category:"symbols"},ab:{keywords:["red-square","alphabet"],char:'\u{1f18e}',fitzpatrick_scale:!1,category:"symbols"},cl:{keywords:["alphabet","words","red-square"],char:'\u{1f191}',fitzpatrick_scale:!1,category:"symbols"},o2:{keywords:["alphabet","red-square","letter"],char:'\u{1f17e}\ufe0f',fitzpatrick_scale:!1,category:"symbols"},sos:{keywords:["help","red-square","words","emergency","911"],char:'\u{1f198}',fitzpatrick_scale:!1,category:"symbols"},no_entry:{keywords:["limit","security","privacy","bad","denied","stop","circle"],char:'\u26d4',fitzpatrick_scale:!1,category:"symbols"},name_badge:{keywords:["fire","forbid"],char:'\u{1f4db}',fitzpatrick_scale:!1,category:"symbols"},no_entry_sign:{keywords:["forbid","stop","limit","denied","disallow","circle"],char:'\u{1f6ab}',fitzpatrick_scale:!1,category:"symbols"},x:{keywords:["no","delete","remove","cancel","red"],char:'\u274c',fitzpatrick_scale:!1,category:"symbols"},o:{keywords:["circle","round"],char:'\u2b55',fitzpatrick_scale:!1,category:"symbols"},stop_sign:{keywords:["stop"],char:'\u{1f6d1}',fitzpatrick_scale:!1,category:"symbols"},anger:{keywords:["angry","mad"],char:'\u{1f4a2}',fitzpatrick_scale:!1,category:"symbols"},hotsprings:{keywords:["bath","warm","relax"],char:'\u2668\ufe0f',fitzpatrick_scale:!1,category:"symbols"},no_pedestrians:{keywords:["rules","crossing","walking","circle"],char:'\u{1f6b7}',fitzpatrick_scale:!1,category:"symbols"},do_not_litter:{keywords:["trash","bin","garbage","circle"],char:'\u{1f6af}',fitzpatrick_scale:!1,category:"symbols"},no_bicycles:{keywords:["cyclist","prohibited","circle"],char:'\u{1f6b3}',fitzpatrick_scale:!1,category:"symbols"},"non-potable_water":{keywords:["drink","faucet","tap","circle"],char:'\u{1f6b1}',fitzpatrick_scale:!1,category:"symbols"},underage:{keywords:["18","drink","pub","night","minor","circle"],char:'\u{1f51e}',fitzpatrick_scale:!1,category:"symbols"},no_mobile_phones:{keywords:["iphone","mute","circle"],char:'\u{1f4f5}',fitzpatrick_scale:!1,category:"symbols"},exclamation:{keywords:["heavy_exclamation_mark","danger","surprise","punctuation","wow","warning"],char:'\u2757',fitzpatrick_scale:!1,category:"symbols"},grey_exclamation:{keywords:["surprise","punctuation","gray","wow","warning"],char:'\u2755',fitzpatrick_scale:!1,category:"symbols"},question:{keywords:["doubt","confused"],char:'\u2753',fitzpatrick_scale:!1,category:"symbols"},grey_question:{keywords:["doubts","gray","huh","confused"],char:'\u2754',fitzpatrick_scale:!1,category:"symbols"},bangbang:{keywords:["exclamation","surprise"],char:'\u203c\ufe0f',fitzpatrick_scale:!1,category:"symbols"},interrobang:{keywords:["wat","punctuation","surprise"],char:'\u2049\ufe0f',fitzpatrick_scale:!1,category:"symbols"},low_brightness:{keywords:["sun","afternoon","warm","summer"],char:'\u{1f505}',fitzpatrick_scale:!1,category:"symbols"},high_brightness:{keywords:["sun","light"],char:'\u{1f506}',fitzpatrick_scale:!1,category:"symbols"},trident:{keywords:["weapon","spear"],char:'\u{1f531}',fitzpatrick_scale:!1,category:"symbols"},fleur_de_lis:{keywords:["decorative","scout"],char:'\u269c',fitzpatrick_scale:!1,category:"symbols"},part_alternation_mark:{keywords:["graph","presentation","stats","business","economics","bad"],char:'\u303d\ufe0f',fitzpatrick_scale:!1,category:"symbols"},warning:{keywords:["exclamation","wip","alert","error","problem","issue"],char:'\u26a0\ufe0f',fitzpatrick_scale:!1,category:"symbols"},children_crossing:{keywords:["school","warning","danger","sign","driving","yellow-diamond"],char:'\u{1f6b8}',fitzpatrick_scale:!1,category:"symbols"},beginner:{keywords:["badge","shield"],char:'\u{1f530}',fitzpatrick_scale:!1,category:"symbols"},recycle:{keywords:["arrow","environment","garbage","trash"],char:'\u267b\ufe0f',fitzpatrick_scale:!1,category:"symbols"},u6307:{keywords:["chinese","point","green-square","kanji"],char:'\u{1f22f}',fitzpatrick_scale:!1,category:"symbols"},chart:{keywords:["green-square","graph","presentation","stats"],char:'\u{1f4b9}',fitzpatrick_scale:!1,category:"symbols"},sparkle:{keywords:["stars","green-square","awesome","good","fireworks"],char:'\u2747\ufe0f',fitzpatrick_scale:!1,category:"symbols"},eight_spoked_asterisk:{keywords:["star","sparkle","green-square"],char:'\u2733\ufe0f',fitzpatrick_scale:!1,category:"symbols"},negative_squared_cross_mark:{keywords:["x","green-square","no","deny"],char:'\u274e',fitzpatrick_scale:!1,category:"symbols"},white_check_mark:{keywords:["green-square","ok","agree","vote","election","answer","tick"],char:'\u2705',fitzpatrick_scale:!1,category:"symbols"},diamond_shape_with_a_dot_inside:{keywords:["jewel","blue","gem","crystal","fancy"],char:'\u{1f4a0}',fitzpatrick_scale:!1,category:"symbols"},cyclone:{keywords:["weather","swirl","blue","cloud","vortex","spiral","whirlpool","spin","tornado","hurricane","typhoon"],char:'\u{1f300}',fitzpatrick_scale:!1,category:"symbols"},loop:{keywords:["tape","cassette"],char:'\u27bf',fitzpatrick_scale:!1,category:"symbols"},globe_with_meridians:{keywords:["earth","international","world","internet","interweb","i18n"],char:'\u{1f310}',fitzpatrick_scale:!1,category:"symbols"},m:{keywords:["alphabet","blue-circle","letter"],char:'\u24c2\ufe0f',fitzpatrick_scale:!1,category:"symbols"},atm:{keywords:["money","sales","cash","blue-square","payment","bank"],char:'\u{1f3e7}',fitzpatrick_scale:!1,category:"symbols"},sa:{keywords:["japanese","blue-square","katakana"],char:'\u{1f202}\ufe0f',fitzpatrick_scale:!1,category:"symbols"},passport_control:{keywords:["custom","blue-square"],char:'\u{1f6c2}',fitzpatrick_scale:!1,category:"symbols"},customs:{keywords:["passport","border","blue-square"],char:'\u{1f6c3}',fitzpatrick_scale:!1,category:"symbols"},baggage_claim:{keywords:["blue-square","airport","transport"],char:'\u{1f6c4}',fitzpatrick_scale:!1,category:"symbols"},left_luggage:{keywords:["blue-square","travel"],char:'\u{1f6c5}',fitzpatrick_scale:!1,category:"symbols"},wheelchair:{keywords:["blue-square","disabled","a11y","accessibility"],char:'\u267f',fitzpatrick_scale:!1,category:"symbols"},no_smoking:{keywords:["cigarette","blue-square","smell","smoke"],char:'\u{1f6ad}',fitzpatrick_scale:!1,category:"symbols"},wc:{keywords:["toilet","restroom","blue-square"],char:'\u{1f6be}',fitzpatrick_scale:!1,category:"symbols"},parking:{keywords:["cars","blue-square","alphabet","letter"],char:'\u{1f17f}\ufe0f',fitzpatrick_scale:!1,category:"symbols"},potable_water:{keywords:["blue-square","liquid","restroom","cleaning","faucet"],char:'\u{1f6b0}',fitzpatrick_scale:!1,category:"symbols"},mens:{keywords:["toilet","restroom","wc","blue-square","gender","male"],char:'\u{1f6b9}',fitzpatrick_scale:!1,category:"symbols"},womens:{keywords:["purple-square","woman","female","toilet","loo","restroom","gender"],char:'\u{1f6ba}',fitzpatrick_scale:!1,category:"symbols"},baby_symbol:{keywords:["orange-square","child"],char:'\u{1f6bc}',fitzpatrick_scale:!1,category:"symbols"},restroom:{keywords:["blue-square","toilet","refresh","wc","gender"],char:'\u{1f6bb}',fitzpatrick_scale:!1,category:"symbols"},put_litter_in_its_place:{keywords:["blue-square","sign","human","info"],char:'\u{1f6ae}',fitzpatrick_scale:!1,category:"symbols"},cinema:{keywords:["blue-square","record","film","movie","curtain","stage","theater"],char:'\u{1f3a6}',fitzpatrick_scale:!1,category:"symbols"},signal_strength:{keywords:["blue-square","reception","phone","internet","connection","wifi","bluetooth","bars"],char:'\u{1f4f6}',fitzpatrick_scale:!1,category:"symbols"},koko:{keywords:["blue-square","here","katakana","japanese","destination"],char:'\u{1f201}',fitzpatrick_scale:!1,category:"symbols"},ng:{keywords:["blue-square","words","shape","icon"],char:'\u{1f196}',fitzpatrick_scale:!1,category:"symbols"},ok:{keywords:["good","agree","yes","blue-square"],char:'\u{1f197}',fitzpatrick_scale:!1,category:"symbols"},up:{keywords:["blue-square","above","high"],char:'\u{1f199}',fitzpatrick_scale:!1,category:"symbols"},cool:{keywords:["words","blue-square"],char:'\u{1f192}',fitzpatrick_scale:!1,category:"symbols"},new:{keywords:["blue-square","words","start"],char:'\u{1f195}',fitzpatrick_scale:!1,category:"symbols"},free:{keywords:["blue-square","words"],char:'\u{1f193}',fitzpatrick_scale:!1,category:"symbols"},zero:{keywords:["0","numbers","blue-square","null"],char:'0\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},one:{keywords:["blue-square","numbers","1"],char:'1\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},two:{keywords:["numbers","2","prime","blue-square"],char:'2\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},three:{keywords:["3","numbers","prime","blue-square"],char:'3\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},four:{keywords:["4","numbers","blue-square"],char:'4\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},five:{keywords:["5","numbers","blue-square","prime"],char:'5\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},six:{keywords:["6","numbers","blue-square"],char:'6\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},seven:{keywords:["7","numbers","blue-square","prime"],char:'7\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},eight:{keywords:["8","blue-square","numbers"],char:'8\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},nine:{keywords:["blue-square","numbers","9"],char:'9\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},keycap_ten:{keywords:["numbers","10","blue-square"],char:'\u{1f51f}',fitzpatrick_scale:!1,category:"symbols"},asterisk:{keywords:["star","keycap"],char:'*\u20e3',fitzpatrick_scale:!1,category:"symbols"},eject_button:{keywords:["blue-square"],char:'\u23cf\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_forward:{keywords:["blue-square","right","direction","play"],char:'\u25b6\ufe0f',fitzpatrick_scale:!1,category:"symbols"},pause_button:{keywords:["pause","blue-square"],char:'\u23f8',fitzpatrick_scale:!1,category:"symbols"},next_track_button:{keywords:["forward","next","blue-square"],char:'\u23ed',fitzpatrick_scale:!1,category:"symbols"},stop_button:{keywords:["blue-square"],char:'\u23f9',fitzpatrick_scale:!1,category:"symbols"},record_button:{keywords:["blue-square"],char:'\u23fa',fitzpatrick_scale:!1,category:"symbols"},play_or_pause_button:{keywords:["blue-square","play","pause"],char:'\u23ef',fitzpatrick_scale:!1,category:"symbols"},previous_track_button:{keywords:["backward"],char:'\u23ee',fitzpatrick_scale:!1,category:"symbols"},fast_forward:{keywords:["blue-square","play","speed","continue"],char:'\u23e9',fitzpatrick_scale:!1,category:"symbols"},rewind:{keywords:["play","blue-square"],char:'\u23ea',fitzpatrick_scale:!1,category:"symbols"},twisted_rightwards_arrows:{keywords:["blue-square","shuffle","music","random"],char:'\u{1f500}',fitzpatrick_scale:!1,category:"symbols"},repeat:{keywords:["loop","record"],char:'\u{1f501}',fitzpatrick_scale:!1,category:"symbols"},repeat_one:{keywords:["blue-square","loop"],char:'\u{1f502}',fitzpatrick_scale:!1,category:"symbols"},arrow_backward:{keywords:["blue-square","left","direction"],char:'\u25c0\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_up_small:{keywords:["blue-square","triangle","direction","point","forward","top"],char:'\u{1f53c}',fitzpatrick_scale:!1,category:"symbols"},arrow_down_small:{keywords:["blue-square","direction","bottom"],char:'\u{1f53d}',fitzpatrick_scale:!1,category:"symbols"},arrow_double_up:{keywords:["blue-square","direction","top"],char:'\u23eb',fitzpatrick_scale:!1,category:"symbols"},arrow_double_down:{keywords:["blue-square","direction","bottom"],char:'\u23ec',fitzpatrick_scale:!1,category:"symbols"},arrow_right:{keywords:["blue-square","next"],char:'\u27a1\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_left:{keywords:["blue-square","previous","back"],char:'\u2b05\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_up:{keywords:["blue-square","continue","top","direction"],char:'\u2b06\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_down:{keywords:["blue-square","direction","bottom"],char:'\u2b07\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_upper_right:{keywords:["blue-square","point","direction","diagonal","northeast"],char:'\u2197\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_lower_right:{keywords:["blue-square","direction","diagonal","southeast"],char:'\u2198\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_lower_left:{keywords:["blue-square","direction","diagonal","southwest"],char:'\u2199\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_upper_left:{keywords:["blue-square","point","direction","diagonal","northwest"],char:'\u2196\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_up_down:{keywords:["blue-square","direction","way","vertical"],char:'\u2195\ufe0f',fitzpatrick_scale:!1,category:"symbols"},left_right_arrow:{keywords:["shape","direction","horizontal","sideways"],char:'\u2194\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrows_counterclockwise:{keywords:["blue-square","sync","cycle"],char:'\u{1f504}',fitzpatrick_scale:!1,category:"symbols"},arrow_right_hook:{keywords:["blue-square","return","rotate","direction"],char:'\u21aa\ufe0f',fitzpatrick_scale:!1,category:"symbols"},leftwards_arrow_with_hook:{keywords:["back","return","blue-square","undo","enter"],char:'\u21a9\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_heading_up:{keywords:["blue-square","direction","top"],char:'\u2934\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrow_heading_down:{keywords:["blue-square","direction","bottom"],char:'\u2935\ufe0f',fitzpatrick_scale:!1,category:"symbols"},hash:{keywords:["symbol","blue-square","twitter"],char:'#\ufe0f\u20e3',fitzpatrick_scale:!1,category:"symbols"},information_source:{keywords:["blue-square","alphabet","letter"],char:'\u2139\ufe0f',fitzpatrick_scale:!1,category:"symbols"},abc:{keywords:["blue-square","alphabet"],char:'\u{1f524}',fitzpatrick_scale:!1,category:"symbols"},abcd:{keywords:["blue-square","alphabet"],char:'\u{1f521}',fitzpatrick_scale:!1,category:"symbols"},capital_abcd:{keywords:["alphabet","words","blue-square"],char:'\u{1f520}',fitzpatrick_scale:!1,category:"symbols"},symbols:{keywords:["blue-square","music","note","ampersand","percent","glyphs","characters"],char:'\u{1f523}',fitzpatrick_scale:!1,category:"symbols"},musical_note:{keywords:["score","tone","sound"],char:'\u{1f3b5}',fitzpatrick_scale:!1,category:"symbols"},notes:{keywords:["music","score"],char:'\u{1f3b6}',fitzpatrick_scale:!1,category:"symbols"},wavy_dash:{keywords:["draw","line","moustache","mustache","squiggle","scribble"],char:'\u3030\ufe0f',fitzpatrick_scale:!1,category:"symbols"},curly_loop:{keywords:["scribble","draw","shape","squiggle"],char:'\u27b0',fitzpatrick_scale:!1,category:"symbols"},heavy_check_mark:{keywords:["ok","nike","answer","yes","tick"],char:'\u2714\ufe0f',fitzpatrick_scale:!1,category:"symbols"},arrows_clockwise:{keywords:["sync","cycle","round","repeat"],char:'\u{1f503}',fitzpatrick_scale:!1,category:"symbols"},heavy_plus_sign:{keywords:["math","calculation","addition","more","increase"],char:'\u2795',fitzpatrick_scale:!1,category:"symbols"},heavy_minus_sign:{keywords:["math","calculation","subtract","less"],char:'\u2796',fitzpatrick_scale:!1,category:"symbols"},heavy_division_sign:{keywords:["divide","math","calculation"],char:'\u2797',fitzpatrick_scale:!1,category:"symbols"},heavy_multiplication_x:{keywords:["math","calculation"],char:'\u2716\ufe0f',fitzpatrick_scale:!1,category:"symbols"},infinity:{keywords:["forever"],char:'\u267e',fitzpatrick_scale:!1,category:"symbols"},heavy_dollar_sign:{keywords:["money","sales","payment","currency","buck"],char:'\u{1f4b2}',fitzpatrick_scale:!1,category:"symbols"},currency_exchange:{keywords:["money","sales","dollar","travel"],char:'\u{1f4b1}',fitzpatrick_scale:!1,category:"symbols"},copyright:{keywords:["ip","license","circle","law","legal"],char:'\xa9\ufe0f',fitzpatrick_scale:!1,category:"symbols"},registered:{keywords:["alphabet","circle"],char:'\xae\ufe0f',fitzpatrick_scale:!1,category:"symbols"},tm:{keywords:["trademark","brand","law","legal"],char:'\u2122\ufe0f',fitzpatrick_scale:!1,category:"symbols"},end:{keywords:["words","arrow"],char:'\u{1f51a}',fitzpatrick_scale:!1,category:"symbols"},back:{keywords:["arrow","words","return"],char:'\u{1f519}',fitzpatrick_scale:!1,category:"symbols"},on:{keywords:["arrow","words"],char:'\u{1f51b}',fitzpatrick_scale:!1,category:"symbols"},top:{keywords:["words","blue-square"],char:'\u{1f51d}',fitzpatrick_scale:!1,category:"symbols"},soon:{keywords:["arrow","words"],char:'\u{1f51c}',fitzpatrick_scale:!1,category:"symbols"},ballot_box_with_check:{keywords:["ok","agree","confirm","black-square","vote","election","yes","tick"],char:'\u2611\ufe0f',fitzpatrick_scale:!1,category:"symbols"},radio_button:{keywords:["input","old","music","circle"],char:'\u{1f518}',fitzpatrick_scale:!1,category:"symbols"},white_circle:{keywords:["shape","round"],char:'\u26aa',fitzpatrick_scale:!1,category:"symbols"},black_circle:{keywords:["shape","button","round"],char:'\u26ab',fitzpatrick_scale:!1,category:"symbols"},red_circle:{keywords:["shape","error","danger"],char:'\u{1f534}',fitzpatrick_scale:!1,category:"symbols"},large_blue_circle:{keywords:["shape","icon","button"],char:'\u{1f535}',fitzpatrick_scale:!1,category:"symbols"},small_orange_diamond:{keywords:["shape","jewel","gem"],char:'\u{1f538}',fitzpatrick_scale:!1,category:"symbols"},small_blue_diamond:{keywords:["shape","jewel","gem"],char:'\u{1f539}',fitzpatrick_scale:!1,category:"symbols"},large_orange_diamond:{keywords:["shape","jewel","gem"],char:'\u{1f536}',fitzpatrick_scale:!1,category:"symbols"},large_blue_diamond:{keywords:["shape","jewel","gem"],char:'\u{1f537}',fitzpatrick_scale:!1,category:"symbols"},small_red_triangle:{keywords:["shape","direction","up","top"],char:'\u{1f53a}',fitzpatrick_scale:!1,category:"symbols"},black_small_square:{keywords:["shape","icon"],char:'\u25aa\ufe0f',fitzpatrick_scale:!1,category:"symbols"},white_small_square:{keywords:["shape","icon"],char:'\u25ab\ufe0f',fitzpatrick_scale:!1,category:"symbols"},black_large_square:{keywords:["shape","icon","button"],char:'\u2b1b',fitzpatrick_scale:!1,category:"symbols"},white_large_square:{keywords:["shape","icon","stone","button"],char:'\u2b1c',fitzpatrick_scale:!1,category:"symbols"},small_red_triangle_down:{keywords:["shape","direction","bottom"],char:'\u{1f53b}',fitzpatrick_scale:!1,category:"symbols"},black_medium_square:{keywords:["shape","button","icon"],char:'\u25fc\ufe0f',fitzpatrick_scale:!1,category:"symbols"},white_medium_square:{keywords:["shape","stone","icon"],char:'\u25fb\ufe0f',fitzpatrick_scale:!1,category:"symbols"},black_medium_small_square:{keywords:["icon","shape","button"],char:'\u25fe',fitzpatrick_scale:!1,category:"symbols"},white_medium_small_square:{keywords:["shape","stone","icon","button"],char:'\u25fd',fitzpatrick_scale:!1,category:"symbols"},black_square_button:{keywords:["shape","input","frame"],char:'\u{1f532}',fitzpatrick_scale:!1,category:"symbols"},white_square_button:{keywords:["shape","input"],char:'\u{1f533}',fitzpatrick_scale:!1,category:"symbols"},speaker:{keywords:["sound","volume","silence","broadcast"],char:'\u{1f508}',fitzpatrick_scale:!1,category:"symbols"},sound:{keywords:["volume","speaker","broadcast"],char:'\u{1f509}',fitzpatrick_scale:!1,category:"symbols"},loud_sound:{keywords:["volume","noise","noisy","speaker","broadcast"],char:'\u{1f50a}',fitzpatrick_scale:!1,category:"symbols"},mute:{keywords:["sound","volume","silence","quiet"],char:'\u{1f507}',fitzpatrick_scale:!1,category:"symbols"},mega:{keywords:["sound","speaker","volume"],char:'\u{1f4e3}',fitzpatrick_scale:!1,category:"symbols"},loudspeaker:{keywords:["volume","sound"],char:'\u{1f4e2}',fitzpatrick_scale:!1,category:"symbols"},bell:{keywords:["sound","notification","christmas","xmas","chime"],char:'\u{1f514}',fitzpatrick_scale:!1,category:"symbols"},no_bell:{keywords:["sound","volume","mute","quiet","silent"],char:'\u{1f515}',fitzpatrick_scale:!1,category:"symbols"},black_joker:{keywords:["poker","cards","game","play","magic"],char:'\u{1f0cf}',fitzpatrick_scale:!1,category:"symbols"},mahjong:{keywords:["game","play","chinese","kanji"],char:'\u{1f004}',fitzpatrick_scale:!1,category:"symbols"},spades:{keywords:["poker","cards","suits","magic"],char:'\u2660\ufe0f',fitzpatrick_scale:!1,category:"symbols"},clubs:{keywords:["poker","cards","magic","suits"],char:'\u2663\ufe0f',fitzpatrick_scale:!1,category:"symbols"},hearts:{keywords:["poker","cards","magic","suits"],char:'\u2665\ufe0f',fitzpatrick_scale:!1,category:"symbols"},diamonds:{keywords:["poker","cards","magic","suits"],char:'\u2666\ufe0f',fitzpatrick_scale:!1,category:"symbols"},flower_playing_cards:{keywords:["game","sunset","red"],char:'\u{1f3b4}',fitzpatrick_scale:!1,category:"symbols"},thought_balloon:{keywords:["bubble","cloud","speech","thinking","dream"],char:'\u{1f4ad}',fitzpatrick_scale:!1,category:"symbols"},right_anger_bubble:{keywords:["caption","speech","thinking","mad"],char:'\u{1f5ef}',fitzpatrick_scale:!1,category:"symbols"},speech_balloon:{keywords:["bubble","words","message","talk","chatting"],char:'\u{1f4ac}',fitzpatrick_scale:!1,category:"symbols"},left_speech_bubble:{keywords:["words","message","talk","chatting"],char:'\u{1f5e8}',fitzpatrick_scale:!1,category:"symbols"},clock1:{keywords:["time","late","early","schedule"],char:'\u{1f550}',fitzpatrick_scale:!1,category:"symbols"},clock2:{keywords:["time","late","early","schedule"],char:'\u{1f551}',fitzpatrick_scale:!1,category:"symbols"},clock3:{keywords:["time","late","early","schedule"],char:'\u{1f552}',fitzpatrick_scale:!1,category:"symbols"},clock4:{keywords:["time","late","early","schedule"],char:'\u{1f553}',fitzpatrick_scale:!1,category:"symbols"},clock5:{keywords:["time","late","early","schedule"],char:'\u{1f554}',fitzpatrick_scale:!1,category:"symbols"},clock6:{keywords:["time","late","early","schedule","dawn","dusk"],char:'\u{1f555}',fitzpatrick_scale:!1,category:"symbols"},clock7:{keywords:["time","late","early","schedule"],char:'\u{1f556}',fitzpatrick_scale:!1,category:"symbols"},clock8:{keywords:["time","late","early","schedule"],char:'\u{1f557}',fitzpatrick_scale:!1,category:"symbols"},clock9:{keywords:["time","late","early","schedule"],char:'\u{1f558}',fitzpatrick_scale:!1,category:"symbols"},clock10:{keywords:["time","late","early","schedule"],char:'\u{1f559}',fitzpatrick_scale:!1,category:"symbols"},clock11:{keywords:["time","late","early","schedule"],char:'\u{1f55a}',fitzpatrick_scale:!1,category:"symbols"},clock12:{keywords:["time","noon","midnight","midday","late","early","schedule"],char:'\u{1f55b}',fitzpatrick_scale:!1,category:"symbols"},clock130:{keywords:["time","late","early","schedule"],char:'\u{1f55c}',fitzpatrick_scale:!1,category:"symbols"},clock230:{keywords:["time","late","early","schedule"],char:'\u{1f55d}',fitzpatrick_scale:!1,category:"symbols"},clock330:{keywords:["time","late","early","schedule"],char:'\u{1f55e}',fitzpatrick_scale:!1,category:"symbols"},clock430:{keywords:["time","late","early","schedule"],char:'\u{1f55f}',fitzpatrick_scale:!1,category:"symbols"},clock530:{keywords:["time","late","early","schedule"],char:'\u{1f560}',fitzpatrick_scale:!1,category:"symbols"},clock630:{keywords:["time","late","early","schedule"],char:'\u{1f561}',fitzpatrick_scale:!1,category:"symbols"},clock730:{keywords:["time","late","early","schedule"],char:'\u{1f562}',fitzpatrick_scale:!1,category:"symbols"},clock830:{keywords:["time","late","early","schedule"],char:'\u{1f563}',fitzpatrick_scale:!1,category:"symbols"},clock930:{keywords:["time","late","early","schedule"],char:'\u{1f564}',fitzpatrick_scale:!1,category:"symbols"},clock1030:{keywords:["time","late","early","schedule"],char:'\u{1f565}',fitzpatrick_scale:!1,category:"symbols"},clock1130:{keywords:["time","late","early","schedule"],char:'\u{1f566}',fitzpatrick_scale:!1,category:"symbols"},clock1230:{keywords:["time","late","early","schedule"],char:'\u{1f567}',fitzpatrick_scale:!1,category:"symbols"},afghanistan:{keywords:["af","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},aland_islands:{keywords:["\xc5land","islands","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1fd}',fitzpatrick_scale:!1,category:"flags"},albania:{keywords:["al","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},algeria:{keywords:["dz","flag","nation","country","banner"],char:'\u{1f1e9}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},american_samoa:{keywords:["american","ws","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},andorra:{keywords:["ad","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},angola:{keywords:["ao","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},anguilla:{keywords:["ai","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},antarctica:{keywords:["aq","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1f6}',fitzpatrick_scale:!1,category:"flags"},antigua_barbuda:{keywords:["antigua","barbuda","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},argentina:{keywords:["ar","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},armenia:{keywords:["am","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},aruba:{keywords:["aw","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},australia:{keywords:["au","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},austria:{keywords:["at","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},azerbaijan:{keywords:["az","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},bahamas:{keywords:["bs","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},bahrain:{keywords:["bh","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},bangladesh:{keywords:["bd","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},barbados:{keywords:["bb","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1e7}',fitzpatrick_scale:!1,category:"flags"},belarus:{keywords:["by","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},belgium:{keywords:["be","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},belize:{keywords:["bz","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},benin:{keywords:["bj","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1ef}',fitzpatrick_scale:!1,category:"flags"},bermuda:{keywords:["bm","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},bhutan:{keywords:["bt","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},bolivia:{keywords:["bo","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},caribbean_netherlands:{keywords:["bonaire","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f6}',fitzpatrick_scale:!1,category:"flags"},bosnia_herzegovina:{keywords:["bosnia","herzegovina","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},botswana:{keywords:["bw","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},brazil:{keywords:["br","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},british_indian_ocean_territory:{keywords:["british","indian","ocean","territory","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},british_virgin_islands:{keywords:["british","virgin","islands","bvi","flag","nation","country","banner"],char:'\u{1f1fb}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},brunei:{keywords:["bn","darussalam","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},bulgaria:{keywords:["bg","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},burkina_faso:{keywords:["burkina","faso","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},burundi:{keywords:["bi","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},cape_verde:{keywords:["cabo","verde","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1fb}',fitzpatrick_scale:!1,category:"flags"},cambodia:{keywords:["kh","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},cameroon:{keywords:["cm","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},canada:{keywords:["ca","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},canary_islands:{keywords:["canary","islands","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},cayman_islands:{keywords:["cayman","islands","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},central_african_republic:{keywords:["central","african","republic","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},chad:{keywords:["td","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},chile:{keywords:["flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},cn:{keywords:["china","chinese","prc","flag","country","nation","banner"],char:'\u{1f1e8}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},christmas_island:{keywords:["christmas","island","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1fd}',fitzpatrick_scale:!1,category:"flags"},cocos_islands:{keywords:["cocos","keeling","islands","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},colombia:{keywords:["co","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},comoros:{keywords:["km","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},congo_brazzaville:{keywords:["congo","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},congo_kinshasa:{keywords:["congo","democratic","republic","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},cook_islands:{keywords:["cook","islands","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},costa_rica:{keywords:["costa","rica","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},croatia:{keywords:["hr","flag","nation","country","banner"],char:'\u{1f1ed}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},cuba:{keywords:["cu","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},curacao:{keywords:["cura\xe7ao","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},cyprus:{keywords:["cy","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},czech_republic:{keywords:["cz","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},denmark:{keywords:["dk","flag","nation","country","banner"],char:'\u{1f1e9}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},djibouti:{keywords:["dj","flag","nation","country","banner"],char:'\u{1f1e9}\u{1f1ef}',fitzpatrick_scale:!1,category:"flags"},dominica:{keywords:["dm","flag","nation","country","banner"],char:'\u{1f1e9}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},dominican_republic:{keywords:["dominican","republic","flag","nation","country","banner"],char:'\u{1f1e9}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},ecuador:{keywords:["ec","flag","nation","country","banner"],char:'\u{1f1ea}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},egypt:{keywords:["eg","flag","nation","country","banner"],char:'\u{1f1ea}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},el_salvador:{keywords:["el","salvador","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1fb}',fitzpatrick_scale:!1,category:"flags"},equatorial_guinea:{keywords:["equatorial","gn","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f6}',fitzpatrick_scale:!1,category:"flags"},eritrea:{keywords:["er","flag","nation","country","banner"],char:'\u{1f1ea}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},estonia:{keywords:["ee","flag","nation","country","banner"],char:'\u{1f1ea}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},ethiopia:{keywords:["et","flag","nation","country","banner"],char:'\u{1f1ea}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},eu:{keywords:["european","union","flag","banner"],char:'\u{1f1ea}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},falkland_islands:{keywords:["falkland","islands","malvinas","flag","nation","country","banner"],char:'\u{1f1eb}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},faroe_islands:{keywords:["faroe","islands","flag","nation","country","banner"],char:'\u{1f1eb}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},fiji:{keywords:["fj","flag","nation","country","banner"],char:'\u{1f1eb}\u{1f1ef}',fitzpatrick_scale:!1,category:"flags"},finland:{keywords:["fi","flag","nation","country","banner"],char:'\u{1f1eb}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},fr:{keywords:["banner","flag","nation","france","french","country"],char:'\u{1f1eb}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},french_guiana:{keywords:["french","guiana","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},french_polynesia:{keywords:["french","polynesia","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},french_southern_territories:{keywords:["french","southern","territories","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},gabon:{keywords:["ga","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},gambia:{keywords:["gm","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},georgia:{keywords:["ge","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},de:{keywords:["german","nation","flag","country","banner"],char:'\u{1f1e9}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},ghana:{keywords:["gh","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},gibraltar:{keywords:["gi","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},greece:{keywords:["gr","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},greenland:{keywords:["gl","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},grenada:{keywords:["gd","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},guadeloupe:{keywords:["gp","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f5}',fitzpatrick_scale:!1,category:"flags"},guam:{keywords:["gu","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},guatemala:{keywords:["gt","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},guernsey:{keywords:["gg","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},guinea:{keywords:["gn","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},guinea_bissau:{keywords:["gw","bissau","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},guyana:{keywords:["gy","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},haiti:{keywords:["ht","flag","nation","country","banner"],char:'\u{1f1ed}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},honduras:{keywords:["hn","flag","nation","country","banner"],char:'\u{1f1ed}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},hong_kong:{keywords:["hong","kong","flag","nation","country","banner"],char:'\u{1f1ed}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},hungary:{keywords:["hu","flag","nation","country","banner"],char:'\u{1f1ed}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},iceland:{keywords:["is","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},india:{keywords:["in","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},indonesia:{keywords:["flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},iran:{keywords:["iran,","islamic","republic","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},iraq:{keywords:["iq","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f6}',fitzpatrick_scale:!1,category:"flags"},ireland:{keywords:["ie","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},isle_of_man:{keywords:["isle","man","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},israel:{keywords:["il","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},it:{keywords:["italy","flag","nation","country","banner"],char:'\u{1f1ee}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},cote_divoire:{keywords:["ivory","coast","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},jamaica:{keywords:["jm","flag","nation","country","banner"],char:'\u{1f1ef}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},jp:{keywords:["japanese","nation","flag","country","banner"],char:'\u{1f1ef}\u{1f1f5}',fitzpatrick_scale:!1,category:"flags"},jersey:{keywords:["je","flag","nation","country","banner"],char:'\u{1f1ef}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},jordan:{keywords:["jo","flag","nation","country","banner"],char:'\u{1f1ef}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},kazakhstan:{keywords:["kz","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},kenya:{keywords:["ke","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},kiribati:{keywords:["ki","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},kosovo:{keywords:["xk","flag","nation","country","banner"],char:'\u{1f1fd}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},kuwait:{keywords:["kw","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},kyrgyzstan:{keywords:["kg","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},laos:{keywords:["lao","democratic","republic","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},latvia:{keywords:["lv","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1fb}',fitzpatrick_scale:!1,category:"flags"},lebanon:{keywords:["lb","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1e7}',fitzpatrick_scale:!1,category:"flags"},lesotho:{keywords:["ls","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},liberia:{keywords:["lr","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},libya:{keywords:["ly","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},liechtenstein:{keywords:["li","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},lithuania:{keywords:["lt","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},luxembourg:{keywords:["lu","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},macau:{keywords:["macao","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},macedonia:{keywords:["macedonia,","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},madagascar:{keywords:["mg","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},malawi:{keywords:["mw","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},malaysia:{keywords:["my","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},maldives:{keywords:["mv","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1fb}',fitzpatrick_scale:!1,category:"flags"},mali:{keywords:["ml","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},malta:{keywords:["mt","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},marshall_islands:{keywords:["marshall","islands","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},martinique:{keywords:["mq","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f6}',fitzpatrick_scale:!1,category:"flags"},mauritania:{keywords:["mr","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},mauritius:{keywords:["mu","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},mayotte:{keywords:["yt","flag","nation","country","banner"],char:'\u{1f1fe}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},mexico:{keywords:["mx","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1fd}',fitzpatrick_scale:!1,category:"flags"},micronesia:{keywords:["micronesia,","federated","states","flag","nation","country","banner"],char:'\u{1f1eb}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},moldova:{keywords:["moldova,","republic","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},monaco:{keywords:["mc","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},mongolia:{keywords:["mn","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},montenegro:{keywords:["me","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},montserrat:{keywords:["ms","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},morocco:{keywords:["ma","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},mozambique:{keywords:["mz","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},myanmar:{keywords:["mm","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},namibia:{keywords:["na","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},nauru:{keywords:["nr","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},nepal:{keywords:["np","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1f5}',fitzpatrick_scale:!1,category:"flags"},netherlands:{keywords:["nl","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},new_caledonia:{keywords:["new","caledonia","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},new_zealand:{keywords:["new","zealand","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},nicaragua:{keywords:["ni","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},niger:{keywords:["ne","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},nigeria:{keywords:["flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},niue:{keywords:["nu","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},norfolk_island:{keywords:["norfolk","island","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},northern_mariana_islands:{keywords:["northern","mariana","islands","flag","nation","country","banner"],char:'\u{1f1f2}\u{1f1f5}',fitzpatrick_scale:!1,category:"flags"},north_korea:{keywords:["north","korea","nation","flag","country","banner"],char:'\u{1f1f0}\u{1f1f5}',fitzpatrick_scale:!1,category:"flags"},norway:{keywords:["no","flag","nation","country","banner"],char:'\u{1f1f3}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},oman:{keywords:["om_symbol","flag","nation","country","banner"],char:'\u{1f1f4}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},pakistan:{keywords:["pk","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},palau:{keywords:["pw","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},palestinian_territories:{keywords:["palestine","palestinian","territories","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},panama:{keywords:["pa","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},papua_new_guinea:{keywords:["papua","new","guinea","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},paraguay:{keywords:["py","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},peru:{keywords:["pe","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},philippines:{keywords:["ph","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},pitcairn_islands:{keywords:["pitcairn","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},poland:{keywords:["pl","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},portugal:{keywords:["pt","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},puerto_rico:{keywords:["puerto","rico","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},qatar:{keywords:["qa","flag","nation","country","banner"],char:'\u{1f1f6}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},reunion:{keywords:["r\xe9union","flag","nation","country","banner"],char:'\u{1f1f7}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},romania:{keywords:["ro","flag","nation","country","banner"],char:'\u{1f1f7}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},ru:{keywords:["russian","federation","flag","nation","country","banner"],char:'\u{1f1f7}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},rwanda:{keywords:["rw","flag","nation","country","banner"],char:'\u{1f1f7}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},st_barthelemy:{keywords:["saint","barth\xe9lemy","flag","nation","country","banner"],char:'\u{1f1e7}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},st_helena:{keywords:["saint","helena","ascension","tristan","cunha","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},st_kitts_nevis:{keywords:["saint","kitts","nevis","flag","nation","country","banner"],char:'\u{1f1f0}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},st_lucia:{keywords:["saint","lucia","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},st_pierre_miquelon:{keywords:["saint","pierre","miquelon","flag","nation","country","banner"],char:'\u{1f1f5}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},st_vincent_grenadines:{keywords:["saint","vincent","grenadines","flag","nation","country","banner"],char:'\u{1f1fb}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},samoa:{keywords:["ws","flag","nation","country","banner"],char:'\u{1f1fc}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},san_marino:{keywords:["san","marino","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},sao_tome_principe:{keywords:["sao","tome","principe","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},saudi_arabia:{keywords:["flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},senegal:{keywords:["sn","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},serbia:{keywords:["rs","flag","nation","country","banner"],char:'\u{1f1f7}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},seychelles:{keywords:["sc","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},sierra_leone:{keywords:["sierra","leone","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},singapore:{keywords:["sg","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},sint_maarten:{keywords:["sint","maarten","dutch","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1fd}',fitzpatrick_scale:!1,category:"flags"},slovakia:{keywords:["sk","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},slovenia:{keywords:["si","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},solomon_islands:{keywords:["solomon","islands","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1e7}',fitzpatrick_scale:!1,category:"flags"},somalia:{keywords:["so","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},south_africa:{keywords:["south","africa","flag","nation","country","banner"],char:'\u{1f1ff}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},south_georgia_south_sandwich_islands:{keywords:["south","georgia","sandwich","islands","flag","nation","country","banner"],char:'\u{1f1ec}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},kr:{keywords:["south","korea","nation","flag","country","banner"],char:'\u{1f1f0}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},south_sudan:{keywords:["south","sd","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},es:{keywords:["spain","flag","nation","country","banner"],char:'\u{1f1ea}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},sri_lanka:{keywords:["sri","lanka","flag","nation","country","banner"],char:'\u{1f1f1}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},sudan:{keywords:["sd","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1e9}',fitzpatrick_scale:!1,category:"flags"},suriname:{keywords:["sr","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},swaziland:{keywords:["sz","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},sweden:{keywords:["se","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},switzerland:{keywords:["ch","flag","nation","country","banner"],char:'\u{1f1e8}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},syria:{keywords:["syrian","arab","republic","flag","nation","country","banner"],char:'\u{1f1f8}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},taiwan:{keywords:["tw","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},tajikistan:{keywords:["tj","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1ef}',fitzpatrick_scale:!1,category:"flags"},tanzania:{keywords:["tanzania,","united","republic","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},thailand:{keywords:["th","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},timor_leste:{keywords:["timor","leste","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1f1}',fitzpatrick_scale:!1,category:"flags"},togo:{keywords:["tg","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},tokelau:{keywords:["tk","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1f0}',fitzpatrick_scale:!1,category:"flags"},tonga:{keywords:["to","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1f4}',fitzpatrick_scale:!1,category:"flags"},trinidad_tobago:{keywords:["trinidad","tobago","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1f9}',fitzpatrick_scale:!1,category:"flags"},tunisia:{keywords:["tn","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},tr:{keywords:["turkey","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1f7}',fitzpatrick_scale:!1,category:"flags"},turkmenistan:{keywords:["flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},turks_caicos_islands:{keywords:["turks","caicos","islands","flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1e8}',fitzpatrick_scale:!1,category:"flags"},tuvalu:{keywords:["flag","nation","country","banner"],char:'\u{1f1f9}\u{1f1fb}',fitzpatrick_scale:!1,category:"flags"},uganda:{keywords:["ug","flag","nation","country","banner"],char:'\u{1f1fa}\u{1f1ec}',fitzpatrick_scale:!1,category:"flags"},ukraine:{keywords:["ua","flag","nation","country","banner"],char:'\u{1f1fa}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},united_arab_emirates:{keywords:["united","arab","emirates","flag","nation","country","banner"],char:'\u{1f1e6}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},uk:{keywords:["united","kingdom","great","britain","northern","ireland","flag","nation","country","banner","british","UK","english","england","union jack"],char:'\u{1f1ec}\u{1f1e7}',fitzpatrick_scale:!1,category:"flags"},england:{keywords:["flag","english"],char:'\u{1f3f4}\u{e0067}\u{e0062}\u{e0065}\u{e006e}\u{e0067}\u{e007f}',fitzpatrick_scale:!1,category:"flags"},scotland:{keywords:["flag","scottish"],char:'\u{1f3f4}\u{e0067}\u{e0062}\u{e0073}\u{e0063}\u{e0074}\u{e007f}',fitzpatrick_scale:!1,category:"flags"},wales:{keywords:["flag","welsh"],char:'\u{1f3f4}\u{e0067}\u{e0062}\u{e0077}\u{e006c}\u{e0073}\u{e007f}',fitzpatrick_scale:!1,category:"flags"},us:{keywords:["united","states","america","flag","nation","country","banner"],char:'\u{1f1fa}\u{1f1f8}',fitzpatrick_scale:!1,category:"flags"},us_virgin_islands:{keywords:["virgin","islands","us","flag","nation","country","banner"],char:'\u{1f1fb}\u{1f1ee}',fitzpatrick_scale:!1,category:"flags"},uruguay:{keywords:["uy","flag","nation","country","banner"],char:'\u{1f1fa}\u{1f1fe}',fitzpatrick_scale:!1,category:"flags"},uzbekistan:{keywords:["uz","flag","nation","country","banner"],char:'\u{1f1fa}\u{1f1ff}',fitzpatrick_scale:!1,category:"flags"},vanuatu:{keywords:["vu","flag","nation","country","banner"],char:'\u{1f1fb}\u{1f1fa}',fitzpatrick_scale:!1,category:"flags"},vatican_city:{keywords:["vatican","city","flag","nation","country","banner"],char:'\u{1f1fb}\u{1f1e6}',fitzpatrick_scale:!1,category:"flags"},venezuela:{keywords:["ve","bolivarian","republic","flag","nation","country","banner"],char:'\u{1f1fb}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},vietnam:{keywords:["viet","nam","flag","nation","country","banner"],char:'\u{1f1fb}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},wallis_futuna:{keywords:["wallis","futuna","flag","nation","country","banner"],char:'\u{1f1fc}\u{1f1eb}',fitzpatrick_scale:!1,category:"flags"},western_sahara:{keywords:["western","sahara","flag","nation","country","banner"],char:'\u{1f1ea}\u{1f1ed}',fitzpatrick_scale:!1,category:"flags"},yemen:{keywords:["ye","flag","nation","country","banner"],char:'\u{1f1fe}\u{1f1ea}',fitzpatrick_scale:!1,category:"flags"},zambia:{keywords:["zm","flag","nation","country","banner"],char:'\u{1f1ff}\u{1f1f2}',fitzpatrick_scale:!1,category:"flags"},zimbabwe:{keywords:["zw","flag","nation","country","banner"],char:'\u{1f1ff}\u{1f1fc}',fitzpatrick_scale:!1,category:"flags"},united_nations:{keywords:["un","flag","banner"],char:'\u{1f1fa}\u{1f1f3}',fitzpatrick_scale:!1,category:"flags"},pirate_flag:{keywords:["skull","crossbones","flag","banner"],char:'\u{1f3f4}\u200d\u2620\ufe0f',fitzpatrick_scale:!1,category:"flags"}}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/emoticons/js/emojis.js b/deform/static/tinymce/plugins/emoticons/js/emojis.js new file mode 100644 index 00000000..88455e9a --- /dev/null +++ b/deform/static/tinymce/plugins/emoticons/js/emojis.js @@ -0,0 +1 @@ +window.tinymce.Resource.add("tinymce.plugins.emoticons",{grinning:{keywords:["face","smile","happy","joy",":D","grin"],char:"😀",fitzpatrick_scale:false,category:"people"},grimacing:{keywords:["face","grimace","teeth"],char:"😬",fitzpatrick_scale:false,category:"people"},grin:{keywords:["face","happy","smile","joy","kawaii"],char:"😁",fitzpatrick_scale:false,category:"people"},joy:{keywords:["face","cry","tears","weep","happy","happytears","haha"],char:"😂",fitzpatrick_scale:false,category:"people"},rofl:{keywords:["face","rolling","floor","laughing","lol","haha"],char:"🤣",fitzpatrick_scale:false,category:"people"},partying:{keywords:["face","celebration","woohoo"],char:"🥳",fitzpatrick_scale:false,category:"people"},smiley:{keywords:["face","happy","joy","haha",":D",":)","smile","funny"],char:"😃",fitzpatrick_scale:false,category:"people"},smile:{keywords:["face","happy","joy","funny","haha","laugh","like",":D",":)"],char:"😄",fitzpatrick_scale:false,category:"people"},sweat_smile:{keywords:["face","hot","happy","laugh","sweat","smile","relief"],char:"😅",fitzpatrick_scale:false,category:"people"},laughing:{keywords:["happy","joy","lol","satisfied","haha","face","glad","XD","laugh"],char:"😆",fitzpatrick_scale:false,category:"people"},innocent:{keywords:["face","angel","heaven","halo"],char:"😇",fitzpatrick_scale:false,category:"people"},wink:{keywords:["face","happy","mischievous","secret",";)","smile","eye"],char:"😉",fitzpatrick_scale:false,category:"people"},blush:{keywords:["face","smile","happy","flushed","crush","embarrassed","shy","joy"],char:"😊",fitzpatrick_scale:false,category:"people"},slightly_smiling_face:{keywords:["face","smile"],char:"🙂",fitzpatrick_scale:false,category:"people"},upside_down_face:{keywords:["face","flipped","silly","smile"],char:"🙃",fitzpatrick_scale:false,category:"people"},relaxed:{keywords:["face","blush","massage","happiness"],char:"☺️",fitzpatrick_scale:false,category:"people"},yum:{keywords:["happy","joy","tongue","smile","face","silly","yummy","nom","delicious","savouring"],char:"😋",fitzpatrick_scale:false,category:"people"},relieved:{keywords:["face","relaxed","phew","massage","happiness"],char:"😌",fitzpatrick_scale:false,category:"people"},heart_eyes:{keywords:["face","love","like","affection","valentines","infatuation","crush","heart"],char:"😍",fitzpatrick_scale:false,category:"people"},smiling_face_with_three_hearts:{keywords:["face","love","like","affection","valentines","infatuation","crush","hearts","adore"],char:"🥰",fitzpatrick_scale:false,category:"people"},kissing_heart:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:"😘",fitzpatrick_scale:false,category:"people"},kissing:{keywords:["love","like","face","3","valentines","infatuation","kiss"],char:"😗",fitzpatrick_scale:false,category:"people"},kissing_smiling_eyes:{keywords:["face","affection","valentines","infatuation","kiss"],char:"😙",fitzpatrick_scale:false,category:"people"},kissing_closed_eyes:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:"😚",fitzpatrick_scale:false,category:"people"},stuck_out_tongue_winking_eye:{keywords:["face","prank","childish","playful","mischievous","smile","wink","tongue"],char:"😜",fitzpatrick_scale:false,category:"people"},zany:{keywords:["face","goofy","crazy"],char:"🤪",fitzpatrick_scale:false,category:"people"},raised_eyebrow:{keywords:["face","distrust","scepticism","disapproval","disbelief","surprise"],char:"🤨",fitzpatrick_scale:false,category:"people"},monocle:{keywords:["face","stuffy","wealthy"],char:"🧐",fitzpatrick_scale:false,category:"people"},stuck_out_tongue_closed_eyes:{keywords:["face","prank","playful","mischievous","smile","tongue"],char:"😝",fitzpatrick_scale:false,category:"people"},stuck_out_tongue:{keywords:["face","prank","childish","playful","mischievous","smile","tongue"],char:"😛",fitzpatrick_scale:false,category:"people"},money_mouth_face:{keywords:["face","rich","dollar","money"],char:"🤑",fitzpatrick_scale:false,category:"people"},nerd_face:{keywords:["face","nerdy","geek","dork"],char:"🤓",fitzpatrick_scale:false,category:"people"},sunglasses:{keywords:["face","cool","smile","summer","beach","sunglass"],char:"😎",fitzpatrick_scale:false,category:"people"},star_struck:{keywords:["face","smile","starry","eyes","grinning"],char:"🤩",fitzpatrick_scale:false,category:"people"},clown_face:{keywords:["face"],char:"🤡",fitzpatrick_scale:false,category:"people"},cowboy_hat_face:{keywords:["face","cowgirl","hat"],char:"🤠",fitzpatrick_scale:false,category:"people"},hugs:{keywords:["face","smile","hug"],char:"🤗",fitzpatrick_scale:false,category:"people"},smirk:{keywords:["face","smile","mean","prank","smug","sarcasm"],char:"😏",fitzpatrick_scale:false,category:"people"},no_mouth:{keywords:["face","hellokitty"],char:"😶",fitzpatrick_scale:false,category:"people"},neutral_face:{keywords:["indifference","meh",":|","neutral"],char:"😐",fitzpatrick_scale:false,category:"people"},expressionless:{keywords:["face","indifferent","-_-","meh","deadpan"],char:"😑",fitzpatrick_scale:false,category:"people"},unamused:{keywords:["indifference","bored","straight face","serious","sarcasm","unimpressed","skeptical","dubious","side_eye"],char:"😒",fitzpatrick_scale:false,category:"people"},roll_eyes:{keywords:["face","eyeroll","frustrated"],char:"🙄",fitzpatrick_scale:false,category:"people"},thinking:{keywords:["face","hmmm","think","consider"],char:"🤔",fitzpatrick_scale:false,category:"people"},lying_face:{keywords:["face","lie","pinocchio"],char:"🤥",fitzpatrick_scale:false,category:"people"},hand_over_mouth:{keywords:["face","whoops","shock","surprise"],char:"🤭",fitzpatrick_scale:false,category:"people"},shushing:{keywords:["face","quiet","shhh"],char:"🤫",fitzpatrick_scale:false,category:"people"},symbols_over_mouth:{keywords:["face","swearing","cursing","cussing","profanity","expletive"],char:"🤬",fitzpatrick_scale:false,category:"people"},exploding_head:{keywords:["face","shocked","mind","blown"],char:"🤯",fitzpatrick_scale:false,category:"people"},flushed:{keywords:["face","blush","shy","flattered"],char:"😳",fitzpatrick_scale:false,category:"people"},disappointed:{keywords:["face","sad","upset","depressed",":("],char:"😞",fitzpatrick_scale:false,category:"people"},worried:{keywords:["face","concern","nervous",":("],char:"😟",fitzpatrick_scale:false,category:"people"},angry:{keywords:["mad","face","annoyed","frustrated"],char:"😠",fitzpatrick_scale:false,category:"people"},rage:{keywords:["angry","mad","hate","despise"],char:"😡",fitzpatrick_scale:false,category:"people"},pensive:{keywords:["face","sad","depressed","upset"],char:"😔",fitzpatrick_scale:false,category:"people"},confused:{keywords:["face","indifference","huh","weird","hmmm",":/"],char:"😕",fitzpatrick_scale:false,category:"people"},slightly_frowning_face:{keywords:["face","frowning","disappointed","sad","upset"],char:"🙁",fitzpatrick_scale:false,category:"people"},frowning_face:{keywords:["face","sad","upset","frown"],char:"☹",fitzpatrick_scale:false,category:"people"},persevere:{keywords:["face","sick","no","upset","oops"],char:"😣",fitzpatrick_scale:false,category:"people"},confounded:{keywords:["face","confused","sick","unwell","oops",":S"],char:"😖",fitzpatrick_scale:false,category:"people"},tired_face:{keywords:["sick","whine","upset","frustrated"],char:"😫",fitzpatrick_scale:false,category:"people"},weary:{keywords:["face","tired","sleepy","sad","frustrated","upset"],char:"😩",fitzpatrick_scale:false,category:"people"},pleading:{keywords:["face","begging","mercy"],char:"🥺",fitzpatrick_scale:false,category:"people"},triumph:{keywords:["face","gas","phew","proud","pride"],char:"😤",fitzpatrick_scale:false,category:"people"},open_mouth:{keywords:["face","surprise","impressed","wow","whoa",":O"],char:"😮",fitzpatrick_scale:false,category:"people"},scream:{keywords:["face","munch","scared","omg"],char:"😱",fitzpatrick_scale:false,category:"people"},fearful:{keywords:["face","scared","terrified","nervous","oops","huh"],char:"😨",fitzpatrick_scale:false,category:"people"},cold_sweat:{keywords:["face","nervous","sweat"],char:"😰",fitzpatrick_scale:false,category:"people"},hushed:{keywords:["face","woo","shh"],char:"😯",fitzpatrick_scale:false,category:"people"},frowning:{keywords:["face","aw","what"],char:"😦",fitzpatrick_scale:false,category:"people"},anguished:{keywords:["face","stunned","nervous"],char:"😧",fitzpatrick_scale:false,category:"people"},cry:{keywords:["face","tears","sad","depressed","upset",":'("],char:"😢",fitzpatrick_scale:false,category:"people"},disappointed_relieved:{keywords:["face","phew","sweat","nervous"],char:"😥",fitzpatrick_scale:false,category:"people"},drooling_face:{keywords:["face"],char:"🤤",fitzpatrick_scale:false,category:"people"},sleepy:{keywords:["face","tired","rest","nap"],char:"😪",fitzpatrick_scale:false,category:"people"},sweat:{keywords:["face","hot","sad","tired","exercise"],char:"😓",fitzpatrick_scale:false,category:"people"},hot:{keywords:["face","feverish","heat","red","sweating"],char:"🥵",fitzpatrick_scale:false,category:"people"},cold:{keywords:["face","blue","freezing","frozen","frostbite","icicles"],char:"🥶",fitzpatrick_scale:false,category:"people"},sob:{keywords:["face","cry","tears","sad","upset","depressed"],char:"😭",fitzpatrick_scale:false,category:"people"},dizzy_face:{keywords:["spent","unconscious","xox","dizzy"],char:"😵",fitzpatrick_scale:false,category:"people"},astonished:{keywords:["face","xox","surprised","poisoned"],char:"😲",fitzpatrick_scale:false,category:"people"},zipper_mouth_face:{keywords:["face","sealed","zipper","secret"],char:"🤐",fitzpatrick_scale:false,category:"people"},nauseated_face:{keywords:["face","vomit","gross","green","sick","throw up","ill"],char:"🤢",fitzpatrick_scale:false,category:"people"},sneezing_face:{keywords:["face","gesundheit","sneeze","sick","allergy"],char:"🤧",fitzpatrick_scale:false,category:"people"},vomiting:{keywords:["face","sick"],char:"🤮",fitzpatrick_scale:false,category:"people"},mask:{keywords:["face","sick","ill","disease"],char:"😷",fitzpatrick_scale:false,category:"people"},face_with_thermometer:{keywords:["sick","temperature","thermometer","cold","fever"],char:"🤒",fitzpatrick_scale:false,category:"people"},face_with_head_bandage:{keywords:["injured","clumsy","bandage","hurt"],char:"🤕",fitzpatrick_scale:false,category:"people"},woozy:{keywords:["face","dizzy","intoxicated","tipsy","wavy"],char:"🥴",fitzpatrick_scale:false,category:"people"},sleeping:{keywords:["face","tired","sleepy","night","zzz"],char:"😴",fitzpatrick_scale:false,category:"people"},zzz:{keywords:["sleepy","tired","dream"],char:"💤",fitzpatrick_scale:false,category:"people"},poop:{keywords:["hankey","shitface","fail","turd","shit"],char:"💩",fitzpatrick_scale:false,category:"people"},smiling_imp:{keywords:["devil","horns"],char:"😈",fitzpatrick_scale:false,category:"people"},imp:{keywords:["devil","angry","horns"],char:"👿",fitzpatrick_scale:false,category:"people"},japanese_ogre:{keywords:["monster","red","mask","halloween","scary","creepy","devil","demon","japanese","ogre"],char:"👹",fitzpatrick_scale:false,category:"people"},japanese_goblin:{keywords:["red","evil","mask","monster","scary","creepy","japanese","goblin"],char:"👺",fitzpatrick_scale:false,category:"people"},skull:{keywords:["dead","skeleton","creepy","death"],char:"💀",fitzpatrick_scale:false,category:"people"},ghost:{keywords:["halloween","spooky","scary"],char:"👻",fitzpatrick_scale:false,category:"people"},alien:{keywords:["UFO","paul","weird","outer_space"],char:"👽",fitzpatrick_scale:false,category:"people"},robot:{keywords:["computer","machine","bot"],char:"🤖",fitzpatrick_scale:false,category:"people"},smiley_cat:{keywords:["animal","cats","happy","smile"],char:"😺",fitzpatrick_scale:false,category:"people"},smile_cat:{keywords:["animal","cats","smile"],char:"😸",fitzpatrick_scale:false,category:"people"},joy_cat:{keywords:["animal","cats","haha","happy","tears"],char:"😹",fitzpatrick_scale:false,category:"people"},heart_eyes_cat:{keywords:["animal","love","like","affection","cats","valentines","heart"],char:"😻",fitzpatrick_scale:false,category:"people"},smirk_cat:{keywords:["animal","cats","smirk"],char:"😼",fitzpatrick_scale:false,category:"people"},kissing_cat:{keywords:["animal","cats","kiss"],char:"😽",fitzpatrick_scale:false,category:"people"},scream_cat:{keywords:["animal","cats","munch","scared","scream"],char:"🙀",fitzpatrick_scale:false,category:"people"},crying_cat_face:{keywords:["animal","tears","weep","sad","cats","upset","cry"],char:"😿",fitzpatrick_scale:false,category:"people"},pouting_cat:{keywords:["animal","cats"],char:"😾",fitzpatrick_scale:false,category:"people"},palms_up:{keywords:["hands","gesture","cupped","prayer"],char:"🤲",fitzpatrick_scale:true,category:"people"},raised_hands:{keywords:["gesture","hooray","yea","celebration","hands"],char:"🙌",fitzpatrick_scale:true,category:"people"},clap:{keywords:["hands","praise","applause","congrats","yay"],char:"👏",fitzpatrick_scale:true,category:"people"},wave:{keywords:["hands","gesture","goodbye","solong","farewell","hello","hi","palm"],char:"👋",fitzpatrick_scale:true,category:"people"},call_me_hand:{keywords:["hands","gesture"],char:"🤙",fitzpatrick_scale:true,category:"people"},"+1":{keywords:["thumbsup","yes","awesome","good","agree","accept","cool","hand","like"],char:"👍",fitzpatrick_scale:true,category:"people"},"-1":{keywords:["thumbsdown","no","dislike","hand"],char:"👎",fitzpatrick_scale:true,category:"people"},facepunch:{keywords:["angry","violence","fist","hit","attack","hand"],char:"👊",fitzpatrick_scale:true,category:"people"},fist:{keywords:["fingers","hand","grasp"],char:"✊",fitzpatrick_scale:true,category:"people"},fist_left:{keywords:["hand","fistbump"],char:"🤛",fitzpatrick_scale:true,category:"people"},fist_right:{keywords:["hand","fistbump"],char:"🤜",fitzpatrick_scale:true,category:"people"},v:{keywords:["fingers","ohyeah","hand","peace","victory","two"],char:"✌",fitzpatrick_scale:true,category:"people"},ok_hand:{keywords:["fingers","limbs","perfect","ok","okay"],char:"👌",fitzpatrick_scale:true,category:"people"},raised_hand:{keywords:["fingers","stop","highfive","palm","ban"],char:"✋",fitzpatrick_scale:true,category:"people"},raised_back_of_hand:{keywords:["fingers","raised","backhand"],char:"🤚",fitzpatrick_scale:true,category:"people"},open_hands:{keywords:["fingers","butterfly","hands","open"],char:"👐",fitzpatrick_scale:true,category:"people"},muscle:{keywords:["arm","flex","hand","summer","strong","biceps"],char:"💪",fitzpatrick_scale:true,category:"people"},pray:{keywords:["please","hope","wish","namaste","highfive"],char:"🙏",fitzpatrick_scale:true,category:"people"},foot:{keywords:["kick","stomp"],char:"🦶",fitzpatrick_scale:true,category:"people"},leg:{keywords:["kick","limb"],char:"🦵",fitzpatrick_scale:true,category:"people"},handshake:{keywords:["agreement","shake"],char:"🤝",fitzpatrick_scale:false,category:"people"},point_up:{keywords:["hand","fingers","direction","up"],char:"☝",fitzpatrick_scale:true,category:"people"},point_up_2:{keywords:["fingers","hand","direction","up"],char:"👆",fitzpatrick_scale:true,category:"people"},point_down:{keywords:["fingers","hand","direction","down"],char:"👇",fitzpatrick_scale:true,category:"people"},point_left:{keywords:["direction","fingers","hand","left"],char:"👈",fitzpatrick_scale:true,category:"people"},point_right:{keywords:["fingers","hand","direction","right"],char:"👉",fitzpatrick_scale:true,category:"people"},fu:{keywords:["hand","fingers","rude","middle","flipping"],char:"🖕",fitzpatrick_scale:true,category:"people"},raised_hand_with_fingers_splayed:{keywords:["hand","fingers","palm"],char:"🖐",fitzpatrick_scale:true,category:"people"},love_you:{keywords:["hand","fingers","gesture"],char:"🤟",fitzpatrick_scale:true,category:"people"},metal:{keywords:["hand","fingers","evil_eye","sign_of_horns","rock_on"],char:"🤘",fitzpatrick_scale:true,category:"people"},crossed_fingers:{keywords:["good","lucky"],char:"🤞",fitzpatrick_scale:true,category:"people"},vulcan_salute:{keywords:["hand","fingers","spock","star trek"],char:"🖖",fitzpatrick_scale:true,category:"people"},writing_hand:{keywords:["lower_left_ballpoint_pen","stationery","write","compose"],char:"✍",fitzpatrick_scale:true,category:"people"},selfie:{keywords:["camera","phone"],char:"🤳",fitzpatrick_scale:true,category:"people"},nail_care:{keywords:["beauty","manicure","finger","fashion","nail"],char:"💅",fitzpatrick_scale:true,category:"people"},lips:{keywords:["mouth","kiss"],char:"👄",fitzpatrick_scale:false,category:"people"},tooth:{keywords:["teeth","dentist"],char:"🦷",fitzpatrick_scale:false,category:"people"},tongue:{keywords:["mouth","playful"],char:"👅",fitzpatrick_scale:false,category:"people"},ear:{keywords:["face","hear","sound","listen"],char:"👂",fitzpatrick_scale:true,category:"people"},nose:{keywords:["smell","sniff"],char:"👃",fitzpatrick_scale:true,category:"people"},eye:{keywords:["face","look","see","watch","stare"],char:"👁",fitzpatrick_scale:false,category:"people"},eyes:{keywords:["look","watch","stalk","peek","see"],char:"👀",fitzpatrick_scale:false,category:"people"},brain:{keywords:["smart","intelligent"],char:"🧠",fitzpatrick_scale:false,category:"people"},bust_in_silhouette:{keywords:["user","person","human"],char:"👤",fitzpatrick_scale:false,category:"people"},busts_in_silhouette:{keywords:["user","person","human","group","team"],char:"👥",fitzpatrick_scale:false,category:"people"},speaking_head:{keywords:["user","person","human","sing","say","talk"],char:"🗣",fitzpatrick_scale:false,category:"people"},baby:{keywords:["child","boy","girl","toddler"],char:"👶",fitzpatrick_scale:true,category:"people"},child:{keywords:["gender-neutral","young"],char:"🧒",fitzpatrick_scale:true,category:"people"},boy:{keywords:["man","male","guy","teenager"],char:"👦",fitzpatrick_scale:true,category:"people"},girl:{keywords:["female","woman","teenager"],char:"👧",fitzpatrick_scale:true,category:"people"},adult:{keywords:["gender-neutral","person"],char:"🧑",fitzpatrick_scale:true,category:"people"},man:{keywords:["mustache","father","dad","guy","classy","sir","moustache"],char:"👨",fitzpatrick_scale:true,category:"people"},woman:{keywords:["female","girls","lady"],char:"👩",fitzpatrick_scale:true,category:"people"},blonde_woman:{keywords:["woman","female","girl","blonde","person"],char:"👱‍♀️",fitzpatrick_scale:true,category:"people"},blonde_man:{keywords:["man","male","boy","blonde","guy","person"],char:"👱",fitzpatrick_scale:true,category:"people"},bearded_person:{keywords:["person","bewhiskered"],char:"🧔",fitzpatrick_scale:true,category:"people"},older_adult:{keywords:["human","elder","senior","gender-neutral"],char:"🧓",fitzpatrick_scale:true,category:"people"},older_man:{keywords:["human","male","men","old","elder","senior"],char:"👴",fitzpatrick_scale:true,category:"people"},older_woman:{keywords:["human","female","women","lady","old","elder","senior"],char:"👵",fitzpatrick_scale:true,category:"people"},man_with_gua_pi_mao:{keywords:["male","boy","chinese"],char:"👲",fitzpatrick_scale:true,category:"people"},woman_with_headscarf:{keywords:["female","hijab","mantilla","tichel"],char:"🧕",fitzpatrick_scale:true,category:"people"},woman_with_turban:{keywords:["female","indian","hinduism","arabs","woman"],char:"👳‍♀️",fitzpatrick_scale:true,category:"people"},man_with_turban:{keywords:["male","indian","hinduism","arabs"],char:"👳",fitzpatrick_scale:true,category:"people"},policewoman:{keywords:["woman","police","law","legal","enforcement","arrest","911","female"],char:"👮‍♀️",fitzpatrick_scale:true,category:"people"},policeman:{keywords:["man","police","law","legal","enforcement","arrest","911"],char:"👮",fitzpatrick_scale:true,category:"people"},construction_worker_woman:{keywords:["female","human","wip","build","construction","worker","labor","woman"],char:"👷‍♀️",fitzpatrick_scale:true,category:"people"},construction_worker_man:{keywords:["male","human","wip","guy","build","construction","worker","labor"],char:"👷",fitzpatrick_scale:true,category:"people"},guardswoman:{keywords:["uk","gb","british","female","royal","woman"],char:"💂‍♀️",fitzpatrick_scale:true,category:"people"},guardsman:{keywords:["uk","gb","british","male","guy","royal"],char:"💂",fitzpatrick_scale:true,category:"people"},female_detective:{keywords:["human","spy","detective","female","woman"],char:"🕵️‍♀️",fitzpatrick_scale:true,category:"people"},male_detective:{keywords:["human","spy","detective"],char:"🕵",fitzpatrick_scale:true,category:"people"},woman_health_worker:{keywords:["doctor","nurse","therapist","healthcare","woman","human"],char:"👩‍⚕️",fitzpatrick_scale:true,category:"people"},man_health_worker:{keywords:["doctor","nurse","therapist","healthcare","man","human"],char:"👨‍⚕️",fitzpatrick_scale:true,category:"people"},woman_farmer:{keywords:["rancher","gardener","woman","human"],char:"👩‍🌾",fitzpatrick_scale:true,category:"people"},man_farmer:{keywords:["rancher","gardener","man","human"],char:"👨‍🌾",fitzpatrick_scale:true,category:"people"},woman_cook:{keywords:["chef","woman","human"],char:"👩‍🍳",fitzpatrick_scale:true,category:"people"},man_cook:{keywords:["chef","man","human"],char:"👨‍🍳",fitzpatrick_scale:true,category:"people"},woman_student:{keywords:["graduate","woman","human"],char:"👩‍🎓",fitzpatrick_scale:true,category:"people"},man_student:{keywords:["graduate","man","human"],char:"👨‍🎓",fitzpatrick_scale:true,category:"people"},woman_singer:{keywords:["rockstar","entertainer","woman","human"],char:"👩‍🎤",fitzpatrick_scale:true,category:"people"},man_singer:{keywords:["rockstar","entertainer","man","human"],char:"👨‍🎤",fitzpatrick_scale:true,category:"people"},woman_teacher:{keywords:["instructor","professor","woman","human"],char:"👩‍🏫",fitzpatrick_scale:true,category:"people"},man_teacher:{keywords:["instructor","professor","man","human"],char:"👨‍🏫",fitzpatrick_scale:true,category:"people"},woman_factory_worker:{keywords:["assembly","industrial","woman","human"],char:"👩‍🏭",fitzpatrick_scale:true,category:"people"},man_factory_worker:{keywords:["assembly","industrial","man","human"],char:"👨‍🏭",fitzpatrick_scale:true,category:"people"},woman_technologist:{keywords:["coder","developer","engineer","programmer","software","woman","human","laptop","computer"],char:"👩‍💻",fitzpatrick_scale:true,category:"people"},man_technologist:{keywords:["coder","developer","engineer","programmer","software","man","human","laptop","computer"],char:"👨‍💻",fitzpatrick_scale:true,category:"people"},woman_office_worker:{keywords:["business","manager","woman","human"],char:"👩‍💼",fitzpatrick_scale:true,category:"people"},man_office_worker:{keywords:["business","manager","man","human"],char:"👨‍💼",fitzpatrick_scale:true,category:"people"},woman_mechanic:{keywords:["plumber","woman","human","wrench"],char:"👩‍🔧",fitzpatrick_scale:true,category:"people"},man_mechanic:{keywords:["plumber","man","human","wrench"],char:"👨‍🔧",fitzpatrick_scale:true,category:"people"},woman_scientist:{keywords:["biologist","chemist","engineer","physicist","woman","human"],char:"👩‍🔬",fitzpatrick_scale:true,category:"people"},man_scientist:{keywords:["biologist","chemist","engineer","physicist","man","human"],char:"👨‍🔬",fitzpatrick_scale:true,category:"people"},woman_artist:{keywords:["painter","woman","human"],char:"👩‍🎨",fitzpatrick_scale:true,category:"people"},man_artist:{keywords:["painter","man","human"],char:"👨‍🎨",fitzpatrick_scale:true,category:"people"},woman_firefighter:{keywords:["fireman","woman","human"],char:"👩‍🚒",fitzpatrick_scale:true,category:"people"},man_firefighter:{keywords:["fireman","man","human"],char:"👨‍🚒",fitzpatrick_scale:true,category:"people"},woman_pilot:{keywords:["aviator","plane","woman","human"],char:"👩‍✈️",fitzpatrick_scale:true,category:"people"},man_pilot:{keywords:["aviator","plane","man","human"],char:"👨‍✈️",fitzpatrick_scale:true,category:"people"},woman_astronaut:{keywords:["space","rocket","woman","human"],char:"👩‍🚀",fitzpatrick_scale:true,category:"people"},man_astronaut:{keywords:["space","rocket","man","human"],char:"👨‍🚀",fitzpatrick_scale:true,category:"people"},woman_judge:{keywords:["justice","court","woman","human"],char:"👩‍⚖️",fitzpatrick_scale:true,category:"people"},man_judge:{keywords:["justice","court","man","human"],char:"👨‍⚖️",fitzpatrick_scale:true,category:"people"},woman_superhero:{keywords:["woman","female","good","heroine","superpowers"],char:"🦸‍♀️",fitzpatrick_scale:true,category:"people"},man_superhero:{keywords:["man","male","good","hero","superpowers"],char:"🦸‍♂️",fitzpatrick_scale:true,category:"people"},woman_supervillain:{keywords:["woman","female","evil","bad","criminal","heroine","superpowers"],char:"🦹‍♀️",fitzpatrick_scale:true,category:"people"},man_supervillain:{keywords:["man","male","evil","bad","criminal","hero","superpowers"],char:"🦹‍♂️",fitzpatrick_scale:true,category:"people"},mrs_claus:{keywords:["woman","female","xmas","mother christmas"],char:"🤶",fitzpatrick_scale:true,category:"people"},santa:{keywords:["festival","man","male","xmas","father christmas"],char:"🎅",fitzpatrick_scale:true,category:"people"},sorceress:{keywords:["woman","female","mage","witch"],char:"🧙‍♀️",fitzpatrick_scale:true,category:"people"},wizard:{keywords:["man","male","mage","sorcerer"],char:"🧙‍♂️",fitzpatrick_scale:true,category:"people"},woman_elf:{keywords:["woman","female"],char:"🧝‍♀️",fitzpatrick_scale:true,category:"people"},man_elf:{keywords:["man","male"],char:"🧝‍♂️",fitzpatrick_scale:true,category:"people"},woman_vampire:{keywords:["woman","female"],char:"🧛‍♀️",fitzpatrick_scale:true,category:"people"},man_vampire:{keywords:["man","male","dracula"],char:"🧛‍♂️",fitzpatrick_scale:true,category:"people"},woman_zombie:{keywords:["woman","female","undead","walking dead"],char:"🧟‍♀️",fitzpatrick_scale:false,category:"people"},man_zombie:{keywords:["man","male","dracula","undead","walking dead"],char:"🧟‍♂️",fitzpatrick_scale:false,category:"people"},woman_genie:{keywords:["woman","female"],char:"🧞‍♀️",fitzpatrick_scale:false,category:"people"},man_genie:{keywords:["man","male"],char:"🧞‍♂️",fitzpatrick_scale:false,category:"people"},mermaid:{keywords:["woman","female","merwoman","ariel"],char:"🧜‍♀️",fitzpatrick_scale:true,category:"people"},merman:{keywords:["man","male","triton"],char:"🧜‍♂️",fitzpatrick_scale:true,category:"people"},woman_fairy:{keywords:["woman","female"],char:"🧚‍♀️",fitzpatrick_scale:true,category:"people"},man_fairy:{keywords:["man","male"],char:"🧚‍♂️",fitzpatrick_scale:true,category:"people"},angel:{keywords:["heaven","wings","halo"],char:"👼",fitzpatrick_scale:true,category:"people"},pregnant_woman:{keywords:["baby"],char:"🤰",fitzpatrick_scale:true,category:"people"},breastfeeding:{keywords:["nursing","baby"],char:"🤱",fitzpatrick_scale:true,category:"people"},princess:{keywords:["girl","woman","female","blond","crown","royal","queen"],char:"👸",fitzpatrick_scale:true,category:"people"},prince:{keywords:["boy","man","male","crown","royal","king"],char:"🤴",fitzpatrick_scale:true,category:"people"},bride_with_veil:{keywords:["couple","marriage","wedding","woman","bride"],char:"👰",fitzpatrick_scale:true,category:"people"},man_in_tuxedo:{keywords:["couple","marriage","wedding","groom"],char:"🤵",fitzpatrick_scale:true,category:"people"},running_woman:{keywords:["woman","walking","exercise","race","running","female"],char:"🏃‍♀️",fitzpatrick_scale:true,category:"people"},running_man:{keywords:["man","walking","exercise","race","running"],char:"🏃",fitzpatrick_scale:true,category:"people"},walking_woman:{keywords:["human","feet","steps","woman","female"],char:"🚶‍♀️",fitzpatrick_scale:true,category:"people"},walking_man:{keywords:["human","feet","steps"],char:"🚶",fitzpatrick_scale:true,category:"people"},dancer:{keywords:["female","girl","woman","fun"],char:"💃",fitzpatrick_scale:true,category:"people"},man_dancing:{keywords:["male","boy","fun","dancer"],char:"🕺",fitzpatrick_scale:true,category:"people"},dancing_women:{keywords:["female","bunny","women","girls"],char:"👯",fitzpatrick_scale:false,category:"people"},dancing_men:{keywords:["male","bunny","men","boys"],char:"👯‍♂️",fitzpatrick_scale:false,category:"people"},couple:{keywords:["pair","people","human","love","date","dating","like","affection","valentines","marriage"],char:"👫",fitzpatrick_scale:false,category:"people"},two_men_holding_hands:{keywords:["pair","couple","love","like","bromance","friendship","people","human"],char:"👬",fitzpatrick_scale:false,category:"people"},two_women_holding_hands:{keywords:["pair","friendship","couple","love","like","female","people","human"],char:"👭",fitzpatrick_scale:false,category:"people"},bowing_woman:{keywords:["woman","female","girl"],char:"🙇‍♀️",fitzpatrick_scale:true,category:"people"},bowing_man:{keywords:["man","male","boy"],char:"🙇",fitzpatrick_scale:true,category:"people"},man_facepalming:{keywords:["man","male","boy","disbelief"],char:"🤦‍♂️",fitzpatrick_scale:true,category:"people"},woman_facepalming:{keywords:["woman","female","girl","disbelief"],char:"🤦‍♀️",fitzpatrick_scale:true,category:"people"},woman_shrugging:{keywords:["woman","female","girl","confused","indifferent","doubt"],char:"🤷",fitzpatrick_scale:true,category:"people"},man_shrugging:{keywords:["man","male","boy","confused","indifferent","doubt"],char:"🤷‍♂️",fitzpatrick_scale:true,category:"people"},tipping_hand_woman:{keywords:["female","girl","woman","human","information"],char:"💁",fitzpatrick_scale:true,category:"people"},tipping_hand_man:{keywords:["male","boy","man","human","information"],char:"💁‍♂️",fitzpatrick_scale:true,category:"people"},no_good_woman:{keywords:["female","girl","woman","nope"],char:"🙅",fitzpatrick_scale:true,category:"people"},no_good_man:{keywords:["male","boy","man","nope"],char:"🙅‍♂️",fitzpatrick_scale:true,category:"people"},ok_woman:{keywords:["women","girl","female","pink","human","woman"],char:"🙆",fitzpatrick_scale:true,category:"people"},ok_man:{keywords:["men","boy","male","blue","human","man"],char:"🙆‍♂️",fitzpatrick_scale:true,category:"people"},raising_hand_woman:{keywords:["female","girl","woman"],char:"🙋",fitzpatrick_scale:true,category:"people"},raising_hand_man:{keywords:["male","boy","man"],char:"🙋‍♂️",fitzpatrick_scale:true,category:"people"},pouting_woman:{keywords:["female","girl","woman"],char:"🙎",fitzpatrick_scale:true,category:"people"},pouting_man:{keywords:["male","boy","man"],char:"🙎‍♂️",fitzpatrick_scale:true,category:"people"},frowning_woman:{keywords:["female","girl","woman","sad","depressed","discouraged","unhappy"],char:"🙍",fitzpatrick_scale:true,category:"people"},frowning_man:{keywords:["male","boy","man","sad","depressed","discouraged","unhappy"],char:"🙍‍♂️",fitzpatrick_scale:true,category:"people"},haircut_woman:{keywords:["female","girl","woman"],char:"💇",fitzpatrick_scale:true,category:"people"},haircut_man:{keywords:["male","boy","man"],char:"💇‍♂️",fitzpatrick_scale:true,category:"people"},massage_woman:{keywords:["female","girl","woman","head"],char:"💆",fitzpatrick_scale:true,category:"people"},massage_man:{keywords:["male","boy","man","head"],char:"💆‍♂️",fitzpatrick_scale:true,category:"people"},woman_in_steamy_room:{keywords:["female","woman","spa","steamroom","sauna"],char:"🧖‍♀️",fitzpatrick_scale:true,category:"people"},man_in_steamy_room:{keywords:["male","man","spa","steamroom","sauna"],char:"🧖‍♂️",fitzpatrick_scale:true,category:"people"},couple_with_heart_woman_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:"💑",fitzpatrick_scale:false,category:"people"},couple_with_heart_woman_woman:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:"👩‍❤️‍👩",fitzpatrick_scale:false,category:"people"},couple_with_heart_man_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:"👨‍❤️‍👨",fitzpatrick_scale:false,category:"people"},couplekiss_man_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:"💏",fitzpatrick_scale:false,category:"people"},couplekiss_woman_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:"👩‍❤️‍💋‍👩",fitzpatrick_scale:false,category:"people"},couplekiss_man_man:{keywords:["pair","valentines","love","like","dating","marriage"],char:"👨‍❤️‍💋‍👨",fitzpatrick_scale:false,category:"people"},family_man_woman_boy:{keywords:["home","parents","child","mom","dad","father","mother","people","human"],char:"👪",fitzpatrick_scale:false,category:"people"},family_man_woman_girl:{keywords:["home","parents","people","human","child"],char:"👨‍👩‍👧",fitzpatrick_scale:false,category:"people"},family_man_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:"👨‍👩‍👧‍👦",fitzpatrick_scale:false,category:"people"},family_man_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:"👨‍👩‍👦‍👦",fitzpatrick_scale:false,category:"people"},family_man_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:"👨‍👩‍👧‍👧",fitzpatrick_scale:false,category:"people"},family_woman_woman_boy:{keywords:["home","parents","people","human","children"],char:"👩‍👩‍👦",fitzpatrick_scale:false,category:"people"},family_woman_woman_girl:{keywords:["home","parents","people","human","children"],char:"👩‍👩‍👧",fitzpatrick_scale:false,category:"people"},family_woman_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:"👩‍👩‍👧‍👦",fitzpatrick_scale:false,category:"people"},family_woman_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:"👩‍👩‍👦‍👦",fitzpatrick_scale:false,category:"people"},family_woman_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:"👩‍👩‍👧‍👧",fitzpatrick_scale:false,category:"people"},family_man_man_boy:{keywords:["home","parents","people","human","children"],char:"👨‍👨‍👦",fitzpatrick_scale:false,category:"people"},family_man_man_girl:{keywords:["home","parents","people","human","children"],char:"👨‍👨‍👧",fitzpatrick_scale:false,category:"people"},family_man_man_girl_boy:{keywords:["home","parents","people","human","children"],char:"👨‍👨‍👧‍👦",fitzpatrick_scale:false,category:"people"},family_man_man_boy_boy:{keywords:["home","parents","people","human","children"],char:"👨‍👨‍👦‍👦",fitzpatrick_scale:false,category:"people"},family_man_man_girl_girl:{keywords:["home","parents","people","human","children"],char:"👨‍👨‍👧‍👧",fitzpatrick_scale:false,category:"people"},family_woman_boy:{keywords:["home","parent","people","human","child"],char:"👩‍👦",fitzpatrick_scale:false,category:"people"},family_woman_girl:{keywords:["home","parent","people","human","child"],char:"👩‍👧",fitzpatrick_scale:false,category:"people"},family_woman_girl_boy:{keywords:["home","parent","people","human","children"],char:"👩‍👧‍👦",fitzpatrick_scale:false,category:"people"},family_woman_boy_boy:{keywords:["home","parent","people","human","children"],char:"👩‍👦‍👦",fitzpatrick_scale:false,category:"people"},family_woman_girl_girl:{keywords:["home","parent","people","human","children"],char:"👩‍👧‍👧",fitzpatrick_scale:false,category:"people"},family_man_boy:{keywords:["home","parent","people","human","child"],char:"👨‍👦",fitzpatrick_scale:false,category:"people"},family_man_girl:{keywords:["home","parent","people","human","child"],char:"👨‍👧",fitzpatrick_scale:false,category:"people"},family_man_girl_boy:{keywords:["home","parent","people","human","children"],char:"👨‍👧‍👦",fitzpatrick_scale:false,category:"people"},family_man_boy_boy:{keywords:["home","parent","people","human","children"],char:"👨‍👦‍👦",fitzpatrick_scale:false,category:"people"},family_man_girl_girl:{keywords:["home","parent","people","human","children"],char:"👨‍👧‍👧",fitzpatrick_scale:false,category:"people"},yarn:{keywords:["ball","crochet","knit"],char:"🧶",fitzpatrick_scale:false,category:"people"},thread:{keywords:["needle","sewing","spool","string"],char:"🧵",fitzpatrick_scale:false,category:"people"},coat:{keywords:["jacket"],char:"🧥",fitzpatrick_scale:false,category:"people"},labcoat:{keywords:["doctor","experiment","scientist","chemist"],char:"🥼",fitzpatrick_scale:false,category:"people"},womans_clothes:{keywords:["fashion","shopping_bags","female"],char:"👚",fitzpatrick_scale:false,category:"people"},tshirt:{keywords:["fashion","cloth","casual","shirt","tee"],char:"👕",fitzpatrick_scale:false,category:"people"},jeans:{keywords:["fashion","shopping"],char:"👖",fitzpatrick_scale:false,category:"people"},necktie:{keywords:["shirt","suitup","formal","fashion","cloth","business"],char:"👔",fitzpatrick_scale:false,category:"people"},dress:{keywords:["clothes","fashion","shopping"],char:"👗",fitzpatrick_scale:false,category:"people"},bikini:{keywords:["swimming","female","woman","girl","fashion","beach","summer"],char:"👙",fitzpatrick_scale:false,category:"people"},kimono:{keywords:["dress","fashion","women","female","japanese"],char:"👘",fitzpatrick_scale:false,category:"people"},lipstick:{keywords:["female","girl","fashion","woman"],char:"💄",fitzpatrick_scale:false,category:"people"},kiss:{keywords:["face","lips","love","like","affection","valentines"],char:"💋",fitzpatrick_scale:false,category:"people"},footprints:{keywords:["feet","tracking","walking","beach"],char:"👣",fitzpatrick_scale:false,category:"people"},flat_shoe:{keywords:["ballet","slip-on","slipper"],char:"🥿",fitzpatrick_scale:false,category:"people"},high_heel:{keywords:["fashion","shoes","female","pumps","stiletto"],char:"👠",fitzpatrick_scale:false,category:"people"},sandal:{keywords:["shoes","fashion","flip flops"],char:"👡",fitzpatrick_scale:false,category:"people"},boot:{keywords:["shoes","fashion"],char:"👢",fitzpatrick_scale:false,category:"people"},mans_shoe:{keywords:["fashion","male"],char:"👞",fitzpatrick_scale:false,category:"people"},athletic_shoe:{keywords:["shoes","sports","sneakers"],char:"👟",fitzpatrick_scale:false,category:"people"},hiking_boot:{keywords:["backpacking","camping","hiking"],char:"🥾",fitzpatrick_scale:false,category:"people"},socks:{keywords:["stockings","clothes"],char:"🧦",fitzpatrick_scale:false,category:"people"},gloves:{keywords:["hands","winter","clothes"],char:"🧤",fitzpatrick_scale:false,category:"people"},scarf:{keywords:["neck","winter","clothes"],char:"🧣",fitzpatrick_scale:false,category:"people"},womans_hat:{keywords:["fashion","accessories","female","lady","spring"],char:"👒",fitzpatrick_scale:false,category:"people"},tophat:{keywords:["magic","gentleman","classy","circus"],char:"🎩",fitzpatrick_scale:false,category:"people"},billed_hat:{keywords:["cap","baseball"],char:"🧢",fitzpatrick_scale:false,category:"people"},rescue_worker_helmet:{keywords:["construction","build"],char:"⛑",fitzpatrick_scale:false,category:"people"},mortar_board:{keywords:["school","college","degree","university","graduation","cap","hat","legal","learn","education"],char:"🎓",fitzpatrick_scale:false,category:"people"},crown:{keywords:["king","kod","leader","royalty","lord"],char:"👑",fitzpatrick_scale:false,category:"people"},school_satchel:{keywords:["student","education","bag","backpack"],char:"🎒",fitzpatrick_scale:false,category:"people"},luggage:{keywords:["packing","travel"],char:"🧳",fitzpatrick_scale:false,category:"people"},pouch:{keywords:["bag","accessories","shopping"],char:"👝",fitzpatrick_scale:false,category:"people"},purse:{keywords:["fashion","accessories","money","sales","shopping"],char:"👛",fitzpatrick_scale:false,category:"people"},handbag:{keywords:["fashion","accessory","accessories","shopping"],char:"👜",fitzpatrick_scale:false,category:"people"},briefcase:{keywords:["business","documents","work","law","legal","job","career"],char:"💼",fitzpatrick_scale:false,category:"people"},eyeglasses:{keywords:["fashion","accessories","eyesight","nerdy","dork","geek"],char:"👓",fitzpatrick_scale:false,category:"people"},dark_sunglasses:{keywords:["face","cool","accessories"],char:"🕶",fitzpatrick_scale:false,category:"people"},goggles:{keywords:["eyes","protection","safety"],char:"🥽",fitzpatrick_scale:false,category:"people"},ring:{keywords:["wedding","propose","marriage","valentines","diamond","fashion","jewelry","gem","engagement"],char:"💍",fitzpatrick_scale:false,category:"people"},closed_umbrella:{keywords:["weather","rain","drizzle"],char:"🌂",fitzpatrick_scale:false,category:"people"},dog:{keywords:["animal","friend","nature","woof","puppy","pet","faithful"],char:"🐶",fitzpatrick_scale:false,category:"animals_and_nature"},cat:{keywords:["animal","meow","nature","pet","kitten"],char:"🐱",fitzpatrick_scale:false,category:"animals_and_nature"},mouse:{keywords:["animal","nature","cheese_wedge","rodent"],char:"🐭",fitzpatrick_scale:false,category:"animals_and_nature"},hamster:{keywords:["animal","nature"],char:"🐹",fitzpatrick_scale:false,category:"animals_and_nature"},rabbit:{keywords:["animal","nature","pet","spring","magic","bunny"],char:"🐰",fitzpatrick_scale:false,category:"animals_and_nature"},fox_face:{keywords:["animal","nature","face"],char:"🦊",fitzpatrick_scale:false,category:"animals_and_nature"},bear:{keywords:["animal","nature","wild"],char:"🐻",fitzpatrick_scale:false,category:"animals_and_nature"},panda_face:{keywords:["animal","nature","panda"],char:"🐼",fitzpatrick_scale:false,category:"animals_and_nature"},koala:{keywords:["animal","nature"],char:"🐨",fitzpatrick_scale:false,category:"animals_and_nature"},tiger:{keywords:["animal","cat","danger","wild","nature","roar"],char:"🐯",fitzpatrick_scale:false,category:"animals_and_nature"},lion:{keywords:["animal","nature"],char:"🦁",fitzpatrick_scale:false,category:"animals_and_nature"},cow:{keywords:["beef","ox","animal","nature","moo","milk"],char:"🐮",fitzpatrick_scale:false,category:"animals_and_nature"},pig:{keywords:["animal","oink","nature"],char:"🐷",fitzpatrick_scale:false,category:"animals_and_nature"},pig_nose:{keywords:["animal","oink"],char:"🐽",fitzpatrick_scale:false,category:"animals_and_nature"},frog:{keywords:["animal","nature","croak","toad"],char:"🐸",fitzpatrick_scale:false,category:"animals_and_nature"},squid:{keywords:["animal","nature","ocean","sea"],char:"🦑",fitzpatrick_scale:false,category:"animals_and_nature"},octopus:{keywords:["animal","creature","ocean","sea","nature","beach"],char:"🐙",fitzpatrick_scale:false,category:"animals_and_nature"},shrimp:{keywords:["animal","ocean","nature","seafood"],char:"🦐",fitzpatrick_scale:false,category:"animals_and_nature"},monkey_face:{keywords:["animal","nature","circus"],char:"🐵",fitzpatrick_scale:false,category:"animals_and_nature"},gorilla:{keywords:["animal","nature","circus"],char:"🦍",fitzpatrick_scale:false,category:"animals_and_nature"},see_no_evil:{keywords:["monkey","animal","nature","haha"],char:"🙈",fitzpatrick_scale:false,category:"animals_and_nature"},hear_no_evil:{keywords:["animal","monkey","nature"],char:"🙉",fitzpatrick_scale:false,category:"animals_and_nature"},speak_no_evil:{keywords:["monkey","animal","nature","omg"],char:"🙊",fitzpatrick_scale:false,category:"animals_and_nature"},monkey:{keywords:["animal","nature","banana","circus"],char:"🐒",fitzpatrick_scale:false,category:"animals_and_nature"},chicken:{keywords:["animal","cluck","nature","bird"],char:"🐔",fitzpatrick_scale:false,category:"animals_and_nature"},penguin:{keywords:["animal","nature"],char:"🐧",fitzpatrick_scale:false,category:"animals_and_nature"},bird:{keywords:["animal","nature","fly","tweet","spring"],char:"🐦",fitzpatrick_scale:false,category:"animals_and_nature"},baby_chick:{keywords:["animal","chicken","bird"],char:"🐤",fitzpatrick_scale:false,category:"animals_and_nature"},hatching_chick:{keywords:["animal","chicken","egg","born","baby","bird"],char:"🐣",fitzpatrick_scale:false,category:"animals_and_nature"},hatched_chick:{keywords:["animal","chicken","baby","bird"],char:"🐥",fitzpatrick_scale:false,category:"animals_and_nature"},duck:{keywords:["animal","nature","bird","mallard"],char:"🦆",fitzpatrick_scale:false,category:"animals_and_nature"},eagle:{keywords:["animal","nature","bird"],char:"🦅",fitzpatrick_scale:false,category:"animals_and_nature"},owl:{keywords:["animal","nature","bird","hoot"],char:"🦉",fitzpatrick_scale:false,category:"animals_and_nature"},bat:{keywords:["animal","nature","blind","vampire"],char:"🦇",fitzpatrick_scale:false,category:"animals_and_nature"},wolf:{keywords:["animal","nature","wild"],char:"🐺",fitzpatrick_scale:false,category:"animals_and_nature"},boar:{keywords:["animal","nature"],char:"🐗",fitzpatrick_scale:false,category:"animals_and_nature"},horse:{keywords:["animal","brown","nature"],char:"🐴",fitzpatrick_scale:false,category:"animals_and_nature"},unicorn:{keywords:["animal","nature","mystical"],char:"🦄",fitzpatrick_scale:false,category:"animals_and_nature"},honeybee:{keywords:["animal","insect","nature","bug","spring","honey"],char:"🐝",fitzpatrick_scale:false,category:"animals_and_nature"},bug:{keywords:["animal","insect","nature","worm"],char:"🐛",fitzpatrick_scale:false,category:"animals_and_nature"},butterfly:{keywords:["animal","insect","nature","caterpillar"],char:"🦋",fitzpatrick_scale:false,category:"animals_and_nature"},snail:{keywords:["slow","animal","shell"],char:"🐌",fitzpatrick_scale:false,category:"animals_and_nature"},beetle:{keywords:["animal","insect","nature","ladybug"],char:"🐞",fitzpatrick_scale:false,category:"animals_and_nature"},ant:{keywords:["animal","insect","nature","bug"],char:"🐜",fitzpatrick_scale:false,category:"animals_and_nature"},grasshopper:{keywords:["animal","cricket","chirp"],char:"🦗",fitzpatrick_scale:false,category:"animals_and_nature"},spider:{keywords:["animal","arachnid"],char:"🕷",fitzpatrick_scale:false,category:"animals_and_nature"},scorpion:{keywords:["animal","arachnid"],char:"🦂",fitzpatrick_scale:false,category:"animals_and_nature"},crab:{keywords:["animal","crustacean"],char:"🦀",fitzpatrick_scale:false,category:"animals_and_nature"},snake:{keywords:["animal","evil","nature","hiss","python"],char:"🐍",fitzpatrick_scale:false,category:"animals_and_nature"},lizard:{keywords:["animal","nature","reptile"],char:"🦎",fitzpatrick_scale:false,category:"animals_and_nature"},"t-rex":{keywords:["animal","nature","dinosaur","tyrannosaurus","extinct"],char:"🦖",fitzpatrick_scale:false,category:"animals_and_nature"},sauropod:{keywords:["animal","nature","dinosaur","brachiosaurus","brontosaurus","diplodocus","extinct"],char:"🦕",fitzpatrick_scale:false,category:"animals_and_nature"},turtle:{keywords:["animal","slow","nature","tortoise"],char:"🐢",fitzpatrick_scale:false,category:"animals_and_nature"},tropical_fish:{keywords:["animal","swim","ocean","beach","nemo"],char:"🐠",fitzpatrick_scale:false,category:"animals_and_nature"},fish:{keywords:["animal","food","nature"],char:"🐟",fitzpatrick_scale:false,category:"animals_and_nature"},blowfish:{keywords:["animal","nature","food","sea","ocean"],char:"🐡",fitzpatrick_scale:false,category:"animals_and_nature"},dolphin:{keywords:["animal","nature","fish","sea","ocean","flipper","fins","beach"],char:"🐬",fitzpatrick_scale:false,category:"animals_and_nature"},shark:{keywords:["animal","nature","fish","sea","ocean","jaws","fins","beach"],char:"🦈",fitzpatrick_scale:false,category:"animals_and_nature"},whale:{keywords:["animal","nature","sea","ocean"],char:"🐳",fitzpatrick_scale:false,category:"animals_and_nature"},whale2:{keywords:["animal","nature","sea","ocean"],char:"🐋",fitzpatrick_scale:false,category:"animals_and_nature"},crocodile:{keywords:["animal","nature","reptile","lizard","alligator"],char:"🐊",fitzpatrick_scale:false,category:"animals_and_nature"},leopard:{keywords:["animal","nature"],char:"🐆",fitzpatrick_scale:false,category:"animals_and_nature"},zebra:{keywords:["animal","nature","stripes","safari"],char:"🦓",fitzpatrick_scale:false,category:"animals_and_nature"},tiger2:{keywords:["animal","nature","roar"],char:"🐅",fitzpatrick_scale:false,category:"animals_and_nature"},water_buffalo:{keywords:["animal","nature","ox","cow"],char:"🐃",fitzpatrick_scale:false,category:"animals_and_nature"},ox:{keywords:["animal","cow","beef"],char:"🐂",fitzpatrick_scale:false,category:"animals_and_nature"},cow2:{keywords:["beef","ox","animal","nature","moo","milk"],char:"🐄",fitzpatrick_scale:false,category:"animals_and_nature"},deer:{keywords:["animal","nature","horns","venison"],char:"🦌",fitzpatrick_scale:false,category:"animals_and_nature"},dromedary_camel:{keywords:["animal","hot","desert","hump"],char:"🐪",fitzpatrick_scale:false,category:"animals_and_nature"},camel:{keywords:["animal","nature","hot","desert","hump"],char:"🐫",fitzpatrick_scale:false,category:"animals_and_nature"},giraffe:{keywords:["animal","nature","spots","safari"],char:"🦒",fitzpatrick_scale:false,category:"animals_and_nature"},elephant:{keywords:["animal","nature","nose","th","circus"],char:"🐘",fitzpatrick_scale:false,category:"animals_and_nature"},rhinoceros:{keywords:["animal","nature","horn"],char:"🦏",fitzpatrick_scale:false,category:"animals_and_nature"},goat:{keywords:["animal","nature"],char:"🐐",fitzpatrick_scale:false,category:"animals_and_nature"},ram:{keywords:["animal","sheep","nature"],char:"🐏",fitzpatrick_scale:false,category:"animals_and_nature"},sheep:{keywords:["animal","nature","wool","shipit"],char:"🐑",fitzpatrick_scale:false,category:"animals_and_nature"},racehorse:{keywords:["animal","gamble","luck"],char:"🐎",fitzpatrick_scale:false,category:"animals_and_nature"},pig2:{keywords:["animal","nature"],char:"🐖",fitzpatrick_scale:false,category:"animals_and_nature"},rat:{keywords:["animal","mouse","rodent"],char:"🐀",fitzpatrick_scale:false,category:"animals_and_nature"},mouse2:{keywords:["animal","nature","rodent"],char:"🐁",fitzpatrick_scale:false,category:"animals_and_nature"},rooster:{keywords:["animal","nature","chicken"],char:"🐓",fitzpatrick_scale:false,category:"animals_and_nature"},turkey:{keywords:["animal","bird"],char:"🦃",fitzpatrick_scale:false,category:"animals_and_nature"},dove:{keywords:["animal","bird"],char:"🕊",fitzpatrick_scale:false,category:"animals_and_nature"},dog2:{keywords:["animal","nature","friend","doge","pet","faithful"],char:"🐕",fitzpatrick_scale:false,category:"animals_and_nature"},poodle:{keywords:["dog","animal","101","nature","pet"],char:"🐩",fitzpatrick_scale:false,category:"animals_and_nature"},cat2:{keywords:["animal","meow","pet","cats"],char:"🐈",fitzpatrick_scale:false,category:"animals_and_nature"},rabbit2:{keywords:["animal","nature","pet","magic","spring"],char:"🐇",fitzpatrick_scale:false,category:"animals_and_nature"},chipmunk:{keywords:["animal","nature","rodent","squirrel"],char:"🐿",fitzpatrick_scale:false,category:"animals_and_nature"},hedgehog:{keywords:["animal","nature","spiny"],char:"🦔",fitzpatrick_scale:false,category:"animals_and_nature"},raccoon:{keywords:["animal","nature"],char:"🦝",fitzpatrick_scale:false,category:"animals_and_nature"},llama:{keywords:["animal","nature","alpaca"],char:"🦙",fitzpatrick_scale:false,category:"animals_and_nature"},hippopotamus:{keywords:["animal","nature"],char:"🦛",fitzpatrick_scale:false,category:"animals_and_nature"},kangaroo:{keywords:["animal","nature","australia","joey","hop","marsupial"],char:"🦘",fitzpatrick_scale:false,category:"animals_and_nature"},badger:{keywords:["animal","nature","honey"],char:"🦡",fitzpatrick_scale:false,category:"animals_and_nature"},swan:{keywords:["animal","nature","bird"],char:"🦢",fitzpatrick_scale:false,category:"animals_and_nature"},peacock:{keywords:["animal","nature","peahen","bird"],char:"🦚",fitzpatrick_scale:false,category:"animals_and_nature"},parrot:{keywords:["animal","nature","bird","pirate","talk"],char:"🦜",fitzpatrick_scale:false,category:"animals_and_nature"},lobster:{keywords:["animal","nature","bisque","claws","seafood"],char:"🦞",fitzpatrick_scale:false,category:"animals_and_nature"},mosquito:{keywords:["animal","nature","insect","malaria"],char:"🦟",fitzpatrick_scale:false,category:"animals_and_nature"},paw_prints:{keywords:["animal","tracking","footprints","dog","cat","pet","feet"],char:"🐾",fitzpatrick_scale:false,category:"animals_and_nature"},dragon:{keywords:["animal","myth","nature","chinese","green"],char:"🐉",fitzpatrick_scale:false,category:"animals_and_nature"},dragon_face:{keywords:["animal","myth","nature","chinese","green"],char:"🐲",fitzpatrick_scale:false,category:"animals_and_nature"},cactus:{keywords:["vegetable","plant","nature"],char:"🌵",fitzpatrick_scale:false,category:"animals_and_nature"},christmas_tree:{keywords:["festival","vacation","december","xmas","celebration"],char:"🎄",fitzpatrick_scale:false,category:"animals_and_nature"},evergreen_tree:{keywords:["plant","nature"],char:"🌲",fitzpatrick_scale:false,category:"animals_and_nature"},deciduous_tree:{keywords:["plant","nature"],char:"🌳",fitzpatrick_scale:false,category:"animals_and_nature"},palm_tree:{keywords:["plant","vegetable","nature","summer","beach","mojito","tropical"],char:"🌴",fitzpatrick_scale:false,category:"animals_and_nature"},seedling:{keywords:["plant","nature","grass","lawn","spring"],char:"🌱",fitzpatrick_scale:false,category:"animals_and_nature"},herb:{keywords:["vegetable","plant","medicine","weed","grass","lawn"],char:"🌿",fitzpatrick_scale:false,category:"animals_and_nature"},shamrock:{keywords:["vegetable","plant","nature","irish","clover"],char:"☘",fitzpatrick_scale:false,category:"animals_and_nature"},four_leaf_clover:{keywords:["vegetable","plant","nature","lucky","irish"],char:"🍀",fitzpatrick_scale:false,category:"animals_and_nature"},bamboo:{keywords:["plant","nature","vegetable","panda","pine_decoration"],char:"🎍",fitzpatrick_scale:false,category:"animals_and_nature"},tanabata_tree:{keywords:["plant","nature","branch","summer"],char:"🎋",fitzpatrick_scale:false,category:"animals_and_nature"},leaves:{keywords:["nature","plant","tree","vegetable","grass","lawn","spring"],char:"🍃",fitzpatrick_scale:false,category:"animals_and_nature"},fallen_leaf:{keywords:["nature","plant","vegetable","leaves"],char:"🍂",fitzpatrick_scale:false,category:"animals_and_nature"},maple_leaf:{keywords:["nature","plant","vegetable","ca","fall"],char:"🍁",fitzpatrick_scale:false,category:"animals_and_nature"},ear_of_rice:{keywords:["nature","plant"],char:"🌾",fitzpatrick_scale:false,category:"animals_and_nature"},hibiscus:{keywords:["plant","vegetable","flowers","beach"],char:"🌺",fitzpatrick_scale:false,category:"animals_and_nature"},sunflower:{keywords:["nature","plant","fall"],char:"🌻",fitzpatrick_scale:false,category:"animals_and_nature"},rose:{keywords:["flowers","valentines","love","spring"],char:"🌹",fitzpatrick_scale:false,category:"animals_and_nature"},wilted_flower:{keywords:["plant","nature","flower"],char:"🥀",fitzpatrick_scale:false,category:"animals_and_nature"},tulip:{keywords:["flowers","plant","nature","summer","spring"],char:"🌷",fitzpatrick_scale:false,category:"animals_and_nature"},blossom:{keywords:["nature","flowers","yellow"],char:"🌼",fitzpatrick_scale:false,category:"animals_and_nature"},cherry_blossom:{keywords:["nature","plant","spring","flower"],char:"🌸",fitzpatrick_scale:false,category:"animals_and_nature"},bouquet:{keywords:["flowers","nature","spring"],char:"💐",fitzpatrick_scale:false,category:"animals_and_nature"},mushroom:{keywords:["plant","vegetable"],char:"🍄",fitzpatrick_scale:false,category:"animals_and_nature"},chestnut:{keywords:["food","squirrel"],char:"🌰",fitzpatrick_scale:false,category:"animals_and_nature"},jack_o_lantern:{keywords:["halloween","light","pumpkin","creepy","fall"],char:"🎃",fitzpatrick_scale:false,category:"animals_and_nature"},shell:{keywords:["nature","sea","beach"],char:"🐚",fitzpatrick_scale:false,category:"animals_and_nature"},spider_web:{keywords:["animal","insect","arachnid","silk"],char:"🕸",fitzpatrick_scale:false,category:"animals_and_nature"},earth_americas:{keywords:["globe","world","USA","international"],char:"🌎",fitzpatrick_scale:false,category:"animals_and_nature"},earth_africa:{keywords:["globe","world","international"],char:"🌍",fitzpatrick_scale:false,category:"animals_and_nature"},earth_asia:{keywords:["globe","world","east","international"],char:"🌏",fitzpatrick_scale:false,category:"animals_and_nature"},full_moon:{keywords:["nature","yellow","twilight","planet","space","night","evening","sleep"],char:"🌕",fitzpatrick_scale:false,category:"animals_and_nature"},waning_gibbous_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep","waxing_gibbous_moon"],char:"🌖",fitzpatrick_scale:false,category:"animals_and_nature"},last_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌗",fitzpatrick_scale:false,category:"animals_and_nature"},waning_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌘",fitzpatrick_scale:false,category:"animals_and_nature"},new_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌑",fitzpatrick_scale:false,category:"animals_and_nature"},waxing_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌒",fitzpatrick_scale:false,category:"animals_and_nature"},first_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌓",fitzpatrick_scale:false,category:"animals_and_nature"},waxing_gibbous_moon:{keywords:["nature","night","sky","gray","twilight","planet","space","evening","sleep"],char:"🌔",fitzpatrick_scale:false,category:"animals_and_nature"},new_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌚",fitzpatrick_scale:false,category:"animals_and_nature"},full_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌝",fitzpatrick_scale:false,category:"animals_and_nature"},first_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌛",fitzpatrick_scale:false,category:"animals_and_nature"},last_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"🌜",fitzpatrick_scale:false,category:"animals_and_nature"},sun_with_face:{keywords:["nature","morning","sky"],char:"🌞",fitzpatrick_scale:false,category:"animals_and_nature"},crescent_moon:{keywords:["night","sleep","sky","evening","magic"],char:"🌙",fitzpatrick_scale:false,category:"animals_and_nature"},star:{keywords:["night","yellow"],char:"⭐",fitzpatrick_scale:false,category:"animals_and_nature"},star2:{keywords:["night","sparkle","awesome","good","magic"],char:"🌟",fitzpatrick_scale:false,category:"animals_and_nature"},dizzy:{keywords:["star","sparkle","shoot","magic"],char:"💫",fitzpatrick_scale:false,category:"animals_and_nature"},sparkles:{keywords:["stars","shine","shiny","cool","awesome","good","magic"],char:"✨",fitzpatrick_scale:false,category:"animals_and_nature"},comet:{keywords:["space"],char:"☄",fitzpatrick_scale:false,category:"animals_and_nature"},sunny:{keywords:["weather","nature","brightness","summer","beach","spring"],char:"☀️",fitzpatrick_scale:false,category:"animals_and_nature"},sun_behind_small_cloud:{keywords:["weather"],char:"🌤",fitzpatrick_scale:false,category:"animals_and_nature"},partly_sunny:{keywords:["weather","nature","cloudy","morning","fall","spring"],char:"⛅",fitzpatrick_scale:false,category:"animals_and_nature"},sun_behind_large_cloud:{keywords:["weather"],char:"🌥",fitzpatrick_scale:false,category:"animals_and_nature"},sun_behind_rain_cloud:{keywords:["weather"],char:"🌦",fitzpatrick_scale:false,category:"animals_and_nature"},cloud:{keywords:["weather","sky"],char:"☁️",fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_rain:{keywords:["weather"],char:"🌧",fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_lightning_and_rain:{keywords:["weather","lightning"],char:"⛈",fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_lightning:{keywords:["weather","thunder"],char:"🌩",fitzpatrick_scale:false,category:"animals_and_nature"},zap:{keywords:["thunder","weather","lightning bolt","fast"],char:"⚡",fitzpatrick_scale:false,category:"animals_and_nature"},fire:{keywords:["hot","cook","flame"],char:"🔥",fitzpatrick_scale:false,category:"animals_and_nature"},boom:{keywords:["bomb","explode","explosion","collision","blown"],char:"💥",fitzpatrick_scale:false,category:"animals_and_nature"},snowflake:{keywords:["winter","season","cold","weather","christmas","xmas"],char:"❄️",fitzpatrick_scale:false,category:"animals_and_nature"},cloud_with_snow:{keywords:["weather"],char:"🌨",fitzpatrick_scale:false,category:"animals_and_nature"},snowman:{keywords:["winter","season","cold","weather","christmas","xmas","frozen","without_snow"],char:"⛄",fitzpatrick_scale:false,category:"animals_and_nature"},snowman_with_snow:{keywords:["winter","season","cold","weather","christmas","xmas","frozen"],char:"☃",fitzpatrick_scale:false,category:"animals_and_nature"},wind_face:{keywords:["gust","air"],char:"🌬",fitzpatrick_scale:false,category:"animals_and_nature"},dash:{keywords:["wind","air","fast","shoo","fart","smoke","puff"],char:"💨",fitzpatrick_scale:false,category:"animals_and_nature"},tornado:{keywords:["weather","cyclone","twister"],char:"🌪",fitzpatrick_scale:false,category:"animals_and_nature"},fog:{keywords:["weather"],char:"🌫",fitzpatrick_scale:false,category:"animals_and_nature"},open_umbrella:{keywords:["weather","spring"],char:"☂",fitzpatrick_scale:false,category:"animals_and_nature"},umbrella:{keywords:["rainy","weather","spring"],char:"☔",fitzpatrick_scale:false,category:"animals_and_nature"},droplet:{keywords:["water","drip","faucet","spring"],char:"💧",fitzpatrick_scale:false,category:"animals_and_nature"},sweat_drops:{keywords:["water","drip","oops"],char:"💦",fitzpatrick_scale:false,category:"animals_and_nature"},ocean:{keywords:["sea","water","wave","nature","tsunami","disaster"],char:"🌊",fitzpatrick_scale:false,category:"animals_and_nature"},green_apple:{keywords:["fruit","nature"],char:"🍏",fitzpatrick_scale:false,category:"food_and_drink"},apple:{keywords:["fruit","mac","school"],char:"🍎",fitzpatrick_scale:false,category:"food_and_drink"},pear:{keywords:["fruit","nature","food"],char:"🍐",fitzpatrick_scale:false,category:"food_and_drink"},tangerine:{keywords:["food","fruit","nature","orange"],char:"🍊",fitzpatrick_scale:false,category:"food_and_drink"},lemon:{keywords:["fruit","nature"],char:"🍋",fitzpatrick_scale:false,category:"food_and_drink"},banana:{keywords:["fruit","food","monkey"],char:"🍌",fitzpatrick_scale:false,category:"food_and_drink"},watermelon:{keywords:["fruit","food","picnic","summer"],char:"🍉",fitzpatrick_scale:false,category:"food_and_drink"},grapes:{keywords:["fruit","food","wine"],char:"🍇",fitzpatrick_scale:false,category:"food_and_drink"},strawberry:{keywords:["fruit","food","nature"],char:"🍓",fitzpatrick_scale:false,category:"food_and_drink"},melon:{keywords:["fruit","nature","food"],char:"🍈",fitzpatrick_scale:false,category:"food_and_drink"},cherries:{keywords:["food","fruit"],char:"🍒",fitzpatrick_scale:false,category:"food_and_drink"},peach:{keywords:["fruit","nature","food"],char:"🍑",fitzpatrick_scale:false,category:"food_and_drink"},pineapple:{keywords:["fruit","nature","food"],char:"🍍",fitzpatrick_scale:false,category:"food_and_drink"},coconut:{keywords:["fruit","nature","food","palm"],char:"🥥",fitzpatrick_scale:false,category:"food_and_drink"},kiwi_fruit:{keywords:["fruit","food"],char:"🥝",fitzpatrick_scale:false,category:"food_and_drink"},mango:{keywords:["fruit","food","tropical"],char:"🥭",fitzpatrick_scale:false,category:"food_and_drink"},avocado:{keywords:["fruit","food"],char:"🥑",fitzpatrick_scale:false,category:"food_and_drink"},broccoli:{keywords:["fruit","food","vegetable"],char:"🥦",fitzpatrick_scale:false,category:"food_and_drink"},tomato:{keywords:["fruit","vegetable","nature","food"],char:"🍅",fitzpatrick_scale:false,category:"food_and_drink"},eggplant:{keywords:["vegetable","nature","food","aubergine"],char:"🍆",fitzpatrick_scale:false,category:"food_and_drink"},cucumber:{keywords:["fruit","food","pickle"],char:"🥒",fitzpatrick_scale:false,category:"food_and_drink"},carrot:{keywords:["vegetable","food","orange"],char:"🥕",fitzpatrick_scale:false,category:"food_and_drink"},hot_pepper:{keywords:["food","spicy","chilli","chili"],char:"🌶",fitzpatrick_scale:false,category:"food_and_drink"},potato:{keywords:["food","tuber","vegatable","starch"],char:"🥔",fitzpatrick_scale:false,category:"food_and_drink"},corn:{keywords:["food","vegetable","plant"],char:"🌽",fitzpatrick_scale:false,category:"food_and_drink"},leafy_greens:{keywords:["food","vegetable","plant","bok choy","cabbage","kale","lettuce"],char:"🥬",fitzpatrick_scale:false,category:"food_and_drink"},sweet_potato:{keywords:["food","nature"],char:"🍠",fitzpatrick_scale:false,category:"food_and_drink"},peanuts:{keywords:["food","nut"],char:"🥜",fitzpatrick_scale:false,category:"food_and_drink"},honey_pot:{keywords:["bees","sweet","kitchen"],char:"🍯",fitzpatrick_scale:false,category:"food_and_drink"},croissant:{keywords:["food","bread","french"],char:"🥐",fitzpatrick_scale:false,category:"food_and_drink"},bread:{keywords:["food","wheat","breakfast","toast"],char:"🍞",fitzpatrick_scale:false,category:"food_and_drink"},baguette_bread:{keywords:["food","bread","french"],char:"🥖",fitzpatrick_scale:false,category:"food_and_drink"},bagel:{keywords:["food","bread","bakery","schmear"],char:"🥯",fitzpatrick_scale:false,category:"food_and_drink"},pretzel:{keywords:["food","bread","twisted"],char:"🥨",fitzpatrick_scale:false,category:"food_and_drink"},cheese:{keywords:["food","chadder"],char:"🧀",fitzpatrick_scale:false,category:"food_and_drink"},egg:{keywords:["food","chicken","breakfast"],char:"🥚",fitzpatrick_scale:false,category:"food_and_drink"},bacon:{keywords:["food","breakfast","pork","pig","meat"],char:"🥓",fitzpatrick_scale:false,category:"food_and_drink"},steak:{keywords:["food","cow","meat","cut","chop","lambchop","porkchop"],char:"🥩",fitzpatrick_scale:false,category:"food_and_drink"},pancakes:{keywords:["food","breakfast","flapjacks","hotcakes"],char:"🥞",fitzpatrick_scale:false,category:"food_and_drink"},poultry_leg:{keywords:["food","meat","drumstick","bird","chicken","turkey"],char:"🍗",fitzpatrick_scale:false,category:"food_and_drink"},meat_on_bone:{keywords:["good","food","drumstick"],char:"🍖",fitzpatrick_scale:false,category:"food_and_drink"},bone:{keywords:["skeleton"],char:"🦴",fitzpatrick_scale:false,category:"food_and_drink"},fried_shrimp:{keywords:["food","animal","appetizer","summer"],char:"🍤",fitzpatrick_scale:false,category:"food_and_drink"},fried_egg:{keywords:["food","breakfast","kitchen","egg"],char:"🍳",fitzpatrick_scale:false,category:"food_and_drink"},hamburger:{keywords:["meat","fast food","beef","cheeseburger","mcdonalds","burger king"],char:"🍔",fitzpatrick_scale:false,category:"food_and_drink"},fries:{keywords:["chips","snack","fast food"],char:"🍟",fitzpatrick_scale:false,category:"food_and_drink"},stuffed_flatbread:{keywords:["food","flatbread","stuffed","gyro"],char:"🥙",fitzpatrick_scale:false,category:"food_and_drink"},hotdog:{keywords:["food","frankfurter"],char:"🌭",fitzpatrick_scale:false,category:"food_and_drink"},pizza:{keywords:["food","party"],char:"🍕",fitzpatrick_scale:false,category:"food_and_drink"},sandwich:{keywords:["food","lunch","bread"],char:"🥪",fitzpatrick_scale:false,category:"food_and_drink"},canned_food:{keywords:["food","soup"],char:"🥫",fitzpatrick_scale:false,category:"food_and_drink"},spaghetti:{keywords:["food","italian","noodle"],char:"🍝",fitzpatrick_scale:false,category:"food_and_drink"},taco:{keywords:["food","mexican"],char:"🌮",fitzpatrick_scale:false,category:"food_and_drink"},burrito:{keywords:["food","mexican"],char:"🌯",fitzpatrick_scale:false,category:"food_and_drink"},green_salad:{keywords:["food","healthy","lettuce"],char:"🥗",fitzpatrick_scale:false,category:"food_and_drink"},shallow_pan_of_food:{keywords:["food","cooking","casserole","paella"],char:"🥘",fitzpatrick_scale:false,category:"food_and_drink"},ramen:{keywords:["food","japanese","noodle","chopsticks"],char:"🍜",fitzpatrick_scale:false,category:"food_and_drink"},stew:{keywords:["food","meat","soup"],char:"🍲",fitzpatrick_scale:false,category:"food_and_drink"},fish_cake:{keywords:["food","japan","sea","beach","narutomaki","pink","swirl","kamaboko","surimi","ramen"],char:"🍥",fitzpatrick_scale:false,category:"food_and_drink"},fortune_cookie:{keywords:["food","prophecy"],char:"🥠",fitzpatrick_scale:false,category:"food_and_drink"},sushi:{keywords:["food","fish","japanese","rice"],char:"🍣",fitzpatrick_scale:false,category:"food_and_drink"},bento:{keywords:["food","japanese","box"],char:"🍱",fitzpatrick_scale:false,category:"food_and_drink"},curry:{keywords:["food","spicy","hot","indian"],char:"🍛",fitzpatrick_scale:false,category:"food_and_drink"},rice_ball:{keywords:["food","japanese"],char:"🍙",fitzpatrick_scale:false,category:"food_and_drink"},rice:{keywords:["food","china","asian"],char:"🍚",fitzpatrick_scale:false,category:"food_and_drink"},rice_cracker:{keywords:["food","japanese"],char:"🍘",fitzpatrick_scale:false,category:"food_and_drink"},oden:{keywords:["food","japanese"],char:"🍢",fitzpatrick_scale:false,category:"food_and_drink"},dango:{keywords:["food","dessert","sweet","japanese","barbecue","meat"],char:"🍡",fitzpatrick_scale:false,category:"food_and_drink"},shaved_ice:{keywords:["hot","dessert","summer"],char:"🍧",fitzpatrick_scale:false,category:"food_and_drink"},ice_cream:{keywords:["food","hot","dessert"],char:"🍨",fitzpatrick_scale:false,category:"food_and_drink"},icecream:{keywords:["food","hot","dessert","summer"],char:"🍦",fitzpatrick_scale:false,category:"food_and_drink"},pie:{keywords:["food","dessert","pastry"],char:"🥧",fitzpatrick_scale:false,category:"food_and_drink"},cake:{keywords:["food","dessert"],char:"🍰",fitzpatrick_scale:false,category:"food_and_drink"},cupcake:{keywords:["food","dessert","bakery","sweet"],char:"🧁",fitzpatrick_scale:false,category:"food_and_drink"},moon_cake:{keywords:["food","autumn"],char:"🥮",fitzpatrick_scale:false,category:"food_and_drink"},birthday:{keywords:["food","dessert","cake"],char:"🎂",fitzpatrick_scale:false,category:"food_and_drink"},custard:{keywords:["dessert","food"],char:"🍮",fitzpatrick_scale:false,category:"food_and_drink"},candy:{keywords:["snack","dessert","sweet","lolly"],char:"🍬",fitzpatrick_scale:false,category:"food_and_drink"},lollipop:{keywords:["food","snack","candy","sweet"],char:"🍭",fitzpatrick_scale:false,category:"food_and_drink"},chocolate_bar:{keywords:["food","snack","dessert","sweet"],char:"🍫",fitzpatrick_scale:false,category:"food_and_drink"},popcorn:{keywords:["food","movie theater","films","snack"],char:"🍿",fitzpatrick_scale:false,category:"food_and_drink"},dumpling:{keywords:["food","empanada","pierogi","potsticker"],char:"🥟",fitzpatrick_scale:false,category:"food_and_drink"},doughnut:{keywords:["food","dessert","snack","sweet","donut"],char:"🍩",fitzpatrick_scale:false,category:"food_and_drink"},cookie:{keywords:["food","snack","oreo","chocolate","sweet","dessert"],char:"🍪",fitzpatrick_scale:false,category:"food_and_drink"},milk_glass:{keywords:["beverage","drink","cow"],char:"🥛",fitzpatrick_scale:false,category:"food_and_drink"},beer:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:"🍺",fitzpatrick_scale:false,category:"food_and_drink"},beers:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:"🍻",fitzpatrick_scale:false,category:"food_and_drink"},clinking_glasses:{keywords:["beverage","drink","party","alcohol","celebrate","cheers","wine","champagne","toast"],char:"🥂",fitzpatrick_scale:false,category:"food_and_drink"},wine_glass:{keywords:["drink","beverage","drunk","alcohol","booze"],char:"🍷",fitzpatrick_scale:false,category:"food_and_drink"},tumbler_glass:{keywords:["drink","beverage","drunk","alcohol","liquor","booze","bourbon","scotch","whisky","glass","shot"],char:"🥃",fitzpatrick_scale:false,category:"food_and_drink"},cocktail:{keywords:["drink","drunk","alcohol","beverage","booze","mojito"],char:"🍸",fitzpatrick_scale:false,category:"food_and_drink"},tropical_drink:{keywords:["beverage","cocktail","summer","beach","alcohol","booze","mojito"],char:"🍹",fitzpatrick_scale:false,category:"food_and_drink"},champagne:{keywords:["drink","wine","bottle","celebration"],char:"🍾",fitzpatrick_scale:false,category:"food_and_drink"},sake:{keywords:["wine","drink","drunk","beverage","japanese","alcohol","booze"],char:"🍶",fitzpatrick_scale:false,category:"food_and_drink"},tea:{keywords:["drink","bowl","breakfast","green","british"],char:"🍵",fitzpatrick_scale:false,category:"food_and_drink"},cup_with_straw:{keywords:["drink","soda"],char:"🥤",fitzpatrick_scale:false,category:"food_and_drink"},coffee:{keywords:["beverage","caffeine","latte","espresso"],char:"☕",fitzpatrick_scale:false,category:"food_and_drink"},baby_bottle:{keywords:["food","container","milk"],char:"🍼",fitzpatrick_scale:false,category:"food_and_drink"},salt:{keywords:["condiment","shaker"],char:"🧂",fitzpatrick_scale:false,category:"food_and_drink"},spoon:{keywords:["cutlery","kitchen","tableware"],char:"🥄",fitzpatrick_scale:false,category:"food_and_drink"},fork_and_knife:{keywords:["cutlery","kitchen"],char:"🍴",fitzpatrick_scale:false,category:"food_and_drink"},plate_with_cutlery:{keywords:["food","eat","meal","lunch","dinner","restaurant"],char:"🍽",fitzpatrick_scale:false,category:"food_and_drink"},bowl_with_spoon:{keywords:["food","breakfast","cereal","oatmeal","porridge"],char:"🥣",fitzpatrick_scale:false,category:"food_and_drink"},takeout_box:{keywords:["food","leftovers"],char:"🥡",fitzpatrick_scale:false,category:"food_and_drink"},chopsticks:{keywords:["food"],char:"🥢",fitzpatrick_scale:false,category:"food_and_drink"},soccer:{keywords:["sports","football"],char:"⚽",fitzpatrick_scale:false,category:"activity"},basketball:{keywords:["sports","balls","NBA"],char:"🏀",fitzpatrick_scale:false,category:"activity"},football:{keywords:["sports","balls","NFL"],char:"🏈",fitzpatrick_scale:false,category:"activity"},baseball:{keywords:["sports","balls"],char:"⚾",fitzpatrick_scale:false,category:"activity"},softball:{keywords:["sports","balls"],char:"🥎",fitzpatrick_scale:false,category:"activity"},tennis:{keywords:["sports","balls","green"],char:"🎾",fitzpatrick_scale:false,category:"activity"},volleyball:{keywords:["sports","balls"],char:"🏐",fitzpatrick_scale:false,category:"activity"},rugby_football:{keywords:["sports","team"],char:"🏉",fitzpatrick_scale:false,category:"activity"},flying_disc:{keywords:["sports","frisbee","ultimate"],char:"🥏",fitzpatrick_scale:false,category:"activity"},"8ball":{keywords:["pool","hobby","game","luck","magic"],char:"🎱",fitzpatrick_scale:false,category:"activity"},golf:{keywords:["sports","business","flag","hole","summer"],char:"⛳",fitzpatrick_scale:false,category:"activity"},golfing_woman:{keywords:["sports","business","woman","female"],char:"🏌️‍♀️",fitzpatrick_scale:false,category:"activity"},golfing_man:{keywords:["sports","business"],char:"🏌",fitzpatrick_scale:true,category:"activity"},ping_pong:{keywords:["sports","pingpong"],char:"🏓",fitzpatrick_scale:false,category:"activity"},badminton:{keywords:["sports"],char:"🏸",fitzpatrick_scale:false,category:"activity"},goal_net:{keywords:["sports"],char:"🥅",fitzpatrick_scale:false,category:"activity"},ice_hockey:{keywords:["sports"],char:"🏒",fitzpatrick_scale:false,category:"activity"},field_hockey:{keywords:["sports"],char:"🏑",fitzpatrick_scale:false,category:"activity"},lacrosse:{keywords:["sports","ball","stick"],char:"🥍",fitzpatrick_scale:false,category:"activity"},cricket:{keywords:["sports"],char:"🏏",fitzpatrick_scale:false,category:"activity"},ski:{keywords:["sports","winter","cold","snow"],char:"🎿",fitzpatrick_scale:false,category:"activity"},skier:{keywords:["sports","winter","snow"],char:"⛷",fitzpatrick_scale:false,category:"activity"},snowboarder:{keywords:["sports","winter"],char:"🏂",fitzpatrick_scale:true,category:"activity"},person_fencing:{keywords:["sports","fencing","sword"],char:"🤺",fitzpatrick_scale:false,category:"activity"},women_wrestling:{keywords:["sports","wrestlers"],char:"🤼‍♀️",fitzpatrick_scale:false,category:"activity"},men_wrestling:{keywords:["sports","wrestlers"],char:"🤼‍♂️",fitzpatrick_scale:false,category:"activity"},woman_cartwheeling:{keywords:["gymnastics"],char:"🤸‍♀️",fitzpatrick_scale:true,category:"activity"},man_cartwheeling:{keywords:["gymnastics"],char:"🤸‍♂️",fitzpatrick_scale:true,category:"activity"},woman_playing_handball:{keywords:["sports"],char:"🤾‍♀️",fitzpatrick_scale:true,category:"activity"},man_playing_handball:{keywords:["sports"],char:"🤾‍♂️",fitzpatrick_scale:true,category:"activity"},ice_skate:{keywords:["sports"],char:"⛸",fitzpatrick_scale:false,category:"activity"},curling_stone:{keywords:["sports"],char:"🥌",fitzpatrick_scale:false,category:"activity"},skateboard:{keywords:["board"],char:"🛹",fitzpatrick_scale:false,category:"activity"},sled:{keywords:["sleigh","luge","toboggan"],char:"🛷",fitzpatrick_scale:false,category:"activity"},bow_and_arrow:{keywords:["sports"],char:"🏹",fitzpatrick_scale:false,category:"activity"},fishing_pole_and_fish:{keywords:["food","hobby","summer"],char:"🎣",fitzpatrick_scale:false,category:"activity"},boxing_glove:{keywords:["sports","fighting"],char:"🥊",fitzpatrick_scale:false,category:"activity"},martial_arts_uniform:{keywords:["judo","karate","taekwondo"],char:"🥋",fitzpatrick_scale:false,category:"activity"},rowing_woman:{keywords:["sports","hobby","water","ship","woman","female"],char:"🚣‍♀️",fitzpatrick_scale:true,category:"activity"},rowing_man:{keywords:["sports","hobby","water","ship"],char:"🚣",fitzpatrick_scale:true,category:"activity"},climbing_woman:{keywords:["sports","hobby","woman","female","rock"],char:"🧗‍♀️",fitzpatrick_scale:true,category:"activity"},climbing_man:{keywords:["sports","hobby","man","male","rock"],char:"🧗‍♂️",fitzpatrick_scale:true,category:"activity"},swimming_woman:{keywords:["sports","exercise","human","athlete","water","summer","woman","female"],char:"🏊‍♀️",fitzpatrick_scale:true,category:"activity"},swimming_man:{keywords:["sports","exercise","human","athlete","water","summer"],char:"🏊",fitzpatrick_scale:true,category:"activity"},woman_playing_water_polo:{keywords:["sports","pool"],char:"🤽‍♀️",fitzpatrick_scale:true,category:"activity"},man_playing_water_polo:{keywords:["sports","pool"],char:"🤽‍♂️",fitzpatrick_scale:true,category:"activity"},woman_in_lotus_position:{keywords:["woman","female","meditation","yoga","serenity","zen","mindfulness"],char:"🧘‍♀️",fitzpatrick_scale:true,category:"activity"},man_in_lotus_position:{keywords:["man","male","meditation","yoga","serenity","zen","mindfulness"],char:"🧘‍♂️",fitzpatrick_scale:true,category:"activity"},surfing_woman:{keywords:["sports","ocean","sea","summer","beach","woman","female"],char:"🏄‍♀️",fitzpatrick_scale:true,category:"activity"},surfing_man:{keywords:["sports","ocean","sea","summer","beach"],char:"🏄",fitzpatrick_scale:true,category:"activity"},bath:{keywords:["clean","shower","bathroom"],char:"🛀",fitzpatrick_scale:true,category:"activity"},basketball_woman:{keywords:["sports","human","woman","female"],char:"⛹️‍♀️",fitzpatrick_scale:true,category:"activity"},basketball_man:{keywords:["sports","human"],char:"⛹",fitzpatrick_scale:true,category:"activity"},weight_lifting_woman:{keywords:["sports","training","exercise","woman","female"],char:"🏋️‍♀️",fitzpatrick_scale:true,category:"activity"},weight_lifting_man:{keywords:["sports","training","exercise"],char:"🏋",fitzpatrick_scale:true,category:"activity"},biking_woman:{keywords:["sports","bike","exercise","hipster","woman","female"],char:"🚴‍♀️",fitzpatrick_scale:true,category:"activity"},biking_man:{keywords:["sports","bike","exercise","hipster"],char:"🚴",fitzpatrick_scale:true,category:"activity"},mountain_biking_woman:{keywords:["transportation","sports","human","race","bike","woman","female"],char:"🚵‍♀️",fitzpatrick_scale:true,category:"activity"},mountain_biking_man:{keywords:["transportation","sports","human","race","bike"],char:"🚵",fitzpatrick_scale:true,category:"activity"},horse_racing:{keywords:["animal","betting","competition","gambling","luck"],char:"🏇",fitzpatrick_scale:true,category:"activity"},business_suit_levitating:{keywords:["suit","business","levitate","hover","jump"],char:"🕴",fitzpatrick_scale:true,category:"activity"},trophy:{keywords:["win","award","contest","place","ftw","ceremony"],char:"🏆",fitzpatrick_scale:false,category:"activity"},running_shirt_with_sash:{keywords:["play","pageant"],char:"🎽",fitzpatrick_scale:false,category:"activity"},medal_sports:{keywords:["award","winning"],char:"🏅",fitzpatrick_scale:false,category:"activity"},medal_military:{keywords:["award","winning","army"],char:"🎖",fitzpatrick_scale:false,category:"activity"},"1st_place_medal":{keywords:["award","winning","first"],char:"🥇",fitzpatrick_scale:false,category:"activity"},"2nd_place_medal":{keywords:["award","second"],char:"🥈",fitzpatrick_scale:false,category:"activity"},"3rd_place_medal":{keywords:["award","third"],char:"🥉",fitzpatrick_scale:false,category:"activity"},reminder_ribbon:{keywords:["sports","cause","support","awareness"],char:"🎗",fitzpatrick_scale:false,category:"activity"},rosette:{keywords:["flower","decoration","military"],char:"🏵",fitzpatrick_scale:false,category:"activity"},ticket:{keywords:["event","concert","pass"],char:"🎫",fitzpatrick_scale:false,category:"activity"},tickets:{keywords:["sports","concert","entrance"],char:"🎟",fitzpatrick_scale:false,category:"activity"},performing_arts:{keywords:["acting","theater","drama"],char:"🎭",fitzpatrick_scale:false,category:"activity"},art:{keywords:["design","paint","draw","colors"],char:"🎨",fitzpatrick_scale:false,category:"activity"},circus_tent:{keywords:["festival","carnival","party"],char:"🎪",fitzpatrick_scale:false,category:"activity"},woman_juggling:{keywords:["juggle","balance","skill","multitask"],char:"🤹‍♀️",fitzpatrick_scale:true,category:"activity"},man_juggling:{keywords:["juggle","balance","skill","multitask"],char:"🤹‍♂️",fitzpatrick_scale:true,category:"activity"},microphone:{keywords:["sound","music","PA","sing","talkshow"],char:"🎤",fitzpatrick_scale:false,category:"activity"},headphones:{keywords:["music","score","gadgets"],char:"🎧",fitzpatrick_scale:false,category:"activity"},musical_score:{keywords:["treble","clef","compose"],char:"🎼",fitzpatrick_scale:false,category:"activity"},musical_keyboard:{keywords:["piano","instrument","compose"],char:"🎹",fitzpatrick_scale:false,category:"activity"},drum:{keywords:["music","instrument","drumsticks","snare"],char:"🥁",fitzpatrick_scale:false,category:"activity"},saxophone:{keywords:["music","instrument","jazz","blues"],char:"🎷",fitzpatrick_scale:false,category:"activity"},trumpet:{keywords:["music","brass"],char:"🎺",fitzpatrick_scale:false,category:"activity"},guitar:{keywords:["music","instrument"],char:"🎸",fitzpatrick_scale:false,category:"activity"},violin:{keywords:["music","instrument","orchestra","symphony"],char:"🎻",fitzpatrick_scale:false,category:"activity"},clapper:{keywords:["movie","film","record"],char:"🎬",fitzpatrick_scale:false,category:"activity"},video_game:{keywords:["play","console","PS4","controller"],char:"🎮",fitzpatrick_scale:false,category:"activity"},space_invader:{keywords:["game","arcade","play"],char:"👾",fitzpatrick_scale:false,category:"activity"},dart:{keywords:["game","play","bar","target","bullseye"],char:"🎯",fitzpatrick_scale:false,category:"activity"},game_die:{keywords:["dice","random","tabletop","play","luck"],char:"🎲",fitzpatrick_scale:false,category:"activity"},chess_pawn:{keywords:["expendable"],char:"♟",fitzpatrick_scale:false,category:"activity"},slot_machine:{keywords:["bet","gamble","vegas","fruit machine","luck","casino"],char:"🎰",fitzpatrick_scale:false,category:"activity"},jigsaw:{keywords:["interlocking","puzzle","piece"],char:"🧩",fitzpatrick_scale:false,category:"activity"},bowling:{keywords:["sports","fun","play"],char:"🎳",fitzpatrick_scale:false,category:"activity"},red_car:{keywords:["red","transportation","vehicle"],char:"🚗",fitzpatrick_scale:false,category:"travel_and_places"},taxi:{keywords:["uber","vehicle","cars","transportation"],char:"🚕",fitzpatrick_scale:false,category:"travel_and_places"},blue_car:{keywords:["transportation","vehicle"],char:"🚙",fitzpatrick_scale:false,category:"travel_and_places"},bus:{keywords:["car","vehicle","transportation"],char:"🚌",fitzpatrick_scale:false,category:"travel_and_places"},trolleybus:{keywords:["bart","transportation","vehicle"],char:"🚎",fitzpatrick_scale:false,category:"travel_and_places"},racing_car:{keywords:["sports","race","fast","formula","f1"],char:"🏎",fitzpatrick_scale:false,category:"travel_and_places"},police_car:{keywords:["vehicle","cars","transportation","law","legal","enforcement"],char:"🚓",fitzpatrick_scale:false,category:"travel_and_places"},ambulance:{keywords:["health","911","hospital"],char:"🚑",fitzpatrick_scale:false,category:"travel_and_places"},fire_engine:{keywords:["transportation","cars","vehicle"],char:"🚒",fitzpatrick_scale:false,category:"travel_and_places"},minibus:{keywords:["vehicle","car","transportation"],char:"🚐",fitzpatrick_scale:false,category:"travel_and_places"},truck:{keywords:["cars","transportation"],char:"🚚",fitzpatrick_scale:false,category:"travel_and_places"},articulated_lorry:{keywords:["vehicle","cars","transportation","express"],char:"🚛",fitzpatrick_scale:false,category:"travel_and_places"},tractor:{keywords:["vehicle","car","farming","agriculture"],char:"🚜",fitzpatrick_scale:false,category:"travel_and_places"},kick_scooter:{keywords:["vehicle","kick","razor"],char:"🛴",fitzpatrick_scale:false,category:"travel_and_places"},motorcycle:{keywords:["race","sports","fast"],char:"🏍",fitzpatrick_scale:false,category:"travel_and_places"},bike:{keywords:["sports","bicycle","exercise","hipster"],char:"🚲",fitzpatrick_scale:false,category:"travel_and_places"},motor_scooter:{keywords:["vehicle","vespa","sasha"],char:"🛵",fitzpatrick_scale:false,category:"travel_and_places"},rotating_light:{keywords:["police","ambulance","911","emergency","alert","error","pinged","law","legal"],char:"🚨",fitzpatrick_scale:false,category:"travel_and_places"},oncoming_police_car:{keywords:["vehicle","law","legal","enforcement","911"],char:"🚔",fitzpatrick_scale:false,category:"travel_and_places"},oncoming_bus:{keywords:["vehicle","transportation"],char:"🚍",fitzpatrick_scale:false,category:"travel_and_places"},oncoming_automobile:{keywords:["car","vehicle","transportation"],char:"🚘",fitzpatrick_scale:false,category:"travel_and_places"},oncoming_taxi:{keywords:["vehicle","cars","uber"],char:"🚖",fitzpatrick_scale:false,category:"travel_and_places"},aerial_tramway:{keywords:["transportation","vehicle","ski"],char:"🚡",fitzpatrick_scale:false,category:"travel_and_places"},mountain_cableway:{keywords:["transportation","vehicle","ski"],char:"🚠",fitzpatrick_scale:false,category:"travel_and_places"},suspension_railway:{keywords:["vehicle","transportation"],char:"🚟",fitzpatrick_scale:false,category:"travel_and_places"},railway_car:{keywords:["transportation","vehicle"],char:"🚃",fitzpatrick_scale:false,category:"travel_and_places"},train:{keywords:["transportation","vehicle","carriage","public","travel"],char:"🚋",fitzpatrick_scale:false,category:"travel_and_places"},monorail:{keywords:["transportation","vehicle"],char:"🚝",fitzpatrick_scale:false,category:"travel_and_places"},bullettrain_side:{keywords:["transportation","vehicle"],char:"🚄",fitzpatrick_scale:false,category:"travel_and_places"},bullettrain_front:{keywords:["transportation","vehicle","speed","fast","public","travel"],char:"🚅",fitzpatrick_scale:false,category:"travel_and_places"},light_rail:{keywords:["transportation","vehicle"],char:"🚈",fitzpatrick_scale:false,category:"travel_and_places"},mountain_railway:{keywords:["transportation","vehicle"],char:"🚞",fitzpatrick_scale:false,category:"travel_and_places"},steam_locomotive:{keywords:["transportation","vehicle","train"],char:"🚂",fitzpatrick_scale:false,category:"travel_and_places"},train2:{keywords:["transportation","vehicle"],char:"🚆",fitzpatrick_scale:false,category:"travel_and_places"},metro:{keywords:["transportation","blue-square","mrt","underground","tube"],char:"🚇",fitzpatrick_scale:false,category:"travel_and_places"},tram:{keywords:["transportation","vehicle"],char:"🚊",fitzpatrick_scale:false,category:"travel_and_places"},station:{keywords:["transportation","vehicle","public"],char:"🚉",fitzpatrick_scale:false,category:"travel_and_places"},flying_saucer:{keywords:["transportation","vehicle","ufo"],char:"🛸",fitzpatrick_scale:false,category:"travel_and_places"},helicopter:{keywords:["transportation","vehicle","fly"],char:"🚁",fitzpatrick_scale:false,category:"travel_and_places"},small_airplane:{keywords:["flight","transportation","fly","vehicle"],char:"🛩",fitzpatrick_scale:false,category:"travel_and_places"},airplane:{keywords:["vehicle","transportation","flight","fly"],char:"✈️",fitzpatrick_scale:false,category:"travel_and_places"},flight_departure:{keywords:["airport","flight","landing"],char:"🛫",fitzpatrick_scale:false,category:"travel_and_places"},flight_arrival:{keywords:["airport","flight","boarding"],char:"🛬",fitzpatrick_scale:false,category:"travel_and_places"},sailboat:{keywords:["ship","summer","transportation","water","sailing"],char:"⛵",fitzpatrick_scale:false,category:"travel_and_places"},motor_boat:{keywords:["ship"],char:"🛥",fitzpatrick_scale:false,category:"travel_and_places"},speedboat:{keywords:["ship","transportation","vehicle","summer"],char:"🚤",fitzpatrick_scale:false,category:"travel_and_places"},ferry:{keywords:["boat","ship","yacht"],char:"⛴",fitzpatrick_scale:false,category:"travel_and_places"},passenger_ship:{keywords:["yacht","cruise","ferry"],char:"🛳",fitzpatrick_scale:false,category:"travel_and_places"},rocket:{keywords:["launch","ship","staffmode","NASA","outer space","outer_space","fly"],char:"🚀",fitzpatrick_scale:false,category:"travel_and_places"},artificial_satellite:{keywords:["communication","gps","orbit","spaceflight","NASA","ISS"],char:"🛰",fitzpatrick_scale:false,category:"travel_and_places"},seat:{keywords:["sit","airplane","transport","bus","flight","fly"],char:"💺",fitzpatrick_scale:false,category:"travel_and_places"},canoe:{keywords:["boat","paddle","water","ship"],char:"🛶",fitzpatrick_scale:false,category:"travel_and_places"},anchor:{keywords:["ship","ferry","sea","boat"],char:"⚓",fitzpatrick_scale:false,category:"travel_and_places"},construction:{keywords:["wip","progress","caution","warning"],char:"🚧",fitzpatrick_scale:false,category:"travel_and_places"},fuelpump:{keywords:["gas station","petroleum"],char:"⛽",fitzpatrick_scale:false,category:"travel_and_places"},busstop:{keywords:["transportation","wait"],char:"🚏",fitzpatrick_scale:false,category:"travel_and_places"},vertical_traffic_light:{keywords:["transportation","driving"],char:"🚦",fitzpatrick_scale:false,category:"travel_and_places"},traffic_light:{keywords:["transportation","signal"],char:"🚥",fitzpatrick_scale:false,category:"travel_and_places"},checkered_flag:{keywords:["contest","finishline","race","gokart"],char:"🏁",fitzpatrick_scale:false,category:"travel_and_places"},ship:{keywords:["transportation","titanic","deploy"],char:"🚢",fitzpatrick_scale:false,category:"travel_and_places"},ferris_wheel:{keywords:["photo","carnival","londoneye"],char:"🎡",fitzpatrick_scale:false,category:"travel_and_places"},roller_coaster:{keywords:["carnival","playground","photo","fun"],char:"🎢",fitzpatrick_scale:false,category:"travel_and_places"},carousel_horse:{keywords:["photo","carnival"],char:"🎠",fitzpatrick_scale:false,category:"travel_and_places"},building_construction:{keywords:["wip","working","progress"],char:"🏗",fitzpatrick_scale:false,category:"travel_and_places"},foggy:{keywords:["photo","mountain"],char:"🌁",fitzpatrick_scale:false,category:"travel_and_places"},tokyo_tower:{keywords:["photo","japanese"],char:"🗼",fitzpatrick_scale:false,category:"travel_and_places"},factory:{keywords:["building","industry","pollution","smoke"],char:"🏭",fitzpatrick_scale:false,category:"travel_and_places"},fountain:{keywords:["photo","summer","water","fresh"],char:"⛲",fitzpatrick_scale:false,category:"travel_and_places"},rice_scene:{keywords:["photo","japan","asia","tsukimi"],char:"🎑",fitzpatrick_scale:false,category:"travel_and_places"},mountain:{keywords:["photo","nature","environment"],char:"⛰",fitzpatrick_scale:false,category:"travel_and_places"},mountain_snow:{keywords:["photo","nature","environment","winter","cold"],char:"🏔",fitzpatrick_scale:false,category:"travel_and_places"},mount_fuji:{keywords:["photo","mountain","nature","japanese"],char:"🗻",fitzpatrick_scale:false,category:"travel_and_places"},volcano:{keywords:["photo","nature","disaster"],char:"🌋",fitzpatrick_scale:false,category:"travel_and_places"},japan:{keywords:["nation","country","japanese","asia"],char:"🗾",fitzpatrick_scale:false,category:"travel_and_places"},camping:{keywords:["photo","outdoors","tent"],char:"🏕",fitzpatrick_scale:false,category:"travel_and_places"},tent:{keywords:["photo","camping","outdoors"],char:"⛺",fitzpatrick_scale:false,category:"travel_and_places"},national_park:{keywords:["photo","environment","nature"],char:"🏞",fitzpatrick_scale:false,category:"travel_and_places"},motorway:{keywords:["road","cupertino","interstate","highway"],char:"🛣",fitzpatrick_scale:false,category:"travel_and_places"},railway_track:{keywords:["train","transportation"],char:"🛤",fitzpatrick_scale:false,category:"travel_and_places"},sunrise:{keywords:["morning","view","vacation","photo"],char:"🌅",fitzpatrick_scale:false,category:"travel_and_places"},sunrise_over_mountains:{keywords:["view","vacation","photo"],char:"🌄",fitzpatrick_scale:false,category:"travel_and_places"},desert:{keywords:["photo","warm","saharah"],char:"🏜",fitzpatrick_scale:false,category:"travel_and_places"},beach_umbrella:{keywords:["weather","summer","sunny","sand","mojito"],char:"🏖",fitzpatrick_scale:false,category:"travel_and_places"},desert_island:{keywords:["photo","tropical","mojito"],char:"🏝",fitzpatrick_scale:false,category:"travel_and_places"},city_sunrise:{keywords:["photo","good morning","dawn"],char:"🌇",fitzpatrick_scale:false,category:"travel_and_places"},city_sunset:{keywords:["photo","evening","sky","buildings"],char:"🌆",fitzpatrick_scale:false,category:"travel_and_places"},cityscape:{keywords:["photo","night life","urban"],char:"🏙",fitzpatrick_scale:false,category:"travel_and_places"},night_with_stars:{keywords:["evening","city","downtown"],char:"🌃",fitzpatrick_scale:false,category:"travel_and_places"},bridge_at_night:{keywords:["photo","sanfrancisco"],char:"🌉",fitzpatrick_scale:false,category:"travel_and_places"},milky_way:{keywords:["photo","space","stars"],char:"🌌",fitzpatrick_scale:false,category:"travel_and_places"},stars:{keywords:["night","photo"],char:"🌠",fitzpatrick_scale:false,category:"travel_and_places"},sparkler:{keywords:["stars","night","shine"],char:"🎇",fitzpatrick_scale:false,category:"travel_and_places"},fireworks:{keywords:["photo","festival","carnival","congratulations"],char:"🎆",fitzpatrick_scale:false,category:"travel_and_places"},rainbow:{keywords:["nature","happy","unicorn_face","photo","sky","spring"],char:"🌈",fitzpatrick_scale:false,category:"travel_and_places"},houses:{keywords:["buildings","photo"],char:"🏘",fitzpatrick_scale:false,category:"travel_and_places"},european_castle:{keywords:["building","royalty","history"],char:"🏰",fitzpatrick_scale:false,category:"travel_and_places"},japanese_castle:{keywords:["photo","building"],char:"🏯",fitzpatrick_scale:false,category:"travel_and_places"},stadium:{keywords:["photo","place","sports","concert","venue"],char:"🏟",fitzpatrick_scale:false,category:"travel_and_places"},statue_of_liberty:{keywords:["american","newyork"],char:"🗽",fitzpatrick_scale:false,category:"travel_and_places"},house:{keywords:["building","home"],char:"🏠",fitzpatrick_scale:false,category:"travel_and_places"},house_with_garden:{keywords:["home","plant","nature"],char:"🏡",fitzpatrick_scale:false,category:"travel_and_places"},derelict_house:{keywords:["abandon","evict","broken","building"],char:"🏚",fitzpatrick_scale:false,category:"travel_and_places"},office:{keywords:["building","bureau","work"],char:"🏢",fitzpatrick_scale:false,category:"travel_and_places"},department_store:{keywords:["building","shopping","mall"],char:"🏬",fitzpatrick_scale:false,category:"travel_and_places"},post_office:{keywords:["building","envelope","communication"],char:"🏣",fitzpatrick_scale:false,category:"travel_and_places"},european_post_office:{keywords:["building","email"],char:"🏤",fitzpatrick_scale:false,category:"travel_and_places"},hospital:{keywords:["building","health","surgery","doctor"],char:"🏥",fitzpatrick_scale:false,category:"travel_and_places"},bank:{keywords:["building","money","sales","cash","business","enterprise"],char:"🏦",fitzpatrick_scale:false,category:"travel_and_places"},hotel:{keywords:["building","accomodation","checkin"],char:"🏨",fitzpatrick_scale:false,category:"travel_and_places"},convenience_store:{keywords:["building","shopping","groceries"],char:"🏪",fitzpatrick_scale:false,category:"travel_and_places"},school:{keywords:["building","student","education","learn","teach"],char:"🏫",fitzpatrick_scale:false,category:"travel_and_places"},love_hotel:{keywords:["like","affection","dating"],char:"🏩",fitzpatrick_scale:false,category:"travel_and_places"},wedding:{keywords:["love","like","affection","couple","marriage","bride","groom"],char:"💒",fitzpatrick_scale:false,category:"travel_and_places"},classical_building:{keywords:["art","culture","history"],char:"🏛",fitzpatrick_scale:false,category:"travel_and_places"},church:{keywords:["building","religion","christ"],char:"⛪",fitzpatrick_scale:false,category:"travel_and_places"},mosque:{keywords:["islam","worship","minaret"],char:"🕌",fitzpatrick_scale:false,category:"travel_and_places"},synagogue:{keywords:["judaism","worship","temple","jewish"],char:"🕍",fitzpatrick_scale:false,category:"travel_and_places"},kaaba:{keywords:["mecca","mosque","islam"],char:"🕋",fitzpatrick_scale:false,category:"travel_and_places"},shinto_shrine:{keywords:["temple","japan","kyoto"],char:"⛩",fitzpatrick_scale:false,category:"travel_and_places"},watch:{keywords:["time","accessories"],char:"⌚",fitzpatrick_scale:false,category:"objects"},iphone:{keywords:["technology","apple","gadgets","dial"],char:"📱",fitzpatrick_scale:false,category:"objects"},calling:{keywords:["iphone","incoming"],char:"📲",fitzpatrick_scale:false,category:"objects"},computer:{keywords:["technology","laptop","screen","display","monitor"],char:"💻",fitzpatrick_scale:false,category:"objects"},keyboard:{keywords:["technology","computer","type","input","text"],char:"⌨",fitzpatrick_scale:false,category:"objects"},desktop_computer:{keywords:["technology","computing","screen"],char:"🖥",fitzpatrick_scale:false,category:"objects"},printer:{keywords:["paper","ink"],char:"🖨",fitzpatrick_scale:false,category:"objects"},computer_mouse:{keywords:["click"],char:"🖱",fitzpatrick_scale:false,category:"objects"},trackball:{keywords:["technology","trackpad"],char:"🖲",fitzpatrick_scale:false,category:"objects"},joystick:{keywords:["game","play"],char:"🕹",fitzpatrick_scale:false,category:"objects"},clamp:{keywords:["tool"],char:"🗜",fitzpatrick_scale:false,category:"objects"},minidisc:{keywords:["technology","record","data","disk","90s"],char:"💽",fitzpatrick_scale:false,category:"objects"},floppy_disk:{keywords:["oldschool","technology","save","90s","80s"],char:"💾",fitzpatrick_scale:false,category:"objects"},cd:{keywords:["technology","dvd","disk","disc","90s"],char:"💿",fitzpatrick_scale:false,category:"objects"},dvd:{keywords:["cd","disk","disc"],char:"📀",fitzpatrick_scale:false,category:"objects"},vhs:{keywords:["record","video","oldschool","90s","80s"],char:"📼",fitzpatrick_scale:false,category:"objects"},camera:{keywords:["gadgets","photography"],char:"📷",fitzpatrick_scale:false,category:"objects"},camera_flash:{keywords:["photography","gadgets"],char:"📸",fitzpatrick_scale:false,category:"objects"},video_camera:{keywords:["film","record"],char:"📹",fitzpatrick_scale:false,category:"objects"},movie_camera:{keywords:["film","record"],char:"🎥",fitzpatrick_scale:false,category:"objects"},film_projector:{keywords:["video","tape","record","movie"],char:"📽",fitzpatrick_scale:false,category:"objects"},film_strip:{keywords:["movie"],char:"🎞",fitzpatrick_scale:false,category:"objects"},telephone_receiver:{keywords:["technology","communication","dial"],char:"📞",fitzpatrick_scale:false,category:"objects"},phone:{keywords:["technology","communication","dial","telephone"],char:"☎️",fitzpatrick_scale:false,category:"objects"},pager:{keywords:["bbcall","oldschool","90s"],char:"📟",fitzpatrick_scale:false,category:"objects"},fax:{keywords:["communication","technology"],char:"📠",fitzpatrick_scale:false,category:"objects"},tv:{keywords:["technology","program","oldschool","show","television"],char:"📺",fitzpatrick_scale:false,category:"objects"},radio:{keywords:["communication","music","podcast","program"],char:"📻",fitzpatrick_scale:false,category:"objects"},studio_microphone:{keywords:["sing","recording","artist","talkshow"],char:"🎙",fitzpatrick_scale:false,category:"objects"},level_slider:{keywords:["scale"],char:"🎚",fitzpatrick_scale:false,category:"objects"},control_knobs:{keywords:["dial"],char:"🎛",fitzpatrick_scale:false,category:"objects"},compass:{keywords:["magnetic","navigation","orienteering"],char:"🧭",fitzpatrick_scale:false,category:"objects"},stopwatch:{keywords:["time","deadline"],char:"⏱",fitzpatrick_scale:false,category:"objects"},timer_clock:{keywords:["alarm"],char:"⏲",fitzpatrick_scale:false,category:"objects"},alarm_clock:{keywords:["time","wake"],char:"⏰",fitzpatrick_scale:false,category:"objects"},mantelpiece_clock:{keywords:["time"],char:"🕰",fitzpatrick_scale:false,category:"objects"},hourglass_flowing_sand:{keywords:["oldschool","time","countdown"],char:"⏳",fitzpatrick_scale:false,category:"objects"},hourglass:{keywords:["time","clock","oldschool","limit","exam","quiz","test"],char:"⌛",fitzpatrick_scale:false,category:"objects"},satellite:{keywords:["communication","future","radio","space"],char:"📡",fitzpatrick_scale:false,category:"objects"},battery:{keywords:["power","energy","sustain"],char:"🔋",fitzpatrick_scale:false,category:"objects"},electric_plug:{keywords:["charger","power"],char:"🔌",fitzpatrick_scale:false,category:"objects"},bulb:{keywords:["light","electricity","idea"],char:"💡",fitzpatrick_scale:false,category:"objects"},flashlight:{keywords:["dark","camping","sight","night"],char:"🔦",fitzpatrick_scale:false,category:"objects"},candle:{keywords:["fire","wax"],char:"🕯",fitzpatrick_scale:false,category:"objects"},fire_extinguisher:{keywords:["quench"],char:"🧯",fitzpatrick_scale:false,category:"objects"},wastebasket:{keywords:["bin","trash","rubbish","garbage","toss"],char:"🗑",fitzpatrick_scale:false,category:"objects"},oil_drum:{keywords:["barrell"],char:"🛢",fitzpatrick_scale:false,category:"objects"},money_with_wings:{keywords:["dollar","bills","payment","sale"],char:"💸",fitzpatrick_scale:false,category:"objects"},dollar:{keywords:["money","sales","bill","currency"],char:"💵",fitzpatrick_scale:false,category:"objects"},yen:{keywords:["money","sales","japanese","dollar","currency"],char:"💴",fitzpatrick_scale:false,category:"objects"},euro:{keywords:["money","sales","dollar","currency"],char:"💶",fitzpatrick_scale:false,category:"objects"},pound:{keywords:["british","sterling","money","sales","bills","uk","england","currency"],char:"💷",fitzpatrick_scale:false,category:"objects"},moneybag:{keywords:["dollar","payment","coins","sale"],char:"💰",fitzpatrick_scale:false,category:"objects"},credit_card:{keywords:["money","sales","dollar","bill","payment","shopping"],char:"💳",fitzpatrick_scale:false,category:"objects"},gem:{keywords:["blue","ruby","diamond","jewelry"],char:"💎",fitzpatrick_scale:false,category:"objects"},balance_scale:{keywords:["law","fairness","weight"],char:"⚖",fitzpatrick_scale:false,category:"objects"},toolbox:{keywords:["tools","diy","fix","maintainer","mechanic"],char:"🧰",fitzpatrick_scale:false,category:"objects"},wrench:{keywords:["tools","diy","ikea","fix","maintainer"],char:"🔧",fitzpatrick_scale:false,category:"objects"},hammer:{keywords:["tools","build","create"],char:"🔨",fitzpatrick_scale:false,category:"objects"},hammer_and_pick:{keywords:["tools","build","create"],char:"⚒",fitzpatrick_scale:false,category:"objects"},hammer_and_wrench:{keywords:["tools","build","create"],char:"🛠",fitzpatrick_scale:false,category:"objects"},pick:{keywords:["tools","dig"],char:"⛏",fitzpatrick_scale:false,category:"objects"},nut_and_bolt:{keywords:["handy","tools","fix"],char:"🔩",fitzpatrick_scale:false,category:"objects"},gear:{keywords:["cog"],char:"⚙",fitzpatrick_scale:false,category:"objects"},brick:{keywords:["bricks"],char:"🧱",fitzpatrick_scale:false,category:"objects"},chains:{keywords:["lock","arrest"],char:"⛓",fitzpatrick_scale:false,category:"objects"},magnet:{keywords:["attraction","magnetic"],char:"🧲",fitzpatrick_scale:false,category:"objects"},gun:{keywords:["violence","weapon","pistol","revolver"],char:"🔫",fitzpatrick_scale:false,category:"objects"},bomb:{keywords:["boom","explode","explosion","terrorism"],char:"💣",fitzpatrick_scale:false,category:"objects"},firecracker:{keywords:["dynamite","boom","explode","explosion","explosive"],char:"🧨",fitzpatrick_scale:false,category:"objects"},hocho:{keywords:["knife","blade","cutlery","kitchen","weapon"],char:"🔪",fitzpatrick_scale:false,category:"objects"},dagger:{keywords:["weapon"],char:"🗡",fitzpatrick_scale:false,category:"objects"},crossed_swords:{keywords:["weapon"],char:"⚔",fitzpatrick_scale:false,category:"objects"},shield:{keywords:["protection","security"],char:"🛡",fitzpatrick_scale:false,category:"objects"},smoking:{keywords:["kills","tobacco","cigarette","joint","smoke"],char:"🚬",fitzpatrick_scale:false,category:"objects"},skull_and_crossbones:{keywords:["poison","danger","deadly","scary","death","pirate","evil"],char:"☠",fitzpatrick_scale:false,category:"objects"},coffin:{keywords:["vampire","dead","die","death","rip","graveyard","cemetery","casket","funeral","box"],char:"⚰",fitzpatrick_scale:false,category:"objects"},funeral_urn:{keywords:["dead","die","death","rip","ashes"],char:"⚱",fitzpatrick_scale:false,category:"objects"},amphora:{keywords:["vase","jar"],char:"🏺",fitzpatrick_scale:false,category:"objects"},crystal_ball:{keywords:["disco","party","magic","circus","fortune_teller"],char:"🔮",fitzpatrick_scale:false,category:"objects"},prayer_beads:{keywords:["dhikr","religious"],char:"📿",fitzpatrick_scale:false,category:"objects"},nazar_amulet:{keywords:["bead","charm"],char:"🧿",fitzpatrick_scale:false,category:"objects"},barber:{keywords:["hair","salon","style"],char:"💈",fitzpatrick_scale:false,category:"objects"},alembic:{keywords:["distilling","science","experiment","chemistry"],char:"⚗",fitzpatrick_scale:false,category:"objects"},telescope:{keywords:["stars","space","zoom","science","astronomy"],char:"🔭",fitzpatrick_scale:false,category:"objects"},microscope:{keywords:["laboratory","experiment","zoomin","science","study"],char:"🔬",fitzpatrick_scale:false,category:"objects"},hole:{keywords:["embarrassing"],char:"🕳",fitzpatrick_scale:false,category:"objects"},pill:{keywords:["health","medicine","doctor","pharmacy","drug"],char:"💊",fitzpatrick_scale:false,category:"objects"},syringe:{keywords:["health","hospital","drugs","blood","medicine","needle","doctor","nurse"],char:"💉",fitzpatrick_scale:false,category:"objects"},dna:{keywords:["biologist","genetics","life"],char:"🧬",fitzpatrick_scale:false,category:"objects"},microbe:{keywords:["amoeba","bacteria","germs"],char:"🦠",fitzpatrick_scale:false,category:"objects"},petri_dish:{keywords:["bacteria","biology","culture","lab"],char:"🧫",fitzpatrick_scale:false,category:"objects"},test_tube:{keywords:["chemistry","experiment","lab","science"],char:"🧪",fitzpatrick_scale:false,category:"objects"},thermometer:{keywords:["weather","temperature","hot","cold"],char:"🌡",fitzpatrick_scale:false,category:"objects"},broom:{keywords:["cleaning","sweeping","witch"],char:"🧹",fitzpatrick_scale:false,category:"objects"},basket:{keywords:["laundry"],char:"🧺",fitzpatrick_scale:false,category:"objects"},toilet_paper:{keywords:["roll"],char:"🧻",fitzpatrick_scale:false,category:"objects"},label:{keywords:["sale","tag"],char:"🏷",fitzpatrick_scale:false,category:"objects"},bookmark:{keywords:["favorite","label","save"],char:"🔖",fitzpatrick_scale:false,category:"objects"},toilet:{keywords:["restroom","wc","washroom","bathroom","potty"],char:"🚽",fitzpatrick_scale:false,category:"objects"},shower:{keywords:["clean","water","bathroom"],char:"🚿",fitzpatrick_scale:false,category:"objects"},bathtub:{keywords:["clean","shower","bathroom"],char:"🛁",fitzpatrick_scale:false,category:"objects"},soap:{keywords:["bar","bathing","cleaning","lather"],char:"🧼",fitzpatrick_scale:false,category:"objects"},sponge:{keywords:["absorbing","cleaning","porous"],char:"🧽",fitzpatrick_scale:false,category:"objects"},lotion_bottle:{keywords:["moisturizer","sunscreen"],char:"🧴",fitzpatrick_scale:false,category:"objects"},key:{keywords:["lock","door","password"],char:"🔑",fitzpatrick_scale:false,category:"objects"},old_key:{keywords:["lock","door","password"],char:"🗝",fitzpatrick_scale:false,category:"objects"},couch_and_lamp:{keywords:["read","chill"],char:"🛋",fitzpatrick_scale:false,category:"objects"},sleeping_bed:{keywords:["bed","rest"],char:"🛌",fitzpatrick_scale:true,category:"objects"},bed:{keywords:["sleep","rest"],char:"🛏",fitzpatrick_scale:false,category:"objects"},door:{keywords:["house","entry","exit"],char:"🚪",fitzpatrick_scale:false,category:"objects"},bellhop_bell:{keywords:["service"],char:"🛎",fitzpatrick_scale:false,category:"objects"},teddy_bear:{keywords:["plush","stuffed"],char:"🧸",fitzpatrick_scale:false,category:"objects"},framed_picture:{keywords:["photography"],char:"🖼",fitzpatrick_scale:false,category:"objects"},world_map:{keywords:["location","direction"],char:"🗺",fitzpatrick_scale:false,category:"objects"},parasol_on_ground:{keywords:["weather","summer"],char:"⛱",fitzpatrick_scale:false,category:"objects"},moyai:{keywords:["rock","easter island","moai"],char:"🗿",fitzpatrick_scale:false,category:"objects"},shopping:{keywords:["mall","buy","purchase"],char:"🛍",fitzpatrick_scale:false,category:"objects"},shopping_cart:{keywords:["trolley"],char:"🛒",fitzpatrick_scale:false,category:"objects"},balloon:{keywords:["party","celebration","birthday","circus"],char:"🎈",fitzpatrick_scale:false,category:"objects"},flags:{keywords:["fish","japanese","koinobori","carp","banner"],char:"🎏",fitzpatrick_scale:false,category:"objects"},ribbon:{keywords:["decoration","pink","girl","bowtie"],char:"🎀",fitzpatrick_scale:false,category:"objects"},gift:{keywords:["present","birthday","christmas","xmas"],char:"🎁",fitzpatrick_scale:false,category:"objects"},confetti_ball:{keywords:["festival","party","birthday","circus"],char:"🎊",fitzpatrick_scale:false,category:"objects"},tada:{keywords:["party","congratulations","birthday","magic","circus","celebration"],char:"🎉",fitzpatrick_scale:false,category:"objects"},dolls:{keywords:["japanese","toy","kimono"],char:"🎎",fitzpatrick_scale:false,category:"objects"},wind_chime:{keywords:["nature","ding","spring","bell"],char:"🎐",fitzpatrick_scale:false,category:"objects"},crossed_flags:{keywords:["japanese","nation","country","border"],char:"🎌",fitzpatrick_scale:false,category:"objects"},izakaya_lantern:{keywords:["light","paper","halloween","spooky"],char:"🏮",fitzpatrick_scale:false,category:"objects"},red_envelope:{keywords:["gift"],char:"🧧",fitzpatrick_scale:false,category:"objects"},email:{keywords:["letter","postal","inbox","communication"],char:"✉️",fitzpatrick_scale:false,category:"objects"},envelope_with_arrow:{keywords:["email","communication"],char:"📩",fitzpatrick_scale:false,category:"objects"},incoming_envelope:{keywords:["email","inbox"],char:"📨",fitzpatrick_scale:false,category:"objects"},"e-mail":{keywords:["communication","inbox"],char:"📧",fitzpatrick_scale:false,category:"objects"},love_letter:{keywords:["email","like","affection","envelope","valentines"],char:"💌",fitzpatrick_scale:false,category:"objects"},postbox:{keywords:["email","letter","envelope"],char:"📮",fitzpatrick_scale:false,category:"objects"},mailbox_closed:{keywords:["email","communication","inbox"],char:"📪",fitzpatrick_scale:false,category:"objects"},mailbox:{keywords:["email","inbox","communication"],char:"📫",fitzpatrick_scale:false,category:"objects"},mailbox_with_mail:{keywords:["email","inbox","communication"],char:"📬",fitzpatrick_scale:false,category:"objects"},mailbox_with_no_mail:{keywords:["email","inbox"],char:"📭",fitzpatrick_scale:false,category:"objects"},package:{keywords:["mail","gift","cardboard","box","moving"],char:"📦",fitzpatrick_scale:false,category:"objects"},postal_horn:{keywords:["instrument","music"],char:"📯",fitzpatrick_scale:false,category:"objects"},inbox_tray:{keywords:["email","documents"],char:"📥",fitzpatrick_scale:false,category:"objects"},outbox_tray:{keywords:["inbox","email"],char:"📤",fitzpatrick_scale:false,category:"objects"},scroll:{keywords:["documents","ancient","history","paper"],char:"📜",fitzpatrick_scale:false,category:"objects"},page_with_curl:{keywords:["documents","office","paper"],char:"📃",fitzpatrick_scale:false,category:"objects"},bookmark_tabs:{keywords:["favorite","save","order","tidy"],char:"📑",fitzpatrick_scale:false,category:"objects"},receipt:{keywords:["accounting","expenses"],char:"🧾",fitzpatrick_scale:false,category:"objects"},bar_chart:{keywords:["graph","presentation","stats"],char:"📊",fitzpatrick_scale:false,category:"objects"},chart_with_upwards_trend:{keywords:["graph","presentation","stats","recovery","business","economics","money","sales","good","success"],char:"📈",fitzpatrick_scale:false,category:"objects"},chart_with_downwards_trend:{keywords:["graph","presentation","stats","recession","business","economics","money","sales","bad","failure"],char:"📉",fitzpatrick_scale:false,category:"objects"},page_facing_up:{keywords:["documents","office","paper","information"],char:"📄",fitzpatrick_scale:false,category:"objects"},date:{keywords:["calendar","schedule"],char:"📅",fitzpatrick_scale:false,category:"objects"},calendar:{keywords:["schedule","date","planning"],char:"📆",fitzpatrick_scale:false,category:"objects"},spiral_calendar:{keywords:["date","schedule","planning"],char:"🗓",fitzpatrick_scale:false,category:"objects"},card_index:{keywords:["business","stationery"],char:"📇",fitzpatrick_scale:false,category:"objects"},card_file_box:{keywords:["business","stationery"],char:"🗃",fitzpatrick_scale:false,category:"objects"},ballot_box:{keywords:["election","vote"],char:"🗳",fitzpatrick_scale:false,category:"objects"},file_cabinet:{keywords:["filing","organizing"],char:"🗄",fitzpatrick_scale:false,category:"objects"},clipboard:{keywords:["stationery","documents"],char:"📋",fitzpatrick_scale:false,category:"objects"},spiral_notepad:{keywords:["memo","stationery"],char:"🗒",fitzpatrick_scale:false,category:"objects"},file_folder:{keywords:["documents","business","office"],char:"📁",fitzpatrick_scale:false,category:"objects"},open_file_folder:{keywords:["documents","load"],char:"📂",fitzpatrick_scale:false,category:"objects"},card_index_dividers:{keywords:["organizing","business","stationery"],char:"🗂",fitzpatrick_scale:false,category:"objects"},newspaper_roll:{keywords:["press","headline"],char:"🗞",fitzpatrick_scale:false,category:"objects"},newspaper:{keywords:["press","headline"],char:"📰",fitzpatrick_scale:false,category:"objects"},notebook:{keywords:["stationery","record","notes","paper","study"],char:"📓",fitzpatrick_scale:false,category:"objects"},closed_book:{keywords:["read","library","knowledge","textbook","learn"],char:"📕",fitzpatrick_scale:false,category:"objects"},green_book:{keywords:["read","library","knowledge","study"],char:"📗",fitzpatrick_scale:false,category:"objects"},blue_book:{keywords:["read","library","knowledge","learn","study"],char:"📘",fitzpatrick_scale:false,category:"objects"},orange_book:{keywords:["read","library","knowledge","textbook","study"],char:"📙",fitzpatrick_scale:false,category:"objects"},notebook_with_decorative_cover:{keywords:["classroom","notes","record","paper","study"],char:"📔",fitzpatrick_scale:false,category:"objects"},ledger:{keywords:["notes","paper"],char:"📒",fitzpatrick_scale:false,category:"objects"},books:{keywords:["literature","library","study"],char:"📚",fitzpatrick_scale:false,category:"objects"},open_book:{keywords:["book","read","library","knowledge","literature","learn","study"],char:"📖",fitzpatrick_scale:false,category:"objects"},safety_pin:{keywords:["diaper"],char:"🧷",fitzpatrick_scale:false,category:"objects"},link:{keywords:["rings","url"],char:"🔗",fitzpatrick_scale:false,category:"objects"},paperclip:{keywords:["documents","stationery"],char:"📎",fitzpatrick_scale:false,category:"objects"},paperclips:{keywords:["documents","stationery"],char:"🖇",fitzpatrick_scale:false,category:"objects"},scissors:{keywords:["stationery","cut"],char:"✂️",fitzpatrick_scale:false,category:"objects"},triangular_ruler:{keywords:["stationery","math","architect","sketch"],char:"📐",fitzpatrick_scale:false,category:"objects"},straight_ruler:{keywords:["stationery","calculate","length","math","school","drawing","architect","sketch"],char:"📏",fitzpatrick_scale:false,category:"objects"},abacus:{keywords:["calculation"],char:"🧮",fitzpatrick_scale:false,category:"objects"},pushpin:{keywords:["stationery","mark","here"],char:"📌",fitzpatrick_scale:false,category:"objects"},round_pushpin:{keywords:["stationery","location","map","here"],char:"📍",fitzpatrick_scale:false,category:"objects"},triangular_flag_on_post:{keywords:["mark","milestone","place"],char:"🚩",fitzpatrick_scale:false,category:"objects"},white_flag:{keywords:["losing","loser","lost","surrender","give up","fail"],char:"🏳",fitzpatrick_scale:false,category:"objects"},black_flag:{keywords:["pirate"],char:"🏴",fitzpatrick_scale:false,category:"objects"},rainbow_flag:{keywords:["flag","rainbow","pride","gay","lgbt","glbt","queer","homosexual","lesbian","bisexual","transgender"],char:"🏳️‍🌈",fitzpatrick_scale:false,category:"objects"},closed_lock_with_key:{keywords:["security","privacy"],char:"🔐",fitzpatrick_scale:false,category:"objects"},lock:{keywords:["security","password","padlock"],char:"🔒",fitzpatrick_scale:false,category:"objects"},unlock:{keywords:["privacy","security"],char:"🔓",fitzpatrick_scale:false,category:"objects"},lock_with_ink_pen:{keywords:["security","secret"],char:"🔏",fitzpatrick_scale:false,category:"objects"},pen:{keywords:["stationery","writing","write"],char:"🖊",fitzpatrick_scale:false,category:"objects"},fountain_pen:{keywords:["stationery","writing","write"],char:"🖋",fitzpatrick_scale:false,category:"objects"},black_nib:{keywords:["pen","stationery","writing","write"],char:"✒️",fitzpatrick_scale:false,category:"objects"},memo:{keywords:["write","documents","stationery","pencil","paper","writing","legal","exam","quiz","test","study","compose"],char:"📝",fitzpatrick_scale:false,category:"objects"},pencil2:{keywords:["stationery","write","paper","writing","school","study"],char:"✏️",fitzpatrick_scale:false,category:"objects"},crayon:{keywords:["drawing","creativity"],char:"🖍",fitzpatrick_scale:false,category:"objects"},paintbrush:{keywords:["drawing","creativity","art"],char:"🖌",fitzpatrick_scale:false,category:"objects"},mag:{keywords:["search","zoom","find","detective"],char:"🔍",fitzpatrick_scale:false,category:"objects"},mag_right:{keywords:["search","zoom","find","detective"],char:"🔎",fitzpatrick_scale:false,category:"objects"},heart:{keywords:["love","like","valentines"],char:"❤️",fitzpatrick_scale:false,category:"symbols"},orange_heart:{keywords:["love","like","affection","valentines"],char:"🧡",fitzpatrick_scale:false,category:"symbols"},yellow_heart:{keywords:["love","like","affection","valentines"],char:"💛",fitzpatrick_scale:false,category:"symbols"},green_heart:{keywords:["love","like","affection","valentines"],char:"💚",fitzpatrick_scale:false,category:"symbols"},blue_heart:{keywords:["love","like","affection","valentines"],char:"💙",fitzpatrick_scale:false,category:"symbols"},purple_heart:{keywords:["love","like","affection","valentines"],char:"💜",fitzpatrick_scale:false,category:"symbols"},black_heart:{keywords:["evil"],char:"🖤",fitzpatrick_scale:false,category:"symbols"},broken_heart:{keywords:["sad","sorry","break","heart","heartbreak"],char:"💔",fitzpatrick_scale:false,category:"symbols"},heavy_heart_exclamation:{keywords:["decoration","love"],char:"❣",fitzpatrick_scale:false,category:"symbols"},two_hearts:{keywords:["love","like","affection","valentines","heart"],char:"💕",fitzpatrick_scale:false,category:"symbols"},revolving_hearts:{keywords:["love","like","affection","valentines"],char:"💞",fitzpatrick_scale:false,category:"symbols"},heartbeat:{keywords:["love","like","affection","valentines","pink","heart"],char:"💓",fitzpatrick_scale:false,category:"symbols"},heartpulse:{keywords:["like","love","affection","valentines","pink"],char:"💗",fitzpatrick_scale:false,category:"symbols"},sparkling_heart:{keywords:["love","like","affection","valentines"],char:"💖",fitzpatrick_scale:false,category:"symbols"},cupid:{keywords:["love","like","heart","affection","valentines"],char:"💘",fitzpatrick_scale:false,category:"symbols"},gift_heart:{keywords:["love","valentines"],char:"💝",fitzpatrick_scale:false,category:"symbols"},heart_decoration:{keywords:["purple-square","love","like"],char:"💟",fitzpatrick_scale:false,category:"symbols"},peace_symbol:{keywords:["hippie"],char:"☮",fitzpatrick_scale:false,category:"symbols"},latin_cross:{keywords:["christianity"],char:"✝",fitzpatrick_scale:false,category:"symbols"},star_and_crescent:{keywords:["islam"],char:"☪",fitzpatrick_scale:false,category:"symbols"},om:{keywords:["hinduism","buddhism","sikhism","jainism"],char:"🕉",fitzpatrick_scale:false,category:"symbols"},wheel_of_dharma:{keywords:["hinduism","buddhism","sikhism","jainism"],char:"☸",fitzpatrick_scale:false,category:"symbols"},star_of_david:{keywords:["judaism"],char:"✡",fitzpatrick_scale:false,category:"symbols"},six_pointed_star:{keywords:["purple-square","religion","jewish","hexagram"],char:"🔯",fitzpatrick_scale:false,category:"symbols"},menorah:{keywords:["hanukkah","candles","jewish"],char:"🕎",fitzpatrick_scale:false,category:"symbols"},yin_yang:{keywords:["balance"],char:"☯",fitzpatrick_scale:false,category:"symbols"},orthodox_cross:{keywords:["suppedaneum","religion"],char:"☦",fitzpatrick_scale:false,category:"symbols"},place_of_worship:{keywords:["religion","church","temple","prayer"],char:"🛐",fitzpatrick_scale:false,category:"symbols"},ophiuchus:{keywords:["sign","purple-square","constellation","astrology"],char:"⛎",fitzpatrick_scale:false,category:"symbols"},aries:{keywords:["sign","purple-square","zodiac","astrology"],char:"♈",fitzpatrick_scale:false,category:"symbols"},taurus:{keywords:["purple-square","sign","zodiac","astrology"],char:"♉",fitzpatrick_scale:false,category:"symbols"},gemini:{keywords:["sign","zodiac","purple-square","astrology"],char:"♊",fitzpatrick_scale:false,category:"symbols"},cancer:{keywords:["sign","zodiac","purple-square","astrology"],char:"♋",fitzpatrick_scale:false,category:"symbols"},leo:{keywords:["sign","purple-square","zodiac","astrology"],char:"♌",fitzpatrick_scale:false,category:"symbols"},virgo:{keywords:["sign","zodiac","purple-square","astrology"],char:"♍",fitzpatrick_scale:false,category:"symbols"},libra:{keywords:["sign","purple-square","zodiac","astrology"],char:"♎",fitzpatrick_scale:false,category:"symbols"},scorpius:{keywords:["sign","zodiac","purple-square","astrology","scorpio"],char:"♏",fitzpatrick_scale:false,category:"symbols"},sagittarius:{keywords:["sign","zodiac","purple-square","astrology"],char:"♐",fitzpatrick_scale:false,category:"symbols"},capricorn:{keywords:["sign","zodiac","purple-square","astrology"],char:"♑",fitzpatrick_scale:false,category:"symbols"},aquarius:{keywords:["sign","purple-square","zodiac","astrology"],char:"♒",fitzpatrick_scale:false,category:"symbols"},pisces:{keywords:["purple-square","sign","zodiac","astrology"],char:"♓",fitzpatrick_scale:false,category:"symbols"},id:{keywords:["purple-square","words"],char:"🆔",fitzpatrick_scale:false,category:"symbols"},atom_symbol:{keywords:["science","physics","chemistry"],char:"⚛",fitzpatrick_scale:false,category:"symbols"},u7a7a:{keywords:["kanji","japanese","chinese","empty","sky","blue-square"],char:"🈳",fitzpatrick_scale:false,category:"symbols"},u5272:{keywords:["cut","divide","chinese","kanji","pink-square"],char:"🈹",fitzpatrick_scale:false,category:"symbols"},radioactive:{keywords:["nuclear","danger"],char:"☢",fitzpatrick_scale:false,category:"symbols"},biohazard:{keywords:["danger"],char:"☣",fitzpatrick_scale:false,category:"symbols"},mobile_phone_off:{keywords:["mute","orange-square","silence","quiet"],char:"📴",fitzpatrick_scale:false,category:"symbols"},vibration_mode:{keywords:["orange-square","phone"],char:"📳",fitzpatrick_scale:false,category:"symbols"},u6709:{keywords:["orange-square","chinese","have","kanji"],char:"🈶",fitzpatrick_scale:false,category:"symbols"},u7121:{keywords:["nothing","chinese","kanji","japanese","orange-square"],char:"🈚",fitzpatrick_scale:false,category:"symbols"},u7533:{keywords:["chinese","japanese","kanji","orange-square"],char:"🈸",fitzpatrick_scale:false,category:"symbols"},u55b6:{keywords:["japanese","opening hours","orange-square"],char:"🈺",fitzpatrick_scale:false,category:"symbols"},u6708:{keywords:["chinese","month","moon","japanese","orange-square","kanji"],char:"🈷️",fitzpatrick_scale:false,category:"symbols"},eight_pointed_black_star:{keywords:["orange-square","shape","polygon"],char:"✴️",fitzpatrick_scale:false,category:"symbols"},vs:{keywords:["words","orange-square"],char:"🆚",fitzpatrick_scale:false,category:"symbols"},accept:{keywords:["ok","good","chinese","kanji","agree","yes","orange-circle"],char:"🉑",fitzpatrick_scale:false,category:"symbols"},white_flower:{keywords:["japanese","spring"],char:"💮",fitzpatrick_scale:false,category:"symbols"},ideograph_advantage:{keywords:["chinese","kanji","obtain","get","circle"],char:"🉐",fitzpatrick_scale:false,category:"symbols"},secret:{keywords:["privacy","chinese","sshh","kanji","red-circle"],char:"㊙️",fitzpatrick_scale:false,category:"symbols"},congratulations:{keywords:["chinese","kanji","japanese","red-circle"],char:"㊗️",fitzpatrick_scale:false,category:"symbols"},u5408:{keywords:["japanese","chinese","join","kanji","red-square"],char:"🈴",fitzpatrick_scale:false,category:"symbols"},u6e80:{keywords:["full","chinese","japanese","red-square","kanji"],char:"🈵",fitzpatrick_scale:false,category:"symbols"},u7981:{keywords:["kanji","japanese","chinese","forbidden","limit","restricted","red-square"],char:"🈲",fitzpatrick_scale:false,category:"symbols"},a:{keywords:["red-square","alphabet","letter"],char:"🅰️",fitzpatrick_scale:false,category:"symbols"},b:{keywords:["red-square","alphabet","letter"],char:"🅱️",fitzpatrick_scale:false,category:"symbols"},ab:{keywords:["red-square","alphabet"],char:"🆎",fitzpatrick_scale:false,category:"symbols"},cl:{keywords:["alphabet","words","red-square"],char:"🆑",fitzpatrick_scale:false,category:"symbols"},o2:{keywords:["alphabet","red-square","letter"],char:"🅾️",fitzpatrick_scale:false,category:"symbols"},sos:{keywords:["help","red-square","words","emergency","911"],char:"🆘",fitzpatrick_scale:false,category:"symbols"},no_entry:{keywords:["limit","security","privacy","bad","denied","stop","circle"],char:"⛔",fitzpatrick_scale:false,category:"symbols"},name_badge:{keywords:["fire","forbid"],char:"📛",fitzpatrick_scale:false,category:"symbols"},no_entry_sign:{keywords:["forbid","stop","limit","denied","disallow","circle"],char:"🚫",fitzpatrick_scale:false,category:"symbols"},x:{keywords:["no","delete","remove","cancel","red"],char:"❌",fitzpatrick_scale:false,category:"symbols"},o:{keywords:["circle","round"],char:"⭕",fitzpatrick_scale:false,category:"symbols"},stop_sign:{keywords:["stop"],char:"🛑",fitzpatrick_scale:false,category:"symbols"},anger:{keywords:["angry","mad"],char:"💢",fitzpatrick_scale:false,category:"symbols"},hotsprings:{keywords:["bath","warm","relax"],char:"♨️",fitzpatrick_scale:false,category:"symbols"},no_pedestrians:{keywords:["rules","crossing","walking","circle"],char:"🚷",fitzpatrick_scale:false,category:"symbols"},do_not_litter:{keywords:["trash","bin","garbage","circle"],char:"🚯",fitzpatrick_scale:false,category:"symbols"},no_bicycles:{keywords:["cyclist","prohibited","circle"],char:"🚳",fitzpatrick_scale:false,category:"symbols"},"non-potable_water":{keywords:["drink","faucet","tap","circle"],char:"🚱",fitzpatrick_scale:false,category:"symbols"},underage:{keywords:["18","drink","pub","night","minor","circle"],char:"🔞",fitzpatrick_scale:false,category:"symbols"},no_mobile_phones:{keywords:["iphone","mute","circle"],char:"📵",fitzpatrick_scale:false,category:"symbols"},exclamation:{keywords:["heavy_exclamation_mark","danger","surprise","punctuation","wow","warning"],char:"❗",fitzpatrick_scale:false,category:"symbols"},grey_exclamation:{keywords:["surprise","punctuation","gray","wow","warning"],char:"❕",fitzpatrick_scale:false,category:"symbols"},question:{keywords:["doubt","confused"],char:"❓",fitzpatrick_scale:false,category:"symbols"},grey_question:{keywords:["doubts","gray","huh","confused"],char:"❔",fitzpatrick_scale:false,category:"symbols"},bangbang:{keywords:["exclamation","surprise"],char:"‼️",fitzpatrick_scale:false,category:"symbols"},interrobang:{keywords:["wat","punctuation","surprise"],char:"⁉️",fitzpatrick_scale:false,category:"symbols"},100:{keywords:["score","perfect","numbers","century","exam","quiz","test","pass","hundred"],char:"💯",fitzpatrick_scale:false,category:"symbols"},low_brightness:{keywords:["sun","afternoon","warm","summer"],char:"🔅",fitzpatrick_scale:false,category:"symbols"},high_brightness:{keywords:["sun","light"],char:"🔆",fitzpatrick_scale:false,category:"symbols"},trident:{keywords:["weapon","spear"],char:"🔱",fitzpatrick_scale:false,category:"symbols"},fleur_de_lis:{keywords:["decorative","scout"],char:"⚜",fitzpatrick_scale:false,category:"symbols"},part_alternation_mark:{keywords:["graph","presentation","stats","business","economics","bad"],char:"〽️",fitzpatrick_scale:false,category:"symbols"},warning:{keywords:["exclamation","wip","alert","error","problem","issue"],char:"⚠️",fitzpatrick_scale:false,category:"symbols"},children_crossing:{keywords:["school","warning","danger","sign","driving","yellow-diamond"],char:"🚸",fitzpatrick_scale:false,category:"symbols"},beginner:{keywords:["badge","shield"],char:"🔰",fitzpatrick_scale:false,category:"symbols"},recycle:{keywords:["arrow","environment","garbage","trash"],char:"♻️",fitzpatrick_scale:false,category:"symbols"},u6307:{keywords:["chinese","point","green-square","kanji"],char:"🈯",fitzpatrick_scale:false,category:"symbols"},chart:{keywords:["green-square","graph","presentation","stats"],char:"💹",fitzpatrick_scale:false,category:"symbols"},sparkle:{keywords:["stars","green-square","awesome","good","fireworks"],char:"❇️",fitzpatrick_scale:false,category:"symbols"},eight_spoked_asterisk:{keywords:["star","sparkle","green-square"],char:"✳️",fitzpatrick_scale:false,category:"symbols"},negative_squared_cross_mark:{keywords:["x","green-square","no","deny"],char:"❎",fitzpatrick_scale:false,category:"symbols"},white_check_mark:{keywords:["green-square","ok","agree","vote","election","answer","tick"],char:"✅",fitzpatrick_scale:false,category:"symbols"},diamond_shape_with_a_dot_inside:{keywords:["jewel","blue","gem","crystal","fancy"],char:"💠",fitzpatrick_scale:false,category:"symbols"},cyclone:{keywords:["weather","swirl","blue","cloud","vortex","spiral","whirlpool","spin","tornado","hurricane","typhoon"],char:"🌀",fitzpatrick_scale:false,category:"symbols"},loop:{keywords:["tape","cassette"],char:"➿",fitzpatrick_scale:false,category:"symbols"},globe_with_meridians:{keywords:["earth","international","world","internet","interweb","i18n"],char:"🌐",fitzpatrick_scale:false,category:"symbols"},m:{keywords:["alphabet","blue-circle","letter"],char:"Ⓜ️",fitzpatrick_scale:false,category:"symbols"},atm:{keywords:["money","sales","cash","blue-square","payment","bank"],char:"🏧",fitzpatrick_scale:false,category:"symbols"},sa:{keywords:["japanese","blue-square","katakana"],char:"🈂️",fitzpatrick_scale:false,category:"symbols"},passport_control:{keywords:["custom","blue-square"],char:"🛂",fitzpatrick_scale:false,category:"symbols"},customs:{keywords:["passport","border","blue-square"],char:"🛃",fitzpatrick_scale:false,category:"symbols"},baggage_claim:{keywords:["blue-square","airport","transport"],char:"🛄",fitzpatrick_scale:false,category:"symbols"},left_luggage:{keywords:["blue-square","travel"],char:"🛅",fitzpatrick_scale:false,category:"symbols"},wheelchair:{keywords:["blue-square","disabled","a11y","accessibility"],char:"♿",fitzpatrick_scale:false,category:"symbols"},no_smoking:{keywords:["cigarette","blue-square","smell","smoke"],char:"🚭",fitzpatrick_scale:false,category:"symbols"},wc:{keywords:["toilet","restroom","blue-square"],char:"🚾",fitzpatrick_scale:false,category:"symbols"},parking:{keywords:["cars","blue-square","alphabet","letter"],char:"🅿️",fitzpatrick_scale:false,category:"symbols"},potable_water:{keywords:["blue-square","liquid","restroom","cleaning","faucet"],char:"🚰",fitzpatrick_scale:false,category:"symbols"},mens:{keywords:["toilet","restroom","wc","blue-square","gender","male"],char:"🚹",fitzpatrick_scale:false,category:"symbols"},womens:{keywords:["purple-square","woman","female","toilet","loo","restroom","gender"],char:"🚺",fitzpatrick_scale:false,category:"symbols"},baby_symbol:{keywords:["orange-square","child"],char:"🚼",fitzpatrick_scale:false,category:"symbols"},restroom:{keywords:["blue-square","toilet","refresh","wc","gender"],char:"🚻",fitzpatrick_scale:false,category:"symbols"},put_litter_in_its_place:{keywords:["blue-square","sign","human","info"],char:"🚮",fitzpatrick_scale:false,category:"symbols"},cinema:{keywords:["blue-square","record","film","movie","curtain","stage","theater"],char:"🎦",fitzpatrick_scale:false,category:"symbols"},signal_strength:{keywords:["blue-square","reception","phone","internet","connection","wifi","bluetooth","bars"],char:"📶",fitzpatrick_scale:false,category:"symbols"},koko:{keywords:["blue-square","here","katakana","japanese","destination"],char:"🈁",fitzpatrick_scale:false,category:"symbols"},ng:{keywords:["blue-square","words","shape","icon"],char:"🆖",fitzpatrick_scale:false,category:"symbols"},ok:{keywords:["good","agree","yes","blue-square"],char:"🆗",fitzpatrick_scale:false,category:"symbols"},up:{keywords:["blue-square","above","high"],char:"🆙",fitzpatrick_scale:false,category:"symbols"},cool:{keywords:["words","blue-square"],char:"🆒",fitzpatrick_scale:false,category:"symbols"},new:{keywords:["blue-square","words","start"],char:"🆕",fitzpatrick_scale:false,category:"symbols"},free:{keywords:["blue-square","words"],char:"🆓",fitzpatrick_scale:false,category:"symbols"},zero:{keywords:["0","numbers","blue-square","null"],char:"0️⃣",fitzpatrick_scale:false,category:"symbols"},one:{keywords:["blue-square","numbers","1"],char:"1️⃣",fitzpatrick_scale:false,category:"symbols"},two:{keywords:["numbers","2","prime","blue-square"],char:"2️⃣",fitzpatrick_scale:false,category:"symbols"},three:{keywords:["3","numbers","prime","blue-square"],char:"3️⃣",fitzpatrick_scale:false,category:"symbols"},four:{keywords:["4","numbers","blue-square"],char:"4️⃣",fitzpatrick_scale:false,category:"symbols"},five:{keywords:["5","numbers","blue-square","prime"],char:"5️⃣",fitzpatrick_scale:false,category:"symbols"},six:{keywords:["6","numbers","blue-square"],char:"6️⃣",fitzpatrick_scale:false,category:"symbols"},seven:{keywords:["7","numbers","blue-square","prime"],char:"7️⃣",fitzpatrick_scale:false,category:"symbols"},eight:{keywords:["8","blue-square","numbers"],char:"8️⃣",fitzpatrick_scale:false,category:"symbols"},nine:{keywords:["blue-square","numbers","9"],char:"9️⃣",fitzpatrick_scale:false,category:"symbols"},keycap_ten:{keywords:["numbers","10","blue-square"],char:"🔟",fitzpatrick_scale:false,category:"symbols"},asterisk:{keywords:["star","keycap"],char:"*⃣",fitzpatrick_scale:false,category:"symbols"},1234:{keywords:["numbers","blue-square"],char:"🔢",fitzpatrick_scale:false,category:"symbols"},eject_button:{keywords:["blue-square"],char:"⏏️",fitzpatrick_scale:false,category:"symbols"},arrow_forward:{keywords:["blue-square","right","direction","play"],char:"▶️",fitzpatrick_scale:false,category:"symbols"},pause_button:{keywords:["pause","blue-square"],char:"⏸",fitzpatrick_scale:false,category:"symbols"},next_track_button:{keywords:["forward","next","blue-square"],char:"⏭",fitzpatrick_scale:false,category:"symbols"},stop_button:{keywords:["blue-square"],char:"⏹",fitzpatrick_scale:false,category:"symbols"},record_button:{keywords:["blue-square"],char:"⏺",fitzpatrick_scale:false,category:"symbols"},play_or_pause_button:{keywords:["blue-square","play","pause"],char:"⏯",fitzpatrick_scale:false,category:"symbols"},previous_track_button:{keywords:["backward"],char:"⏮",fitzpatrick_scale:false,category:"symbols"},fast_forward:{keywords:["blue-square","play","speed","continue"],char:"⏩",fitzpatrick_scale:false,category:"symbols"},rewind:{keywords:["play","blue-square"],char:"⏪",fitzpatrick_scale:false,category:"symbols"},twisted_rightwards_arrows:{keywords:["blue-square","shuffle","music","random"],char:"🔀",fitzpatrick_scale:false,category:"symbols"},repeat:{keywords:["loop","record"],char:"🔁",fitzpatrick_scale:false,category:"symbols"},repeat_one:{keywords:["blue-square","loop"],char:"🔂",fitzpatrick_scale:false,category:"symbols"},arrow_backward:{keywords:["blue-square","left","direction"],char:"◀️",fitzpatrick_scale:false,category:"symbols"},arrow_up_small:{keywords:["blue-square","triangle","direction","point","forward","top"],char:"🔼",fitzpatrick_scale:false,category:"symbols"},arrow_down_small:{keywords:["blue-square","direction","bottom"],char:"🔽",fitzpatrick_scale:false,category:"symbols"},arrow_double_up:{keywords:["blue-square","direction","top"],char:"⏫",fitzpatrick_scale:false,category:"symbols"},arrow_double_down:{keywords:["blue-square","direction","bottom"],char:"⏬",fitzpatrick_scale:false,category:"symbols"},arrow_right:{keywords:["blue-square","next"],char:"➡️",fitzpatrick_scale:false,category:"symbols"},arrow_left:{keywords:["blue-square","previous","back"],char:"⬅️",fitzpatrick_scale:false,category:"symbols"},arrow_up:{keywords:["blue-square","continue","top","direction"],char:"⬆️",fitzpatrick_scale:false,category:"symbols"},arrow_down:{keywords:["blue-square","direction","bottom"],char:"⬇️",fitzpatrick_scale:false,category:"symbols"},arrow_upper_right:{keywords:["blue-square","point","direction","diagonal","northeast"],char:"↗️",fitzpatrick_scale:false,category:"symbols"},arrow_lower_right:{keywords:["blue-square","direction","diagonal","southeast"],char:"↘️",fitzpatrick_scale:false,category:"symbols"},arrow_lower_left:{keywords:["blue-square","direction","diagonal","southwest"],char:"↙️",fitzpatrick_scale:false,category:"symbols"},arrow_upper_left:{keywords:["blue-square","point","direction","diagonal","northwest"],char:"↖️",fitzpatrick_scale:false,category:"symbols"},arrow_up_down:{keywords:["blue-square","direction","way","vertical"],char:"↕️",fitzpatrick_scale:false,category:"symbols"},left_right_arrow:{keywords:["shape","direction","horizontal","sideways"],char:"↔️",fitzpatrick_scale:false,category:"symbols"},arrows_counterclockwise:{keywords:["blue-square","sync","cycle"],char:"🔄",fitzpatrick_scale:false,category:"symbols"},arrow_right_hook:{keywords:["blue-square","return","rotate","direction"],char:"↪️",fitzpatrick_scale:false,category:"symbols"},leftwards_arrow_with_hook:{keywords:["back","return","blue-square","undo","enter"],char:"↩️",fitzpatrick_scale:false,category:"symbols"},arrow_heading_up:{keywords:["blue-square","direction","top"],char:"⤴️",fitzpatrick_scale:false,category:"symbols"},arrow_heading_down:{keywords:["blue-square","direction","bottom"],char:"⤵️",fitzpatrick_scale:false,category:"symbols"},hash:{keywords:["symbol","blue-square","twitter"],char:"#️⃣",fitzpatrick_scale:false,category:"symbols"},information_source:{keywords:["blue-square","alphabet","letter"],char:"ℹ️",fitzpatrick_scale:false,category:"symbols"},abc:{keywords:["blue-square","alphabet"],char:"🔤",fitzpatrick_scale:false,category:"symbols"},abcd:{keywords:["blue-square","alphabet"],char:"🔡",fitzpatrick_scale:false,category:"symbols"},capital_abcd:{keywords:["alphabet","words","blue-square"],char:"🔠",fitzpatrick_scale:false,category:"symbols"},symbols:{keywords:["blue-square","music","note","ampersand","percent","glyphs","characters"],char:"🔣",fitzpatrick_scale:false,category:"symbols"},musical_note:{keywords:["score","tone","sound"],char:"🎵",fitzpatrick_scale:false,category:"symbols"},notes:{keywords:["music","score"],char:"🎶",fitzpatrick_scale:false,category:"symbols"},wavy_dash:{keywords:["draw","line","moustache","mustache","squiggle","scribble"],char:"〰️",fitzpatrick_scale:false,category:"symbols"},curly_loop:{keywords:["scribble","draw","shape","squiggle"],char:"➰",fitzpatrick_scale:false,category:"symbols"},heavy_check_mark:{keywords:["ok","nike","answer","yes","tick"],char:"✔️",fitzpatrick_scale:false,category:"symbols"},arrows_clockwise:{keywords:["sync","cycle","round","repeat"],char:"🔃",fitzpatrick_scale:false,category:"symbols"},heavy_plus_sign:{keywords:["math","calculation","addition","more","increase"],char:"➕",fitzpatrick_scale:false,category:"symbols"},heavy_minus_sign:{keywords:["math","calculation","subtract","less"],char:"➖",fitzpatrick_scale:false,category:"symbols"},heavy_division_sign:{keywords:["divide","math","calculation"],char:"➗",fitzpatrick_scale:false,category:"symbols"},heavy_multiplication_x:{keywords:["math","calculation"],char:"✖️",fitzpatrick_scale:false,category:"symbols"},infinity:{keywords:["forever"],char:"♾",fitzpatrick_scale:false,category:"symbols"},heavy_dollar_sign:{keywords:["money","sales","payment","currency","buck"],char:"💲",fitzpatrick_scale:false,category:"symbols"},currency_exchange:{keywords:["money","sales","dollar","travel"],char:"💱",fitzpatrick_scale:false,category:"symbols"},copyright:{keywords:["ip","license","circle","law","legal"],char:"©️",fitzpatrick_scale:false,category:"symbols"},registered:{keywords:["alphabet","circle"],char:"®️",fitzpatrick_scale:false,category:"symbols"},tm:{keywords:["trademark","brand","law","legal"],char:"™️",fitzpatrick_scale:false,category:"symbols"},end:{keywords:["words","arrow"],char:"🔚",fitzpatrick_scale:false,category:"symbols"},back:{keywords:["arrow","words","return"],char:"🔙",fitzpatrick_scale:false,category:"symbols"},on:{keywords:["arrow","words"],char:"🔛",fitzpatrick_scale:false,category:"symbols"},top:{keywords:["words","blue-square"],char:"🔝",fitzpatrick_scale:false,category:"symbols"},soon:{keywords:["arrow","words"],char:"🔜",fitzpatrick_scale:false,category:"symbols"},ballot_box_with_check:{keywords:["ok","agree","confirm","black-square","vote","election","yes","tick"],char:"☑️",fitzpatrick_scale:false,category:"symbols"},radio_button:{keywords:["input","old","music","circle"],char:"🔘",fitzpatrick_scale:false,category:"symbols"},white_circle:{keywords:["shape","round"],char:"⚪",fitzpatrick_scale:false,category:"symbols"},black_circle:{keywords:["shape","button","round"],char:"⚫",fitzpatrick_scale:false,category:"symbols"},red_circle:{keywords:["shape","error","danger"],char:"🔴",fitzpatrick_scale:false,category:"symbols"},large_blue_circle:{keywords:["shape","icon","button"],char:"🔵",fitzpatrick_scale:false,category:"symbols"},small_orange_diamond:{keywords:["shape","jewel","gem"],char:"🔸",fitzpatrick_scale:false,category:"symbols"},small_blue_diamond:{keywords:["shape","jewel","gem"],char:"🔹",fitzpatrick_scale:false,category:"symbols"},large_orange_diamond:{keywords:["shape","jewel","gem"],char:"🔶",fitzpatrick_scale:false,category:"symbols"},large_blue_diamond:{keywords:["shape","jewel","gem"],char:"🔷",fitzpatrick_scale:false,category:"symbols"},small_red_triangle:{keywords:["shape","direction","up","top"],char:"🔺",fitzpatrick_scale:false,category:"symbols"},black_small_square:{keywords:["shape","icon"],char:"▪️",fitzpatrick_scale:false,category:"symbols"},white_small_square:{keywords:["shape","icon"],char:"▫️",fitzpatrick_scale:false,category:"symbols"},black_large_square:{keywords:["shape","icon","button"],char:"⬛",fitzpatrick_scale:false,category:"symbols"},white_large_square:{keywords:["shape","icon","stone","button"],char:"⬜",fitzpatrick_scale:false,category:"symbols"},small_red_triangle_down:{keywords:["shape","direction","bottom"],char:"🔻",fitzpatrick_scale:false,category:"symbols"},black_medium_square:{keywords:["shape","button","icon"],char:"◼️",fitzpatrick_scale:false,category:"symbols"},white_medium_square:{keywords:["shape","stone","icon"],char:"◻️",fitzpatrick_scale:false,category:"symbols"},black_medium_small_square:{keywords:["icon","shape","button"],char:"◾",fitzpatrick_scale:false,category:"symbols"},white_medium_small_square:{keywords:["shape","stone","icon","button"],char:"◽",fitzpatrick_scale:false,category:"symbols"},black_square_button:{keywords:["shape","input","frame"],char:"🔲",fitzpatrick_scale:false,category:"symbols"},white_square_button:{keywords:["shape","input"],char:"🔳",fitzpatrick_scale:false,category:"symbols"},speaker:{keywords:["sound","volume","silence","broadcast"],char:"🔈",fitzpatrick_scale:false,category:"symbols"},sound:{keywords:["volume","speaker","broadcast"],char:"🔉",fitzpatrick_scale:false,category:"symbols"},loud_sound:{keywords:["volume","noise","noisy","speaker","broadcast"],char:"🔊",fitzpatrick_scale:false,category:"symbols"},mute:{keywords:["sound","volume","silence","quiet"],char:"🔇",fitzpatrick_scale:false,category:"symbols"},mega:{keywords:["sound","speaker","volume"],char:"📣",fitzpatrick_scale:false,category:"symbols"},loudspeaker:{keywords:["volume","sound"],char:"📢",fitzpatrick_scale:false,category:"symbols"},bell:{keywords:["sound","notification","christmas","xmas","chime"],char:"🔔",fitzpatrick_scale:false,category:"symbols"},no_bell:{keywords:["sound","volume","mute","quiet","silent"],char:"🔕",fitzpatrick_scale:false,category:"symbols"},black_joker:{keywords:["poker","cards","game","play","magic"],char:"🃏",fitzpatrick_scale:false,category:"symbols"},mahjong:{keywords:["game","play","chinese","kanji"],char:"🀄",fitzpatrick_scale:false,category:"symbols"},spades:{keywords:["poker","cards","suits","magic"],char:"♠️",fitzpatrick_scale:false,category:"symbols"},clubs:{keywords:["poker","cards","magic","suits"],char:"♣️",fitzpatrick_scale:false,category:"symbols"},hearts:{keywords:["poker","cards","magic","suits"],char:"♥️",fitzpatrick_scale:false,category:"symbols"},diamonds:{keywords:["poker","cards","magic","suits"],char:"♦️",fitzpatrick_scale:false,category:"symbols"},flower_playing_cards:{keywords:["game","sunset","red"],char:"🎴",fitzpatrick_scale:false,category:"symbols"},thought_balloon:{keywords:["bubble","cloud","speech","thinking","dream"],char:"💭",fitzpatrick_scale:false,category:"symbols"},right_anger_bubble:{keywords:["caption","speech","thinking","mad"],char:"🗯",fitzpatrick_scale:false,category:"symbols"},speech_balloon:{keywords:["bubble","words","message","talk","chatting"],char:"💬",fitzpatrick_scale:false,category:"symbols"},left_speech_bubble:{keywords:["words","message","talk","chatting"],char:"🗨",fitzpatrick_scale:false,category:"symbols"},clock1:{keywords:["time","late","early","schedule"],char:"🕐",fitzpatrick_scale:false,category:"symbols"},clock2:{keywords:["time","late","early","schedule"],char:"🕑",fitzpatrick_scale:false,category:"symbols"},clock3:{keywords:["time","late","early","schedule"],char:"🕒",fitzpatrick_scale:false,category:"symbols"},clock4:{keywords:["time","late","early","schedule"],char:"🕓",fitzpatrick_scale:false,category:"symbols"},clock5:{keywords:["time","late","early","schedule"],char:"🕔",fitzpatrick_scale:false,category:"symbols"},clock6:{keywords:["time","late","early","schedule","dawn","dusk"],char:"🕕",fitzpatrick_scale:false,category:"symbols"},clock7:{keywords:["time","late","early","schedule"],char:"🕖",fitzpatrick_scale:false,category:"symbols"},clock8:{keywords:["time","late","early","schedule"],char:"🕗",fitzpatrick_scale:false,category:"symbols"},clock9:{keywords:["time","late","early","schedule"],char:"🕘",fitzpatrick_scale:false,category:"symbols"},clock10:{keywords:["time","late","early","schedule"],char:"🕙",fitzpatrick_scale:false,category:"symbols"},clock11:{keywords:["time","late","early","schedule"],char:"🕚",fitzpatrick_scale:false,category:"symbols"},clock12:{keywords:["time","noon","midnight","midday","late","early","schedule"],char:"🕛",fitzpatrick_scale:false,category:"symbols"},clock130:{keywords:["time","late","early","schedule"],char:"🕜",fitzpatrick_scale:false,category:"symbols"},clock230:{keywords:["time","late","early","schedule"],char:"🕝",fitzpatrick_scale:false,category:"symbols"},clock330:{keywords:["time","late","early","schedule"],char:"🕞",fitzpatrick_scale:false,category:"symbols"},clock430:{keywords:["time","late","early","schedule"],char:"🕟",fitzpatrick_scale:false,category:"symbols"},clock530:{keywords:["time","late","early","schedule"],char:"🕠",fitzpatrick_scale:false,category:"symbols"},clock630:{keywords:["time","late","early","schedule"],char:"🕡",fitzpatrick_scale:false,category:"symbols"},clock730:{keywords:["time","late","early","schedule"],char:"🕢",fitzpatrick_scale:false,category:"symbols"},clock830:{keywords:["time","late","early","schedule"],char:"🕣",fitzpatrick_scale:false,category:"symbols"},clock930:{keywords:["time","late","early","schedule"],char:"🕤",fitzpatrick_scale:false,category:"symbols"},clock1030:{keywords:["time","late","early","schedule"],char:"🕥",fitzpatrick_scale:false,category:"symbols"},clock1130:{keywords:["time","late","early","schedule"],char:"🕦",fitzpatrick_scale:false,category:"symbols"},clock1230:{keywords:["time","late","early","schedule"],char:"🕧",fitzpatrick_scale:false,category:"symbols"},afghanistan:{keywords:["af","flag","nation","country","banner"],char:"🇦🇫",fitzpatrick_scale:false,category:"flags"},aland_islands:{keywords:["Åland","islands","flag","nation","country","banner"],char:"🇦🇽",fitzpatrick_scale:false,category:"flags"},albania:{keywords:["al","flag","nation","country","banner"],char:"🇦🇱",fitzpatrick_scale:false,category:"flags"},algeria:{keywords:["dz","flag","nation","country","banner"],char:"🇩🇿",fitzpatrick_scale:false,category:"flags"},american_samoa:{keywords:["american","ws","flag","nation","country","banner"],char:"🇦🇸",fitzpatrick_scale:false,category:"flags"},andorra:{keywords:["ad","flag","nation","country","banner"],char:"🇦🇩",fitzpatrick_scale:false,category:"flags"},angola:{keywords:["ao","flag","nation","country","banner"],char:"🇦🇴",fitzpatrick_scale:false,category:"flags"},anguilla:{keywords:["ai","flag","nation","country","banner"],char:"🇦🇮",fitzpatrick_scale:false,category:"flags"},antarctica:{keywords:["aq","flag","nation","country","banner"],char:"🇦🇶",fitzpatrick_scale:false,category:"flags"},antigua_barbuda:{keywords:["antigua","barbuda","flag","nation","country","banner"],char:"🇦🇬",fitzpatrick_scale:false,category:"flags"},argentina:{keywords:["ar","flag","nation","country","banner"],char:"🇦🇷",fitzpatrick_scale:false,category:"flags"},armenia:{keywords:["am","flag","nation","country","banner"],char:"🇦🇲",fitzpatrick_scale:false,category:"flags"},aruba:{keywords:["aw","flag","nation","country","banner"],char:"🇦🇼",fitzpatrick_scale:false,category:"flags"},australia:{keywords:["au","flag","nation","country","banner"],char:"🇦🇺",fitzpatrick_scale:false,category:"flags"},austria:{keywords:["at","flag","nation","country","banner"],char:"🇦🇹",fitzpatrick_scale:false,category:"flags"},azerbaijan:{keywords:["az","flag","nation","country","banner"],char:"🇦🇿",fitzpatrick_scale:false,category:"flags"},bahamas:{keywords:["bs","flag","nation","country","banner"],char:"🇧🇸",fitzpatrick_scale:false,category:"flags"},bahrain:{keywords:["bh","flag","nation","country","banner"],char:"🇧🇭",fitzpatrick_scale:false,category:"flags"},bangladesh:{keywords:["bd","flag","nation","country","banner"],char:"🇧🇩",fitzpatrick_scale:false,category:"flags"},barbados:{keywords:["bb","flag","nation","country","banner"],char:"🇧🇧",fitzpatrick_scale:false,category:"flags"},belarus:{keywords:["by","flag","nation","country","banner"],char:"🇧🇾",fitzpatrick_scale:false,category:"flags"},belgium:{keywords:["be","flag","nation","country","banner"],char:"🇧🇪",fitzpatrick_scale:false,category:"flags"},belize:{keywords:["bz","flag","nation","country","banner"],char:"🇧🇿",fitzpatrick_scale:false,category:"flags"},benin:{keywords:["bj","flag","nation","country","banner"],char:"🇧🇯",fitzpatrick_scale:false,category:"flags"},bermuda:{keywords:["bm","flag","nation","country","banner"],char:"🇧🇲",fitzpatrick_scale:false,category:"flags"},bhutan:{keywords:["bt","flag","nation","country","banner"],char:"🇧🇹",fitzpatrick_scale:false,category:"flags"},bolivia:{keywords:["bo","flag","nation","country","banner"],char:"🇧🇴",fitzpatrick_scale:false,category:"flags"},caribbean_netherlands:{keywords:["bonaire","flag","nation","country","banner"],char:"🇧🇶",fitzpatrick_scale:false,category:"flags"},bosnia_herzegovina:{keywords:["bosnia","herzegovina","flag","nation","country","banner"],char:"🇧🇦",fitzpatrick_scale:false,category:"flags"},botswana:{keywords:["bw","flag","nation","country","banner"],char:"🇧🇼",fitzpatrick_scale:false,category:"flags"},brazil:{keywords:["br","flag","nation","country","banner"],char:"🇧🇷",fitzpatrick_scale:false,category:"flags"},british_indian_ocean_territory:{keywords:["british","indian","ocean","territory","flag","nation","country","banner"],char:"🇮🇴",fitzpatrick_scale:false,category:"flags"},british_virgin_islands:{keywords:["british","virgin","islands","bvi","flag","nation","country","banner"],char:"🇻🇬",fitzpatrick_scale:false,category:"flags"},brunei:{keywords:["bn","darussalam","flag","nation","country","banner"],char:"🇧🇳",fitzpatrick_scale:false,category:"flags"},bulgaria:{keywords:["bg","flag","nation","country","banner"],char:"🇧🇬",fitzpatrick_scale:false,category:"flags"},burkina_faso:{keywords:["burkina","faso","flag","nation","country","banner"],char:"🇧🇫",fitzpatrick_scale:false,category:"flags"},burundi:{keywords:["bi","flag","nation","country","banner"],char:"🇧🇮",fitzpatrick_scale:false,category:"flags"},cape_verde:{keywords:["cabo","verde","flag","nation","country","banner"],char:"🇨🇻",fitzpatrick_scale:false,category:"flags"},cambodia:{keywords:["kh","flag","nation","country","banner"],char:"🇰🇭",fitzpatrick_scale:false,category:"flags"},cameroon:{keywords:["cm","flag","nation","country","banner"],char:"🇨🇲",fitzpatrick_scale:false,category:"flags"},canada:{keywords:["ca","flag","nation","country","banner"],char:"🇨🇦",fitzpatrick_scale:false,category:"flags"},canary_islands:{keywords:["canary","islands","flag","nation","country","banner"],char:"🇮🇨",fitzpatrick_scale:false,category:"flags"},cayman_islands:{keywords:["cayman","islands","flag","nation","country","banner"],char:"🇰🇾",fitzpatrick_scale:false,category:"flags"},central_african_republic:{keywords:["central","african","republic","flag","nation","country","banner"],char:"🇨🇫",fitzpatrick_scale:false,category:"flags"},chad:{keywords:["td","flag","nation","country","banner"],char:"🇹🇩",fitzpatrick_scale:false,category:"flags"},chile:{keywords:["flag","nation","country","banner"],char:"🇨🇱",fitzpatrick_scale:false,category:"flags"},cn:{keywords:["china","chinese","prc","flag","country","nation","banner"],char:"🇨🇳",fitzpatrick_scale:false,category:"flags"},christmas_island:{keywords:["christmas","island","flag","nation","country","banner"],char:"🇨🇽",fitzpatrick_scale:false,category:"flags"},cocos_islands:{keywords:["cocos","keeling","islands","flag","nation","country","banner"],char:"🇨🇨",fitzpatrick_scale:false,category:"flags"},colombia:{keywords:["co","flag","nation","country","banner"],char:"🇨🇴",fitzpatrick_scale:false,category:"flags"},comoros:{keywords:["km","flag","nation","country","banner"],char:"🇰🇲",fitzpatrick_scale:false,category:"flags"},congo_brazzaville:{keywords:["congo","flag","nation","country","banner"],char:"🇨🇬",fitzpatrick_scale:false,category:"flags"},congo_kinshasa:{keywords:["congo","democratic","republic","flag","nation","country","banner"],char:"🇨🇩",fitzpatrick_scale:false,category:"flags"},cook_islands:{keywords:["cook","islands","flag","nation","country","banner"],char:"🇨🇰",fitzpatrick_scale:false,category:"flags"},costa_rica:{keywords:["costa","rica","flag","nation","country","banner"],char:"🇨🇷",fitzpatrick_scale:false,category:"flags"},croatia:{keywords:["hr","flag","nation","country","banner"],char:"🇭🇷",fitzpatrick_scale:false,category:"flags"},cuba:{keywords:["cu","flag","nation","country","banner"],char:"🇨🇺",fitzpatrick_scale:false,category:"flags"},curacao:{keywords:["curaçao","flag","nation","country","banner"],char:"🇨🇼",fitzpatrick_scale:false,category:"flags"},cyprus:{keywords:["cy","flag","nation","country","banner"],char:"🇨🇾",fitzpatrick_scale:false,category:"flags"},czech_republic:{keywords:["cz","flag","nation","country","banner"],char:"🇨🇿",fitzpatrick_scale:false,category:"flags"},denmark:{keywords:["dk","flag","nation","country","banner"],char:"🇩🇰",fitzpatrick_scale:false,category:"flags"},djibouti:{keywords:["dj","flag","nation","country","banner"],char:"🇩🇯",fitzpatrick_scale:false,category:"flags"},dominica:{keywords:["dm","flag","nation","country","banner"],char:"🇩🇲",fitzpatrick_scale:false,category:"flags"},dominican_republic:{keywords:["dominican","republic","flag","nation","country","banner"],char:"🇩🇴",fitzpatrick_scale:false,category:"flags"},ecuador:{keywords:["ec","flag","nation","country","banner"],char:"🇪🇨",fitzpatrick_scale:false,category:"flags"},egypt:{keywords:["eg","flag","nation","country","banner"],char:"🇪🇬",fitzpatrick_scale:false,category:"flags"},el_salvador:{keywords:["el","salvador","flag","nation","country","banner"],char:"🇸🇻",fitzpatrick_scale:false,category:"flags"},equatorial_guinea:{keywords:["equatorial","gn","flag","nation","country","banner"],char:"🇬🇶",fitzpatrick_scale:false,category:"flags"},eritrea:{keywords:["er","flag","nation","country","banner"],char:"🇪🇷",fitzpatrick_scale:false,category:"flags"},estonia:{keywords:["ee","flag","nation","country","banner"],char:"🇪🇪",fitzpatrick_scale:false,category:"flags"},ethiopia:{keywords:["et","flag","nation","country","banner"],char:"🇪🇹",fitzpatrick_scale:false,category:"flags"},eu:{keywords:["european","union","flag","banner"],char:"🇪🇺",fitzpatrick_scale:false,category:"flags"},falkland_islands:{keywords:["falkland","islands","malvinas","flag","nation","country","banner"],char:"🇫🇰",fitzpatrick_scale:false,category:"flags"},faroe_islands:{keywords:["faroe","islands","flag","nation","country","banner"],char:"🇫🇴",fitzpatrick_scale:false,category:"flags"},fiji:{keywords:["fj","flag","nation","country","banner"],char:"🇫🇯",fitzpatrick_scale:false,category:"flags"},finland:{keywords:["fi","flag","nation","country","banner"],char:"🇫🇮",fitzpatrick_scale:false,category:"flags"},fr:{keywords:["banner","flag","nation","france","french","country"],char:"🇫🇷",fitzpatrick_scale:false,category:"flags"},french_guiana:{keywords:["french","guiana","flag","nation","country","banner"],char:"🇬🇫",fitzpatrick_scale:false,category:"flags"},french_polynesia:{keywords:["french","polynesia","flag","nation","country","banner"],char:"🇵🇫",fitzpatrick_scale:false,category:"flags"},french_southern_territories:{keywords:["french","southern","territories","flag","nation","country","banner"],char:"🇹🇫",fitzpatrick_scale:false,category:"flags"},gabon:{keywords:["ga","flag","nation","country","banner"],char:"🇬🇦",fitzpatrick_scale:false,category:"flags"},gambia:{keywords:["gm","flag","nation","country","banner"],char:"🇬🇲",fitzpatrick_scale:false,category:"flags"},georgia:{keywords:["ge","flag","nation","country","banner"],char:"🇬🇪",fitzpatrick_scale:false,category:"flags"},de:{keywords:["german","nation","flag","country","banner"],char:"🇩🇪",fitzpatrick_scale:false,category:"flags"},ghana:{keywords:["gh","flag","nation","country","banner"],char:"🇬🇭",fitzpatrick_scale:false,category:"flags"},gibraltar:{keywords:["gi","flag","nation","country","banner"],char:"🇬🇮",fitzpatrick_scale:false,category:"flags"},greece:{keywords:["gr","flag","nation","country","banner"],char:"🇬🇷",fitzpatrick_scale:false,category:"flags"},greenland:{keywords:["gl","flag","nation","country","banner"],char:"🇬🇱",fitzpatrick_scale:false,category:"flags"},grenada:{keywords:["gd","flag","nation","country","banner"],char:"🇬🇩",fitzpatrick_scale:false,category:"flags"},guadeloupe:{keywords:["gp","flag","nation","country","banner"],char:"🇬🇵",fitzpatrick_scale:false,category:"flags"},guam:{keywords:["gu","flag","nation","country","banner"],char:"🇬🇺",fitzpatrick_scale:false,category:"flags"},guatemala:{keywords:["gt","flag","nation","country","banner"],char:"🇬🇹",fitzpatrick_scale:false,category:"flags"},guernsey:{keywords:["gg","flag","nation","country","banner"],char:"🇬🇬",fitzpatrick_scale:false,category:"flags"},guinea:{keywords:["gn","flag","nation","country","banner"],char:"🇬🇳",fitzpatrick_scale:false,category:"flags"},guinea_bissau:{keywords:["gw","bissau","flag","nation","country","banner"],char:"🇬🇼",fitzpatrick_scale:false,category:"flags"},guyana:{keywords:["gy","flag","nation","country","banner"],char:"🇬🇾",fitzpatrick_scale:false,category:"flags"},haiti:{keywords:["ht","flag","nation","country","banner"],char:"🇭🇹",fitzpatrick_scale:false,category:"flags"},honduras:{keywords:["hn","flag","nation","country","banner"],char:"🇭🇳",fitzpatrick_scale:false,category:"flags"},hong_kong:{keywords:["hong","kong","flag","nation","country","banner"],char:"🇭🇰",fitzpatrick_scale:false,category:"flags"},hungary:{keywords:["hu","flag","nation","country","banner"],char:"🇭🇺",fitzpatrick_scale:false,category:"flags"},iceland:{keywords:["is","flag","nation","country","banner"],char:"🇮🇸",fitzpatrick_scale:false,category:"flags"},india:{keywords:["in","flag","nation","country","banner"],char:"🇮🇳",fitzpatrick_scale:false,category:"flags"},indonesia:{keywords:["flag","nation","country","banner"],char:"🇮🇩",fitzpatrick_scale:false,category:"flags"},iran:{keywords:["iran,","islamic","republic","flag","nation","country","banner"],char:"🇮🇷",fitzpatrick_scale:false,category:"flags"},iraq:{keywords:["iq","flag","nation","country","banner"],char:"🇮🇶",fitzpatrick_scale:false,category:"flags"},ireland:{keywords:["ie","flag","nation","country","banner"],char:"🇮🇪",fitzpatrick_scale:false,category:"flags"},isle_of_man:{keywords:["isle","man","flag","nation","country","banner"],char:"🇮🇲",fitzpatrick_scale:false,category:"flags"},israel:{keywords:["il","flag","nation","country","banner"],char:"🇮🇱",fitzpatrick_scale:false,category:"flags"},it:{keywords:["italy","flag","nation","country","banner"],char:"🇮🇹",fitzpatrick_scale:false,category:"flags"},cote_divoire:{keywords:["ivory","coast","flag","nation","country","banner"],char:"🇨🇮",fitzpatrick_scale:false,category:"flags"},jamaica:{keywords:["jm","flag","nation","country","banner"],char:"🇯🇲",fitzpatrick_scale:false,category:"flags"},jp:{keywords:["japanese","nation","flag","country","banner"],char:"🇯🇵",fitzpatrick_scale:false,category:"flags"},jersey:{keywords:["je","flag","nation","country","banner"],char:"🇯🇪",fitzpatrick_scale:false,category:"flags"},jordan:{keywords:["jo","flag","nation","country","banner"],char:"🇯🇴",fitzpatrick_scale:false,category:"flags"},kazakhstan:{keywords:["kz","flag","nation","country","banner"],char:"🇰🇿",fitzpatrick_scale:false,category:"flags"},kenya:{keywords:["ke","flag","nation","country","banner"],char:"🇰🇪",fitzpatrick_scale:false,category:"flags"},kiribati:{keywords:["ki","flag","nation","country","banner"],char:"🇰🇮",fitzpatrick_scale:false,category:"flags"},kosovo:{keywords:["xk","flag","nation","country","banner"],char:"🇽🇰",fitzpatrick_scale:false,category:"flags"},kuwait:{keywords:["kw","flag","nation","country","banner"],char:"🇰🇼",fitzpatrick_scale:false,category:"flags"},kyrgyzstan:{keywords:["kg","flag","nation","country","banner"],char:"🇰🇬",fitzpatrick_scale:false,category:"flags"},laos:{keywords:["lao","democratic","republic","flag","nation","country","banner"],char:"🇱🇦",fitzpatrick_scale:false,category:"flags"},latvia:{keywords:["lv","flag","nation","country","banner"],char:"🇱🇻",fitzpatrick_scale:false,category:"flags"},lebanon:{keywords:["lb","flag","nation","country","banner"],char:"🇱🇧",fitzpatrick_scale:false,category:"flags"},lesotho:{keywords:["ls","flag","nation","country","banner"],char:"🇱🇸",fitzpatrick_scale:false,category:"flags"},liberia:{keywords:["lr","flag","nation","country","banner"],char:"🇱🇷",fitzpatrick_scale:false,category:"flags"},libya:{keywords:["ly","flag","nation","country","banner"],char:"🇱🇾",fitzpatrick_scale:false,category:"flags"},liechtenstein:{keywords:["li","flag","nation","country","banner"],char:"🇱🇮",fitzpatrick_scale:false,category:"flags"},lithuania:{keywords:["lt","flag","nation","country","banner"],char:"🇱🇹",fitzpatrick_scale:false,category:"flags"},luxembourg:{keywords:["lu","flag","nation","country","banner"],char:"🇱🇺",fitzpatrick_scale:false,category:"flags"},macau:{keywords:["macao","flag","nation","country","banner"],char:"🇲🇴",fitzpatrick_scale:false,category:"flags"},macedonia:{keywords:["macedonia,","flag","nation","country","banner"],char:"🇲🇰",fitzpatrick_scale:false,category:"flags"},madagascar:{keywords:["mg","flag","nation","country","banner"],char:"🇲🇬",fitzpatrick_scale:false,category:"flags"},malawi:{keywords:["mw","flag","nation","country","banner"],char:"🇲🇼",fitzpatrick_scale:false,category:"flags"},malaysia:{keywords:["my","flag","nation","country","banner"],char:"🇲🇾",fitzpatrick_scale:false,category:"flags"},maldives:{keywords:["mv","flag","nation","country","banner"],char:"🇲🇻",fitzpatrick_scale:false,category:"flags"},mali:{keywords:["ml","flag","nation","country","banner"],char:"🇲🇱",fitzpatrick_scale:false,category:"flags"},malta:{keywords:["mt","flag","nation","country","banner"],char:"🇲🇹",fitzpatrick_scale:false,category:"flags"},marshall_islands:{keywords:["marshall","islands","flag","nation","country","banner"],char:"🇲🇭",fitzpatrick_scale:false,category:"flags"},martinique:{keywords:["mq","flag","nation","country","banner"],char:"🇲🇶",fitzpatrick_scale:false,category:"flags"},mauritania:{keywords:["mr","flag","nation","country","banner"],char:"🇲🇷",fitzpatrick_scale:false,category:"flags"},mauritius:{keywords:["mu","flag","nation","country","banner"],char:"🇲🇺",fitzpatrick_scale:false,category:"flags"},mayotte:{keywords:["yt","flag","nation","country","banner"],char:"🇾🇹",fitzpatrick_scale:false,category:"flags"},mexico:{keywords:["mx","flag","nation","country","banner"],char:"🇲🇽",fitzpatrick_scale:false,category:"flags"},micronesia:{keywords:["micronesia,","federated","states","flag","nation","country","banner"],char:"🇫🇲",fitzpatrick_scale:false,category:"flags"},moldova:{keywords:["moldova,","republic","flag","nation","country","banner"],char:"🇲🇩",fitzpatrick_scale:false,category:"flags"},monaco:{keywords:["mc","flag","nation","country","banner"],char:"🇲🇨",fitzpatrick_scale:false,category:"flags"},mongolia:{keywords:["mn","flag","nation","country","banner"],char:"🇲🇳",fitzpatrick_scale:false,category:"flags"},montenegro:{keywords:["me","flag","nation","country","banner"],char:"🇲🇪",fitzpatrick_scale:false,category:"flags"},montserrat:{keywords:["ms","flag","nation","country","banner"],char:"🇲🇸",fitzpatrick_scale:false,category:"flags"},morocco:{keywords:["ma","flag","nation","country","banner"],char:"🇲🇦",fitzpatrick_scale:false,category:"flags"},mozambique:{keywords:["mz","flag","nation","country","banner"],char:"🇲🇿",fitzpatrick_scale:false,category:"flags"},myanmar:{keywords:["mm","flag","nation","country","banner"],char:"🇲🇲",fitzpatrick_scale:false,category:"flags"},namibia:{keywords:["na","flag","nation","country","banner"],char:"🇳🇦",fitzpatrick_scale:false,category:"flags"},nauru:{keywords:["nr","flag","nation","country","banner"],char:"🇳🇷",fitzpatrick_scale:false,category:"flags"},nepal:{keywords:["np","flag","nation","country","banner"],char:"🇳🇵",fitzpatrick_scale:false,category:"flags"},netherlands:{keywords:["nl","flag","nation","country","banner"],char:"🇳🇱",fitzpatrick_scale:false,category:"flags"},new_caledonia:{keywords:["new","caledonia","flag","nation","country","banner"],char:"🇳🇨",fitzpatrick_scale:false,category:"flags"},new_zealand:{keywords:["new","zealand","flag","nation","country","banner"],char:"🇳🇿",fitzpatrick_scale:false,category:"flags"},nicaragua:{keywords:["ni","flag","nation","country","banner"],char:"🇳🇮",fitzpatrick_scale:false,category:"flags"},niger:{keywords:["ne","flag","nation","country","banner"],char:"🇳🇪",fitzpatrick_scale:false,category:"flags"},nigeria:{keywords:["flag","nation","country","banner"],char:"🇳🇬",fitzpatrick_scale:false,category:"flags"},niue:{keywords:["nu","flag","nation","country","banner"],char:"🇳🇺",fitzpatrick_scale:false,category:"flags"},norfolk_island:{keywords:["norfolk","island","flag","nation","country","banner"],char:"🇳🇫",fitzpatrick_scale:false,category:"flags"},northern_mariana_islands:{keywords:["northern","mariana","islands","flag","nation","country","banner"],char:"🇲🇵",fitzpatrick_scale:false,category:"flags"},north_korea:{keywords:["north","korea","nation","flag","country","banner"],char:"🇰🇵",fitzpatrick_scale:false,category:"flags"},norway:{keywords:["no","flag","nation","country","banner"],char:"🇳🇴",fitzpatrick_scale:false,category:"flags"},oman:{keywords:["om_symbol","flag","nation","country","banner"],char:"🇴🇲",fitzpatrick_scale:false,category:"flags"},pakistan:{keywords:["pk","flag","nation","country","banner"],char:"🇵🇰",fitzpatrick_scale:false,category:"flags"},palau:{keywords:["pw","flag","nation","country","banner"],char:"🇵🇼",fitzpatrick_scale:false,category:"flags"},palestinian_territories:{keywords:["palestine","palestinian","territories","flag","nation","country","banner"],char:"🇵🇸",fitzpatrick_scale:false,category:"flags"},panama:{keywords:["pa","flag","nation","country","banner"],char:"🇵🇦",fitzpatrick_scale:false,category:"flags"},papua_new_guinea:{keywords:["papua","new","guinea","flag","nation","country","banner"],char:"🇵🇬",fitzpatrick_scale:false,category:"flags"},paraguay:{keywords:["py","flag","nation","country","banner"],char:"🇵🇾",fitzpatrick_scale:false,category:"flags"},peru:{keywords:["pe","flag","nation","country","banner"],char:"🇵🇪",fitzpatrick_scale:false,category:"flags"},philippines:{keywords:["ph","flag","nation","country","banner"],char:"🇵🇭",fitzpatrick_scale:false,category:"flags"},pitcairn_islands:{keywords:["pitcairn","flag","nation","country","banner"],char:"🇵🇳",fitzpatrick_scale:false,category:"flags"},poland:{keywords:["pl","flag","nation","country","banner"],char:"🇵🇱",fitzpatrick_scale:false,category:"flags"},portugal:{keywords:["pt","flag","nation","country","banner"],char:"🇵🇹",fitzpatrick_scale:false,category:"flags"},puerto_rico:{keywords:["puerto","rico","flag","nation","country","banner"],char:"🇵🇷",fitzpatrick_scale:false,category:"flags"},qatar:{keywords:["qa","flag","nation","country","banner"],char:"🇶🇦",fitzpatrick_scale:false,category:"flags"},reunion:{keywords:["réunion","flag","nation","country","banner"],char:"🇷🇪",fitzpatrick_scale:false,category:"flags"},romania:{keywords:["ro","flag","nation","country","banner"],char:"🇷🇴",fitzpatrick_scale:false,category:"flags"},ru:{keywords:["russian","federation","flag","nation","country","banner"],char:"🇷🇺",fitzpatrick_scale:false,category:"flags"},rwanda:{keywords:["rw","flag","nation","country","banner"],char:"🇷🇼",fitzpatrick_scale:false,category:"flags"},st_barthelemy:{keywords:["saint","barthélemy","flag","nation","country","banner"],char:"🇧🇱",fitzpatrick_scale:false,category:"flags"},st_helena:{keywords:["saint","helena","ascension","tristan","cunha","flag","nation","country","banner"],char:"🇸🇭",fitzpatrick_scale:false,category:"flags"},st_kitts_nevis:{keywords:["saint","kitts","nevis","flag","nation","country","banner"],char:"🇰🇳",fitzpatrick_scale:false,category:"flags"},st_lucia:{keywords:["saint","lucia","flag","nation","country","banner"],char:"🇱🇨",fitzpatrick_scale:false,category:"flags"},st_pierre_miquelon:{keywords:["saint","pierre","miquelon","flag","nation","country","banner"],char:"🇵🇲",fitzpatrick_scale:false,category:"flags"},st_vincent_grenadines:{keywords:["saint","vincent","grenadines","flag","nation","country","banner"],char:"🇻🇨",fitzpatrick_scale:false,category:"flags"},samoa:{keywords:["ws","flag","nation","country","banner"],char:"🇼🇸",fitzpatrick_scale:false,category:"flags"},san_marino:{keywords:["san","marino","flag","nation","country","banner"],char:"🇸🇲",fitzpatrick_scale:false,category:"flags"},sao_tome_principe:{keywords:["sao","tome","principe","flag","nation","country","banner"],char:"🇸🇹",fitzpatrick_scale:false,category:"flags"},saudi_arabia:{keywords:["flag","nation","country","banner"],char:"🇸🇦",fitzpatrick_scale:false,category:"flags"},senegal:{keywords:["sn","flag","nation","country","banner"],char:"🇸🇳",fitzpatrick_scale:false,category:"flags"},serbia:{keywords:["rs","flag","nation","country","banner"],char:"🇷🇸",fitzpatrick_scale:false,category:"flags"},seychelles:{keywords:["sc","flag","nation","country","banner"],char:"🇸🇨",fitzpatrick_scale:false,category:"flags"},sierra_leone:{keywords:["sierra","leone","flag","nation","country","banner"],char:"🇸🇱",fitzpatrick_scale:false,category:"flags"},singapore:{keywords:["sg","flag","nation","country","banner"],char:"🇸🇬",fitzpatrick_scale:false,category:"flags"},sint_maarten:{keywords:["sint","maarten","dutch","flag","nation","country","banner"],char:"🇸🇽",fitzpatrick_scale:false,category:"flags"},slovakia:{keywords:["sk","flag","nation","country","banner"],char:"🇸🇰",fitzpatrick_scale:false,category:"flags"},slovenia:{keywords:["si","flag","nation","country","banner"],char:"🇸🇮",fitzpatrick_scale:false,category:"flags"},solomon_islands:{keywords:["solomon","islands","flag","nation","country","banner"],char:"🇸🇧",fitzpatrick_scale:false,category:"flags"},somalia:{keywords:["so","flag","nation","country","banner"],char:"🇸🇴",fitzpatrick_scale:false,category:"flags"},south_africa:{keywords:["south","africa","flag","nation","country","banner"],char:"🇿🇦",fitzpatrick_scale:false,category:"flags"},south_georgia_south_sandwich_islands:{keywords:["south","georgia","sandwich","islands","flag","nation","country","banner"],char:"🇬🇸",fitzpatrick_scale:false,category:"flags"},kr:{keywords:["south","korea","nation","flag","country","banner"],char:"🇰🇷",fitzpatrick_scale:false,category:"flags"},south_sudan:{keywords:["south","sd","flag","nation","country","banner"],char:"🇸🇸",fitzpatrick_scale:false,category:"flags"},es:{keywords:["spain","flag","nation","country","banner"],char:"🇪🇸",fitzpatrick_scale:false,category:"flags"},sri_lanka:{keywords:["sri","lanka","flag","nation","country","banner"],char:"🇱🇰",fitzpatrick_scale:false,category:"flags"},sudan:{keywords:["sd","flag","nation","country","banner"],char:"🇸🇩",fitzpatrick_scale:false,category:"flags"},suriname:{keywords:["sr","flag","nation","country","banner"],char:"🇸🇷",fitzpatrick_scale:false,category:"flags"},swaziland:{keywords:["sz","flag","nation","country","banner"],char:"🇸🇿",fitzpatrick_scale:false,category:"flags"},sweden:{keywords:["se","flag","nation","country","banner"],char:"🇸🇪",fitzpatrick_scale:false,category:"flags"},switzerland:{keywords:["ch","flag","nation","country","banner"],char:"🇨🇭",fitzpatrick_scale:false,category:"flags"},syria:{keywords:["syrian","arab","republic","flag","nation","country","banner"],char:"🇸🇾",fitzpatrick_scale:false,category:"flags"},taiwan:{keywords:["tw","flag","nation","country","banner"],char:"🇹🇼",fitzpatrick_scale:false,category:"flags"},tajikistan:{keywords:["tj","flag","nation","country","banner"],char:"🇹🇯",fitzpatrick_scale:false,category:"flags"},tanzania:{keywords:["tanzania,","united","republic","flag","nation","country","banner"],char:"🇹🇿",fitzpatrick_scale:false,category:"flags"},thailand:{keywords:["th","flag","nation","country","banner"],char:"🇹🇭",fitzpatrick_scale:false,category:"flags"},timor_leste:{keywords:["timor","leste","flag","nation","country","banner"],char:"🇹🇱",fitzpatrick_scale:false,category:"flags"},togo:{keywords:["tg","flag","nation","country","banner"],char:"🇹🇬",fitzpatrick_scale:false,category:"flags"},tokelau:{keywords:["tk","flag","nation","country","banner"],char:"🇹🇰",fitzpatrick_scale:false,category:"flags"},tonga:{keywords:["to","flag","nation","country","banner"],char:"🇹🇴",fitzpatrick_scale:false,category:"flags"},trinidad_tobago:{keywords:["trinidad","tobago","flag","nation","country","banner"],char:"🇹🇹",fitzpatrick_scale:false,category:"flags"},tunisia:{keywords:["tn","flag","nation","country","banner"],char:"🇹🇳",fitzpatrick_scale:false,category:"flags"},tr:{keywords:["turkey","flag","nation","country","banner"],char:"🇹🇷",fitzpatrick_scale:false,category:"flags"},turkmenistan:{keywords:["flag","nation","country","banner"],char:"🇹🇲",fitzpatrick_scale:false,category:"flags"},turks_caicos_islands:{keywords:["turks","caicos","islands","flag","nation","country","banner"],char:"🇹🇨",fitzpatrick_scale:false,category:"flags"},tuvalu:{keywords:["flag","nation","country","banner"],char:"🇹🇻",fitzpatrick_scale:false,category:"flags"},uganda:{keywords:["ug","flag","nation","country","banner"],char:"🇺🇬",fitzpatrick_scale:false,category:"flags"},ukraine:{keywords:["ua","flag","nation","country","banner"],char:"🇺🇦",fitzpatrick_scale:false,category:"flags"},united_arab_emirates:{keywords:["united","arab","emirates","flag","nation","country","banner"],char:"🇦🇪",fitzpatrick_scale:false,category:"flags"},uk:{keywords:["united","kingdom","great","britain","northern","ireland","flag","nation","country","banner","british","UK","english","england","union jack"],char:"🇬🇧",fitzpatrick_scale:false,category:"flags"},england:{keywords:["flag","english"],char:"🏴󠁧󠁢󠁥󠁮󠁧󠁿",fitzpatrick_scale:false,category:"flags"},scotland:{keywords:["flag","scottish"],char:"🏴󠁧󠁢󠁳󠁣󠁴󠁿",fitzpatrick_scale:false,category:"flags"},wales:{keywords:["flag","welsh"],char:"🏴󠁧󠁢󠁷󠁬󠁳󠁿",fitzpatrick_scale:false,category:"flags"},us:{keywords:["united","states","america","flag","nation","country","banner"],char:"🇺🇸",fitzpatrick_scale:false,category:"flags"},us_virgin_islands:{keywords:["virgin","islands","us","flag","nation","country","banner"],char:"🇻🇮",fitzpatrick_scale:false,category:"flags"},uruguay:{keywords:["uy","flag","nation","country","banner"],char:"🇺🇾",fitzpatrick_scale:false,category:"flags"},uzbekistan:{keywords:["uz","flag","nation","country","banner"],char:"🇺🇿",fitzpatrick_scale:false,category:"flags"},vanuatu:{keywords:["vu","flag","nation","country","banner"],char:"🇻🇺",fitzpatrick_scale:false,category:"flags"},vatican_city:{keywords:["vatican","city","flag","nation","country","banner"],char:"🇻🇦",fitzpatrick_scale:false,category:"flags"},venezuela:{keywords:["ve","bolivarian","republic","flag","nation","country","banner"],char:"🇻🇪",fitzpatrick_scale:false,category:"flags"},vietnam:{keywords:["viet","nam","flag","nation","country","banner"],char:"🇻🇳",fitzpatrick_scale:false,category:"flags"},wallis_futuna:{keywords:["wallis","futuna","flag","nation","country","banner"],char:"🇼🇫",fitzpatrick_scale:false,category:"flags"},western_sahara:{keywords:["western","sahara","flag","nation","country","banner"],char:"🇪🇭",fitzpatrick_scale:false,category:"flags"},yemen:{keywords:["ye","flag","nation","country","banner"],char:"🇾🇪",fitzpatrick_scale:false,category:"flags"},zambia:{keywords:["zm","flag","nation","country","banner"],char:"🇿🇲",fitzpatrick_scale:false,category:"flags"},zimbabwe:{keywords:["zw","flag","nation","country","banner"],char:"🇿🇼",fitzpatrick_scale:false,category:"flags"},united_nations:{keywords:["un","flag","banner"],char:"🇺🇳",fitzpatrick_scale:false,category:"flags"},pirate_flag:{keywords:["skull","crossbones","flag","banner"],char:"🏴‍☠️",fitzpatrick_scale:false,category:"flags"}}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/emoticons/js/emojis.min.js b/deform/static/tinymce/plugins/emoticons/js/emojis.min.js new file mode 100644 index 00000000..5a1c4916 --- /dev/null +++ b/deform/static/tinymce/plugins/emoticons/js/emojis.min.js @@ -0,0 +1,2 @@ +// Source: npm package: emojilib, file:emojis.json +window.tinymce.Resource.add("tinymce.plugins.emoticons",{grinning:{keywords:["face","smile","happy","joy",":D","grin"],char:"\u{1f600}",fitzpatrick_scale:!1,category:"people"},grimacing:{keywords:["face","grimace","teeth"],char:"\u{1f62c}",fitzpatrick_scale:!1,category:"people"},grin:{keywords:["face","happy","smile","joy","kawaii"],char:"\u{1f601}",fitzpatrick_scale:!1,category:"people"},joy:{keywords:["face","cry","tears","weep","happy","happytears","haha"],char:"\u{1f602}",fitzpatrick_scale:!1,category:"people"},rofl:{keywords:["face","rolling","floor","laughing","lol","haha"],char:"\u{1f923}",fitzpatrick_scale:!1,category:"people"},partying:{keywords:["face","celebration","woohoo"],char:"\u{1f973}",fitzpatrick_scale:!1,category:"people"},smiley:{keywords:["face","happy","joy","haha",":D",":)","smile","funny"],char:"\u{1f603}",fitzpatrick_scale:!1,category:"people"},smile:{keywords:["face","happy","joy","funny","haha","laugh","like",":D",":)"],char:"\u{1f604}",fitzpatrick_scale:!1,category:"people"},sweat_smile:{keywords:["face","hot","happy","laugh","sweat","smile","relief"],char:"\u{1f605}",fitzpatrick_scale:!1,category:"people"},laughing:{keywords:["happy","joy","lol","satisfied","haha","face","glad","XD","laugh"],char:"\u{1f606}",fitzpatrick_scale:!1,category:"people"},innocent:{keywords:["face","angel","heaven","halo"],char:"\u{1f607}",fitzpatrick_scale:!1,category:"people"},wink:{keywords:["face","happy","mischievous","secret",";)","smile","eye"],char:"\u{1f609}",fitzpatrick_scale:!1,category:"people"},blush:{keywords:["face","smile","happy","flushed","crush","embarrassed","shy","joy"],char:"\u{1f60a}",fitzpatrick_scale:!1,category:"people"},slightly_smiling_face:{keywords:["face","smile"],char:"\u{1f642}",fitzpatrick_scale:!1,category:"people"},upside_down_face:{keywords:["face","flipped","silly","smile"],char:"\u{1f643}",fitzpatrick_scale:!1,category:"people"},relaxed:{keywords:["face","blush","massage","happiness"],char:"\u263a\ufe0f",fitzpatrick_scale:!1,category:"people"},yum:{keywords:["happy","joy","tongue","smile","face","silly","yummy","nom","delicious","savouring"],char:"\u{1f60b}",fitzpatrick_scale:!1,category:"people"},relieved:{keywords:["face","relaxed","phew","massage","happiness"],char:"\u{1f60c}",fitzpatrick_scale:!1,category:"people"},heart_eyes:{keywords:["face","love","like","affection","valentines","infatuation","crush","heart"],char:"\u{1f60d}",fitzpatrick_scale:!1,category:"people"},smiling_face_with_three_hearts:{keywords:["face","love","like","affection","valentines","infatuation","crush","hearts","adore"],char:"\u{1f970}",fitzpatrick_scale:!1,category:"people"},kissing_heart:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:"\u{1f618}",fitzpatrick_scale:!1,category:"people"},kissing:{keywords:["love","like","face","3","valentines","infatuation","kiss"],char:"\u{1f617}",fitzpatrick_scale:!1,category:"people"},kissing_smiling_eyes:{keywords:["face","affection","valentines","infatuation","kiss"],char:"\u{1f619}",fitzpatrick_scale:!1,category:"people"},kissing_closed_eyes:{keywords:["face","love","like","affection","valentines","infatuation","kiss"],char:"\u{1f61a}",fitzpatrick_scale:!1,category:"people"},stuck_out_tongue_winking_eye:{keywords:["face","prank","childish","playful","mischievous","smile","wink","tongue"],char:"\u{1f61c}",fitzpatrick_scale:!1,category:"people"},zany:{keywords:["face","goofy","crazy"],char:"\u{1f92a}",fitzpatrick_scale:!1,category:"people"},raised_eyebrow:{keywords:["face","distrust","scepticism","disapproval","disbelief","surprise"],char:"\u{1f928}",fitzpatrick_scale:!1,category:"people"},monocle:{keywords:["face","stuffy","wealthy"],char:"\u{1f9d0}",fitzpatrick_scale:!1,category:"people"},stuck_out_tongue_closed_eyes:{keywords:["face","prank","playful","mischievous","smile","tongue"],char:"\u{1f61d}",fitzpatrick_scale:!1,category:"people"},stuck_out_tongue:{keywords:["face","prank","childish","playful","mischievous","smile","tongue"],char:"\u{1f61b}",fitzpatrick_scale:!1,category:"people"},money_mouth_face:{keywords:["face","rich","dollar","money"],char:"\u{1f911}",fitzpatrick_scale:!1,category:"people"},nerd_face:{keywords:["face","nerdy","geek","dork"],char:"\u{1f913}",fitzpatrick_scale:!1,category:"people"},sunglasses:{keywords:["face","cool","smile","summer","beach","sunglass"],char:"\u{1f60e}",fitzpatrick_scale:!1,category:"people"},star_struck:{keywords:["face","smile","starry","eyes","grinning"],char:"\u{1f929}",fitzpatrick_scale:!1,category:"people"},clown_face:{keywords:["face"],char:"\u{1f921}",fitzpatrick_scale:!1,category:"people"},cowboy_hat_face:{keywords:["face","cowgirl","hat"],char:"\u{1f920}",fitzpatrick_scale:!1,category:"people"},hugs:{keywords:["face","smile","hug"],char:"\u{1f917}",fitzpatrick_scale:!1,category:"people"},smirk:{keywords:["face","smile","mean","prank","smug","sarcasm"],char:"\u{1f60f}",fitzpatrick_scale:!1,category:"people"},no_mouth:{keywords:["face","hellokitty"],char:"\u{1f636}",fitzpatrick_scale:!1,category:"people"},neutral_face:{keywords:["indifference","meh",":|","neutral"],char:"\u{1f610}",fitzpatrick_scale:!1,category:"people"},expressionless:{keywords:["face","indifferent","-_-","meh","deadpan"],char:"\u{1f611}",fitzpatrick_scale:!1,category:"people"},unamused:{keywords:["indifference","bored","straight face","serious","sarcasm","unimpressed","skeptical","dubious","side_eye"],char:"\u{1f612}",fitzpatrick_scale:!1,category:"people"},roll_eyes:{keywords:["face","eyeroll","frustrated"],char:"\u{1f644}",fitzpatrick_scale:!1,category:"people"},thinking:{keywords:["face","hmmm","think","consider"],char:"\u{1f914}",fitzpatrick_scale:!1,category:"people"},lying_face:{keywords:["face","lie","pinocchio"],char:"\u{1f925}",fitzpatrick_scale:!1,category:"people"},hand_over_mouth:{keywords:["face","whoops","shock","surprise"],char:"\u{1f92d}",fitzpatrick_scale:!1,category:"people"},shushing:{keywords:["face","quiet","shhh"],char:"\u{1f92b}",fitzpatrick_scale:!1,category:"people"},symbols_over_mouth:{keywords:["face","swearing","cursing","cussing","profanity","expletive"],char:"\u{1f92c}",fitzpatrick_scale:!1,category:"people"},exploding_head:{keywords:["face","shocked","mind","blown"],char:"\u{1f92f}",fitzpatrick_scale:!1,category:"people"},flushed:{keywords:["face","blush","shy","flattered"],char:"\u{1f633}",fitzpatrick_scale:!1,category:"people"},disappointed:{keywords:["face","sad","upset","depressed",":("],char:"\u{1f61e}",fitzpatrick_scale:!1,category:"people"},worried:{keywords:["face","concern","nervous",":("],char:"\u{1f61f}",fitzpatrick_scale:!1,category:"people"},angry:{keywords:["mad","face","annoyed","frustrated"],char:"\u{1f620}",fitzpatrick_scale:!1,category:"people"},rage:{keywords:["angry","mad","hate","despise"],char:"\u{1f621}",fitzpatrick_scale:!1,category:"people"},pensive:{keywords:["face","sad","depressed","upset"],char:"\u{1f614}",fitzpatrick_scale:!1,category:"people"},confused:{keywords:["face","indifference","huh","weird","hmmm",":/"],char:"\u{1f615}",fitzpatrick_scale:!1,category:"people"},slightly_frowning_face:{keywords:["face","frowning","disappointed","sad","upset"],char:"\u{1f641}",fitzpatrick_scale:!1,category:"people"},frowning_face:{keywords:["face","sad","upset","frown"],char:"\u2639",fitzpatrick_scale:!1,category:"people"},persevere:{keywords:["face","sick","no","upset","oops"],char:"\u{1f623}",fitzpatrick_scale:!1,category:"people"},confounded:{keywords:["face","confused","sick","unwell","oops",":S"],char:"\u{1f616}",fitzpatrick_scale:!1,category:"people"},tired_face:{keywords:["sick","whine","upset","frustrated"],char:"\u{1f62b}",fitzpatrick_scale:!1,category:"people"},weary:{keywords:["face","tired","sleepy","sad","frustrated","upset"],char:"\u{1f629}",fitzpatrick_scale:!1,category:"people"},pleading:{keywords:["face","begging","mercy"],char:"\u{1f97a}",fitzpatrick_scale:!1,category:"people"},triumph:{keywords:["face","gas","phew","proud","pride"],char:"\u{1f624}",fitzpatrick_scale:!1,category:"people"},open_mouth:{keywords:["face","surprise","impressed","wow","whoa",":O"],char:"\u{1f62e}",fitzpatrick_scale:!1,category:"people"},scream:{keywords:["face","munch","scared","omg"],char:"\u{1f631}",fitzpatrick_scale:!1,category:"people"},fearful:{keywords:["face","scared","terrified","nervous","oops","huh"],char:"\u{1f628}",fitzpatrick_scale:!1,category:"people"},cold_sweat:{keywords:["face","nervous","sweat"],char:"\u{1f630}",fitzpatrick_scale:!1,category:"people"},hushed:{keywords:["face","woo","shh"],char:"\u{1f62f}",fitzpatrick_scale:!1,category:"people"},frowning:{keywords:["face","aw","what"],char:"\u{1f626}",fitzpatrick_scale:!1,category:"people"},anguished:{keywords:["face","stunned","nervous"],char:"\u{1f627}",fitzpatrick_scale:!1,category:"people"},cry:{keywords:["face","tears","sad","depressed","upset",":'("],char:"\u{1f622}",fitzpatrick_scale:!1,category:"people"},disappointed_relieved:{keywords:["face","phew","sweat","nervous"],char:"\u{1f625}",fitzpatrick_scale:!1,category:"people"},drooling_face:{keywords:["face"],char:"\u{1f924}",fitzpatrick_scale:!1,category:"people"},sleepy:{keywords:["face","tired","rest","nap"],char:"\u{1f62a}",fitzpatrick_scale:!1,category:"people"},sweat:{keywords:["face","hot","sad","tired","exercise"],char:"\u{1f613}",fitzpatrick_scale:!1,category:"people"},hot:{keywords:["face","feverish","heat","red","sweating"],char:"\u{1f975}",fitzpatrick_scale:!1,category:"people"},cold:{keywords:["face","blue","freezing","frozen","frostbite","icicles"],char:"\u{1f976}",fitzpatrick_scale:!1,category:"people"},sob:{keywords:["face","cry","tears","sad","upset","depressed"],char:"\u{1f62d}",fitzpatrick_scale:!1,category:"people"},dizzy_face:{keywords:["spent","unconscious","xox","dizzy"],char:"\u{1f635}",fitzpatrick_scale:!1,category:"people"},astonished:{keywords:["face","xox","surprised","poisoned"],char:"\u{1f632}",fitzpatrick_scale:!1,category:"people"},zipper_mouth_face:{keywords:["face","sealed","zipper","secret"],char:"\u{1f910}",fitzpatrick_scale:!1,category:"people"},nauseated_face:{keywords:["face","vomit","gross","green","sick","throw up","ill"],char:"\u{1f922}",fitzpatrick_scale:!1,category:"people"},sneezing_face:{keywords:["face","gesundheit","sneeze","sick","allergy"],char:"\u{1f927}",fitzpatrick_scale:!1,category:"people"},vomiting:{keywords:["face","sick"],char:"\u{1f92e}",fitzpatrick_scale:!1,category:"people"},mask:{keywords:["face","sick","ill","disease"],char:"\u{1f637}",fitzpatrick_scale:!1,category:"people"},face_with_thermometer:{keywords:["sick","temperature","thermometer","cold","fever"],char:"\u{1f912}",fitzpatrick_scale:!1,category:"people"},face_with_head_bandage:{keywords:["injured","clumsy","bandage","hurt"],char:"\u{1f915}",fitzpatrick_scale:!1,category:"people"},woozy:{keywords:["face","dizzy","intoxicated","tipsy","wavy"],char:"\u{1f974}",fitzpatrick_scale:!1,category:"people"},sleeping:{keywords:["face","tired","sleepy","night","zzz"],char:"\u{1f634}",fitzpatrick_scale:!1,category:"people"},zzz:{keywords:["sleepy","tired","dream"],char:"\u{1f4a4}",fitzpatrick_scale:!1,category:"people"},poop:{keywords:["hankey","shitface","fail","turd","shit"],char:"\u{1f4a9}",fitzpatrick_scale:!1,category:"people"},smiling_imp:{keywords:["devil","horns"],char:"\u{1f608}",fitzpatrick_scale:!1,category:"people"},imp:{keywords:["devil","angry","horns"],char:"\u{1f47f}",fitzpatrick_scale:!1,category:"people"},japanese_ogre:{keywords:["monster","red","mask","halloween","scary","creepy","devil","demon","japanese","ogre"],char:"\u{1f479}",fitzpatrick_scale:!1,category:"people"},japanese_goblin:{keywords:["red","evil","mask","monster","scary","creepy","japanese","goblin"],char:"\u{1f47a}",fitzpatrick_scale:!1,category:"people"},skull:{keywords:["dead","skeleton","creepy","death"],char:"\u{1f480}",fitzpatrick_scale:!1,category:"people"},ghost:{keywords:["halloween","spooky","scary"],char:"\u{1f47b}",fitzpatrick_scale:!1,category:"people"},alien:{keywords:["UFO","paul","weird","outer_space"],char:"\u{1f47d}",fitzpatrick_scale:!1,category:"people"},robot:{keywords:["computer","machine","bot"],char:"\u{1f916}",fitzpatrick_scale:!1,category:"people"},smiley_cat:{keywords:["animal","cats","happy","smile"],char:"\u{1f63a}",fitzpatrick_scale:!1,category:"people"},smile_cat:{keywords:["animal","cats","smile"],char:"\u{1f638}",fitzpatrick_scale:!1,category:"people"},joy_cat:{keywords:["animal","cats","haha","happy","tears"],char:"\u{1f639}",fitzpatrick_scale:!1,category:"people"},heart_eyes_cat:{keywords:["animal","love","like","affection","cats","valentines","heart"],char:"\u{1f63b}",fitzpatrick_scale:!1,category:"people"},smirk_cat:{keywords:["animal","cats","smirk"],char:"\u{1f63c}",fitzpatrick_scale:!1,category:"people"},kissing_cat:{keywords:["animal","cats","kiss"],char:"\u{1f63d}",fitzpatrick_scale:!1,category:"people"},scream_cat:{keywords:["animal","cats","munch","scared","scream"],char:"\u{1f640}",fitzpatrick_scale:!1,category:"people"},crying_cat_face:{keywords:["animal","tears","weep","sad","cats","upset","cry"],char:"\u{1f63f}",fitzpatrick_scale:!1,category:"people"},pouting_cat:{keywords:["animal","cats"],char:"\u{1f63e}",fitzpatrick_scale:!1,category:"people"},palms_up:{keywords:["hands","gesture","cupped","prayer"],char:"\u{1f932}",fitzpatrick_scale:!0,category:"people"},raised_hands:{keywords:["gesture","hooray","yea","celebration","hands"],char:"\u{1f64c}",fitzpatrick_scale:!0,category:"people"},clap:{keywords:["hands","praise","applause","congrats","yay"],char:"\u{1f44f}",fitzpatrick_scale:!0,category:"people"},wave:{keywords:["hands","gesture","goodbye","solong","farewell","hello","hi","palm"],char:"\u{1f44b}",fitzpatrick_scale:!0,category:"people"},call_me_hand:{keywords:["hands","gesture"],char:"\u{1f919}",fitzpatrick_scale:!0,category:"people"},"+1":{keywords:["thumbsup","yes","awesome","good","agree","accept","cool","hand","like"],char:"\u{1f44d}",fitzpatrick_scale:!0,category:"people"},"-1":{keywords:["thumbsdown","no","dislike","hand"],char:"\u{1f44e}",fitzpatrick_scale:!0,category:"people"},facepunch:{keywords:["angry","violence","fist","hit","attack","hand"],char:"\u{1f44a}",fitzpatrick_scale:!0,category:"people"},fist:{keywords:["fingers","hand","grasp"],char:"\u270a",fitzpatrick_scale:!0,category:"people"},fist_left:{keywords:["hand","fistbump"],char:"\u{1f91b}",fitzpatrick_scale:!0,category:"people"},fist_right:{keywords:["hand","fistbump"],char:"\u{1f91c}",fitzpatrick_scale:!0,category:"people"},v:{keywords:["fingers","ohyeah","hand","peace","victory","two"],char:"\u270c",fitzpatrick_scale:!0,category:"people"},ok_hand:{keywords:["fingers","limbs","perfect","ok","okay"],char:"\u{1f44c}",fitzpatrick_scale:!0,category:"people"},raised_hand:{keywords:["fingers","stop","highfive","palm","ban"],char:"\u270b",fitzpatrick_scale:!0,category:"people"},raised_back_of_hand:{keywords:["fingers","raised","backhand"],char:"\u{1f91a}",fitzpatrick_scale:!0,category:"people"},open_hands:{keywords:["fingers","butterfly","hands","open"],char:"\u{1f450}",fitzpatrick_scale:!0,category:"people"},muscle:{keywords:["arm","flex","hand","summer","strong","biceps"],char:"\u{1f4aa}",fitzpatrick_scale:!0,category:"people"},pray:{keywords:["please","hope","wish","namaste","highfive"],char:"\u{1f64f}",fitzpatrick_scale:!0,category:"people"},foot:{keywords:["kick","stomp"],char:"\u{1f9b6}",fitzpatrick_scale:!0,category:"people"},leg:{keywords:["kick","limb"],char:"\u{1f9b5}",fitzpatrick_scale:!0,category:"people"},handshake:{keywords:["agreement","shake"],char:"\u{1f91d}",fitzpatrick_scale:!1,category:"people"},point_up:{keywords:["hand","fingers","direction","up"],char:"\u261d",fitzpatrick_scale:!0,category:"people"},point_up_2:{keywords:["fingers","hand","direction","up"],char:"\u{1f446}",fitzpatrick_scale:!0,category:"people"},point_down:{keywords:["fingers","hand","direction","down"],char:"\u{1f447}",fitzpatrick_scale:!0,category:"people"},point_left:{keywords:["direction","fingers","hand","left"],char:"\u{1f448}",fitzpatrick_scale:!0,category:"people"},point_right:{keywords:["fingers","hand","direction","right"],char:"\u{1f449}",fitzpatrick_scale:!0,category:"people"},fu:{keywords:["hand","fingers","rude","middle","flipping"],char:"\u{1f595}",fitzpatrick_scale:!0,category:"people"},raised_hand_with_fingers_splayed:{keywords:["hand","fingers","palm"],char:"\u{1f590}",fitzpatrick_scale:!0,category:"people"},love_you:{keywords:["hand","fingers","gesture"],char:"\u{1f91f}",fitzpatrick_scale:!0,category:"people"},metal:{keywords:["hand","fingers","evil_eye","sign_of_horns","rock_on"],char:"\u{1f918}",fitzpatrick_scale:!0,category:"people"},crossed_fingers:{keywords:["good","lucky"],char:"\u{1f91e}",fitzpatrick_scale:!0,category:"people"},vulcan_salute:{keywords:["hand","fingers","spock","star trek"],char:"\u{1f596}",fitzpatrick_scale:!0,category:"people"},writing_hand:{keywords:["lower_left_ballpoint_pen","stationery","write","compose"],char:"\u270d",fitzpatrick_scale:!0,category:"people"},selfie:{keywords:["camera","phone"],char:"\u{1f933}",fitzpatrick_scale:!0,category:"people"},nail_care:{keywords:["beauty","manicure","finger","fashion","nail"],char:"\u{1f485}",fitzpatrick_scale:!0,category:"people"},lips:{keywords:["mouth","kiss"],char:"\u{1f444}",fitzpatrick_scale:!1,category:"people"},tooth:{keywords:["teeth","dentist"],char:"\u{1f9b7}",fitzpatrick_scale:!1,category:"people"},tongue:{keywords:["mouth","playful"],char:"\u{1f445}",fitzpatrick_scale:!1,category:"people"},ear:{keywords:["face","hear","sound","listen"],char:"\u{1f442}",fitzpatrick_scale:!0,category:"people"},nose:{keywords:["smell","sniff"],char:"\u{1f443}",fitzpatrick_scale:!0,category:"people"},eye:{keywords:["face","look","see","watch","stare"],char:"\u{1f441}",fitzpatrick_scale:!1,category:"people"},eyes:{keywords:["look","watch","stalk","peek","see"],char:"\u{1f440}",fitzpatrick_scale:!1,category:"people"},brain:{keywords:["smart","intelligent"],char:"\u{1f9e0}",fitzpatrick_scale:!1,category:"people"},bust_in_silhouette:{keywords:["user","person","human"],char:"\u{1f464}",fitzpatrick_scale:!1,category:"people"},busts_in_silhouette:{keywords:["user","person","human","group","team"],char:"\u{1f465}",fitzpatrick_scale:!1,category:"people"},speaking_head:{keywords:["user","person","human","sing","say","talk"],char:"\u{1f5e3}",fitzpatrick_scale:!1,category:"people"},baby:{keywords:["child","boy","girl","toddler"],char:"\u{1f476}",fitzpatrick_scale:!0,category:"people"},child:{keywords:["gender-neutral","young"],char:"\u{1f9d2}",fitzpatrick_scale:!0,category:"people"},boy:{keywords:["man","male","guy","teenager"],char:"\u{1f466}",fitzpatrick_scale:!0,category:"people"},girl:{keywords:["female","woman","teenager"],char:"\u{1f467}",fitzpatrick_scale:!0,category:"people"},adult:{keywords:["gender-neutral","person"],char:"\u{1f9d1}",fitzpatrick_scale:!0,category:"people"},man:{keywords:["mustache","father","dad","guy","classy","sir","moustache"],char:"\u{1f468}",fitzpatrick_scale:!0,category:"people"},woman:{keywords:["female","girls","lady"],char:"\u{1f469}",fitzpatrick_scale:!0,category:"people"},blonde_woman:{keywords:["woman","female","girl","blonde","person"],char:"\u{1f471}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},blonde_man:{keywords:["man","male","boy","blonde","guy","person"],char:"\u{1f471}",fitzpatrick_scale:!0,category:"people"},bearded_person:{keywords:["person","bewhiskered"],char:"\u{1f9d4}",fitzpatrick_scale:!0,category:"people"},older_adult:{keywords:["human","elder","senior","gender-neutral"],char:"\u{1f9d3}",fitzpatrick_scale:!0,category:"people"},older_man:{keywords:["human","male","men","old","elder","senior"],char:"\u{1f474}",fitzpatrick_scale:!0,category:"people"},older_woman:{keywords:["human","female","women","lady","old","elder","senior"],char:"\u{1f475}",fitzpatrick_scale:!0,category:"people"},man_with_gua_pi_mao:{keywords:["male","boy","chinese"],char:"\u{1f472}",fitzpatrick_scale:!0,category:"people"},woman_with_headscarf:{keywords:["female","hijab","mantilla","tichel"],char:"\u{1f9d5}",fitzpatrick_scale:!0,category:"people"},woman_with_turban:{keywords:["female","indian","hinduism","arabs","woman"],char:"\u{1f473}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},man_with_turban:{keywords:["male","indian","hinduism","arabs"],char:"\u{1f473}",fitzpatrick_scale:!0,category:"people"},policewoman:{keywords:["woman","police","law","legal","enforcement","arrest","911","female"],char:"\u{1f46e}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},policeman:{keywords:["man","police","law","legal","enforcement","arrest","911"],char:"\u{1f46e}",fitzpatrick_scale:!0,category:"people"},construction_worker_woman:{keywords:["female","human","wip","build","construction","worker","labor","woman"],char:"\u{1f477}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},construction_worker_man:{keywords:["male","human","wip","guy","build","construction","worker","labor"],char:"\u{1f477}",fitzpatrick_scale:!0,category:"people"},guardswoman:{keywords:["uk","gb","british","female","royal","woman"],char:"\u{1f482}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},guardsman:{keywords:["uk","gb","british","male","guy","royal"],char:"\u{1f482}",fitzpatrick_scale:!0,category:"people"},female_detective:{keywords:["human","spy","detective","female","woman"],char:"\u{1f575}\ufe0f\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},male_detective:{keywords:["human","spy","detective"],char:"\u{1f575}",fitzpatrick_scale:!0,category:"people"},woman_health_worker:{keywords:["doctor","nurse","therapist","healthcare","woman","human"],char:"\u{1f469}\u200d\u2695\ufe0f",fitzpatrick_scale:!0,category:"people"},man_health_worker:{keywords:["doctor","nurse","therapist","healthcare","man","human"],char:"\u{1f468}\u200d\u2695\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_farmer:{keywords:["rancher","gardener","woman","human"],char:"\u{1f469}\u200d\u{1f33e}",fitzpatrick_scale:!0,category:"people"},man_farmer:{keywords:["rancher","gardener","man","human"],char:"\u{1f468}\u200d\u{1f33e}",fitzpatrick_scale:!0,category:"people"},woman_cook:{keywords:["chef","woman","human"],char:"\u{1f469}\u200d\u{1f373}",fitzpatrick_scale:!0,category:"people"},man_cook:{keywords:["chef","man","human"],char:"\u{1f468}\u200d\u{1f373}",fitzpatrick_scale:!0,category:"people"},woman_student:{keywords:["graduate","woman","human"],char:"\u{1f469}\u200d\u{1f393}",fitzpatrick_scale:!0,category:"people"},man_student:{keywords:["graduate","man","human"],char:"\u{1f468}\u200d\u{1f393}",fitzpatrick_scale:!0,category:"people"},woman_singer:{keywords:["rockstar","entertainer","woman","human"],char:"\u{1f469}\u200d\u{1f3a4}",fitzpatrick_scale:!0,category:"people"},man_singer:{keywords:["rockstar","entertainer","man","human"],char:"\u{1f468}\u200d\u{1f3a4}",fitzpatrick_scale:!0,category:"people"},woman_teacher:{keywords:["instructor","professor","woman","human"],char:"\u{1f469}\u200d\u{1f3eb}",fitzpatrick_scale:!0,category:"people"},man_teacher:{keywords:["instructor","professor","man","human"],char:"\u{1f468}\u200d\u{1f3eb}",fitzpatrick_scale:!0,category:"people"},woman_factory_worker:{keywords:["assembly","industrial","woman","human"],char:"\u{1f469}\u200d\u{1f3ed}",fitzpatrick_scale:!0,category:"people"},man_factory_worker:{keywords:["assembly","industrial","man","human"],char:"\u{1f468}\u200d\u{1f3ed}",fitzpatrick_scale:!0,category:"people"},woman_technologist:{keywords:["coder","developer","engineer","programmer","software","woman","human","laptop","computer"],char:"\u{1f469}\u200d\u{1f4bb}",fitzpatrick_scale:!0,category:"people"},man_technologist:{keywords:["coder","developer","engineer","programmer","software","man","human","laptop","computer"],char:"\u{1f468}\u200d\u{1f4bb}",fitzpatrick_scale:!0,category:"people"},woman_office_worker:{keywords:["business","manager","woman","human"],char:"\u{1f469}\u200d\u{1f4bc}",fitzpatrick_scale:!0,category:"people"},man_office_worker:{keywords:["business","manager","man","human"],char:"\u{1f468}\u200d\u{1f4bc}",fitzpatrick_scale:!0,category:"people"},woman_mechanic:{keywords:["plumber","woman","human","wrench"],char:"\u{1f469}\u200d\u{1f527}",fitzpatrick_scale:!0,category:"people"},man_mechanic:{keywords:["plumber","man","human","wrench"],char:"\u{1f468}\u200d\u{1f527}",fitzpatrick_scale:!0,category:"people"},woman_scientist:{keywords:["biologist","chemist","engineer","physicist","woman","human"],char:"\u{1f469}\u200d\u{1f52c}",fitzpatrick_scale:!0,category:"people"},man_scientist:{keywords:["biologist","chemist","engineer","physicist","man","human"],char:"\u{1f468}\u200d\u{1f52c}",fitzpatrick_scale:!0,category:"people"},woman_artist:{keywords:["painter","woman","human"],char:"\u{1f469}\u200d\u{1f3a8}",fitzpatrick_scale:!0,category:"people"},man_artist:{keywords:["painter","man","human"],char:"\u{1f468}\u200d\u{1f3a8}",fitzpatrick_scale:!0,category:"people"},woman_firefighter:{keywords:["fireman","woman","human"],char:"\u{1f469}\u200d\u{1f692}",fitzpatrick_scale:!0,category:"people"},man_firefighter:{keywords:["fireman","man","human"],char:"\u{1f468}\u200d\u{1f692}",fitzpatrick_scale:!0,category:"people"},woman_pilot:{keywords:["aviator","plane","woman","human"],char:"\u{1f469}\u200d\u2708\ufe0f",fitzpatrick_scale:!0,category:"people"},man_pilot:{keywords:["aviator","plane","man","human"],char:"\u{1f468}\u200d\u2708\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_astronaut:{keywords:["space","rocket","woman","human"],char:"\u{1f469}\u200d\u{1f680}",fitzpatrick_scale:!0,category:"people"},man_astronaut:{keywords:["space","rocket","man","human"],char:"\u{1f468}\u200d\u{1f680}",fitzpatrick_scale:!0,category:"people"},woman_judge:{keywords:["justice","court","woman","human"],char:"\u{1f469}\u200d\u2696\ufe0f",fitzpatrick_scale:!0,category:"people"},man_judge:{keywords:["justice","court","man","human"],char:"\u{1f468}\u200d\u2696\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_superhero:{keywords:["woman","female","good","heroine","superpowers"],char:"\u{1f9b8}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},man_superhero:{keywords:["man","male","good","hero","superpowers"],char:"\u{1f9b8}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_supervillain:{keywords:["woman","female","evil","bad","criminal","heroine","superpowers"],char:"\u{1f9b9}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},man_supervillain:{keywords:["man","male","evil","bad","criminal","hero","superpowers"],char:"\u{1f9b9}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},mrs_claus:{keywords:["woman","female","xmas","mother christmas"],char:"\u{1f936}",fitzpatrick_scale:!0,category:"people"},santa:{keywords:["festival","man","male","xmas","father christmas"],char:"\u{1f385}",fitzpatrick_scale:!0,category:"people"},sorceress:{keywords:["woman","female","mage","witch"],char:"\u{1f9d9}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},wizard:{keywords:["man","male","mage","sorcerer"],char:"\u{1f9d9}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_elf:{keywords:["woman","female"],char:"\u{1f9dd}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},man_elf:{keywords:["man","male"],char:"\u{1f9dd}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_vampire:{keywords:["woman","female"],char:"\u{1f9db}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},man_vampire:{keywords:["man","male","dracula"],char:"\u{1f9db}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_zombie:{keywords:["woman","female","undead","walking dead"],char:"\u{1f9df}\u200d\u2640\ufe0f",fitzpatrick_scale:!1,category:"people"},man_zombie:{keywords:["man","male","dracula","undead","walking dead"],char:"\u{1f9df}\u200d\u2642\ufe0f",fitzpatrick_scale:!1,category:"people"},woman_genie:{keywords:["woman","female"],char:"\u{1f9de}\u200d\u2640\ufe0f",fitzpatrick_scale:!1,category:"people"},man_genie:{keywords:["man","male"],char:"\u{1f9de}\u200d\u2642\ufe0f",fitzpatrick_scale:!1,category:"people"},mermaid:{keywords:["woman","female","merwoman","ariel"],char:"\u{1f9dc}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},merman:{keywords:["man","male","triton"],char:"\u{1f9dc}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_fairy:{keywords:["woman","female"],char:"\u{1f9da}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},man_fairy:{keywords:["man","male"],char:"\u{1f9da}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},angel:{keywords:["heaven","wings","halo"],char:"\u{1f47c}",fitzpatrick_scale:!0,category:"people"},pregnant_woman:{keywords:["baby"],char:"\u{1f930}",fitzpatrick_scale:!0,category:"people"},breastfeeding:{keywords:["nursing","baby"],char:"\u{1f931}",fitzpatrick_scale:!0,category:"people"},princess:{keywords:["girl","woman","female","blond","crown","royal","queen"],char:"\u{1f478}",fitzpatrick_scale:!0,category:"people"},prince:{keywords:["boy","man","male","crown","royal","king"],char:"\u{1f934}",fitzpatrick_scale:!0,category:"people"},bride_with_veil:{keywords:["couple","marriage","wedding","woman","bride"],char:"\u{1f470}",fitzpatrick_scale:!0,category:"people"},man_in_tuxedo:{keywords:["couple","marriage","wedding","groom"],char:"\u{1f935}",fitzpatrick_scale:!0,category:"people"},running_woman:{keywords:["woman","walking","exercise","race","running","female"],char:"\u{1f3c3}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},running_man:{keywords:["man","walking","exercise","race","running"],char:"\u{1f3c3}",fitzpatrick_scale:!0,category:"people"},walking_woman:{keywords:["human","feet","steps","woman","female"],char:"\u{1f6b6}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},walking_man:{keywords:["human","feet","steps"],char:"\u{1f6b6}",fitzpatrick_scale:!0,category:"people"},dancer:{keywords:["female","girl","woman","fun"],char:"\u{1f483}",fitzpatrick_scale:!0,category:"people"},man_dancing:{keywords:["male","boy","fun","dancer"],char:"\u{1f57a}",fitzpatrick_scale:!0,category:"people"},dancing_women:{keywords:["female","bunny","women","girls"],char:"\u{1f46f}",fitzpatrick_scale:!1,category:"people"},dancing_men:{keywords:["male","bunny","men","boys"],char:"\u{1f46f}\u200d\u2642\ufe0f",fitzpatrick_scale:!1,category:"people"},couple:{keywords:["pair","people","human","love","date","dating","like","affection","valentines","marriage"],char:"\u{1f46b}",fitzpatrick_scale:!1,category:"people"},two_men_holding_hands:{keywords:["pair","couple","love","like","bromance","friendship","people","human"],char:"\u{1f46c}",fitzpatrick_scale:!1,category:"people"},two_women_holding_hands:{keywords:["pair","friendship","couple","love","like","female","people","human"],char:"\u{1f46d}",fitzpatrick_scale:!1,category:"people"},bowing_woman:{keywords:["woman","female","girl"],char:"\u{1f647}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},bowing_man:{keywords:["man","male","boy"],char:"\u{1f647}",fitzpatrick_scale:!0,category:"people"},man_facepalming:{keywords:["man","male","boy","disbelief"],char:"\u{1f926}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_facepalming:{keywords:["woman","female","girl","disbelief"],char:"\u{1f926}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_shrugging:{keywords:["woman","female","girl","confused","indifferent","doubt"],char:"\u{1f937}",fitzpatrick_scale:!0,category:"people"},man_shrugging:{keywords:["man","male","boy","confused","indifferent","doubt"],char:"\u{1f937}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},tipping_hand_woman:{keywords:["female","girl","woman","human","information"],char:"\u{1f481}",fitzpatrick_scale:!0,category:"people"},tipping_hand_man:{keywords:["male","boy","man","human","information"],char:"\u{1f481}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},no_good_woman:{keywords:["female","girl","woman","nope"],char:"\u{1f645}",fitzpatrick_scale:!0,category:"people"},no_good_man:{keywords:["male","boy","man","nope"],char:"\u{1f645}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},ok_woman:{keywords:["women","girl","female","pink","human","woman"],char:"\u{1f646}",fitzpatrick_scale:!0,category:"people"},ok_man:{keywords:["men","boy","male","blue","human","man"],char:"\u{1f646}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},raising_hand_woman:{keywords:["female","girl","woman"],char:"\u{1f64b}",fitzpatrick_scale:!0,category:"people"},raising_hand_man:{keywords:["male","boy","man"],char:"\u{1f64b}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},pouting_woman:{keywords:["female","girl","woman"],char:"\u{1f64e}",fitzpatrick_scale:!0,category:"people"},pouting_man:{keywords:["male","boy","man"],char:"\u{1f64e}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},frowning_woman:{keywords:["female","girl","woman","sad","depressed","discouraged","unhappy"],char:"\u{1f64d}",fitzpatrick_scale:!0,category:"people"},frowning_man:{keywords:["male","boy","man","sad","depressed","discouraged","unhappy"],char:"\u{1f64d}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},haircut_woman:{keywords:["female","girl","woman"],char:"\u{1f487}",fitzpatrick_scale:!0,category:"people"},haircut_man:{keywords:["male","boy","man"],char:"\u{1f487}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},massage_woman:{keywords:["female","girl","woman","head"],char:"\u{1f486}",fitzpatrick_scale:!0,category:"people"},massage_man:{keywords:["male","boy","man","head"],char:"\u{1f486}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},woman_in_steamy_room:{keywords:["female","woman","spa","steamroom","sauna"],char:"\u{1f9d6}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"people"},man_in_steamy_room:{keywords:["male","man","spa","steamroom","sauna"],char:"\u{1f9d6}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"people"},couple_with_heart_woman_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:"\u{1f491}",fitzpatrick_scale:!1,category:"people"},couple_with_heart_woman_woman:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:"\u{1f469}\u200d\u2764\ufe0f\u200d\u{1f469}",fitzpatrick_scale:!1,category:"people"},couple_with_heart_man_man:{keywords:["pair","love","like","affection","human","dating","valentines","marriage"],char:"\u{1f468}\u200d\u2764\ufe0f\u200d\u{1f468}",fitzpatrick_scale:!1,category:"people"},couplekiss_man_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:"\u{1f48f}",fitzpatrick_scale:!1,category:"people"},couplekiss_woman_woman:{keywords:["pair","valentines","love","like","dating","marriage"],char:"\u{1f469}\u200d\u2764\ufe0f\u200d\u{1f48b}\u200d\u{1f469}",fitzpatrick_scale:!1,category:"people"},couplekiss_man_man:{keywords:["pair","valentines","love","like","dating","marriage"],char:"\u{1f468}\u200d\u2764\ufe0f\u200d\u{1f48b}\u200d\u{1f468}",fitzpatrick_scale:!1,category:"people"},family_man_woman_boy:{keywords:["home","parents","child","mom","dad","father","mother","people","human"],char:"\u{1f46a}",fitzpatrick_scale:!1,category:"people"},family_man_woman_girl:{keywords:["home","parents","people","human","child"],char:"\u{1f468}\u200d\u{1f469}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_man_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f469}\u200d\u{1f466}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_woman_woman_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f469}\u200d\u{1f469}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_woman_woman_girl:{keywords:["home","parents","people","human","children"],char:"\u{1f469}\u200d\u{1f469}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_woman_woman_girl_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f469}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_woman_woman_boy_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f469}\u200d\u{1f469}\u200d\u{1f466}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_woman_woman_girl_girl:{keywords:["home","parents","people","human","children"],char:"\u{1f469}\u200d\u{1f469}\u200d\u{1f467}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_man_man_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f468}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_man_girl:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f468}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_man_man_girl_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f468}\u200d\u{1f467}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_man_boy_boy:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f468}\u200d\u{1f466}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_man_girl_girl:{keywords:["home","parents","people","human","children"],char:"\u{1f468}\u200d\u{1f468}\u200d\u{1f467}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_woman_boy:{keywords:["home","parent","people","human","child"],char:"\u{1f469}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_woman_girl:{keywords:["home","parent","people","human","child"],char:"\u{1f469}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_woman_girl_boy:{keywords:["home","parent","people","human","children"],char:"\u{1f469}\u200d\u{1f467}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_woman_boy_boy:{keywords:["home","parent","people","human","children"],char:"\u{1f469}\u200d\u{1f466}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_woman_girl_girl:{keywords:["home","parent","people","human","children"],char:"\u{1f469}\u200d\u{1f467}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_man_boy:{keywords:["home","parent","people","human","child"],char:"\u{1f468}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_girl:{keywords:["home","parent","people","human","child"],char:"\u{1f468}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},family_man_girl_boy:{keywords:["home","parent","people","human","children"],char:"\u{1f468}\u200d\u{1f467}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_boy_boy:{keywords:["home","parent","people","human","children"],char:"\u{1f468}\u200d\u{1f466}\u200d\u{1f466}",fitzpatrick_scale:!1,category:"people"},family_man_girl_girl:{keywords:["home","parent","people","human","children"],char:"\u{1f468}\u200d\u{1f467}\u200d\u{1f467}",fitzpatrick_scale:!1,category:"people"},yarn:{keywords:["ball","crochet","knit"],char:"\u{1f9f6}",fitzpatrick_scale:!1,category:"people"},thread:{keywords:["needle","sewing","spool","string"],char:"\u{1f9f5}",fitzpatrick_scale:!1,category:"people"},coat:{keywords:["jacket"],char:"\u{1f9e5}",fitzpatrick_scale:!1,category:"people"},labcoat:{keywords:["doctor","experiment","scientist","chemist"],char:"\u{1f97c}",fitzpatrick_scale:!1,category:"people"},womans_clothes:{keywords:["fashion","shopping_bags","female"],char:"\u{1f45a}",fitzpatrick_scale:!1,category:"people"},tshirt:{keywords:["fashion","cloth","casual","shirt","tee"],char:"\u{1f455}",fitzpatrick_scale:!1,category:"people"},jeans:{keywords:["fashion","shopping"],char:"\u{1f456}",fitzpatrick_scale:!1,category:"people"},necktie:{keywords:["shirt","suitup","formal","fashion","cloth","business"],char:"\u{1f454}",fitzpatrick_scale:!1,category:"people"},dress:{keywords:["clothes","fashion","shopping"],char:"\u{1f457}",fitzpatrick_scale:!1,category:"people"},bikini:{keywords:["swimming","female","woman","girl","fashion","beach","summer"],char:"\u{1f459}",fitzpatrick_scale:!1,category:"people"},kimono:{keywords:["dress","fashion","women","female","japanese"],char:"\u{1f458}",fitzpatrick_scale:!1,category:"people"},lipstick:{keywords:["female","girl","fashion","woman"],char:"\u{1f484}",fitzpatrick_scale:!1,category:"people"},kiss:{keywords:["face","lips","love","like","affection","valentines"],char:"\u{1f48b}",fitzpatrick_scale:!1,category:"people"},footprints:{keywords:["feet","tracking","walking","beach"],char:"\u{1f463}",fitzpatrick_scale:!1,category:"people"},flat_shoe:{keywords:["ballet","slip-on","slipper"],char:"\u{1f97f}",fitzpatrick_scale:!1,category:"people"},high_heel:{keywords:["fashion","shoes","female","pumps","stiletto"],char:"\u{1f460}",fitzpatrick_scale:!1,category:"people"},sandal:{keywords:["shoes","fashion","flip flops"],char:"\u{1f461}",fitzpatrick_scale:!1,category:"people"},boot:{keywords:["shoes","fashion"],char:"\u{1f462}",fitzpatrick_scale:!1,category:"people"},mans_shoe:{keywords:["fashion","male"],char:"\u{1f45e}",fitzpatrick_scale:!1,category:"people"},athletic_shoe:{keywords:["shoes","sports","sneakers"],char:"\u{1f45f}",fitzpatrick_scale:!1,category:"people"},hiking_boot:{keywords:["backpacking","camping","hiking"],char:"\u{1f97e}",fitzpatrick_scale:!1,category:"people"},socks:{keywords:["stockings","clothes"],char:"\u{1f9e6}",fitzpatrick_scale:!1,category:"people"},gloves:{keywords:["hands","winter","clothes"],char:"\u{1f9e4}",fitzpatrick_scale:!1,category:"people"},scarf:{keywords:["neck","winter","clothes"],char:"\u{1f9e3}",fitzpatrick_scale:!1,category:"people"},womans_hat:{keywords:["fashion","accessories","female","lady","spring"],char:"\u{1f452}",fitzpatrick_scale:!1,category:"people"},tophat:{keywords:["magic","gentleman","classy","circus"],char:"\u{1f3a9}",fitzpatrick_scale:!1,category:"people"},billed_hat:{keywords:["cap","baseball"],char:"\u{1f9e2}",fitzpatrick_scale:!1,category:"people"},rescue_worker_helmet:{keywords:["construction","build"],char:"\u26d1",fitzpatrick_scale:!1,category:"people"},mortar_board:{keywords:["school","college","degree","university","graduation","cap","hat","legal","learn","education"],char:"\u{1f393}",fitzpatrick_scale:!1,category:"people"},crown:{keywords:["king","kod","leader","royalty","lord"],char:"\u{1f451}",fitzpatrick_scale:!1,category:"people"},school_satchel:{keywords:["student","education","bag","backpack"],char:"\u{1f392}",fitzpatrick_scale:!1,category:"people"},luggage:{keywords:["packing","travel"],char:"\u{1f9f3}",fitzpatrick_scale:!1,category:"people"},pouch:{keywords:["bag","accessories","shopping"],char:"\u{1f45d}",fitzpatrick_scale:!1,category:"people"},purse:{keywords:["fashion","accessories","money","sales","shopping"],char:"\u{1f45b}",fitzpatrick_scale:!1,category:"people"},handbag:{keywords:["fashion","accessory","accessories","shopping"],char:"\u{1f45c}",fitzpatrick_scale:!1,category:"people"},briefcase:{keywords:["business","documents","work","law","legal","job","career"],char:"\u{1f4bc}",fitzpatrick_scale:!1,category:"people"},eyeglasses:{keywords:["fashion","accessories","eyesight","nerdy","dork","geek"],char:"\u{1f453}",fitzpatrick_scale:!1,category:"people"},dark_sunglasses:{keywords:["face","cool","accessories"],char:"\u{1f576}",fitzpatrick_scale:!1,category:"people"},goggles:{keywords:["eyes","protection","safety"],char:"\u{1f97d}",fitzpatrick_scale:!1,category:"people"},ring:{keywords:["wedding","propose","marriage","valentines","diamond","fashion","jewelry","gem","engagement"],char:"\u{1f48d}",fitzpatrick_scale:!1,category:"people"},closed_umbrella:{keywords:["weather","rain","drizzle"],char:"\u{1f302}",fitzpatrick_scale:!1,category:"people"},dog:{keywords:["animal","friend","nature","woof","puppy","pet","faithful"],char:"\u{1f436}",fitzpatrick_scale:!1,category:"animals_and_nature"},cat:{keywords:["animal","meow","nature","pet","kitten"],char:"\u{1f431}",fitzpatrick_scale:!1,category:"animals_and_nature"},mouse:{keywords:["animal","nature","cheese_wedge","rodent"],char:"\u{1f42d}",fitzpatrick_scale:!1,category:"animals_and_nature"},hamster:{keywords:["animal","nature"],char:"\u{1f439}",fitzpatrick_scale:!1,category:"animals_and_nature"},rabbit:{keywords:["animal","nature","pet","spring","magic","bunny"],char:"\u{1f430}",fitzpatrick_scale:!1,category:"animals_and_nature"},fox_face:{keywords:["animal","nature","face"],char:"\u{1f98a}",fitzpatrick_scale:!1,category:"animals_and_nature"},bear:{keywords:["animal","nature","wild"],char:"\u{1f43b}",fitzpatrick_scale:!1,category:"animals_and_nature"},panda_face:{keywords:["animal","nature","panda"],char:"\u{1f43c}",fitzpatrick_scale:!1,category:"animals_and_nature"},koala:{keywords:["animal","nature"],char:"\u{1f428}",fitzpatrick_scale:!1,category:"animals_and_nature"},tiger:{keywords:["animal","cat","danger","wild","nature","roar"],char:"\u{1f42f}",fitzpatrick_scale:!1,category:"animals_and_nature"},lion:{keywords:["animal","nature"],char:"\u{1f981}",fitzpatrick_scale:!1,category:"animals_and_nature"},cow:{keywords:["beef","ox","animal","nature","moo","milk"],char:"\u{1f42e}",fitzpatrick_scale:!1,category:"animals_and_nature"},pig:{keywords:["animal","oink","nature"],char:"\u{1f437}",fitzpatrick_scale:!1,category:"animals_and_nature"},pig_nose:{keywords:["animal","oink"],char:"\u{1f43d}",fitzpatrick_scale:!1,category:"animals_and_nature"},frog:{keywords:["animal","nature","croak","toad"],char:"\u{1f438}",fitzpatrick_scale:!1,category:"animals_and_nature"},squid:{keywords:["animal","nature","ocean","sea"],char:"\u{1f991}",fitzpatrick_scale:!1,category:"animals_and_nature"},octopus:{keywords:["animal","creature","ocean","sea","nature","beach"],char:"\u{1f419}",fitzpatrick_scale:!1,category:"animals_and_nature"},shrimp:{keywords:["animal","ocean","nature","seafood"],char:"\u{1f990}",fitzpatrick_scale:!1,category:"animals_and_nature"},monkey_face:{keywords:["animal","nature","circus"],char:"\u{1f435}",fitzpatrick_scale:!1,category:"animals_and_nature"},gorilla:{keywords:["animal","nature","circus"],char:"\u{1f98d}",fitzpatrick_scale:!1,category:"animals_and_nature"},see_no_evil:{keywords:["monkey","animal","nature","haha"],char:"\u{1f648}",fitzpatrick_scale:!1,category:"animals_and_nature"},hear_no_evil:{keywords:["animal","monkey","nature"],char:"\u{1f649}",fitzpatrick_scale:!1,category:"animals_and_nature"},speak_no_evil:{keywords:["monkey","animal","nature","omg"],char:"\u{1f64a}",fitzpatrick_scale:!1,category:"animals_and_nature"},monkey:{keywords:["animal","nature","banana","circus"],char:"\u{1f412}",fitzpatrick_scale:!1,category:"animals_and_nature"},chicken:{keywords:["animal","cluck","nature","bird"],char:"\u{1f414}",fitzpatrick_scale:!1,category:"animals_and_nature"},penguin:{keywords:["animal","nature"],char:"\u{1f427}",fitzpatrick_scale:!1,category:"animals_and_nature"},bird:{keywords:["animal","nature","fly","tweet","spring"],char:"\u{1f426}",fitzpatrick_scale:!1,category:"animals_and_nature"},baby_chick:{keywords:["animal","chicken","bird"],char:"\u{1f424}",fitzpatrick_scale:!1,category:"animals_and_nature"},hatching_chick:{keywords:["animal","chicken","egg","born","baby","bird"],char:"\u{1f423}",fitzpatrick_scale:!1,category:"animals_and_nature"},hatched_chick:{keywords:["animal","chicken","baby","bird"],char:"\u{1f425}",fitzpatrick_scale:!1,category:"animals_and_nature"},duck:{keywords:["animal","nature","bird","mallard"],char:"\u{1f986}",fitzpatrick_scale:!1,category:"animals_and_nature"},eagle:{keywords:["animal","nature","bird"],char:"\u{1f985}",fitzpatrick_scale:!1,category:"animals_and_nature"},owl:{keywords:["animal","nature","bird","hoot"],char:"\u{1f989}",fitzpatrick_scale:!1,category:"animals_and_nature"},bat:{keywords:["animal","nature","blind","vampire"],char:"\u{1f987}",fitzpatrick_scale:!1,category:"animals_and_nature"},wolf:{keywords:["animal","nature","wild"],char:"\u{1f43a}",fitzpatrick_scale:!1,category:"animals_and_nature"},boar:{keywords:["animal","nature"],char:"\u{1f417}",fitzpatrick_scale:!1,category:"animals_and_nature"},horse:{keywords:["animal","brown","nature"],char:"\u{1f434}",fitzpatrick_scale:!1,category:"animals_and_nature"},unicorn:{keywords:["animal","nature","mystical"],char:"\u{1f984}",fitzpatrick_scale:!1,category:"animals_and_nature"},honeybee:{keywords:["animal","insect","nature","bug","spring","honey"],char:"\u{1f41d}",fitzpatrick_scale:!1,category:"animals_and_nature"},bug:{keywords:["animal","insect","nature","worm"],char:"\u{1f41b}",fitzpatrick_scale:!1,category:"animals_and_nature"},butterfly:{keywords:["animal","insect","nature","caterpillar"],char:"\u{1f98b}",fitzpatrick_scale:!1,category:"animals_and_nature"},snail:{keywords:["slow","animal","shell"],char:"\u{1f40c}",fitzpatrick_scale:!1,category:"animals_and_nature"},beetle:{keywords:["animal","insect","nature","ladybug"],char:"\u{1f41e}",fitzpatrick_scale:!1,category:"animals_and_nature"},ant:{keywords:["animal","insect","nature","bug"],char:"\u{1f41c}",fitzpatrick_scale:!1,category:"animals_and_nature"},grasshopper:{keywords:["animal","cricket","chirp"],char:"\u{1f997}",fitzpatrick_scale:!1,category:"animals_and_nature"},spider:{keywords:["animal","arachnid"],char:"\u{1f577}",fitzpatrick_scale:!1,category:"animals_and_nature"},scorpion:{keywords:["animal","arachnid"],char:"\u{1f982}",fitzpatrick_scale:!1,category:"animals_and_nature"},crab:{keywords:["animal","crustacean"],char:"\u{1f980}",fitzpatrick_scale:!1,category:"animals_and_nature"},snake:{keywords:["animal","evil","nature","hiss","python"],char:"\u{1f40d}",fitzpatrick_scale:!1,category:"animals_and_nature"},lizard:{keywords:["animal","nature","reptile"],char:"\u{1f98e}",fitzpatrick_scale:!1,category:"animals_and_nature"},"t-rex":{keywords:["animal","nature","dinosaur","tyrannosaurus","extinct"],char:"\u{1f996}",fitzpatrick_scale:!1,category:"animals_and_nature"},sauropod:{keywords:["animal","nature","dinosaur","brachiosaurus","brontosaurus","diplodocus","extinct"],char:"\u{1f995}",fitzpatrick_scale:!1,category:"animals_and_nature"},turtle:{keywords:["animal","slow","nature","tortoise"],char:"\u{1f422}",fitzpatrick_scale:!1,category:"animals_and_nature"},tropical_fish:{keywords:["animal","swim","ocean","beach","nemo"],char:"\u{1f420}",fitzpatrick_scale:!1,category:"animals_and_nature"},fish:{keywords:["animal","food","nature"],char:"\u{1f41f}",fitzpatrick_scale:!1,category:"animals_and_nature"},blowfish:{keywords:["animal","nature","food","sea","ocean"],char:"\u{1f421}",fitzpatrick_scale:!1,category:"animals_and_nature"},dolphin:{keywords:["animal","nature","fish","sea","ocean","flipper","fins","beach"],char:"\u{1f42c}",fitzpatrick_scale:!1,category:"animals_and_nature"},shark:{keywords:["animal","nature","fish","sea","ocean","jaws","fins","beach"],char:"\u{1f988}",fitzpatrick_scale:!1,category:"animals_and_nature"},whale:{keywords:["animal","nature","sea","ocean"],char:"\u{1f433}",fitzpatrick_scale:!1,category:"animals_and_nature"},whale2:{keywords:["animal","nature","sea","ocean"],char:"\u{1f40b}",fitzpatrick_scale:!1,category:"animals_and_nature"},crocodile:{keywords:["animal","nature","reptile","lizard","alligator"],char:"\u{1f40a}",fitzpatrick_scale:!1,category:"animals_and_nature"},leopard:{keywords:["animal","nature"],char:"\u{1f406}",fitzpatrick_scale:!1,category:"animals_and_nature"},zebra:{keywords:["animal","nature","stripes","safari"],char:"\u{1f993}",fitzpatrick_scale:!1,category:"animals_and_nature"},tiger2:{keywords:["animal","nature","roar"],char:"\u{1f405}",fitzpatrick_scale:!1,category:"animals_and_nature"},water_buffalo:{keywords:["animal","nature","ox","cow"],char:"\u{1f403}",fitzpatrick_scale:!1,category:"animals_and_nature"},ox:{keywords:["animal","cow","beef"],char:"\u{1f402}",fitzpatrick_scale:!1,category:"animals_and_nature"},cow2:{keywords:["beef","ox","animal","nature","moo","milk"],char:"\u{1f404}",fitzpatrick_scale:!1,category:"animals_and_nature"},deer:{keywords:["animal","nature","horns","venison"],char:"\u{1f98c}",fitzpatrick_scale:!1,category:"animals_and_nature"},dromedary_camel:{keywords:["animal","hot","desert","hump"],char:"\u{1f42a}",fitzpatrick_scale:!1,category:"animals_and_nature"},camel:{keywords:["animal","nature","hot","desert","hump"],char:"\u{1f42b}",fitzpatrick_scale:!1,category:"animals_and_nature"},giraffe:{keywords:["animal","nature","spots","safari"],char:"\u{1f992}",fitzpatrick_scale:!1,category:"animals_and_nature"},elephant:{keywords:["animal","nature","nose","th","circus"],char:"\u{1f418}",fitzpatrick_scale:!1,category:"animals_and_nature"},rhinoceros:{keywords:["animal","nature","horn"],char:"\u{1f98f}",fitzpatrick_scale:!1,category:"animals_and_nature"},goat:{keywords:["animal","nature"],char:"\u{1f410}",fitzpatrick_scale:!1,category:"animals_and_nature"},ram:{keywords:["animal","sheep","nature"],char:"\u{1f40f}",fitzpatrick_scale:!1,category:"animals_and_nature"},sheep:{keywords:["animal","nature","wool","shipit"],char:"\u{1f411}",fitzpatrick_scale:!1,category:"animals_and_nature"},racehorse:{keywords:["animal","gamble","luck"],char:"\u{1f40e}",fitzpatrick_scale:!1,category:"animals_and_nature"},pig2:{keywords:["animal","nature"],char:"\u{1f416}",fitzpatrick_scale:!1,category:"animals_and_nature"},rat:{keywords:["animal","mouse","rodent"],char:"\u{1f400}",fitzpatrick_scale:!1,category:"animals_and_nature"},mouse2:{keywords:["animal","nature","rodent"],char:"\u{1f401}",fitzpatrick_scale:!1,category:"animals_and_nature"},rooster:{keywords:["animal","nature","chicken"],char:"\u{1f413}",fitzpatrick_scale:!1,category:"animals_and_nature"},turkey:{keywords:["animal","bird"],char:"\u{1f983}",fitzpatrick_scale:!1,category:"animals_and_nature"},dove:{keywords:["animal","bird"],char:"\u{1f54a}",fitzpatrick_scale:!1,category:"animals_and_nature"},dog2:{keywords:["animal","nature","friend","doge","pet","faithful"],char:"\u{1f415}",fitzpatrick_scale:!1,category:"animals_and_nature"},poodle:{keywords:["dog","animal","101","nature","pet"],char:"\u{1f429}",fitzpatrick_scale:!1,category:"animals_and_nature"},cat2:{keywords:["animal","meow","pet","cats"],char:"\u{1f408}",fitzpatrick_scale:!1,category:"animals_and_nature"},rabbit2:{keywords:["animal","nature","pet","magic","spring"],char:"\u{1f407}",fitzpatrick_scale:!1,category:"animals_and_nature"},chipmunk:{keywords:["animal","nature","rodent","squirrel"],char:"\u{1f43f}",fitzpatrick_scale:!1,category:"animals_and_nature"},hedgehog:{keywords:["animal","nature","spiny"],char:"\u{1f994}",fitzpatrick_scale:!1,category:"animals_and_nature"},raccoon:{keywords:["animal","nature"],char:"\u{1f99d}",fitzpatrick_scale:!1,category:"animals_and_nature"},llama:{keywords:["animal","nature","alpaca"],char:"\u{1f999}",fitzpatrick_scale:!1,category:"animals_and_nature"},hippopotamus:{keywords:["animal","nature"],char:"\u{1f99b}",fitzpatrick_scale:!1,category:"animals_and_nature"},kangaroo:{keywords:["animal","nature","australia","joey","hop","marsupial"],char:"\u{1f998}",fitzpatrick_scale:!1,category:"animals_and_nature"},badger:{keywords:["animal","nature","honey"],char:"\u{1f9a1}",fitzpatrick_scale:!1,category:"animals_and_nature"},swan:{keywords:["animal","nature","bird"],char:"\u{1f9a2}",fitzpatrick_scale:!1,category:"animals_and_nature"},peacock:{keywords:["animal","nature","peahen","bird"],char:"\u{1f99a}",fitzpatrick_scale:!1,category:"animals_and_nature"},parrot:{keywords:["animal","nature","bird","pirate","talk"],char:"\u{1f99c}",fitzpatrick_scale:!1,category:"animals_and_nature"},lobster:{keywords:["animal","nature","bisque","claws","seafood"],char:"\u{1f99e}",fitzpatrick_scale:!1,category:"animals_and_nature"},mosquito:{keywords:["animal","nature","insect","malaria"],char:"\u{1f99f}",fitzpatrick_scale:!1,category:"animals_and_nature"},paw_prints:{keywords:["animal","tracking","footprints","dog","cat","pet","feet"],char:"\u{1f43e}",fitzpatrick_scale:!1,category:"animals_and_nature"},dragon:{keywords:["animal","myth","nature","chinese","green"],char:"\u{1f409}",fitzpatrick_scale:!1,category:"animals_and_nature"},dragon_face:{keywords:["animal","myth","nature","chinese","green"],char:"\u{1f432}",fitzpatrick_scale:!1,category:"animals_and_nature"},cactus:{keywords:["vegetable","plant","nature"],char:"\u{1f335}",fitzpatrick_scale:!1,category:"animals_and_nature"},christmas_tree:{keywords:["festival","vacation","december","xmas","celebration"],char:"\u{1f384}",fitzpatrick_scale:!1,category:"animals_and_nature"},evergreen_tree:{keywords:["plant","nature"],char:"\u{1f332}",fitzpatrick_scale:!1,category:"animals_and_nature"},deciduous_tree:{keywords:["plant","nature"],char:"\u{1f333}",fitzpatrick_scale:!1,category:"animals_and_nature"},palm_tree:{keywords:["plant","vegetable","nature","summer","beach","mojito","tropical"],char:"\u{1f334}",fitzpatrick_scale:!1,category:"animals_and_nature"},seedling:{keywords:["plant","nature","grass","lawn","spring"],char:"\u{1f331}",fitzpatrick_scale:!1,category:"animals_and_nature"},herb:{keywords:["vegetable","plant","medicine","weed","grass","lawn"],char:"\u{1f33f}",fitzpatrick_scale:!1,category:"animals_and_nature"},shamrock:{keywords:["vegetable","plant","nature","irish","clover"],char:"\u2618",fitzpatrick_scale:!1,category:"animals_and_nature"},four_leaf_clover:{keywords:["vegetable","plant","nature","lucky","irish"],char:"\u{1f340}",fitzpatrick_scale:!1,category:"animals_and_nature"},bamboo:{keywords:["plant","nature","vegetable","panda","pine_decoration"],char:"\u{1f38d}",fitzpatrick_scale:!1,category:"animals_and_nature"},tanabata_tree:{keywords:["plant","nature","branch","summer"],char:"\u{1f38b}",fitzpatrick_scale:!1,category:"animals_and_nature"},leaves:{keywords:["nature","plant","tree","vegetable","grass","lawn","spring"],char:"\u{1f343}",fitzpatrick_scale:!1,category:"animals_and_nature"},fallen_leaf:{keywords:["nature","plant","vegetable","leaves"],char:"\u{1f342}",fitzpatrick_scale:!1,category:"animals_and_nature"},maple_leaf:{keywords:["nature","plant","vegetable","ca","fall"],char:"\u{1f341}",fitzpatrick_scale:!1,category:"animals_and_nature"},ear_of_rice:{keywords:["nature","plant"],char:"\u{1f33e}",fitzpatrick_scale:!1,category:"animals_and_nature"},hibiscus:{keywords:["plant","vegetable","flowers","beach"],char:"\u{1f33a}",fitzpatrick_scale:!1,category:"animals_and_nature"},sunflower:{keywords:["nature","plant","fall"],char:"\u{1f33b}",fitzpatrick_scale:!1,category:"animals_and_nature"},rose:{keywords:["flowers","valentines","love","spring"],char:"\u{1f339}",fitzpatrick_scale:!1,category:"animals_and_nature"},wilted_flower:{keywords:["plant","nature","flower"],char:"\u{1f940}",fitzpatrick_scale:!1,category:"animals_and_nature"},tulip:{keywords:["flowers","plant","nature","summer","spring"],char:"\u{1f337}",fitzpatrick_scale:!1,category:"animals_and_nature"},blossom:{keywords:["nature","flowers","yellow"],char:"\u{1f33c}",fitzpatrick_scale:!1,category:"animals_and_nature"},cherry_blossom:{keywords:["nature","plant","spring","flower"],char:"\u{1f338}",fitzpatrick_scale:!1,category:"animals_and_nature"},bouquet:{keywords:["flowers","nature","spring"],char:"\u{1f490}",fitzpatrick_scale:!1,category:"animals_and_nature"},mushroom:{keywords:["plant","vegetable"],char:"\u{1f344}",fitzpatrick_scale:!1,category:"animals_and_nature"},chestnut:{keywords:["food","squirrel"],char:"\u{1f330}",fitzpatrick_scale:!1,category:"animals_and_nature"},jack_o_lantern:{keywords:["halloween","light","pumpkin","creepy","fall"],char:"\u{1f383}",fitzpatrick_scale:!1,category:"animals_and_nature"},shell:{keywords:["nature","sea","beach"],char:"\u{1f41a}",fitzpatrick_scale:!1,category:"animals_and_nature"},spider_web:{keywords:["animal","insect","arachnid","silk"],char:"\u{1f578}",fitzpatrick_scale:!1,category:"animals_and_nature"},earth_americas:{keywords:["globe","world","USA","international"],char:"\u{1f30e}",fitzpatrick_scale:!1,category:"animals_and_nature"},earth_africa:{keywords:["globe","world","international"],char:"\u{1f30d}",fitzpatrick_scale:!1,category:"animals_and_nature"},earth_asia:{keywords:["globe","world","east","international"],char:"\u{1f30f}",fitzpatrick_scale:!1,category:"animals_and_nature"},full_moon:{keywords:["nature","yellow","twilight","planet","space","night","evening","sleep"],char:"\u{1f315}",fitzpatrick_scale:!1,category:"animals_and_nature"},waning_gibbous_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep","waxing_gibbous_moon"],char:"\u{1f316}",fitzpatrick_scale:!1,category:"animals_and_nature"},last_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f317}",fitzpatrick_scale:!1,category:"animals_and_nature"},waning_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f318}",fitzpatrick_scale:!1,category:"animals_and_nature"},new_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f311}",fitzpatrick_scale:!1,category:"animals_and_nature"},waxing_crescent_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f312}",fitzpatrick_scale:!1,category:"animals_and_nature"},first_quarter_moon:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f313}",fitzpatrick_scale:!1,category:"animals_and_nature"},waxing_gibbous_moon:{keywords:["nature","night","sky","gray","twilight","planet","space","evening","sleep"],char:"\u{1f314}",fitzpatrick_scale:!1,category:"animals_and_nature"},new_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f31a}",fitzpatrick_scale:!1,category:"animals_and_nature"},full_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f31d}",fitzpatrick_scale:!1,category:"animals_and_nature"},first_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f31b}",fitzpatrick_scale:!1,category:"animals_and_nature"},last_quarter_moon_with_face:{keywords:["nature","twilight","planet","space","night","evening","sleep"],char:"\u{1f31c}",fitzpatrick_scale:!1,category:"animals_and_nature"},sun_with_face:{keywords:["nature","morning","sky"],char:"\u{1f31e}",fitzpatrick_scale:!1,category:"animals_and_nature"},crescent_moon:{keywords:["night","sleep","sky","evening","magic"],char:"\u{1f319}",fitzpatrick_scale:!1,category:"animals_and_nature"},star:{keywords:["night","yellow"],char:"\u2b50",fitzpatrick_scale:!1,category:"animals_and_nature"},star2:{keywords:["night","sparkle","awesome","good","magic"],char:"\u{1f31f}",fitzpatrick_scale:!1,category:"animals_and_nature"},dizzy:{keywords:["star","sparkle","shoot","magic"],char:"\u{1f4ab}",fitzpatrick_scale:!1,category:"animals_and_nature"},sparkles:{keywords:["stars","shine","shiny","cool","awesome","good","magic"],char:"\u2728",fitzpatrick_scale:!1,category:"animals_and_nature"},comet:{keywords:["space"],char:"\u2604",fitzpatrick_scale:!1,category:"animals_and_nature"},sunny:{keywords:["weather","nature","brightness","summer","beach","spring"],char:"\u2600\ufe0f",fitzpatrick_scale:!1,category:"animals_and_nature"},sun_behind_small_cloud:{keywords:["weather"],char:"\u{1f324}",fitzpatrick_scale:!1,category:"animals_and_nature"},partly_sunny:{keywords:["weather","nature","cloudy","morning","fall","spring"],char:"\u26c5",fitzpatrick_scale:!1,category:"animals_and_nature"},sun_behind_large_cloud:{keywords:["weather"],char:"\u{1f325}",fitzpatrick_scale:!1,category:"animals_and_nature"},sun_behind_rain_cloud:{keywords:["weather"],char:"\u{1f326}",fitzpatrick_scale:!1,category:"animals_and_nature"},cloud:{keywords:["weather","sky"],char:"\u2601\ufe0f",fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_rain:{keywords:["weather"],char:"\u{1f327}",fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_lightning_and_rain:{keywords:["weather","lightning"],char:"\u26c8",fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_lightning:{keywords:["weather","thunder"],char:"\u{1f329}",fitzpatrick_scale:!1,category:"animals_and_nature"},zap:{keywords:["thunder","weather","lightning bolt","fast"],char:"\u26a1",fitzpatrick_scale:!1,category:"animals_and_nature"},fire:{keywords:["hot","cook","flame"],char:"\u{1f525}",fitzpatrick_scale:!1,category:"animals_and_nature"},boom:{keywords:["bomb","explode","explosion","collision","blown"],char:"\u{1f4a5}",fitzpatrick_scale:!1,category:"animals_and_nature"},snowflake:{keywords:["winter","season","cold","weather","christmas","xmas"],char:"\u2744\ufe0f",fitzpatrick_scale:!1,category:"animals_and_nature"},cloud_with_snow:{keywords:["weather"],char:"\u{1f328}",fitzpatrick_scale:!1,category:"animals_and_nature"},snowman:{keywords:["winter","season","cold","weather","christmas","xmas","frozen","without_snow"],char:"\u26c4",fitzpatrick_scale:!1,category:"animals_and_nature"},snowman_with_snow:{keywords:["winter","season","cold","weather","christmas","xmas","frozen"],char:"\u2603",fitzpatrick_scale:!1,category:"animals_and_nature"},wind_face:{keywords:["gust","air"],char:"\u{1f32c}",fitzpatrick_scale:!1,category:"animals_and_nature"},dash:{keywords:["wind","air","fast","shoo","fart","smoke","puff"],char:"\u{1f4a8}",fitzpatrick_scale:!1,category:"animals_and_nature"},tornado:{keywords:["weather","cyclone","twister"],char:"\u{1f32a}",fitzpatrick_scale:!1,category:"animals_and_nature"},fog:{keywords:["weather"],char:"\u{1f32b}",fitzpatrick_scale:!1,category:"animals_and_nature"},open_umbrella:{keywords:["weather","spring"],char:"\u2602",fitzpatrick_scale:!1,category:"animals_and_nature"},umbrella:{keywords:["rainy","weather","spring"],char:"\u2614",fitzpatrick_scale:!1,category:"animals_and_nature"},droplet:{keywords:["water","drip","faucet","spring"],char:"\u{1f4a7}",fitzpatrick_scale:!1,category:"animals_and_nature"},sweat_drops:{keywords:["water","drip","oops"],char:"\u{1f4a6}",fitzpatrick_scale:!1,category:"animals_and_nature"},ocean:{keywords:["sea","water","wave","nature","tsunami","disaster"],char:"\u{1f30a}",fitzpatrick_scale:!1,category:"animals_and_nature"},green_apple:{keywords:["fruit","nature"],char:"\u{1f34f}",fitzpatrick_scale:!1,category:"food_and_drink"},apple:{keywords:["fruit","mac","school"],char:"\u{1f34e}",fitzpatrick_scale:!1,category:"food_and_drink"},pear:{keywords:["fruit","nature","food"],char:"\u{1f350}",fitzpatrick_scale:!1,category:"food_and_drink"},tangerine:{keywords:["food","fruit","nature","orange"],char:"\u{1f34a}",fitzpatrick_scale:!1,category:"food_and_drink"},lemon:{keywords:["fruit","nature"],char:"\u{1f34b}",fitzpatrick_scale:!1,category:"food_and_drink"},banana:{keywords:["fruit","food","monkey"],char:"\u{1f34c}",fitzpatrick_scale:!1,category:"food_and_drink"},watermelon:{keywords:["fruit","food","picnic","summer"],char:"\u{1f349}",fitzpatrick_scale:!1,category:"food_and_drink"},grapes:{keywords:["fruit","food","wine"],char:"\u{1f347}",fitzpatrick_scale:!1,category:"food_and_drink"},strawberry:{keywords:["fruit","food","nature"],char:"\u{1f353}",fitzpatrick_scale:!1,category:"food_and_drink"},melon:{keywords:["fruit","nature","food"],char:"\u{1f348}",fitzpatrick_scale:!1,category:"food_and_drink"},cherries:{keywords:["food","fruit"],char:"\u{1f352}",fitzpatrick_scale:!1,category:"food_and_drink"},peach:{keywords:["fruit","nature","food"],char:"\u{1f351}",fitzpatrick_scale:!1,category:"food_and_drink"},pineapple:{keywords:["fruit","nature","food"],char:"\u{1f34d}",fitzpatrick_scale:!1,category:"food_and_drink"},coconut:{keywords:["fruit","nature","food","palm"],char:"\u{1f965}",fitzpatrick_scale:!1,category:"food_and_drink"},kiwi_fruit:{keywords:["fruit","food"],char:"\u{1f95d}",fitzpatrick_scale:!1,category:"food_and_drink"},mango:{keywords:["fruit","food","tropical"],char:"\u{1f96d}",fitzpatrick_scale:!1,category:"food_and_drink"},avocado:{keywords:["fruit","food"],char:"\u{1f951}",fitzpatrick_scale:!1,category:"food_and_drink"},broccoli:{keywords:["fruit","food","vegetable"],char:"\u{1f966}",fitzpatrick_scale:!1,category:"food_and_drink"},tomato:{keywords:["fruit","vegetable","nature","food"],char:"\u{1f345}",fitzpatrick_scale:!1,category:"food_and_drink"},eggplant:{keywords:["vegetable","nature","food","aubergine"],char:"\u{1f346}",fitzpatrick_scale:!1,category:"food_and_drink"},cucumber:{keywords:["fruit","food","pickle"],char:"\u{1f952}",fitzpatrick_scale:!1,category:"food_and_drink"},carrot:{keywords:["vegetable","food","orange"],char:"\u{1f955}",fitzpatrick_scale:!1,category:"food_and_drink"},hot_pepper:{keywords:["food","spicy","chilli","chili"],char:"\u{1f336}",fitzpatrick_scale:!1,category:"food_and_drink"},potato:{keywords:["food","tuber","vegatable","starch"],char:"\u{1f954}",fitzpatrick_scale:!1,category:"food_and_drink"},corn:{keywords:["food","vegetable","plant"],char:"\u{1f33d}",fitzpatrick_scale:!1,category:"food_and_drink"},leafy_greens:{keywords:["food","vegetable","plant","bok choy","cabbage","kale","lettuce"],char:"\u{1f96c}",fitzpatrick_scale:!1,category:"food_and_drink"},sweet_potato:{keywords:["food","nature"],char:"\u{1f360}",fitzpatrick_scale:!1,category:"food_and_drink"},peanuts:{keywords:["food","nut"],char:"\u{1f95c}",fitzpatrick_scale:!1,category:"food_and_drink"},honey_pot:{keywords:["bees","sweet","kitchen"],char:"\u{1f36f}",fitzpatrick_scale:!1,category:"food_and_drink"},croissant:{keywords:["food","bread","french"],char:"\u{1f950}",fitzpatrick_scale:!1,category:"food_and_drink"},bread:{keywords:["food","wheat","breakfast","toast"],char:"\u{1f35e}",fitzpatrick_scale:!1,category:"food_and_drink"},baguette_bread:{keywords:["food","bread","french"],char:"\u{1f956}",fitzpatrick_scale:!1,category:"food_and_drink"},bagel:{keywords:["food","bread","bakery","schmear"],char:"\u{1f96f}",fitzpatrick_scale:!1,category:"food_and_drink"},pretzel:{keywords:["food","bread","twisted"],char:"\u{1f968}",fitzpatrick_scale:!1,category:"food_and_drink"},cheese:{keywords:["food","chadder"],char:"\u{1f9c0}",fitzpatrick_scale:!1,category:"food_and_drink"},egg:{keywords:["food","chicken","breakfast"],char:"\u{1f95a}",fitzpatrick_scale:!1,category:"food_and_drink"},bacon:{keywords:["food","breakfast","pork","pig","meat"],char:"\u{1f953}",fitzpatrick_scale:!1,category:"food_and_drink"},steak:{keywords:["food","cow","meat","cut","chop","lambchop","porkchop"],char:"\u{1f969}",fitzpatrick_scale:!1,category:"food_and_drink"},pancakes:{keywords:["food","breakfast","flapjacks","hotcakes"],char:"\u{1f95e}",fitzpatrick_scale:!1,category:"food_and_drink"},poultry_leg:{keywords:["food","meat","drumstick","bird","chicken","turkey"],char:"\u{1f357}",fitzpatrick_scale:!1,category:"food_and_drink"},meat_on_bone:{keywords:["good","food","drumstick"],char:"\u{1f356}",fitzpatrick_scale:!1,category:"food_and_drink"},bone:{keywords:["skeleton"],char:"\u{1f9b4}",fitzpatrick_scale:!1,category:"food_and_drink"},fried_shrimp:{keywords:["food","animal","appetizer","summer"],char:"\u{1f364}",fitzpatrick_scale:!1,category:"food_and_drink"},fried_egg:{keywords:["food","breakfast","kitchen","egg"],char:"\u{1f373}",fitzpatrick_scale:!1,category:"food_and_drink"},hamburger:{keywords:["meat","fast food","beef","cheeseburger","mcdonalds","burger king"],char:"\u{1f354}",fitzpatrick_scale:!1,category:"food_and_drink"},fries:{keywords:["chips","snack","fast food"],char:"\u{1f35f}",fitzpatrick_scale:!1,category:"food_and_drink"},stuffed_flatbread:{keywords:["food","flatbread","stuffed","gyro"],char:"\u{1f959}",fitzpatrick_scale:!1,category:"food_and_drink"},hotdog:{keywords:["food","frankfurter"],char:"\u{1f32d}",fitzpatrick_scale:!1,category:"food_and_drink"},pizza:{keywords:["food","party"],char:"\u{1f355}",fitzpatrick_scale:!1,category:"food_and_drink"},sandwich:{keywords:["food","lunch","bread"],char:"\u{1f96a}",fitzpatrick_scale:!1,category:"food_and_drink"},canned_food:{keywords:["food","soup"],char:"\u{1f96b}",fitzpatrick_scale:!1,category:"food_and_drink"},spaghetti:{keywords:["food","italian","noodle"],char:"\u{1f35d}",fitzpatrick_scale:!1,category:"food_and_drink"},taco:{keywords:["food","mexican"],char:"\u{1f32e}",fitzpatrick_scale:!1,category:"food_and_drink"},burrito:{keywords:["food","mexican"],char:"\u{1f32f}",fitzpatrick_scale:!1,category:"food_and_drink"},green_salad:{keywords:["food","healthy","lettuce"],char:"\u{1f957}",fitzpatrick_scale:!1,category:"food_and_drink"},shallow_pan_of_food:{keywords:["food","cooking","casserole","paella"],char:"\u{1f958}",fitzpatrick_scale:!1,category:"food_and_drink"},ramen:{keywords:["food","japanese","noodle","chopsticks"],char:"\u{1f35c}",fitzpatrick_scale:!1,category:"food_and_drink"},stew:{keywords:["food","meat","soup"],char:"\u{1f372}",fitzpatrick_scale:!1,category:"food_and_drink"},fish_cake:{keywords:["food","japan","sea","beach","narutomaki","pink","swirl","kamaboko","surimi","ramen"],char:"\u{1f365}",fitzpatrick_scale:!1,category:"food_and_drink"},fortune_cookie:{keywords:["food","prophecy"],char:"\u{1f960}",fitzpatrick_scale:!1,category:"food_and_drink"},sushi:{keywords:["food","fish","japanese","rice"],char:"\u{1f363}",fitzpatrick_scale:!1,category:"food_and_drink"},bento:{keywords:["food","japanese","box"],char:"\u{1f371}",fitzpatrick_scale:!1,category:"food_and_drink"},curry:{keywords:["food","spicy","hot","indian"],char:"\u{1f35b}",fitzpatrick_scale:!1,category:"food_and_drink"},rice_ball:{keywords:["food","japanese"],char:"\u{1f359}",fitzpatrick_scale:!1,category:"food_and_drink"},rice:{keywords:["food","china","asian"],char:"\u{1f35a}",fitzpatrick_scale:!1,category:"food_and_drink"},rice_cracker:{keywords:["food","japanese"],char:"\u{1f358}",fitzpatrick_scale:!1,category:"food_and_drink"},oden:{keywords:["food","japanese"],char:"\u{1f362}",fitzpatrick_scale:!1,category:"food_and_drink"},dango:{keywords:["food","dessert","sweet","japanese","barbecue","meat"],char:"\u{1f361}",fitzpatrick_scale:!1,category:"food_and_drink"},shaved_ice:{keywords:["hot","dessert","summer"],char:"\u{1f367}",fitzpatrick_scale:!1,category:"food_and_drink"},ice_cream:{keywords:["food","hot","dessert"],char:"\u{1f368}",fitzpatrick_scale:!1,category:"food_and_drink"},icecream:{keywords:["food","hot","dessert","summer"],char:"\u{1f366}",fitzpatrick_scale:!1,category:"food_and_drink"},pie:{keywords:["food","dessert","pastry"],char:"\u{1f967}",fitzpatrick_scale:!1,category:"food_and_drink"},cake:{keywords:["food","dessert"],char:"\u{1f370}",fitzpatrick_scale:!1,category:"food_and_drink"},cupcake:{keywords:["food","dessert","bakery","sweet"],char:"\u{1f9c1}",fitzpatrick_scale:!1,category:"food_and_drink"},moon_cake:{keywords:["food","autumn"],char:"\u{1f96e}",fitzpatrick_scale:!1,category:"food_and_drink"},birthday:{keywords:["food","dessert","cake"],char:"\u{1f382}",fitzpatrick_scale:!1,category:"food_and_drink"},custard:{keywords:["dessert","food"],char:"\u{1f36e}",fitzpatrick_scale:!1,category:"food_and_drink"},candy:{keywords:["snack","dessert","sweet","lolly"],char:"\u{1f36c}",fitzpatrick_scale:!1,category:"food_and_drink"},lollipop:{keywords:["food","snack","candy","sweet"],char:"\u{1f36d}",fitzpatrick_scale:!1,category:"food_and_drink"},chocolate_bar:{keywords:["food","snack","dessert","sweet"],char:"\u{1f36b}",fitzpatrick_scale:!1,category:"food_and_drink"},popcorn:{keywords:["food","movie theater","films","snack"],char:"\u{1f37f}",fitzpatrick_scale:!1,category:"food_and_drink"},dumpling:{keywords:["food","empanada","pierogi","potsticker"],char:"\u{1f95f}",fitzpatrick_scale:!1,category:"food_and_drink"},doughnut:{keywords:["food","dessert","snack","sweet","donut"],char:"\u{1f369}",fitzpatrick_scale:!1,category:"food_and_drink"},cookie:{keywords:["food","snack","oreo","chocolate","sweet","dessert"],char:"\u{1f36a}",fitzpatrick_scale:!1,category:"food_and_drink"},milk_glass:{keywords:["beverage","drink","cow"],char:"\u{1f95b}",fitzpatrick_scale:!1,category:"food_and_drink"},beer:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:"\u{1f37a}",fitzpatrick_scale:!1,category:"food_and_drink"},beers:{keywords:["relax","beverage","drink","drunk","party","pub","summer","alcohol","booze"],char:"\u{1f37b}",fitzpatrick_scale:!1,category:"food_and_drink"},clinking_glasses:{keywords:["beverage","drink","party","alcohol","celebrate","cheers","wine","champagne","toast"],char:"\u{1f942}",fitzpatrick_scale:!1,category:"food_and_drink"},wine_glass:{keywords:["drink","beverage","drunk","alcohol","booze"],char:"\u{1f377}",fitzpatrick_scale:!1,category:"food_and_drink"},tumbler_glass:{keywords:["drink","beverage","drunk","alcohol","liquor","booze","bourbon","scotch","whisky","glass","shot"],char:"\u{1f943}",fitzpatrick_scale:!1,category:"food_and_drink"},cocktail:{keywords:["drink","drunk","alcohol","beverage","booze","mojito"],char:"\u{1f378}",fitzpatrick_scale:!1,category:"food_and_drink"},tropical_drink:{keywords:["beverage","cocktail","summer","beach","alcohol","booze","mojito"],char:"\u{1f379}",fitzpatrick_scale:!1,category:"food_and_drink"},champagne:{keywords:["drink","wine","bottle","celebration"],char:"\u{1f37e}",fitzpatrick_scale:!1,category:"food_and_drink"},sake:{keywords:["wine","drink","drunk","beverage","japanese","alcohol","booze"],char:"\u{1f376}",fitzpatrick_scale:!1,category:"food_and_drink"},tea:{keywords:["drink","bowl","breakfast","green","british"],char:"\u{1f375}",fitzpatrick_scale:!1,category:"food_and_drink"},cup_with_straw:{keywords:["drink","soda"],char:"\u{1f964}",fitzpatrick_scale:!1,category:"food_and_drink"},coffee:{keywords:["beverage","caffeine","latte","espresso"],char:"\u2615",fitzpatrick_scale:!1,category:"food_and_drink"},baby_bottle:{keywords:["food","container","milk"],char:"\u{1f37c}",fitzpatrick_scale:!1,category:"food_and_drink"},salt:{keywords:["condiment","shaker"],char:"\u{1f9c2}",fitzpatrick_scale:!1,category:"food_and_drink"},spoon:{keywords:["cutlery","kitchen","tableware"],char:"\u{1f944}",fitzpatrick_scale:!1,category:"food_and_drink"},fork_and_knife:{keywords:["cutlery","kitchen"],char:"\u{1f374}",fitzpatrick_scale:!1,category:"food_and_drink"},plate_with_cutlery:{keywords:["food","eat","meal","lunch","dinner","restaurant"],char:"\u{1f37d}",fitzpatrick_scale:!1,category:"food_and_drink"},bowl_with_spoon:{keywords:["food","breakfast","cereal","oatmeal","porridge"],char:"\u{1f963}",fitzpatrick_scale:!1,category:"food_and_drink"},takeout_box:{keywords:["food","leftovers"],char:"\u{1f961}",fitzpatrick_scale:!1,category:"food_and_drink"},chopsticks:{keywords:["food"],char:"\u{1f962}",fitzpatrick_scale:!1,category:"food_and_drink"},soccer:{keywords:["sports","football"],char:"\u26bd",fitzpatrick_scale:!1,category:"activity"},basketball:{keywords:["sports","balls","NBA"],char:"\u{1f3c0}",fitzpatrick_scale:!1,category:"activity"},football:{keywords:["sports","balls","NFL"],char:"\u{1f3c8}",fitzpatrick_scale:!1,category:"activity"},baseball:{keywords:["sports","balls"],char:"\u26be",fitzpatrick_scale:!1,category:"activity"},softball:{keywords:["sports","balls"],char:"\u{1f94e}",fitzpatrick_scale:!1,category:"activity"},tennis:{keywords:["sports","balls","green"],char:"\u{1f3be}",fitzpatrick_scale:!1,category:"activity"},volleyball:{keywords:["sports","balls"],char:"\u{1f3d0}",fitzpatrick_scale:!1,category:"activity"},rugby_football:{keywords:["sports","team"],char:"\u{1f3c9}",fitzpatrick_scale:!1,category:"activity"},flying_disc:{keywords:["sports","frisbee","ultimate"],char:"\u{1f94f}",fitzpatrick_scale:!1,category:"activity"},"8ball":{keywords:["pool","hobby","game","luck","magic"],char:"\u{1f3b1}",fitzpatrick_scale:!1,category:"activity"},golf:{keywords:["sports","business","flag","hole","summer"],char:"\u26f3",fitzpatrick_scale:!1,category:"activity"},golfing_woman:{keywords:["sports","business","woman","female"],char:"\u{1f3cc}\ufe0f\u200d\u2640\ufe0f",fitzpatrick_scale:!1,category:"activity"},golfing_man:{keywords:["sports","business"],char:"\u{1f3cc}",fitzpatrick_scale:!0,category:"activity"},ping_pong:{keywords:["sports","pingpong"],char:"\u{1f3d3}",fitzpatrick_scale:!1,category:"activity"},badminton:{keywords:["sports"],char:"\u{1f3f8}",fitzpatrick_scale:!1,category:"activity"},goal_net:{keywords:["sports"],char:"\u{1f945}",fitzpatrick_scale:!1,category:"activity"},ice_hockey:{keywords:["sports"],char:"\u{1f3d2}",fitzpatrick_scale:!1,category:"activity"},field_hockey:{keywords:["sports"],char:"\u{1f3d1}",fitzpatrick_scale:!1,category:"activity"},lacrosse:{keywords:["sports","ball","stick"],char:"\u{1f94d}",fitzpatrick_scale:!1,category:"activity"},cricket:{keywords:["sports"],char:"\u{1f3cf}",fitzpatrick_scale:!1,category:"activity"},ski:{keywords:["sports","winter","cold","snow"],char:"\u{1f3bf}",fitzpatrick_scale:!1,category:"activity"},skier:{keywords:["sports","winter","snow"],char:"\u26f7",fitzpatrick_scale:!1,category:"activity"},snowboarder:{keywords:["sports","winter"],char:"\u{1f3c2}",fitzpatrick_scale:!0,category:"activity"},person_fencing:{keywords:["sports","fencing","sword"],char:"\u{1f93a}",fitzpatrick_scale:!1,category:"activity"},women_wrestling:{keywords:["sports","wrestlers"],char:"\u{1f93c}\u200d\u2640\ufe0f",fitzpatrick_scale:!1,category:"activity"},men_wrestling:{keywords:["sports","wrestlers"],char:"\u{1f93c}\u200d\u2642\ufe0f",fitzpatrick_scale:!1,category:"activity"},woman_cartwheeling:{keywords:["gymnastics"],char:"\u{1f938}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},man_cartwheeling:{keywords:["gymnastics"],char:"\u{1f938}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"activity"},woman_playing_handball:{keywords:["sports"],char:"\u{1f93e}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},man_playing_handball:{keywords:["sports"],char:"\u{1f93e}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"activity"},ice_skate:{keywords:["sports"],char:"\u26f8",fitzpatrick_scale:!1,category:"activity"},curling_stone:{keywords:["sports"],char:"\u{1f94c}",fitzpatrick_scale:!1,category:"activity"},skateboard:{keywords:["board"],char:"\u{1f6f9}",fitzpatrick_scale:!1,category:"activity"},sled:{keywords:["sleigh","luge","toboggan"],char:"\u{1f6f7}",fitzpatrick_scale:!1,category:"activity"},bow_and_arrow:{keywords:["sports"],char:"\u{1f3f9}",fitzpatrick_scale:!1,category:"activity"},fishing_pole_and_fish:{keywords:["food","hobby","summer"],char:"\u{1f3a3}",fitzpatrick_scale:!1,category:"activity"},boxing_glove:{keywords:["sports","fighting"],char:"\u{1f94a}",fitzpatrick_scale:!1,category:"activity"},martial_arts_uniform:{keywords:["judo","karate","taekwondo"],char:"\u{1f94b}",fitzpatrick_scale:!1,category:"activity"},rowing_woman:{keywords:["sports","hobby","water","ship","woman","female"],char:"\u{1f6a3}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},rowing_man:{keywords:["sports","hobby","water","ship"],char:"\u{1f6a3}",fitzpatrick_scale:!0,category:"activity"},climbing_woman:{keywords:["sports","hobby","woman","female","rock"],char:"\u{1f9d7}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},climbing_man:{keywords:["sports","hobby","man","male","rock"],char:"\u{1f9d7}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"activity"},swimming_woman:{keywords:["sports","exercise","human","athlete","water","summer","woman","female"],char:"\u{1f3ca}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},swimming_man:{keywords:["sports","exercise","human","athlete","water","summer"],char:"\u{1f3ca}",fitzpatrick_scale:!0,category:"activity"},woman_playing_water_polo:{keywords:["sports","pool"],char:"\u{1f93d}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},man_playing_water_polo:{keywords:["sports","pool"],char:"\u{1f93d}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"activity"},woman_in_lotus_position:{keywords:["woman","female","meditation","yoga","serenity","zen","mindfulness"],char:"\u{1f9d8}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},man_in_lotus_position:{keywords:["man","male","meditation","yoga","serenity","zen","mindfulness"],char:"\u{1f9d8}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"activity"},surfing_woman:{keywords:["sports","ocean","sea","summer","beach","woman","female"],char:"\u{1f3c4}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},surfing_man:{keywords:["sports","ocean","sea","summer","beach"],char:"\u{1f3c4}",fitzpatrick_scale:!0,category:"activity"},bath:{keywords:["clean","shower","bathroom"],char:"\u{1f6c0}",fitzpatrick_scale:!0,category:"activity"},basketball_woman:{keywords:["sports","human","woman","female"],char:"\u26f9\ufe0f\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},basketball_man:{keywords:["sports","human"],char:"\u26f9",fitzpatrick_scale:!0,category:"activity"},weight_lifting_woman:{keywords:["sports","training","exercise","woman","female"],char:"\u{1f3cb}\ufe0f\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},weight_lifting_man:{keywords:["sports","training","exercise"],char:"\u{1f3cb}",fitzpatrick_scale:!0,category:"activity"},biking_woman:{keywords:["sports","bike","exercise","hipster","woman","female"],char:"\u{1f6b4}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},biking_man:{keywords:["sports","bike","exercise","hipster"],char:"\u{1f6b4}",fitzpatrick_scale:!0,category:"activity"},mountain_biking_woman:{keywords:["transportation","sports","human","race","bike","woman","female"],char:"\u{1f6b5}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},mountain_biking_man:{keywords:["transportation","sports","human","race","bike"],char:"\u{1f6b5}",fitzpatrick_scale:!0,category:"activity"},horse_racing:{keywords:["animal","betting","competition","gambling","luck"],char:"\u{1f3c7}",fitzpatrick_scale:!0,category:"activity"},business_suit_levitating:{keywords:["suit","business","levitate","hover","jump"],char:"\u{1f574}",fitzpatrick_scale:!0,category:"activity"},trophy:{keywords:["win","award","contest","place","ftw","ceremony"],char:"\u{1f3c6}",fitzpatrick_scale:!1,category:"activity"},running_shirt_with_sash:{keywords:["play","pageant"],char:"\u{1f3bd}",fitzpatrick_scale:!1,category:"activity"},medal_sports:{keywords:["award","winning"],char:"\u{1f3c5}",fitzpatrick_scale:!1,category:"activity"},medal_military:{keywords:["award","winning","army"],char:"\u{1f396}",fitzpatrick_scale:!1,category:"activity"},"1st_place_medal":{keywords:["award","winning","first"],char:"\u{1f947}",fitzpatrick_scale:!1,category:"activity"},"2nd_place_medal":{keywords:["award","second"],char:"\u{1f948}",fitzpatrick_scale:!1,category:"activity"},"3rd_place_medal":{keywords:["award","third"],char:"\u{1f949}",fitzpatrick_scale:!1,category:"activity"},reminder_ribbon:{keywords:["sports","cause","support","awareness"],char:"\u{1f397}",fitzpatrick_scale:!1,category:"activity"},rosette:{keywords:["flower","decoration","military"],char:"\u{1f3f5}",fitzpatrick_scale:!1,category:"activity"},ticket:{keywords:["event","concert","pass"],char:"\u{1f3ab}",fitzpatrick_scale:!1,category:"activity"},tickets:{keywords:["sports","concert","entrance"],char:"\u{1f39f}",fitzpatrick_scale:!1,category:"activity"},performing_arts:{keywords:["acting","theater","drama"],char:"\u{1f3ad}",fitzpatrick_scale:!1,category:"activity"},art:{keywords:["design","paint","draw","colors"],char:"\u{1f3a8}",fitzpatrick_scale:!1,category:"activity"},circus_tent:{keywords:["festival","carnival","party"],char:"\u{1f3aa}",fitzpatrick_scale:!1,category:"activity"},woman_juggling:{keywords:["juggle","balance","skill","multitask"],char:"\u{1f939}\u200d\u2640\ufe0f",fitzpatrick_scale:!0,category:"activity"},man_juggling:{keywords:["juggle","balance","skill","multitask"],char:"\u{1f939}\u200d\u2642\ufe0f",fitzpatrick_scale:!0,category:"activity"},microphone:{keywords:["sound","music","PA","sing","talkshow"],char:"\u{1f3a4}",fitzpatrick_scale:!1,category:"activity"},headphones:{keywords:["music","score","gadgets"],char:"\u{1f3a7}",fitzpatrick_scale:!1,category:"activity"},musical_score:{keywords:["treble","clef","compose"],char:"\u{1f3bc}",fitzpatrick_scale:!1,category:"activity"},musical_keyboard:{keywords:["piano","instrument","compose"],char:"\u{1f3b9}",fitzpatrick_scale:!1,category:"activity"},drum:{keywords:["music","instrument","drumsticks","snare"],char:"\u{1f941}",fitzpatrick_scale:!1,category:"activity"},saxophone:{keywords:["music","instrument","jazz","blues"],char:"\u{1f3b7}",fitzpatrick_scale:!1,category:"activity"},trumpet:{keywords:["music","brass"],char:"\u{1f3ba}",fitzpatrick_scale:!1,category:"activity"},guitar:{keywords:["music","instrument"],char:"\u{1f3b8}",fitzpatrick_scale:!1,category:"activity"},violin:{keywords:["music","instrument","orchestra","symphony"],char:"\u{1f3bb}",fitzpatrick_scale:!1,category:"activity"},clapper:{keywords:["movie","film","record"],char:"\u{1f3ac}",fitzpatrick_scale:!1,category:"activity"},video_game:{keywords:["play","console","PS4","controller"],char:"\u{1f3ae}",fitzpatrick_scale:!1,category:"activity"},space_invader:{keywords:["game","arcade","play"],char:"\u{1f47e}",fitzpatrick_scale:!1,category:"activity"},dart:{keywords:["game","play","bar","target","bullseye"],char:"\u{1f3af}",fitzpatrick_scale:!1,category:"activity"},game_die:{keywords:["dice","random","tabletop","play","luck"],char:"\u{1f3b2}",fitzpatrick_scale:!1,category:"activity"},chess_pawn:{keywords:["expendable"],char:"\u265f",fitzpatrick_scale:!1,category:"activity"},slot_machine:{keywords:["bet","gamble","vegas","fruit machine","luck","casino"],char:"\u{1f3b0}",fitzpatrick_scale:!1,category:"activity"},jigsaw:{keywords:["interlocking","puzzle","piece"],char:"\u{1f9e9}",fitzpatrick_scale:!1,category:"activity"},bowling:{keywords:["sports","fun","play"],char:"\u{1f3b3}",fitzpatrick_scale:!1,category:"activity"},red_car:{keywords:["red","transportation","vehicle"],char:"\u{1f697}",fitzpatrick_scale:!1,category:"travel_and_places"},taxi:{keywords:["uber","vehicle","cars","transportation"],char:"\u{1f695}",fitzpatrick_scale:!1,category:"travel_and_places"},blue_car:{keywords:["transportation","vehicle"],char:"\u{1f699}",fitzpatrick_scale:!1,category:"travel_and_places"},bus:{keywords:["car","vehicle","transportation"],char:"\u{1f68c}",fitzpatrick_scale:!1,category:"travel_and_places"},trolleybus:{keywords:["bart","transportation","vehicle"],char:"\u{1f68e}",fitzpatrick_scale:!1,category:"travel_and_places"},racing_car:{keywords:["sports","race","fast","formula","f1"],char:"\u{1f3ce}",fitzpatrick_scale:!1,category:"travel_and_places"},police_car:{keywords:["vehicle","cars","transportation","law","legal","enforcement"],char:"\u{1f693}",fitzpatrick_scale:!1,category:"travel_and_places"},ambulance:{keywords:["health","911","hospital"],char:"\u{1f691}",fitzpatrick_scale:!1,category:"travel_and_places"},fire_engine:{keywords:["transportation","cars","vehicle"],char:"\u{1f692}",fitzpatrick_scale:!1,category:"travel_and_places"},minibus:{keywords:["vehicle","car","transportation"],char:"\u{1f690}",fitzpatrick_scale:!1,category:"travel_and_places"},truck:{keywords:["cars","transportation"],char:"\u{1f69a}",fitzpatrick_scale:!1,category:"travel_and_places"},articulated_lorry:{keywords:["vehicle","cars","transportation","express"],char:"\u{1f69b}",fitzpatrick_scale:!1,category:"travel_and_places"},tractor:{keywords:["vehicle","car","farming","agriculture"],char:"\u{1f69c}",fitzpatrick_scale:!1,category:"travel_and_places"},kick_scooter:{keywords:["vehicle","kick","razor"],char:"\u{1f6f4}",fitzpatrick_scale:!1,category:"travel_and_places"},motorcycle:{keywords:["race","sports","fast"],char:"\u{1f3cd}",fitzpatrick_scale:!1,category:"travel_and_places"},bike:{keywords:["sports","bicycle","exercise","hipster"],char:"\u{1f6b2}",fitzpatrick_scale:!1,category:"travel_and_places"},motor_scooter:{keywords:["vehicle","vespa","sasha"],char:"\u{1f6f5}",fitzpatrick_scale:!1,category:"travel_and_places"},rotating_light:{keywords:["police","ambulance","911","emergency","alert","error","pinged","law","legal"],char:"\u{1f6a8}",fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_police_car:{keywords:["vehicle","law","legal","enforcement","911"],char:"\u{1f694}",fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_bus:{keywords:["vehicle","transportation"],char:"\u{1f68d}",fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_automobile:{keywords:["car","vehicle","transportation"],char:"\u{1f698}",fitzpatrick_scale:!1,category:"travel_and_places"},oncoming_taxi:{keywords:["vehicle","cars","uber"],char:"\u{1f696}",fitzpatrick_scale:!1,category:"travel_and_places"},aerial_tramway:{keywords:["transportation","vehicle","ski"],char:"\u{1f6a1}",fitzpatrick_scale:!1,category:"travel_and_places"},mountain_cableway:{keywords:["transportation","vehicle","ski"],char:"\u{1f6a0}",fitzpatrick_scale:!1,category:"travel_and_places"},suspension_railway:{keywords:["vehicle","transportation"],char:"\u{1f69f}",fitzpatrick_scale:!1,category:"travel_and_places"},railway_car:{keywords:["transportation","vehicle"],char:"\u{1f683}",fitzpatrick_scale:!1,category:"travel_and_places"},train:{keywords:["transportation","vehicle","carriage","public","travel"],char:"\u{1f68b}",fitzpatrick_scale:!1,category:"travel_and_places"},monorail:{keywords:["transportation","vehicle"],char:"\u{1f69d}",fitzpatrick_scale:!1,category:"travel_and_places"},bullettrain_side:{keywords:["transportation","vehicle"],char:"\u{1f684}",fitzpatrick_scale:!1,category:"travel_and_places"},bullettrain_front:{keywords:["transportation","vehicle","speed","fast","public","travel"],char:"\u{1f685}",fitzpatrick_scale:!1,category:"travel_and_places"},light_rail:{keywords:["transportation","vehicle"],char:"\u{1f688}",fitzpatrick_scale:!1,category:"travel_and_places"},mountain_railway:{keywords:["transportation","vehicle"],char:"\u{1f69e}",fitzpatrick_scale:!1,category:"travel_and_places"},steam_locomotive:{keywords:["transportation","vehicle","train"],char:"\u{1f682}",fitzpatrick_scale:!1,category:"travel_and_places"},train2:{keywords:["transportation","vehicle"],char:"\u{1f686}",fitzpatrick_scale:!1,category:"travel_and_places"},metro:{keywords:["transportation","blue-square","mrt","underground","tube"],char:"\u{1f687}",fitzpatrick_scale:!1,category:"travel_and_places"},tram:{keywords:["transportation","vehicle"],char:"\u{1f68a}",fitzpatrick_scale:!1,category:"travel_and_places"},station:{keywords:["transportation","vehicle","public"],char:"\u{1f689}",fitzpatrick_scale:!1,category:"travel_and_places"},flying_saucer:{keywords:["transportation","vehicle","ufo"],char:"\u{1f6f8}",fitzpatrick_scale:!1,category:"travel_and_places"},helicopter:{keywords:["transportation","vehicle","fly"],char:"\u{1f681}",fitzpatrick_scale:!1,category:"travel_and_places"},small_airplane:{keywords:["flight","transportation","fly","vehicle"],char:"\u{1f6e9}",fitzpatrick_scale:!1,category:"travel_and_places"},airplane:{keywords:["vehicle","transportation","flight","fly"],char:"\u2708\ufe0f",fitzpatrick_scale:!1,category:"travel_and_places"},flight_departure:{keywords:["airport","flight","landing"],char:"\u{1f6eb}",fitzpatrick_scale:!1,category:"travel_and_places"},flight_arrival:{keywords:["airport","flight","boarding"],char:"\u{1f6ec}",fitzpatrick_scale:!1,category:"travel_and_places"},sailboat:{keywords:["ship","summer","transportation","water","sailing"],char:"\u26f5",fitzpatrick_scale:!1,category:"travel_and_places"},motor_boat:{keywords:["ship"],char:"\u{1f6e5}",fitzpatrick_scale:!1,category:"travel_and_places"},speedboat:{keywords:["ship","transportation","vehicle","summer"],char:"\u{1f6a4}",fitzpatrick_scale:!1,category:"travel_and_places"},ferry:{keywords:["boat","ship","yacht"],char:"\u26f4",fitzpatrick_scale:!1,category:"travel_and_places"},passenger_ship:{keywords:["yacht","cruise","ferry"],char:"\u{1f6f3}",fitzpatrick_scale:!1,category:"travel_and_places"},rocket:{keywords:["launch","ship","staffmode","NASA","outer space","outer_space","fly"],char:"\u{1f680}",fitzpatrick_scale:!1,category:"travel_and_places"},artificial_satellite:{keywords:["communication","gps","orbit","spaceflight","NASA","ISS"],char:"\u{1f6f0}",fitzpatrick_scale:!1,category:"travel_and_places"},seat:{keywords:["sit","airplane","transport","bus","flight","fly"],char:"\u{1f4ba}",fitzpatrick_scale:!1,category:"travel_and_places"},canoe:{keywords:["boat","paddle","water","ship"],char:"\u{1f6f6}",fitzpatrick_scale:!1,category:"travel_and_places"},anchor:{keywords:["ship","ferry","sea","boat"],char:"\u2693",fitzpatrick_scale:!1,category:"travel_and_places"},construction:{keywords:["wip","progress","caution","warning"],char:"\u{1f6a7}",fitzpatrick_scale:!1,category:"travel_and_places"},fuelpump:{keywords:["gas station","petroleum"],char:"\u26fd",fitzpatrick_scale:!1,category:"travel_and_places"},busstop:{keywords:["transportation","wait"],char:"\u{1f68f}",fitzpatrick_scale:!1,category:"travel_and_places"},vertical_traffic_light:{keywords:["transportation","driving"],char:"\u{1f6a6}",fitzpatrick_scale:!1,category:"travel_and_places"},traffic_light:{keywords:["transportation","signal"],char:"\u{1f6a5}",fitzpatrick_scale:!1,category:"travel_and_places"},checkered_flag:{keywords:["contest","finishline","race","gokart"],char:"\u{1f3c1}",fitzpatrick_scale:!1,category:"travel_and_places"},ship:{keywords:["transportation","titanic","deploy"],char:"\u{1f6a2}",fitzpatrick_scale:!1,category:"travel_and_places"},ferris_wheel:{keywords:["photo","carnival","londoneye"],char:"\u{1f3a1}",fitzpatrick_scale:!1,category:"travel_and_places"},roller_coaster:{keywords:["carnival","playground","photo","fun"],char:"\u{1f3a2}",fitzpatrick_scale:!1,category:"travel_and_places"},carousel_horse:{keywords:["photo","carnival"],char:"\u{1f3a0}",fitzpatrick_scale:!1,category:"travel_and_places"},building_construction:{keywords:["wip","working","progress"],char:"\u{1f3d7}",fitzpatrick_scale:!1,category:"travel_and_places"},foggy:{keywords:["photo","mountain"],char:"\u{1f301}",fitzpatrick_scale:!1,category:"travel_and_places"},tokyo_tower:{keywords:["photo","japanese"],char:"\u{1f5fc}",fitzpatrick_scale:!1,category:"travel_and_places"},factory:{keywords:["building","industry","pollution","smoke"],char:"\u{1f3ed}",fitzpatrick_scale:!1,category:"travel_and_places"},fountain:{keywords:["photo","summer","water","fresh"],char:"\u26f2",fitzpatrick_scale:!1,category:"travel_and_places"},rice_scene:{keywords:["photo","japan","asia","tsukimi"],char:"\u{1f391}",fitzpatrick_scale:!1,category:"travel_and_places"},mountain:{keywords:["photo","nature","environment"],char:"\u26f0",fitzpatrick_scale:!1,category:"travel_and_places"},mountain_snow:{keywords:["photo","nature","environment","winter","cold"],char:"\u{1f3d4}",fitzpatrick_scale:!1,category:"travel_and_places"},mount_fuji:{keywords:["photo","mountain","nature","japanese"],char:"\u{1f5fb}",fitzpatrick_scale:!1,category:"travel_and_places"},volcano:{keywords:["photo","nature","disaster"],char:"\u{1f30b}",fitzpatrick_scale:!1,category:"travel_and_places"},japan:{keywords:["nation","country","japanese","asia"],char:"\u{1f5fe}",fitzpatrick_scale:!1,category:"travel_and_places"},camping:{keywords:["photo","outdoors","tent"],char:"\u{1f3d5}",fitzpatrick_scale:!1,category:"travel_and_places"},tent:{keywords:["photo","camping","outdoors"],char:"\u26fa",fitzpatrick_scale:!1,category:"travel_and_places"},national_park:{keywords:["photo","environment","nature"],char:"\u{1f3de}",fitzpatrick_scale:!1,category:"travel_and_places"},motorway:{keywords:["road","cupertino","interstate","highway"],char:"\u{1f6e3}",fitzpatrick_scale:!1,category:"travel_and_places"},railway_track:{keywords:["train","transportation"],char:"\u{1f6e4}",fitzpatrick_scale:!1,category:"travel_and_places"},sunrise:{keywords:["morning","view","vacation","photo"],char:"\u{1f305}",fitzpatrick_scale:!1,category:"travel_and_places"},sunrise_over_mountains:{keywords:["view","vacation","photo"],char:"\u{1f304}",fitzpatrick_scale:!1,category:"travel_and_places"},desert:{keywords:["photo","warm","saharah"],char:"\u{1f3dc}",fitzpatrick_scale:!1,category:"travel_and_places"},beach_umbrella:{keywords:["weather","summer","sunny","sand","mojito"],char:"\u{1f3d6}",fitzpatrick_scale:!1,category:"travel_and_places"},desert_island:{keywords:["photo","tropical","mojito"],char:"\u{1f3dd}",fitzpatrick_scale:!1,category:"travel_and_places"},city_sunrise:{keywords:["photo","good morning","dawn"],char:"\u{1f307}",fitzpatrick_scale:!1,category:"travel_and_places"},city_sunset:{keywords:["photo","evening","sky","buildings"],char:"\u{1f306}",fitzpatrick_scale:!1,category:"travel_and_places"},cityscape:{keywords:["photo","night life","urban"],char:"\u{1f3d9}",fitzpatrick_scale:!1,category:"travel_and_places"},night_with_stars:{keywords:["evening","city","downtown"],char:"\u{1f303}",fitzpatrick_scale:!1,category:"travel_and_places"},bridge_at_night:{keywords:["photo","sanfrancisco"],char:"\u{1f309}",fitzpatrick_scale:!1,category:"travel_and_places"},milky_way:{keywords:["photo","space","stars"],char:"\u{1f30c}",fitzpatrick_scale:!1,category:"travel_and_places"},stars:{keywords:["night","photo"],char:"\u{1f320}",fitzpatrick_scale:!1,category:"travel_and_places"},sparkler:{keywords:["stars","night","shine"],char:"\u{1f387}",fitzpatrick_scale:!1,category:"travel_and_places"},fireworks:{keywords:["photo","festival","carnival","congratulations"],char:"\u{1f386}",fitzpatrick_scale:!1,category:"travel_and_places"},rainbow:{keywords:["nature","happy","unicorn_face","photo","sky","spring"],char:"\u{1f308}",fitzpatrick_scale:!1,category:"travel_and_places"},houses:{keywords:["buildings","photo"],char:"\u{1f3d8}",fitzpatrick_scale:!1,category:"travel_and_places"},european_castle:{keywords:["building","royalty","history"],char:"\u{1f3f0}",fitzpatrick_scale:!1,category:"travel_and_places"},japanese_castle:{keywords:["photo","building"],char:"\u{1f3ef}",fitzpatrick_scale:!1,category:"travel_and_places"},stadium:{keywords:["photo","place","sports","concert","venue"],char:"\u{1f3df}",fitzpatrick_scale:!1,category:"travel_and_places"},statue_of_liberty:{keywords:["american","newyork"],char:"\u{1f5fd}",fitzpatrick_scale:!1,category:"travel_and_places"},house:{keywords:["building","home"],char:"\u{1f3e0}",fitzpatrick_scale:!1,category:"travel_and_places"},house_with_garden:{keywords:["home","plant","nature"],char:"\u{1f3e1}",fitzpatrick_scale:!1,category:"travel_and_places"},derelict_house:{keywords:["abandon","evict","broken","building"],char:"\u{1f3da}",fitzpatrick_scale:!1,category:"travel_and_places"},office:{keywords:["building","bureau","work"],char:"\u{1f3e2}",fitzpatrick_scale:!1,category:"travel_and_places"},department_store:{keywords:["building","shopping","mall"],char:"\u{1f3ec}",fitzpatrick_scale:!1,category:"travel_and_places"},post_office:{keywords:["building","envelope","communication"],char:"\u{1f3e3}",fitzpatrick_scale:!1,category:"travel_and_places"},european_post_office:{keywords:["building","email"],char:"\u{1f3e4}",fitzpatrick_scale:!1,category:"travel_and_places"},hospital:{keywords:["building","health","surgery","doctor"],char:"\u{1f3e5}",fitzpatrick_scale:!1,category:"travel_and_places"},bank:{keywords:["building","money","sales","cash","business","enterprise"],char:"\u{1f3e6}",fitzpatrick_scale:!1,category:"travel_and_places"},hotel:{keywords:["building","accomodation","checkin"],char:"\u{1f3e8}",fitzpatrick_scale:!1,category:"travel_and_places"},convenience_store:{keywords:["building","shopping","groceries"],char:"\u{1f3ea}",fitzpatrick_scale:!1,category:"travel_and_places"},school:{keywords:["building","student","education","learn","teach"],char:"\u{1f3eb}",fitzpatrick_scale:!1,category:"travel_and_places"},love_hotel:{keywords:["like","affection","dating"],char:"\u{1f3e9}",fitzpatrick_scale:!1,category:"travel_and_places"},wedding:{keywords:["love","like","affection","couple","marriage","bride","groom"],char:"\u{1f492}",fitzpatrick_scale:!1,category:"travel_and_places"},classical_building:{keywords:["art","culture","history"],char:"\u{1f3db}",fitzpatrick_scale:!1,category:"travel_and_places"},church:{keywords:["building","religion","christ"],char:"\u26ea",fitzpatrick_scale:!1,category:"travel_and_places"},mosque:{keywords:["islam","worship","minaret"],char:"\u{1f54c}",fitzpatrick_scale:!1,category:"travel_and_places"},synagogue:{keywords:["judaism","worship","temple","jewish"],char:"\u{1f54d}",fitzpatrick_scale:!1,category:"travel_and_places"},kaaba:{keywords:["mecca","mosque","islam"],char:"\u{1f54b}",fitzpatrick_scale:!1,category:"travel_and_places"},shinto_shrine:{keywords:["temple","japan","kyoto"],char:"\u26e9",fitzpatrick_scale:!1,category:"travel_and_places"},watch:{keywords:["time","accessories"],char:"\u231a",fitzpatrick_scale:!1,category:"objects"},iphone:{keywords:["technology","apple","gadgets","dial"],char:"\u{1f4f1}",fitzpatrick_scale:!1,category:"objects"},calling:{keywords:["iphone","incoming"],char:"\u{1f4f2}",fitzpatrick_scale:!1,category:"objects"},computer:{keywords:["technology","laptop","screen","display","monitor"],char:"\u{1f4bb}",fitzpatrick_scale:!1,category:"objects"},keyboard:{keywords:["technology","computer","type","input","text"],char:"\u2328",fitzpatrick_scale:!1,category:"objects"},desktop_computer:{keywords:["technology","computing","screen"],char:"\u{1f5a5}",fitzpatrick_scale:!1,category:"objects"},printer:{keywords:["paper","ink"],char:"\u{1f5a8}",fitzpatrick_scale:!1,category:"objects"},computer_mouse:{keywords:["click"],char:"\u{1f5b1}",fitzpatrick_scale:!1,category:"objects"},trackball:{keywords:["technology","trackpad"],char:"\u{1f5b2}",fitzpatrick_scale:!1,category:"objects"},joystick:{keywords:["game","play"],char:"\u{1f579}",fitzpatrick_scale:!1,category:"objects"},clamp:{keywords:["tool"],char:"\u{1f5dc}",fitzpatrick_scale:!1,category:"objects"},minidisc:{keywords:["technology","record","data","disk","90s"],char:"\u{1f4bd}",fitzpatrick_scale:!1,category:"objects"},floppy_disk:{keywords:["oldschool","technology","save","90s","80s"],char:"\u{1f4be}",fitzpatrick_scale:!1,category:"objects"},cd:{keywords:["technology","dvd","disk","disc","90s"],char:"\u{1f4bf}",fitzpatrick_scale:!1,category:"objects"},dvd:{keywords:["cd","disk","disc"],char:"\u{1f4c0}",fitzpatrick_scale:!1,category:"objects"},vhs:{keywords:["record","video","oldschool","90s","80s"],char:"\u{1f4fc}",fitzpatrick_scale:!1,category:"objects"},camera:{keywords:["gadgets","photography"],char:"\u{1f4f7}",fitzpatrick_scale:!1,category:"objects"},camera_flash:{keywords:["photography","gadgets"],char:"\u{1f4f8}",fitzpatrick_scale:!1,category:"objects"},video_camera:{keywords:["film","record"],char:"\u{1f4f9}",fitzpatrick_scale:!1,category:"objects"},movie_camera:{keywords:["film","record"],char:"\u{1f3a5}",fitzpatrick_scale:!1,category:"objects"},film_projector:{keywords:["video","tape","record","movie"],char:"\u{1f4fd}",fitzpatrick_scale:!1,category:"objects"},film_strip:{keywords:["movie"],char:"\u{1f39e}",fitzpatrick_scale:!1,category:"objects"},telephone_receiver:{keywords:["technology","communication","dial"],char:"\u{1f4de}",fitzpatrick_scale:!1,category:"objects"},phone:{keywords:["technology","communication","dial","telephone"],char:"\u260e\ufe0f",fitzpatrick_scale:!1,category:"objects"},pager:{keywords:["bbcall","oldschool","90s"],char:"\u{1f4df}",fitzpatrick_scale:!1,category:"objects"},fax:{keywords:["communication","technology"],char:"\u{1f4e0}",fitzpatrick_scale:!1,category:"objects"},tv:{keywords:["technology","program","oldschool","show","television"],char:"\u{1f4fa}",fitzpatrick_scale:!1,category:"objects"},radio:{keywords:["communication","music","podcast","program"],char:"\u{1f4fb}",fitzpatrick_scale:!1,category:"objects"},studio_microphone:{keywords:["sing","recording","artist","talkshow"],char:"\u{1f399}",fitzpatrick_scale:!1,category:"objects"},level_slider:{keywords:["scale"],char:"\u{1f39a}",fitzpatrick_scale:!1,category:"objects"},control_knobs:{keywords:["dial"],char:"\u{1f39b}",fitzpatrick_scale:!1,category:"objects"},compass:{keywords:["magnetic","navigation","orienteering"],char:"\u{1f9ed}",fitzpatrick_scale:!1,category:"objects"},stopwatch:{keywords:["time","deadline"],char:"\u23f1",fitzpatrick_scale:!1,category:"objects"},timer_clock:{keywords:["alarm"],char:"\u23f2",fitzpatrick_scale:!1,category:"objects"},alarm_clock:{keywords:["time","wake"],char:"\u23f0",fitzpatrick_scale:!1,category:"objects"},mantelpiece_clock:{keywords:["time"],char:"\u{1f570}",fitzpatrick_scale:!1,category:"objects"},hourglass_flowing_sand:{keywords:["oldschool","time","countdown"],char:"\u23f3",fitzpatrick_scale:!1,category:"objects"},hourglass:{keywords:["time","clock","oldschool","limit","exam","quiz","test"],char:"\u231b",fitzpatrick_scale:!1,category:"objects"},satellite:{keywords:["communication","future","radio","space"],char:"\u{1f4e1}",fitzpatrick_scale:!1,category:"objects"},battery:{keywords:["power","energy","sustain"],char:"\u{1f50b}",fitzpatrick_scale:!1,category:"objects"},electric_plug:{keywords:["charger","power"],char:"\u{1f50c}",fitzpatrick_scale:!1,category:"objects"},bulb:{keywords:["light","electricity","idea"],char:"\u{1f4a1}",fitzpatrick_scale:!1,category:"objects"},flashlight:{keywords:["dark","camping","sight","night"],char:"\u{1f526}",fitzpatrick_scale:!1,category:"objects"},candle:{keywords:["fire","wax"],char:"\u{1f56f}",fitzpatrick_scale:!1,category:"objects"},fire_extinguisher:{keywords:["quench"],char:"\u{1f9ef}",fitzpatrick_scale:!1,category:"objects"},wastebasket:{keywords:["bin","trash","rubbish","garbage","toss"],char:"\u{1f5d1}",fitzpatrick_scale:!1,category:"objects"},oil_drum:{keywords:["barrell"],char:"\u{1f6e2}",fitzpatrick_scale:!1,category:"objects"},money_with_wings:{keywords:["dollar","bills","payment","sale"],char:"\u{1f4b8}",fitzpatrick_scale:!1,category:"objects"},dollar:{keywords:["money","sales","bill","currency"],char:"\u{1f4b5}",fitzpatrick_scale:!1,category:"objects"},yen:{keywords:["money","sales","japanese","dollar","currency"],char:"\u{1f4b4}",fitzpatrick_scale:!1,category:"objects"},euro:{keywords:["money","sales","dollar","currency"],char:"\u{1f4b6}",fitzpatrick_scale:!1,category:"objects"},pound:{keywords:["british","sterling","money","sales","bills","uk","england","currency"],char:"\u{1f4b7}",fitzpatrick_scale:!1,category:"objects"},moneybag:{keywords:["dollar","payment","coins","sale"],char:"\u{1f4b0}",fitzpatrick_scale:!1,category:"objects"},credit_card:{keywords:["money","sales","dollar","bill","payment","shopping"],char:"\u{1f4b3}",fitzpatrick_scale:!1,category:"objects"},gem:{keywords:["blue","ruby","diamond","jewelry"],char:"\u{1f48e}",fitzpatrick_scale:!1,category:"objects"},balance_scale:{keywords:["law","fairness","weight"],char:"\u2696",fitzpatrick_scale:!1,category:"objects"},toolbox:{keywords:["tools","diy","fix","maintainer","mechanic"],char:"\u{1f9f0}",fitzpatrick_scale:!1,category:"objects"},wrench:{keywords:["tools","diy","ikea","fix","maintainer"],char:"\u{1f527}",fitzpatrick_scale:!1,category:"objects"},hammer:{keywords:["tools","build","create"],char:"\u{1f528}",fitzpatrick_scale:!1,category:"objects"},hammer_and_pick:{keywords:["tools","build","create"],char:"\u2692",fitzpatrick_scale:!1,category:"objects"},hammer_and_wrench:{keywords:["tools","build","create"],char:"\u{1f6e0}",fitzpatrick_scale:!1,category:"objects"},pick:{keywords:["tools","dig"],char:"\u26cf",fitzpatrick_scale:!1,category:"objects"},nut_and_bolt:{keywords:["handy","tools","fix"],char:"\u{1f529}",fitzpatrick_scale:!1,category:"objects"},gear:{keywords:["cog"],char:"\u2699",fitzpatrick_scale:!1,category:"objects"},brick:{keywords:["bricks"],char:"\u{1f9f1}",fitzpatrick_scale:!1,category:"objects"},chains:{keywords:["lock","arrest"],char:"\u26d3",fitzpatrick_scale:!1,category:"objects"},magnet:{keywords:["attraction","magnetic"],char:"\u{1f9f2}",fitzpatrick_scale:!1,category:"objects"},gun:{keywords:["violence","weapon","pistol","revolver"],char:"\u{1f52b}",fitzpatrick_scale:!1,category:"objects"},bomb:{keywords:["boom","explode","explosion","terrorism"],char:"\u{1f4a3}",fitzpatrick_scale:!1,category:"objects"},firecracker:{keywords:["dynamite","boom","explode","explosion","explosive"],char:"\u{1f9e8}",fitzpatrick_scale:!1,category:"objects"},hocho:{keywords:["knife","blade","cutlery","kitchen","weapon"],char:"\u{1f52a}",fitzpatrick_scale:!1,category:"objects"},dagger:{keywords:["weapon"],char:"\u{1f5e1}",fitzpatrick_scale:!1,category:"objects"},crossed_swords:{keywords:["weapon"],char:"\u2694",fitzpatrick_scale:!1,category:"objects"},shield:{keywords:["protection","security"],char:"\u{1f6e1}",fitzpatrick_scale:!1,category:"objects"},smoking:{keywords:["kills","tobacco","cigarette","joint","smoke"],char:"\u{1f6ac}",fitzpatrick_scale:!1,category:"objects"},skull_and_crossbones:{keywords:["poison","danger","deadly","scary","death","pirate","evil"],char:"\u2620",fitzpatrick_scale:!1,category:"objects"},coffin:{keywords:["vampire","dead","die","death","rip","graveyard","cemetery","casket","funeral","box"],char:"\u26b0",fitzpatrick_scale:!1,category:"objects"},funeral_urn:{keywords:["dead","die","death","rip","ashes"],char:"\u26b1",fitzpatrick_scale:!1,category:"objects"},amphora:{keywords:["vase","jar"],char:"\u{1f3fa}",fitzpatrick_scale:!1,category:"objects"},crystal_ball:{keywords:["disco","party","magic","circus","fortune_teller"],char:"\u{1f52e}",fitzpatrick_scale:!1,category:"objects"},prayer_beads:{keywords:["dhikr","religious"],char:"\u{1f4ff}",fitzpatrick_scale:!1,category:"objects"},nazar_amulet:{keywords:["bead","charm"],char:"\u{1f9ff}",fitzpatrick_scale:!1,category:"objects"},barber:{keywords:["hair","salon","style"],char:"\u{1f488}",fitzpatrick_scale:!1,category:"objects"},alembic:{keywords:["distilling","science","experiment","chemistry"],char:"\u2697",fitzpatrick_scale:!1,category:"objects"},telescope:{keywords:["stars","space","zoom","science","astronomy"],char:"\u{1f52d}",fitzpatrick_scale:!1,category:"objects"},microscope:{keywords:["laboratory","experiment","zoomin","science","study"],char:"\u{1f52c}",fitzpatrick_scale:!1,category:"objects"},hole:{keywords:["embarrassing"],char:"\u{1f573}",fitzpatrick_scale:!1,category:"objects"},pill:{keywords:["health","medicine","doctor","pharmacy","drug"],char:"\u{1f48a}",fitzpatrick_scale:!1,category:"objects"},syringe:{keywords:["health","hospital","drugs","blood","medicine","needle","doctor","nurse"],char:"\u{1f489}",fitzpatrick_scale:!1,category:"objects"},dna:{keywords:["biologist","genetics","life"],char:"\u{1f9ec}",fitzpatrick_scale:!1,category:"objects"},microbe:{keywords:["amoeba","bacteria","germs"],char:"\u{1f9a0}",fitzpatrick_scale:!1,category:"objects"},petri_dish:{keywords:["bacteria","biology","culture","lab"],char:"\u{1f9eb}",fitzpatrick_scale:!1,category:"objects"},test_tube:{keywords:["chemistry","experiment","lab","science"],char:"\u{1f9ea}",fitzpatrick_scale:!1,category:"objects"},thermometer:{keywords:["weather","temperature","hot","cold"],char:"\u{1f321}",fitzpatrick_scale:!1,category:"objects"},broom:{keywords:["cleaning","sweeping","witch"],char:"\u{1f9f9}",fitzpatrick_scale:!1,category:"objects"},basket:{keywords:["laundry"],char:"\u{1f9fa}",fitzpatrick_scale:!1,category:"objects"},toilet_paper:{keywords:["roll"],char:"\u{1f9fb}",fitzpatrick_scale:!1,category:"objects"},label:{keywords:["sale","tag"],char:"\u{1f3f7}",fitzpatrick_scale:!1,category:"objects"},bookmark:{keywords:["favorite","label","save"],char:"\u{1f516}",fitzpatrick_scale:!1,category:"objects"},toilet:{keywords:["restroom","wc","washroom","bathroom","potty"],char:"\u{1f6bd}",fitzpatrick_scale:!1,category:"objects"},shower:{keywords:["clean","water","bathroom"],char:"\u{1f6bf}",fitzpatrick_scale:!1,category:"objects"},bathtub:{keywords:["clean","shower","bathroom"],char:"\u{1f6c1}",fitzpatrick_scale:!1,category:"objects"},soap:{keywords:["bar","bathing","cleaning","lather"],char:"\u{1f9fc}",fitzpatrick_scale:!1,category:"objects"},sponge:{keywords:["absorbing","cleaning","porous"],char:"\u{1f9fd}",fitzpatrick_scale:!1,category:"objects"},lotion_bottle:{keywords:["moisturizer","sunscreen"],char:"\u{1f9f4}",fitzpatrick_scale:!1,category:"objects"},key:{keywords:["lock","door","password"],char:"\u{1f511}",fitzpatrick_scale:!1,category:"objects"},old_key:{keywords:["lock","door","password"],char:"\u{1f5dd}",fitzpatrick_scale:!1,category:"objects"},couch_and_lamp:{keywords:["read","chill"],char:"\u{1f6cb}",fitzpatrick_scale:!1,category:"objects"},sleeping_bed:{keywords:["bed","rest"],char:"\u{1f6cc}",fitzpatrick_scale:!0,category:"objects"},bed:{keywords:["sleep","rest"],char:"\u{1f6cf}",fitzpatrick_scale:!1,category:"objects"},door:{keywords:["house","entry","exit"],char:"\u{1f6aa}",fitzpatrick_scale:!1,category:"objects"},bellhop_bell:{keywords:["service"],char:"\u{1f6ce}",fitzpatrick_scale:!1,category:"objects"},teddy_bear:{keywords:["plush","stuffed"],char:"\u{1f9f8}",fitzpatrick_scale:!1,category:"objects"},framed_picture:{keywords:["photography"],char:"\u{1f5bc}",fitzpatrick_scale:!1,category:"objects"},world_map:{keywords:["location","direction"],char:"\u{1f5fa}",fitzpatrick_scale:!1,category:"objects"},parasol_on_ground:{keywords:["weather","summer"],char:"\u26f1",fitzpatrick_scale:!1,category:"objects"},moyai:{keywords:["rock","easter island","moai"],char:"\u{1f5ff}",fitzpatrick_scale:!1,category:"objects"},shopping:{keywords:["mall","buy","purchase"],char:"\u{1f6cd}",fitzpatrick_scale:!1,category:"objects"},shopping_cart:{keywords:["trolley"],char:"\u{1f6d2}",fitzpatrick_scale:!1,category:"objects"},balloon:{keywords:["party","celebration","birthday","circus"],char:"\u{1f388}",fitzpatrick_scale:!1,category:"objects"},flags:{keywords:["fish","japanese","koinobori","carp","banner"],char:"\u{1f38f}",fitzpatrick_scale:!1,category:"objects"},ribbon:{keywords:["decoration","pink","girl","bowtie"],char:"\u{1f380}",fitzpatrick_scale:!1,category:"objects"},gift:{keywords:["present","birthday","christmas","xmas"],char:"\u{1f381}",fitzpatrick_scale:!1,category:"objects"},confetti_ball:{keywords:["festival","party","birthday","circus"],char:"\u{1f38a}",fitzpatrick_scale:!1,category:"objects"},tada:{keywords:["party","congratulations","birthday","magic","circus","celebration"],char:"\u{1f389}",fitzpatrick_scale:!1,category:"objects"},dolls:{keywords:["japanese","toy","kimono"],char:"\u{1f38e}",fitzpatrick_scale:!1,category:"objects"},wind_chime:{keywords:["nature","ding","spring","bell"],char:"\u{1f390}",fitzpatrick_scale:!1,category:"objects"},crossed_flags:{keywords:["japanese","nation","country","border"],char:"\u{1f38c}",fitzpatrick_scale:!1,category:"objects"},izakaya_lantern:{keywords:["light","paper","halloween","spooky"],char:"\u{1f3ee}",fitzpatrick_scale:!1,category:"objects"},red_envelope:{keywords:["gift"],char:"\u{1f9e7}",fitzpatrick_scale:!1,category:"objects"},email:{keywords:["letter","postal","inbox","communication"],char:"\u2709\ufe0f",fitzpatrick_scale:!1,category:"objects"},envelope_with_arrow:{keywords:["email","communication"],char:"\u{1f4e9}",fitzpatrick_scale:!1,category:"objects"},incoming_envelope:{keywords:["email","inbox"],char:"\u{1f4e8}",fitzpatrick_scale:!1,category:"objects"},"e-mail":{keywords:["communication","inbox"],char:"\u{1f4e7}",fitzpatrick_scale:!1,category:"objects"},love_letter:{keywords:["email","like","affection","envelope","valentines"],char:"\u{1f48c}",fitzpatrick_scale:!1,category:"objects"},postbox:{keywords:["email","letter","envelope"],char:"\u{1f4ee}",fitzpatrick_scale:!1,category:"objects"},mailbox_closed:{keywords:["email","communication","inbox"],char:"\u{1f4ea}",fitzpatrick_scale:!1,category:"objects"},mailbox:{keywords:["email","inbox","communication"],char:"\u{1f4eb}",fitzpatrick_scale:!1,category:"objects"},mailbox_with_mail:{keywords:["email","inbox","communication"],char:"\u{1f4ec}",fitzpatrick_scale:!1,category:"objects"},mailbox_with_no_mail:{keywords:["email","inbox"],char:"\u{1f4ed}",fitzpatrick_scale:!1,category:"objects"},package:{keywords:["mail","gift","cardboard","box","moving"],char:"\u{1f4e6}",fitzpatrick_scale:!1,category:"objects"},postal_horn:{keywords:["instrument","music"],char:"\u{1f4ef}",fitzpatrick_scale:!1,category:"objects"},inbox_tray:{keywords:["email","documents"],char:"\u{1f4e5}",fitzpatrick_scale:!1,category:"objects"},outbox_tray:{keywords:["inbox","email"],char:"\u{1f4e4}",fitzpatrick_scale:!1,category:"objects"},scroll:{keywords:["documents","ancient","history","paper"],char:"\u{1f4dc}",fitzpatrick_scale:!1,category:"objects"},page_with_curl:{keywords:["documents","office","paper"],char:"\u{1f4c3}",fitzpatrick_scale:!1,category:"objects"},bookmark_tabs:{keywords:["favorite","save","order","tidy"],char:"\u{1f4d1}",fitzpatrick_scale:!1,category:"objects"},receipt:{keywords:["accounting","expenses"],char:"\u{1f9fe}",fitzpatrick_scale:!1,category:"objects"},bar_chart:{keywords:["graph","presentation","stats"],char:"\u{1f4ca}",fitzpatrick_scale:!1,category:"objects"},chart_with_upwards_trend:{keywords:["graph","presentation","stats","recovery","business","economics","money","sales","good","success"],char:"\u{1f4c8}",fitzpatrick_scale:!1,category:"objects"},chart_with_downwards_trend:{keywords:["graph","presentation","stats","recession","business","economics","money","sales","bad","failure"],char:"\u{1f4c9}",fitzpatrick_scale:!1,category:"objects"},page_facing_up:{keywords:["documents","office","paper","information"],char:"\u{1f4c4}",fitzpatrick_scale:!1,category:"objects"},date:{keywords:["calendar","schedule"],char:"\u{1f4c5}",fitzpatrick_scale:!1,category:"objects"},calendar:{keywords:["schedule","date","planning"],char:"\u{1f4c6}",fitzpatrick_scale:!1,category:"objects"},spiral_calendar:{keywords:["date","schedule","planning"],char:"\u{1f5d3}",fitzpatrick_scale:!1,category:"objects"},card_index:{keywords:["business","stationery"],char:"\u{1f4c7}",fitzpatrick_scale:!1,category:"objects"},card_file_box:{keywords:["business","stationery"],char:"\u{1f5c3}",fitzpatrick_scale:!1,category:"objects"},ballot_box:{keywords:["election","vote"],char:"\u{1f5f3}",fitzpatrick_scale:!1,category:"objects"},file_cabinet:{keywords:["filing","organizing"],char:"\u{1f5c4}",fitzpatrick_scale:!1,category:"objects"},clipboard:{keywords:["stationery","documents"],char:"\u{1f4cb}",fitzpatrick_scale:!1,category:"objects"},spiral_notepad:{keywords:["memo","stationery"],char:"\u{1f5d2}",fitzpatrick_scale:!1,category:"objects"},file_folder:{keywords:["documents","business","office"],char:"\u{1f4c1}",fitzpatrick_scale:!1,category:"objects"},open_file_folder:{keywords:["documents","load"],char:"\u{1f4c2}",fitzpatrick_scale:!1,category:"objects"},card_index_dividers:{keywords:["organizing","business","stationery"],char:"\u{1f5c2}",fitzpatrick_scale:!1,category:"objects"},newspaper_roll:{keywords:["press","headline"],char:"\u{1f5de}",fitzpatrick_scale:!1,category:"objects"},newspaper:{keywords:["press","headline"],char:"\u{1f4f0}",fitzpatrick_scale:!1,category:"objects"},notebook:{keywords:["stationery","record","notes","paper","study"],char:"\u{1f4d3}",fitzpatrick_scale:!1,category:"objects"},closed_book:{keywords:["read","library","knowledge","textbook","learn"],char:"\u{1f4d5}",fitzpatrick_scale:!1,category:"objects"},green_book:{keywords:["read","library","knowledge","study"],char:"\u{1f4d7}",fitzpatrick_scale:!1,category:"objects"},blue_book:{keywords:["read","library","knowledge","learn","study"],char:"\u{1f4d8}",fitzpatrick_scale:!1,category:"objects"},orange_book:{keywords:["read","library","knowledge","textbook","study"],char:"\u{1f4d9}",fitzpatrick_scale:!1,category:"objects"},notebook_with_decorative_cover:{keywords:["classroom","notes","record","paper","study"],char:"\u{1f4d4}",fitzpatrick_scale:!1,category:"objects"},ledger:{keywords:["notes","paper"],char:"\u{1f4d2}",fitzpatrick_scale:!1,category:"objects"},books:{keywords:["literature","library","study"],char:"\u{1f4da}",fitzpatrick_scale:!1,category:"objects"},open_book:{keywords:["book","read","library","knowledge","literature","learn","study"],char:"\u{1f4d6}",fitzpatrick_scale:!1,category:"objects"},safety_pin:{keywords:["diaper"],char:"\u{1f9f7}",fitzpatrick_scale:!1,category:"objects"},link:{keywords:["rings","url"],char:"\u{1f517}",fitzpatrick_scale:!1,category:"objects"},paperclip:{keywords:["documents","stationery"],char:"\u{1f4ce}",fitzpatrick_scale:!1,category:"objects"},paperclips:{keywords:["documents","stationery"],char:"\u{1f587}",fitzpatrick_scale:!1,category:"objects"},scissors:{keywords:["stationery","cut"],char:"\u2702\ufe0f",fitzpatrick_scale:!1,category:"objects"},triangular_ruler:{keywords:["stationery","math","architect","sketch"],char:"\u{1f4d0}",fitzpatrick_scale:!1,category:"objects"},straight_ruler:{keywords:["stationery","calculate","length","math","school","drawing","architect","sketch"],char:"\u{1f4cf}",fitzpatrick_scale:!1,category:"objects"},abacus:{keywords:["calculation"],char:"\u{1f9ee}",fitzpatrick_scale:!1,category:"objects"},pushpin:{keywords:["stationery","mark","here"],char:"\u{1f4cc}",fitzpatrick_scale:!1,category:"objects"},round_pushpin:{keywords:["stationery","location","map","here"],char:"\u{1f4cd}",fitzpatrick_scale:!1,category:"objects"},triangular_flag_on_post:{keywords:["mark","milestone","place"],char:"\u{1f6a9}",fitzpatrick_scale:!1,category:"objects"},white_flag:{keywords:["losing","loser","lost","surrender","give up","fail"],char:"\u{1f3f3}",fitzpatrick_scale:!1,category:"objects"},black_flag:{keywords:["pirate"],char:"\u{1f3f4}",fitzpatrick_scale:!1,category:"objects"},rainbow_flag:{keywords:["flag","rainbow","pride","gay","lgbt","glbt","queer","homosexual","lesbian","bisexual","transgender"],char:"\u{1f3f3}\ufe0f\u200d\u{1f308}",fitzpatrick_scale:!1,category:"objects"},closed_lock_with_key:{keywords:["security","privacy"],char:"\u{1f510}",fitzpatrick_scale:!1,category:"objects"},lock:{keywords:["security","password","padlock"],char:"\u{1f512}",fitzpatrick_scale:!1,category:"objects"},unlock:{keywords:["privacy","security"],char:"\u{1f513}",fitzpatrick_scale:!1,category:"objects"},lock_with_ink_pen:{keywords:["security","secret"],char:"\u{1f50f}",fitzpatrick_scale:!1,category:"objects"},pen:{keywords:["stationery","writing","write"],char:"\u{1f58a}",fitzpatrick_scale:!1,category:"objects"},fountain_pen:{keywords:["stationery","writing","write"],char:"\u{1f58b}",fitzpatrick_scale:!1,category:"objects"},black_nib:{keywords:["pen","stationery","writing","write"],char:"\u2712\ufe0f",fitzpatrick_scale:!1,category:"objects"},memo:{keywords:["write","documents","stationery","pencil","paper","writing","legal","exam","quiz","test","study","compose"],char:"\u{1f4dd}",fitzpatrick_scale:!1,category:"objects"},pencil2:{keywords:["stationery","write","paper","writing","school","study"],char:"\u270f\ufe0f",fitzpatrick_scale:!1,category:"objects"},crayon:{keywords:["drawing","creativity"],char:"\u{1f58d}",fitzpatrick_scale:!1,category:"objects"},paintbrush:{keywords:["drawing","creativity","art"],char:"\u{1f58c}",fitzpatrick_scale:!1,category:"objects"},mag:{keywords:["search","zoom","find","detective"],char:"\u{1f50d}",fitzpatrick_scale:!1,category:"objects"},mag_right:{keywords:["search","zoom","find","detective"],char:"\u{1f50e}",fitzpatrick_scale:!1,category:"objects"},heart:{keywords:["love","like","valentines"],char:"\u2764\ufe0f",fitzpatrick_scale:!1,category:"symbols"},orange_heart:{keywords:["love","like","affection","valentines"],char:"\u{1f9e1}",fitzpatrick_scale:!1,category:"symbols"},yellow_heart:{keywords:["love","like","affection","valentines"],char:"\u{1f49b}",fitzpatrick_scale:!1,category:"symbols"},green_heart:{keywords:["love","like","affection","valentines"],char:"\u{1f49a}",fitzpatrick_scale:!1,category:"symbols"},blue_heart:{keywords:["love","like","affection","valentines"],char:"\u{1f499}",fitzpatrick_scale:!1,category:"symbols"},purple_heart:{keywords:["love","like","affection","valentines"],char:"\u{1f49c}",fitzpatrick_scale:!1,category:"symbols"},black_heart:{keywords:["evil"],char:"\u{1f5a4}",fitzpatrick_scale:!1,category:"symbols"},broken_heart:{keywords:["sad","sorry","break","heart","heartbreak"],char:"\u{1f494}",fitzpatrick_scale:!1,category:"symbols"},heavy_heart_exclamation:{keywords:["decoration","love"],char:"\u2763",fitzpatrick_scale:!1,category:"symbols"},two_hearts:{keywords:["love","like","affection","valentines","heart"],char:"\u{1f495}",fitzpatrick_scale:!1,category:"symbols"},revolving_hearts:{keywords:["love","like","affection","valentines"],char:"\u{1f49e}",fitzpatrick_scale:!1,category:"symbols"},heartbeat:{keywords:["love","like","affection","valentines","pink","heart"],char:"\u{1f493}",fitzpatrick_scale:!1,category:"symbols"},heartpulse:{keywords:["like","love","affection","valentines","pink"],char:"\u{1f497}",fitzpatrick_scale:!1,category:"symbols"},sparkling_heart:{keywords:["love","like","affection","valentines"],char:"\u{1f496}",fitzpatrick_scale:!1,category:"symbols"},cupid:{keywords:["love","like","heart","affection","valentines"],char:"\u{1f498}",fitzpatrick_scale:!1,category:"symbols"},gift_heart:{keywords:["love","valentines"],char:"\u{1f49d}",fitzpatrick_scale:!1,category:"symbols"},heart_decoration:{keywords:["purple-square","love","like"],char:"\u{1f49f}",fitzpatrick_scale:!1,category:"symbols"},peace_symbol:{keywords:["hippie"],char:"\u262e",fitzpatrick_scale:!1,category:"symbols"},latin_cross:{keywords:["christianity"],char:"\u271d",fitzpatrick_scale:!1,category:"symbols"},star_and_crescent:{keywords:["islam"],char:"\u262a",fitzpatrick_scale:!1,category:"symbols"},om:{keywords:["hinduism","buddhism","sikhism","jainism"],char:"\u{1f549}",fitzpatrick_scale:!1,category:"symbols"},wheel_of_dharma:{keywords:["hinduism","buddhism","sikhism","jainism"],char:"\u2638",fitzpatrick_scale:!1,category:"symbols"},star_of_david:{keywords:["judaism"],char:"\u2721",fitzpatrick_scale:!1,category:"symbols"},six_pointed_star:{keywords:["purple-square","religion","jewish","hexagram"],char:"\u{1f52f}",fitzpatrick_scale:!1,category:"symbols"},menorah:{keywords:["hanukkah","candles","jewish"],char:"\u{1f54e}",fitzpatrick_scale:!1,category:"symbols"},yin_yang:{keywords:["balance"],char:"\u262f",fitzpatrick_scale:!1,category:"symbols"},orthodox_cross:{keywords:["suppedaneum","religion"],char:"\u2626",fitzpatrick_scale:!1,category:"symbols"},place_of_worship:{keywords:["religion","church","temple","prayer"],char:"\u{1f6d0}",fitzpatrick_scale:!1,category:"symbols"},ophiuchus:{keywords:["sign","purple-square","constellation","astrology"],char:"\u26ce",fitzpatrick_scale:!1,category:"symbols"},aries:{keywords:["sign","purple-square","zodiac","astrology"],char:"\u2648",fitzpatrick_scale:!1,category:"symbols"},taurus:{keywords:["purple-square","sign","zodiac","astrology"],char:"\u2649",fitzpatrick_scale:!1,category:"symbols"},gemini:{keywords:["sign","zodiac","purple-square","astrology"],char:"\u264a",fitzpatrick_scale:!1,category:"symbols"},cancer:{keywords:["sign","zodiac","purple-square","astrology"],char:"\u264b",fitzpatrick_scale:!1,category:"symbols"},leo:{keywords:["sign","purple-square","zodiac","astrology"],char:"\u264c",fitzpatrick_scale:!1,category:"symbols"},virgo:{keywords:["sign","zodiac","purple-square","astrology"],char:"\u264d",fitzpatrick_scale:!1,category:"symbols"},libra:{keywords:["sign","purple-square","zodiac","astrology"],char:"\u264e",fitzpatrick_scale:!1,category:"symbols"},scorpius:{keywords:["sign","zodiac","purple-square","astrology","scorpio"],char:"\u264f",fitzpatrick_scale:!1,category:"symbols"},sagittarius:{keywords:["sign","zodiac","purple-square","astrology"],char:"\u2650",fitzpatrick_scale:!1,category:"symbols"},capricorn:{keywords:["sign","zodiac","purple-square","astrology"],char:"\u2651",fitzpatrick_scale:!1,category:"symbols"},aquarius:{keywords:["sign","purple-square","zodiac","astrology"],char:"\u2652",fitzpatrick_scale:!1,category:"symbols"},pisces:{keywords:["purple-square","sign","zodiac","astrology"],char:"\u2653",fitzpatrick_scale:!1,category:"symbols"},id:{keywords:["purple-square","words"],char:"\u{1f194}",fitzpatrick_scale:!1,category:"symbols"},atom_symbol:{keywords:["science","physics","chemistry"],char:"\u269b",fitzpatrick_scale:!1,category:"symbols"},u7a7a:{keywords:["kanji","japanese","chinese","empty","sky","blue-square"],char:"\u{1f233}",fitzpatrick_scale:!1,category:"symbols"},u5272:{keywords:["cut","divide","chinese","kanji","pink-square"],char:"\u{1f239}",fitzpatrick_scale:!1,category:"symbols"},radioactive:{keywords:["nuclear","danger"],char:"\u2622",fitzpatrick_scale:!1,category:"symbols"},biohazard:{keywords:["danger"],char:"\u2623",fitzpatrick_scale:!1,category:"symbols"},mobile_phone_off:{keywords:["mute","orange-square","silence","quiet"],char:"\u{1f4f4}",fitzpatrick_scale:!1,category:"symbols"},vibration_mode:{keywords:["orange-square","phone"],char:"\u{1f4f3}",fitzpatrick_scale:!1,category:"symbols"},u6709:{keywords:["orange-square","chinese","have","kanji"],char:"\u{1f236}",fitzpatrick_scale:!1,category:"symbols"},u7121:{keywords:["nothing","chinese","kanji","japanese","orange-square"],char:"\u{1f21a}",fitzpatrick_scale:!1,category:"symbols"},u7533:{keywords:["chinese","japanese","kanji","orange-square"],char:"\u{1f238}",fitzpatrick_scale:!1,category:"symbols"},u55b6:{keywords:["japanese","opening hours","orange-square"],char:"\u{1f23a}",fitzpatrick_scale:!1,category:"symbols"},u6708:{keywords:["chinese","month","moon","japanese","orange-square","kanji"],char:"\u{1f237}\ufe0f",fitzpatrick_scale:!1,category:"symbols"},eight_pointed_black_star:{keywords:["orange-square","shape","polygon"],char:"\u2734\ufe0f",fitzpatrick_scale:!1,category:"symbols"},vs:{keywords:["words","orange-square"],char:"\u{1f19a}",fitzpatrick_scale:!1,category:"symbols"},accept:{keywords:["ok","good","chinese","kanji","agree","yes","orange-circle"],char:"\u{1f251}",fitzpatrick_scale:!1,category:"symbols"},white_flower:{keywords:["japanese","spring"],char:"\u{1f4ae}",fitzpatrick_scale:!1,category:"symbols"},ideograph_advantage:{keywords:["chinese","kanji","obtain","get","circle"],char:"\u{1f250}",fitzpatrick_scale:!1,category:"symbols"},secret:{keywords:["privacy","chinese","sshh","kanji","red-circle"],char:"\u3299\ufe0f",fitzpatrick_scale:!1,category:"symbols"},congratulations:{keywords:["chinese","kanji","japanese","red-circle"],char:"\u3297\ufe0f",fitzpatrick_scale:!1,category:"symbols"},u5408:{keywords:["japanese","chinese","join","kanji","red-square"],char:"\u{1f234}",fitzpatrick_scale:!1,category:"symbols"},u6e80:{keywords:["full","chinese","japanese","red-square","kanji"],char:"\u{1f235}",fitzpatrick_scale:!1,category:"symbols"},u7981:{keywords:["kanji","japanese","chinese","forbidden","limit","restricted","red-square"],char:"\u{1f232}",fitzpatrick_scale:!1,category:"symbols"},a:{keywords:["red-square","alphabet","letter"],char:"\u{1f170}\ufe0f",fitzpatrick_scale:!1,category:"symbols"},b:{keywords:["red-square","alphabet","letter"],char:"\u{1f171}\ufe0f",fitzpatrick_scale:!1,category:"symbols"},ab:{keywords:["red-square","alphabet"],char:"\u{1f18e}",fitzpatrick_scale:!1,category:"symbols"},cl:{keywords:["alphabet","words","red-square"],char:"\u{1f191}",fitzpatrick_scale:!1,category:"symbols"},o2:{keywords:["alphabet","red-square","letter"],char:"\u{1f17e}\ufe0f",fitzpatrick_scale:!1,category:"symbols"},sos:{keywords:["help","red-square","words","emergency","911"],char:"\u{1f198}",fitzpatrick_scale:!1,category:"symbols"},no_entry:{keywords:["limit","security","privacy","bad","denied","stop","circle"],char:"\u26d4",fitzpatrick_scale:!1,category:"symbols"},name_badge:{keywords:["fire","forbid"],char:"\u{1f4db}",fitzpatrick_scale:!1,category:"symbols"},no_entry_sign:{keywords:["forbid","stop","limit","denied","disallow","circle"],char:"\u{1f6ab}",fitzpatrick_scale:!1,category:"symbols"},x:{keywords:["no","delete","remove","cancel","red"],char:"\u274c",fitzpatrick_scale:!1,category:"symbols"},o:{keywords:["circle","round"],char:"\u2b55",fitzpatrick_scale:!1,category:"symbols"},stop_sign:{keywords:["stop"],char:"\u{1f6d1}",fitzpatrick_scale:!1,category:"symbols"},anger:{keywords:["angry","mad"],char:"\u{1f4a2}",fitzpatrick_scale:!1,category:"symbols"},hotsprings:{keywords:["bath","warm","relax"],char:"\u2668\ufe0f",fitzpatrick_scale:!1,category:"symbols"},no_pedestrians:{keywords:["rules","crossing","walking","circle"],char:"\u{1f6b7}",fitzpatrick_scale:!1,category:"symbols"},do_not_litter:{keywords:["trash","bin","garbage","circle"],char:"\u{1f6af}",fitzpatrick_scale:!1,category:"symbols"},no_bicycles:{keywords:["cyclist","prohibited","circle"],char:"\u{1f6b3}",fitzpatrick_scale:!1,category:"symbols"},"non-potable_water":{keywords:["drink","faucet","tap","circle"],char:"\u{1f6b1}",fitzpatrick_scale:!1,category:"symbols"},underage:{keywords:["18","drink","pub","night","minor","circle"],char:"\u{1f51e}",fitzpatrick_scale:!1,category:"symbols"},no_mobile_phones:{keywords:["iphone","mute","circle"],char:"\u{1f4f5}",fitzpatrick_scale:!1,category:"symbols"},exclamation:{keywords:["heavy_exclamation_mark","danger","surprise","punctuation","wow","warning"],char:"\u2757",fitzpatrick_scale:!1,category:"symbols"},grey_exclamation:{keywords:["surprise","punctuation","gray","wow","warning"],char:"\u2755",fitzpatrick_scale:!1,category:"symbols"},question:{keywords:["doubt","confused"],char:"\u2753",fitzpatrick_scale:!1,category:"symbols"},grey_question:{keywords:["doubts","gray","huh","confused"],char:"\u2754",fitzpatrick_scale:!1,category:"symbols"},bangbang:{keywords:["exclamation","surprise"],char:"\u203c\ufe0f",fitzpatrick_scale:!1,category:"symbols"},interrobang:{keywords:["wat","punctuation","surprise"],char:"\u2049\ufe0f",fitzpatrick_scale:!1,category:"symbols"},100:{keywords:["score","perfect","numbers","century","exam","quiz","test","pass","hundred"],char:"\u{1f4af}",fitzpatrick_scale:!1,category:"symbols"},low_brightness:{keywords:["sun","afternoon","warm","summer"],char:"\u{1f505}",fitzpatrick_scale:!1,category:"symbols"},high_brightness:{keywords:["sun","light"],char:"\u{1f506}",fitzpatrick_scale:!1,category:"symbols"},trident:{keywords:["weapon","spear"],char:"\u{1f531}",fitzpatrick_scale:!1,category:"symbols"},fleur_de_lis:{keywords:["decorative","scout"],char:"\u269c",fitzpatrick_scale:!1,category:"symbols"},part_alternation_mark:{keywords:["graph","presentation","stats","business","economics","bad"],char:"\u303d\ufe0f",fitzpatrick_scale:!1,category:"symbols"},warning:{keywords:["exclamation","wip","alert","error","problem","issue"],char:"\u26a0\ufe0f",fitzpatrick_scale:!1,category:"symbols"},children_crossing:{keywords:["school","warning","danger","sign","driving","yellow-diamond"],char:"\u{1f6b8}",fitzpatrick_scale:!1,category:"symbols"},beginner:{keywords:["badge","shield"],char:"\u{1f530}",fitzpatrick_scale:!1,category:"symbols"},recycle:{keywords:["arrow","environment","garbage","trash"],char:"\u267b\ufe0f",fitzpatrick_scale:!1,category:"symbols"},u6307:{keywords:["chinese","point","green-square","kanji"],char:"\u{1f22f}",fitzpatrick_scale:!1,category:"symbols"},chart:{keywords:["green-square","graph","presentation","stats"],char:"\u{1f4b9}",fitzpatrick_scale:!1,category:"symbols"},sparkle:{keywords:["stars","green-square","awesome","good","fireworks"],char:"\u2747\ufe0f",fitzpatrick_scale:!1,category:"symbols"},eight_spoked_asterisk:{keywords:["star","sparkle","green-square"],char:"\u2733\ufe0f",fitzpatrick_scale:!1,category:"symbols"},negative_squared_cross_mark:{keywords:["x","green-square","no","deny"],char:"\u274e",fitzpatrick_scale:!1,category:"symbols"},white_check_mark:{keywords:["green-square","ok","agree","vote","election","answer","tick"],char:"\u2705",fitzpatrick_scale:!1,category:"symbols"},diamond_shape_with_a_dot_inside:{keywords:["jewel","blue","gem","crystal","fancy"],char:"\u{1f4a0}",fitzpatrick_scale:!1,category:"symbols"},cyclone:{keywords:["weather","swirl","blue","cloud","vortex","spiral","whirlpool","spin","tornado","hurricane","typhoon"],char:"\u{1f300}",fitzpatrick_scale:!1,category:"symbols"},loop:{keywords:["tape","cassette"],char:"\u27bf",fitzpatrick_scale:!1,category:"symbols"},globe_with_meridians:{keywords:["earth","international","world","internet","interweb","i18n"],char:"\u{1f310}",fitzpatrick_scale:!1,category:"symbols"},m:{keywords:["alphabet","blue-circle","letter"],char:"\u24c2\ufe0f",fitzpatrick_scale:!1,category:"symbols"},atm:{keywords:["money","sales","cash","blue-square","payment","bank"],char:"\u{1f3e7}",fitzpatrick_scale:!1,category:"symbols"},sa:{keywords:["japanese","blue-square","katakana"],char:"\u{1f202}\ufe0f",fitzpatrick_scale:!1,category:"symbols"},passport_control:{keywords:["custom","blue-square"],char:"\u{1f6c2}",fitzpatrick_scale:!1,category:"symbols"},customs:{keywords:["passport","border","blue-square"],char:"\u{1f6c3}",fitzpatrick_scale:!1,category:"symbols"},baggage_claim:{keywords:["blue-square","airport","transport"],char:"\u{1f6c4}",fitzpatrick_scale:!1,category:"symbols"},left_luggage:{keywords:["blue-square","travel"],char:"\u{1f6c5}",fitzpatrick_scale:!1,category:"symbols"},wheelchair:{keywords:["blue-square","disabled","a11y","accessibility"],char:"\u267f",fitzpatrick_scale:!1,category:"symbols"},no_smoking:{keywords:["cigarette","blue-square","smell","smoke"],char:"\u{1f6ad}",fitzpatrick_scale:!1,category:"symbols"},wc:{keywords:["toilet","restroom","blue-square"],char:"\u{1f6be}",fitzpatrick_scale:!1,category:"symbols"},parking:{keywords:["cars","blue-square","alphabet","letter"],char:"\u{1f17f}\ufe0f",fitzpatrick_scale:!1,category:"symbols"},potable_water:{keywords:["blue-square","liquid","restroom","cleaning","faucet"],char:"\u{1f6b0}",fitzpatrick_scale:!1,category:"symbols"},mens:{keywords:["toilet","restroom","wc","blue-square","gender","male"],char:"\u{1f6b9}",fitzpatrick_scale:!1,category:"symbols"},womens:{keywords:["purple-square","woman","female","toilet","loo","restroom","gender"],char:"\u{1f6ba}",fitzpatrick_scale:!1,category:"symbols"},baby_symbol:{keywords:["orange-square","child"],char:"\u{1f6bc}",fitzpatrick_scale:!1,category:"symbols"},restroom:{keywords:["blue-square","toilet","refresh","wc","gender"],char:"\u{1f6bb}",fitzpatrick_scale:!1,category:"symbols"},put_litter_in_its_place:{keywords:["blue-square","sign","human","info"],char:"\u{1f6ae}",fitzpatrick_scale:!1,category:"symbols"},cinema:{keywords:["blue-square","record","film","movie","curtain","stage","theater"],char:"\u{1f3a6}",fitzpatrick_scale:!1,category:"symbols"},signal_strength:{keywords:["blue-square","reception","phone","internet","connection","wifi","bluetooth","bars"],char:"\u{1f4f6}",fitzpatrick_scale:!1,category:"symbols"},koko:{keywords:["blue-square","here","katakana","japanese","destination"],char:"\u{1f201}",fitzpatrick_scale:!1,category:"symbols"},ng:{keywords:["blue-square","words","shape","icon"],char:"\u{1f196}",fitzpatrick_scale:!1,category:"symbols"},ok:{keywords:["good","agree","yes","blue-square"],char:"\u{1f197}",fitzpatrick_scale:!1,category:"symbols"},up:{keywords:["blue-square","above","high"],char:"\u{1f199}",fitzpatrick_scale:!1,category:"symbols"},cool:{keywords:["words","blue-square"],char:"\u{1f192}",fitzpatrick_scale:!1,category:"symbols"},new:{keywords:["blue-square","words","start"],char:"\u{1f195}",fitzpatrick_scale:!1,category:"symbols"},free:{keywords:["blue-square","words"],char:"\u{1f193}",fitzpatrick_scale:!1,category:"symbols"},zero:{keywords:["0","numbers","blue-square","null"],char:"0\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},one:{keywords:["blue-square","numbers","1"],char:"1\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},two:{keywords:["numbers","2","prime","blue-square"],char:"2\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},three:{keywords:["3","numbers","prime","blue-square"],char:"3\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},four:{keywords:["4","numbers","blue-square"],char:"4\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},five:{keywords:["5","numbers","blue-square","prime"],char:"5\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},six:{keywords:["6","numbers","blue-square"],char:"6\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},seven:{keywords:["7","numbers","blue-square","prime"],char:"7\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},eight:{keywords:["8","blue-square","numbers"],char:"8\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},nine:{keywords:["blue-square","numbers","9"],char:"9\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},keycap_ten:{keywords:["numbers","10","blue-square"],char:"\u{1f51f}",fitzpatrick_scale:!1,category:"symbols"},asterisk:{keywords:["star","keycap"],char:"*\u20e3",fitzpatrick_scale:!1,category:"symbols"},1234:{keywords:["numbers","blue-square"],char:"\u{1f522}",fitzpatrick_scale:!1,category:"symbols"},eject_button:{keywords:["blue-square"],char:"\u23cf\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_forward:{keywords:["blue-square","right","direction","play"],char:"\u25b6\ufe0f",fitzpatrick_scale:!1,category:"symbols"},pause_button:{keywords:["pause","blue-square"],char:"\u23f8",fitzpatrick_scale:!1,category:"symbols"},next_track_button:{keywords:["forward","next","blue-square"],char:"\u23ed",fitzpatrick_scale:!1,category:"symbols"},stop_button:{keywords:["blue-square"],char:"\u23f9",fitzpatrick_scale:!1,category:"symbols"},record_button:{keywords:["blue-square"],char:"\u23fa",fitzpatrick_scale:!1,category:"symbols"},play_or_pause_button:{keywords:["blue-square","play","pause"],char:"\u23ef",fitzpatrick_scale:!1,category:"symbols"},previous_track_button:{keywords:["backward"],char:"\u23ee",fitzpatrick_scale:!1,category:"symbols"},fast_forward:{keywords:["blue-square","play","speed","continue"],char:"\u23e9",fitzpatrick_scale:!1,category:"symbols"},rewind:{keywords:["play","blue-square"],char:"\u23ea",fitzpatrick_scale:!1,category:"symbols"},twisted_rightwards_arrows:{keywords:["blue-square","shuffle","music","random"],char:"\u{1f500}",fitzpatrick_scale:!1,category:"symbols"},repeat:{keywords:["loop","record"],char:"\u{1f501}",fitzpatrick_scale:!1,category:"symbols"},repeat_one:{keywords:["blue-square","loop"],char:"\u{1f502}",fitzpatrick_scale:!1,category:"symbols"},arrow_backward:{keywords:["blue-square","left","direction"],char:"\u25c0\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_up_small:{keywords:["blue-square","triangle","direction","point","forward","top"],char:"\u{1f53c}",fitzpatrick_scale:!1,category:"symbols"},arrow_down_small:{keywords:["blue-square","direction","bottom"],char:"\u{1f53d}",fitzpatrick_scale:!1,category:"symbols"},arrow_double_up:{keywords:["blue-square","direction","top"],char:"\u23eb",fitzpatrick_scale:!1,category:"symbols"},arrow_double_down:{keywords:["blue-square","direction","bottom"],char:"\u23ec",fitzpatrick_scale:!1,category:"symbols"},arrow_right:{keywords:["blue-square","next"],char:"\u27a1\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_left:{keywords:["blue-square","previous","back"],char:"\u2b05\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_up:{keywords:["blue-square","continue","top","direction"],char:"\u2b06\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_down:{keywords:["blue-square","direction","bottom"],char:"\u2b07\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_upper_right:{keywords:["blue-square","point","direction","diagonal","northeast"],char:"\u2197\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_lower_right:{keywords:["blue-square","direction","diagonal","southeast"],char:"\u2198\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_lower_left:{keywords:["blue-square","direction","diagonal","southwest"],char:"\u2199\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_upper_left:{keywords:["blue-square","point","direction","diagonal","northwest"],char:"\u2196\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_up_down:{keywords:["blue-square","direction","way","vertical"],char:"\u2195\ufe0f",fitzpatrick_scale:!1,category:"symbols"},left_right_arrow:{keywords:["shape","direction","horizontal","sideways"],char:"\u2194\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrows_counterclockwise:{keywords:["blue-square","sync","cycle"],char:"\u{1f504}",fitzpatrick_scale:!1,category:"symbols"},arrow_right_hook:{keywords:["blue-square","return","rotate","direction"],char:"\u21aa\ufe0f",fitzpatrick_scale:!1,category:"symbols"},leftwards_arrow_with_hook:{keywords:["back","return","blue-square","undo","enter"],char:"\u21a9\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_heading_up:{keywords:["blue-square","direction","top"],char:"\u2934\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrow_heading_down:{keywords:["blue-square","direction","bottom"],char:"\u2935\ufe0f",fitzpatrick_scale:!1,category:"symbols"},hash:{keywords:["symbol","blue-square","twitter"],char:"#\ufe0f\u20e3",fitzpatrick_scale:!1,category:"symbols"},information_source:{keywords:["blue-square","alphabet","letter"],char:"\u2139\ufe0f",fitzpatrick_scale:!1,category:"symbols"},abc:{keywords:["blue-square","alphabet"],char:"\u{1f524}",fitzpatrick_scale:!1,category:"symbols"},abcd:{keywords:["blue-square","alphabet"],char:"\u{1f521}",fitzpatrick_scale:!1,category:"symbols"},capital_abcd:{keywords:["alphabet","words","blue-square"],char:"\u{1f520}",fitzpatrick_scale:!1,category:"symbols"},symbols:{keywords:["blue-square","music","note","ampersand","percent","glyphs","characters"],char:"\u{1f523}",fitzpatrick_scale:!1,category:"symbols"},musical_note:{keywords:["score","tone","sound"],char:"\u{1f3b5}",fitzpatrick_scale:!1,category:"symbols"},notes:{keywords:["music","score"],char:"\u{1f3b6}",fitzpatrick_scale:!1,category:"symbols"},wavy_dash:{keywords:["draw","line","moustache","mustache","squiggle","scribble"],char:"\u3030\ufe0f",fitzpatrick_scale:!1,category:"symbols"},curly_loop:{keywords:["scribble","draw","shape","squiggle"],char:"\u27b0",fitzpatrick_scale:!1,category:"symbols"},heavy_check_mark:{keywords:["ok","nike","answer","yes","tick"],char:"\u2714\ufe0f",fitzpatrick_scale:!1,category:"symbols"},arrows_clockwise:{keywords:["sync","cycle","round","repeat"],char:"\u{1f503}",fitzpatrick_scale:!1,category:"symbols"},heavy_plus_sign:{keywords:["math","calculation","addition","more","increase"],char:"\u2795",fitzpatrick_scale:!1,category:"symbols"},heavy_minus_sign:{keywords:["math","calculation","subtract","less"],char:"\u2796",fitzpatrick_scale:!1,category:"symbols"},heavy_division_sign:{keywords:["divide","math","calculation"],char:"\u2797",fitzpatrick_scale:!1,category:"symbols"},heavy_multiplication_x:{keywords:["math","calculation"],char:"\u2716\ufe0f",fitzpatrick_scale:!1,category:"symbols"},infinity:{keywords:["forever"],char:"\u267e",fitzpatrick_scale:!1,category:"symbols"},heavy_dollar_sign:{keywords:["money","sales","payment","currency","buck"],char:"\u{1f4b2}",fitzpatrick_scale:!1,category:"symbols"},currency_exchange:{keywords:["money","sales","dollar","travel"],char:"\u{1f4b1}",fitzpatrick_scale:!1,category:"symbols"},copyright:{keywords:["ip","license","circle","law","legal"],char:"\xa9\ufe0f",fitzpatrick_scale:!1,category:"symbols"},registered:{keywords:["alphabet","circle"],char:"\xae\ufe0f",fitzpatrick_scale:!1,category:"symbols"},tm:{keywords:["trademark","brand","law","legal"],char:"\u2122\ufe0f",fitzpatrick_scale:!1,category:"symbols"},end:{keywords:["words","arrow"],char:"\u{1f51a}",fitzpatrick_scale:!1,category:"symbols"},back:{keywords:["arrow","words","return"],char:"\u{1f519}",fitzpatrick_scale:!1,category:"symbols"},on:{keywords:["arrow","words"],char:"\u{1f51b}",fitzpatrick_scale:!1,category:"symbols"},top:{keywords:["words","blue-square"],char:"\u{1f51d}",fitzpatrick_scale:!1,category:"symbols"},soon:{keywords:["arrow","words"],char:"\u{1f51c}",fitzpatrick_scale:!1,category:"symbols"},ballot_box_with_check:{keywords:["ok","agree","confirm","black-square","vote","election","yes","tick"],char:"\u2611\ufe0f",fitzpatrick_scale:!1,category:"symbols"},radio_button:{keywords:["input","old","music","circle"],char:"\u{1f518}",fitzpatrick_scale:!1,category:"symbols"},white_circle:{keywords:["shape","round"],char:"\u26aa",fitzpatrick_scale:!1,category:"symbols"},black_circle:{keywords:["shape","button","round"],char:"\u26ab",fitzpatrick_scale:!1,category:"symbols"},red_circle:{keywords:["shape","error","danger"],char:"\u{1f534}",fitzpatrick_scale:!1,category:"symbols"},large_blue_circle:{keywords:["shape","icon","button"],char:"\u{1f535}",fitzpatrick_scale:!1,category:"symbols"},small_orange_diamond:{keywords:["shape","jewel","gem"],char:"\u{1f538}",fitzpatrick_scale:!1,category:"symbols"},small_blue_diamond:{keywords:["shape","jewel","gem"],char:"\u{1f539}",fitzpatrick_scale:!1,category:"symbols"},large_orange_diamond:{keywords:["shape","jewel","gem"],char:"\u{1f536}",fitzpatrick_scale:!1,category:"symbols"},large_blue_diamond:{keywords:["shape","jewel","gem"],char:"\u{1f537}",fitzpatrick_scale:!1,category:"symbols"},small_red_triangle:{keywords:["shape","direction","up","top"],char:"\u{1f53a}",fitzpatrick_scale:!1,category:"symbols"},black_small_square:{keywords:["shape","icon"],char:"\u25aa\ufe0f",fitzpatrick_scale:!1,category:"symbols"},white_small_square:{keywords:["shape","icon"],char:"\u25ab\ufe0f",fitzpatrick_scale:!1,category:"symbols"},black_large_square:{keywords:["shape","icon","button"],char:"\u2b1b",fitzpatrick_scale:!1,category:"symbols"},white_large_square:{keywords:["shape","icon","stone","button"],char:"\u2b1c",fitzpatrick_scale:!1,category:"symbols"},small_red_triangle_down:{keywords:["shape","direction","bottom"],char:"\u{1f53b}",fitzpatrick_scale:!1,category:"symbols"},black_medium_square:{keywords:["shape","button","icon"],char:"\u25fc\ufe0f",fitzpatrick_scale:!1,category:"symbols"},white_medium_square:{keywords:["shape","stone","icon"],char:"\u25fb\ufe0f",fitzpatrick_scale:!1,category:"symbols"},black_medium_small_square:{keywords:["icon","shape","button"],char:"\u25fe",fitzpatrick_scale:!1,category:"symbols"},white_medium_small_square:{keywords:["shape","stone","icon","button"],char:"\u25fd",fitzpatrick_scale:!1,category:"symbols"},black_square_button:{keywords:["shape","input","frame"],char:"\u{1f532}",fitzpatrick_scale:!1,category:"symbols"},white_square_button:{keywords:["shape","input"],char:"\u{1f533}",fitzpatrick_scale:!1,category:"symbols"},speaker:{keywords:["sound","volume","silence","broadcast"],char:"\u{1f508}",fitzpatrick_scale:!1,category:"symbols"},sound:{keywords:["volume","speaker","broadcast"],char:"\u{1f509}",fitzpatrick_scale:!1,category:"symbols"},loud_sound:{keywords:["volume","noise","noisy","speaker","broadcast"],char:"\u{1f50a}",fitzpatrick_scale:!1,category:"symbols"},mute:{keywords:["sound","volume","silence","quiet"],char:"\u{1f507}",fitzpatrick_scale:!1,category:"symbols"},mega:{keywords:["sound","speaker","volume"],char:"\u{1f4e3}",fitzpatrick_scale:!1,category:"symbols"},loudspeaker:{keywords:["volume","sound"],char:"\u{1f4e2}",fitzpatrick_scale:!1,category:"symbols"},bell:{keywords:["sound","notification","christmas","xmas","chime"],char:"\u{1f514}",fitzpatrick_scale:!1,category:"symbols"},no_bell:{keywords:["sound","volume","mute","quiet","silent"],char:"\u{1f515}",fitzpatrick_scale:!1,category:"symbols"},black_joker:{keywords:["poker","cards","game","play","magic"],char:"\u{1f0cf}",fitzpatrick_scale:!1,category:"symbols"},mahjong:{keywords:["game","play","chinese","kanji"],char:"\u{1f004}",fitzpatrick_scale:!1,category:"symbols"},spades:{keywords:["poker","cards","suits","magic"],char:"\u2660\ufe0f",fitzpatrick_scale:!1,category:"symbols"},clubs:{keywords:["poker","cards","magic","suits"],char:"\u2663\ufe0f",fitzpatrick_scale:!1,category:"symbols"},hearts:{keywords:["poker","cards","magic","suits"],char:"\u2665\ufe0f",fitzpatrick_scale:!1,category:"symbols"},diamonds:{keywords:["poker","cards","magic","suits"],char:"\u2666\ufe0f",fitzpatrick_scale:!1,category:"symbols"},flower_playing_cards:{keywords:["game","sunset","red"],char:"\u{1f3b4}",fitzpatrick_scale:!1,category:"symbols"},thought_balloon:{keywords:["bubble","cloud","speech","thinking","dream"],char:"\u{1f4ad}",fitzpatrick_scale:!1,category:"symbols"},right_anger_bubble:{keywords:["caption","speech","thinking","mad"],char:"\u{1f5ef}",fitzpatrick_scale:!1,category:"symbols"},speech_balloon:{keywords:["bubble","words","message","talk","chatting"],char:"\u{1f4ac}",fitzpatrick_scale:!1,category:"symbols"},left_speech_bubble:{keywords:["words","message","talk","chatting"],char:"\u{1f5e8}",fitzpatrick_scale:!1,category:"symbols"},clock1:{keywords:["time","late","early","schedule"],char:"\u{1f550}",fitzpatrick_scale:!1,category:"symbols"},clock2:{keywords:["time","late","early","schedule"],char:"\u{1f551}",fitzpatrick_scale:!1,category:"symbols"},clock3:{keywords:["time","late","early","schedule"],char:"\u{1f552}",fitzpatrick_scale:!1,category:"symbols"},clock4:{keywords:["time","late","early","schedule"],char:"\u{1f553}",fitzpatrick_scale:!1,category:"symbols"},clock5:{keywords:["time","late","early","schedule"],char:"\u{1f554}",fitzpatrick_scale:!1,category:"symbols"},clock6:{keywords:["time","late","early","schedule","dawn","dusk"],char:"\u{1f555}",fitzpatrick_scale:!1,category:"symbols"},clock7:{keywords:["time","late","early","schedule"],char:"\u{1f556}",fitzpatrick_scale:!1,category:"symbols"},clock8:{keywords:["time","late","early","schedule"],char:"\u{1f557}",fitzpatrick_scale:!1,category:"symbols"},clock9:{keywords:["time","late","early","schedule"],char:"\u{1f558}",fitzpatrick_scale:!1,category:"symbols"},clock10:{keywords:["time","late","early","schedule"],char:"\u{1f559}",fitzpatrick_scale:!1,category:"symbols"},clock11:{keywords:["time","late","early","schedule"],char:"\u{1f55a}",fitzpatrick_scale:!1,category:"symbols"},clock12:{keywords:["time","noon","midnight","midday","late","early","schedule"],char:"\u{1f55b}",fitzpatrick_scale:!1,category:"symbols"},clock130:{keywords:["time","late","early","schedule"],char:"\u{1f55c}",fitzpatrick_scale:!1,category:"symbols"},clock230:{keywords:["time","late","early","schedule"],char:"\u{1f55d}",fitzpatrick_scale:!1,category:"symbols"},clock330:{keywords:["time","late","early","schedule"],char:"\u{1f55e}",fitzpatrick_scale:!1,category:"symbols"},clock430:{keywords:["time","late","early","schedule"],char:"\u{1f55f}",fitzpatrick_scale:!1,category:"symbols"},clock530:{keywords:["time","late","early","schedule"],char:"\u{1f560}",fitzpatrick_scale:!1,category:"symbols"},clock630:{keywords:["time","late","early","schedule"],char:"\u{1f561}",fitzpatrick_scale:!1,category:"symbols"},clock730:{keywords:["time","late","early","schedule"],char:"\u{1f562}",fitzpatrick_scale:!1,category:"symbols"},clock830:{keywords:["time","late","early","schedule"],char:"\u{1f563}",fitzpatrick_scale:!1,category:"symbols"},clock930:{keywords:["time","late","early","schedule"],char:"\u{1f564}",fitzpatrick_scale:!1,category:"symbols"},clock1030:{keywords:["time","late","early","schedule"],char:"\u{1f565}",fitzpatrick_scale:!1,category:"symbols"},clock1130:{keywords:["time","late","early","schedule"],char:"\u{1f566}",fitzpatrick_scale:!1,category:"symbols"},clock1230:{keywords:["time","late","early","schedule"],char:"\u{1f567}",fitzpatrick_scale:!1,category:"symbols"},afghanistan:{keywords:["af","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},aland_islands:{keywords:["\xc5land","islands","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1fd}",fitzpatrick_scale:!1,category:"flags"},albania:{keywords:["al","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},algeria:{keywords:["dz","flag","nation","country","banner"],char:"\u{1f1e9}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},american_samoa:{keywords:["american","ws","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},andorra:{keywords:["ad","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},angola:{keywords:["ao","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},anguilla:{keywords:["ai","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},antarctica:{keywords:["aq","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1f6}",fitzpatrick_scale:!1,category:"flags"},antigua_barbuda:{keywords:["antigua","barbuda","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},argentina:{keywords:["ar","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},armenia:{keywords:["am","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},aruba:{keywords:["aw","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},australia:{keywords:["au","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},austria:{keywords:["at","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},azerbaijan:{keywords:["az","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},bahamas:{keywords:["bs","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},bahrain:{keywords:["bh","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},bangladesh:{keywords:["bd","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},barbados:{keywords:["bb","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1e7}",fitzpatrick_scale:!1,category:"flags"},belarus:{keywords:["by","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},belgium:{keywords:["be","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},belize:{keywords:["bz","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},benin:{keywords:["bj","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1ef}",fitzpatrick_scale:!1,category:"flags"},bermuda:{keywords:["bm","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},bhutan:{keywords:["bt","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},bolivia:{keywords:["bo","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},caribbean_netherlands:{keywords:["bonaire","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f6}",fitzpatrick_scale:!1,category:"flags"},bosnia_herzegovina:{keywords:["bosnia","herzegovina","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},botswana:{keywords:["bw","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},brazil:{keywords:["br","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},british_indian_ocean_territory:{keywords:["british","indian","ocean","territory","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},british_virgin_islands:{keywords:["british","virgin","islands","bvi","flag","nation","country","banner"],char:"\u{1f1fb}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},brunei:{keywords:["bn","darussalam","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},bulgaria:{keywords:["bg","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},burkina_faso:{keywords:["burkina","faso","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},burundi:{keywords:["bi","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},cape_verde:{keywords:["cabo","verde","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1fb}",fitzpatrick_scale:!1,category:"flags"},cambodia:{keywords:["kh","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},cameroon:{keywords:["cm","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},canada:{keywords:["ca","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},canary_islands:{keywords:["canary","islands","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},cayman_islands:{keywords:["cayman","islands","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},central_african_republic:{keywords:["central","african","republic","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},chad:{keywords:["td","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},chile:{keywords:["flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},cn:{keywords:["china","chinese","prc","flag","country","nation","banner"],char:"\u{1f1e8}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},christmas_island:{keywords:["christmas","island","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1fd}",fitzpatrick_scale:!1,category:"flags"},cocos_islands:{keywords:["cocos","keeling","islands","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},colombia:{keywords:["co","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},comoros:{keywords:["km","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},congo_brazzaville:{keywords:["congo","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},congo_kinshasa:{keywords:["congo","democratic","republic","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},cook_islands:{keywords:["cook","islands","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},costa_rica:{keywords:["costa","rica","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},croatia:{keywords:["hr","flag","nation","country","banner"],char:"\u{1f1ed}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},cuba:{keywords:["cu","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},curacao:{keywords:["cura\xe7ao","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},cyprus:{keywords:["cy","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},czech_republic:{keywords:["cz","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},denmark:{keywords:["dk","flag","nation","country","banner"],char:"\u{1f1e9}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},djibouti:{keywords:["dj","flag","nation","country","banner"],char:"\u{1f1e9}\u{1f1ef}",fitzpatrick_scale:!1,category:"flags"},dominica:{keywords:["dm","flag","nation","country","banner"],char:"\u{1f1e9}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},dominican_republic:{keywords:["dominican","republic","flag","nation","country","banner"],char:"\u{1f1e9}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},ecuador:{keywords:["ec","flag","nation","country","banner"],char:"\u{1f1ea}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},egypt:{keywords:["eg","flag","nation","country","banner"],char:"\u{1f1ea}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},el_salvador:{keywords:["el","salvador","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1fb}",fitzpatrick_scale:!1,category:"flags"},equatorial_guinea:{keywords:["equatorial","gn","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f6}",fitzpatrick_scale:!1,category:"flags"},eritrea:{keywords:["er","flag","nation","country","banner"],char:"\u{1f1ea}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},estonia:{keywords:["ee","flag","nation","country","banner"],char:"\u{1f1ea}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},ethiopia:{keywords:["et","flag","nation","country","banner"],char:"\u{1f1ea}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},eu:{keywords:["european","union","flag","banner"],char:"\u{1f1ea}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},falkland_islands:{keywords:["falkland","islands","malvinas","flag","nation","country","banner"],char:"\u{1f1eb}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},faroe_islands:{keywords:["faroe","islands","flag","nation","country","banner"],char:"\u{1f1eb}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},fiji:{keywords:["fj","flag","nation","country","banner"],char:"\u{1f1eb}\u{1f1ef}",fitzpatrick_scale:!1,category:"flags"},finland:{keywords:["fi","flag","nation","country","banner"],char:"\u{1f1eb}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},fr:{keywords:["banner","flag","nation","france","french","country"],char:"\u{1f1eb}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},french_guiana:{keywords:["french","guiana","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},french_polynesia:{keywords:["french","polynesia","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},french_southern_territories:{keywords:["french","southern","territories","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},gabon:{keywords:["ga","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},gambia:{keywords:["gm","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},georgia:{keywords:["ge","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},de:{keywords:["german","nation","flag","country","banner"],char:"\u{1f1e9}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},ghana:{keywords:["gh","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},gibraltar:{keywords:["gi","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},greece:{keywords:["gr","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},greenland:{keywords:["gl","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},grenada:{keywords:["gd","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},guadeloupe:{keywords:["gp","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f5}",fitzpatrick_scale:!1,category:"flags"},guam:{keywords:["gu","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},guatemala:{keywords:["gt","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},guernsey:{keywords:["gg","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},guinea:{keywords:["gn","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},guinea_bissau:{keywords:["gw","bissau","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},guyana:{keywords:["gy","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},haiti:{keywords:["ht","flag","nation","country","banner"],char:"\u{1f1ed}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},honduras:{keywords:["hn","flag","nation","country","banner"],char:"\u{1f1ed}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},hong_kong:{keywords:["hong","kong","flag","nation","country","banner"],char:"\u{1f1ed}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},hungary:{keywords:["hu","flag","nation","country","banner"],char:"\u{1f1ed}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},iceland:{keywords:["is","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},india:{keywords:["in","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},indonesia:{keywords:["flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},iran:{keywords:["iran,","islamic","republic","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},iraq:{keywords:["iq","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f6}",fitzpatrick_scale:!1,category:"flags"},ireland:{keywords:["ie","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},isle_of_man:{keywords:["isle","man","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},israel:{keywords:["il","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},it:{keywords:["italy","flag","nation","country","banner"],char:"\u{1f1ee}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},cote_divoire:{keywords:["ivory","coast","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},jamaica:{keywords:["jm","flag","nation","country","banner"],char:"\u{1f1ef}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},jp:{keywords:["japanese","nation","flag","country","banner"],char:"\u{1f1ef}\u{1f1f5}",fitzpatrick_scale:!1,category:"flags"},jersey:{keywords:["je","flag","nation","country","banner"],char:"\u{1f1ef}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},jordan:{keywords:["jo","flag","nation","country","banner"],char:"\u{1f1ef}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},kazakhstan:{keywords:["kz","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},kenya:{keywords:["ke","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},kiribati:{keywords:["ki","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},kosovo:{keywords:["xk","flag","nation","country","banner"],char:"\u{1f1fd}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},kuwait:{keywords:["kw","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},kyrgyzstan:{keywords:["kg","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},laos:{keywords:["lao","democratic","republic","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},latvia:{keywords:["lv","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1fb}",fitzpatrick_scale:!1,category:"flags"},lebanon:{keywords:["lb","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1e7}",fitzpatrick_scale:!1,category:"flags"},lesotho:{keywords:["ls","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},liberia:{keywords:["lr","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},libya:{keywords:["ly","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},liechtenstein:{keywords:["li","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},lithuania:{keywords:["lt","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},luxembourg:{keywords:["lu","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},macau:{keywords:["macao","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},macedonia:{keywords:["macedonia,","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},madagascar:{keywords:["mg","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},malawi:{keywords:["mw","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},malaysia:{keywords:["my","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},maldives:{keywords:["mv","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1fb}",fitzpatrick_scale:!1,category:"flags"},mali:{keywords:["ml","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},malta:{keywords:["mt","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},marshall_islands:{keywords:["marshall","islands","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},martinique:{keywords:["mq","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f6}",fitzpatrick_scale:!1,category:"flags"},mauritania:{keywords:["mr","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},mauritius:{keywords:["mu","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},mayotte:{keywords:["yt","flag","nation","country","banner"],char:"\u{1f1fe}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},mexico:{keywords:["mx","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1fd}",fitzpatrick_scale:!1,category:"flags"},micronesia:{keywords:["micronesia,","federated","states","flag","nation","country","banner"],char:"\u{1f1eb}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},moldova:{keywords:["moldova,","republic","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},monaco:{keywords:["mc","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},mongolia:{keywords:["mn","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},montenegro:{keywords:["me","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},montserrat:{keywords:["ms","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},morocco:{keywords:["ma","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},mozambique:{keywords:["mz","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},myanmar:{keywords:["mm","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},namibia:{keywords:["na","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},nauru:{keywords:["nr","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},nepal:{keywords:["np","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1f5}",fitzpatrick_scale:!1,category:"flags"},netherlands:{keywords:["nl","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},new_caledonia:{keywords:["new","caledonia","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},new_zealand:{keywords:["new","zealand","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},nicaragua:{keywords:["ni","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},niger:{keywords:["ne","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},nigeria:{keywords:["flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},niue:{keywords:["nu","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},norfolk_island:{keywords:["norfolk","island","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},northern_mariana_islands:{keywords:["northern","mariana","islands","flag","nation","country","banner"],char:"\u{1f1f2}\u{1f1f5}",fitzpatrick_scale:!1,category:"flags"},north_korea:{keywords:["north","korea","nation","flag","country","banner"],char:"\u{1f1f0}\u{1f1f5}",fitzpatrick_scale:!1,category:"flags"},norway:{keywords:["no","flag","nation","country","banner"],char:"\u{1f1f3}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},oman:{keywords:["om_symbol","flag","nation","country","banner"],char:"\u{1f1f4}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},pakistan:{keywords:["pk","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},palau:{keywords:["pw","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},palestinian_territories:{keywords:["palestine","palestinian","territories","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},panama:{keywords:["pa","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},papua_new_guinea:{keywords:["papua","new","guinea","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},paraguay:{keywords:["py","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},peru:{keywords:["pe","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},philippines:{keywords:["ph","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},pitcairn_islands:{keywords:["pitcairn","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},poland:{keywords:["pl","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},portugal:{keywords:["pt","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},puerto_rico:{keywords:["puerto","rico","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},qatar:{keywords:["qa","flag","nation","country","banner"],char:"\u{1f1f6}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},reunion:{keywords:["r\xe9union","flag","nation","country","banner"],char:"\u{1f1f7}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},romania:{keywords:["ro","flag","nation","country","banner"],char:"\u{1f1f7}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},ru:{keywords:["russian","federation","flag","nation","country","banner"],char:"\u{1f1f7}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},rwanda:{keywords:["rw","flag","nation","country","banner"],char:"\u{1f1f7}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},st_barthelemy:{keywords:["saint","barth\xe9lemy","flag","nation","country","banner"],char:"\u{1f1e7}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},st_helena:{keywords:["saint","helena","ascension","tristan","cunha","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},st_kitts_nevis:{keywords:["saint","kitts","nevis","flag","nation","country","banner"],char:"\u{1f1f0}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},st_lucia:{keywords:["saint","lucia","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},st_pierre_miquelon:{keywords:["saint","pierre","miquelon","flag","nation","country","banner"],char:"\u{1f1f5}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},st_vincent_grenadines:{keywords:["saint","vincent","grenadines","flag","nation","country","banner"],char:"\u{1f1fb}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},samoa:{keywords:["ws","flag","nation","country","banner"],char:"\u{1f1fc}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},san_marino:{keywords:["san","marino","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},sao_tome_principe:{keywords:["sao","tome","principe","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},saudi_arabia:{keywords:["flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},senegal:{keywords:["sn","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},serbia:{keywords:["rs","flag","nation","country","banner"],char:"\u{1f1f7}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},seychelles:{keywords:["sc","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},sierra_leone:{keywords:["sierra","leone","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},singapore:{keywords:["sg","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},sint_maarten:{keywords:["sint","maarten","dutch","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1fd}",fitzpatrick_scale:!1,category:"flags"},slovakia:{keywords:["sk","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},slovenia:{keywords:["si","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},solomon_islands:{keywords:["solomon","islands","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1e7}",fitzpatrick_scale:!1,category:"flags"},somalia:{keywords:["so","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},south_africa:{keywords:["south","africa","flag","nation","country","banner"],char:"\u{1f1ff}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},south_georgia_south_sandwich_islands:{keywords:["south","georgia","sandwich","islands","flag","nation","country","banner"],char:"\u{1f1ec}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},kr:{keywords:["south","korea","nation","flag","country","banner"],char:"\u{1f1f0}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},south_sudan:{keywords:["south","sd","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},es:{keywords:["spain","flag","nation","country","banner"],char:"\u{1f1ea}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},sri_lanka:{keywords:["sri","lanka","flag","nation","country","banner"],char:"\u{1f1f1}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},sudan:{keywords:["sd","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1e9}",fitzpatrick_scale:!1,category:"flags"},suriname:{keywords:["sr","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},swaziland:{keywords:["sz","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},sweden:{keywords:["se","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},switzerland:{keywords:["ch","flag","nation","country","banner"],char:"\u{1f1e8}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},syria:{keywords:["syrian","arab","republic","flag","nation","country","banner"],char:"\u{1f1f8}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},taiwan:{keywords:["tw","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},tajikistan:{keywords:["tj","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1ef}",fitzpatrick_scale:!1,category:"flags"},tanzania:{keywords:["tanzania,","united","republic","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},thailand:{keywords:["th","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},timor_leste:{keywords:["timor","leste","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1f1}",fitzpatrick_scale:!1,category:"flags"},togo:{keywords:["tg","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},tokelau:{keywords:["tk","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1f0}",fitzpatrick_scale:!1,category:"flags"},tonga:{keywords:["to","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1f4}",fitzpatrick_scale:!1,category:"flags"},trinidad_tobago:{keywords:["trinidad","tobago","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1f9}",fitzpatrick_scale:!1,category:"flags"},tunisia:{keywords:["tn","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},tr:{keywords:["turkey","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1f7}",fitzpatrick_scale:!1,category:"flags"},turkmenistan:{keywords:["flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},turks_caicos_islands:{keywords:["turks","caicos","islands","flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1e8}",fitzpatrick_scale:!1,category:"flags"},tuvalu:{keywords:["flag","nation","country","banner"],char:"\u{1f1f9}\u{1f1fb}",fitzpatrick_scale:!1,category:"flags"},uganda:{keywords:["ug","flag","nation","country","banner"],char:"\u{1f1fa}\u{1f1ec}",fitzpatrick_scale:!1,category:"flags"},ukraine:{keywords:["ua","flag","nation","country","banner"],char:"\u{1f1fa}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},united_arab_emirates:{keywords:["united","arab","emirates","flag","nation","country","banner"],char:"\u{1f1e6}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},uk:{keywords:["united","kingdom","great","britain","northern","ireland","flag","nation","country","banner","british","UK","english","england","union jack"],char:"\u{1f1ec}\u{1f1e7}",fitzpatrick_scale:!1,category:"flags"},england:{keywords:["flag","english"],char:"\u{1f3f4}\u{e0067}\u{e0062}\u{e0065}\u{e006e}\u{e0067}\u{e007f}",fitzpatrick_scale:!1,category:"flags"},scotland:{keywords:["flag","scottish"],char:"\u{1f3f4}\u{e0067}\u{e0062}\u{e0073}\u{e0063}\u{e0074}\u{e007f}",fitzpatrick_scale:!1,category:"flags"},wales:{keywords:["flag","welsh"],char:"\u{1f3f4}\u{e0067}\u{e0062}\u{e0077}\u{e006c}\u{e0073}\u{e007f}",fitzpatrick_scale:!1,category:"flags"},us:{keywords:["united","states","america","flag","nation","country","banner"],char:"\u{1f1fa}\u{1f1f8}",fitzpatrick_scale:!1,category:"flags"},us_virgin_islands:{keywords:["virgin","islands","us","flag","nation","country","banner"],char:"\u{1f1fb}\u{1f1ee}",fitzpatrick_scale:!1,category:"flags"},uruguay:{keywords:["uy","flag","nation","country","banner"],char:"\u{1f1fa}\u{1f1fe}",fitzpatrick_scale:!1,category:"flags"},uzbekistan:{keywords:["uz","flag","nation","country","banner"],char:"\u{1f1fa}\u{1f1ff}",fitzpatrick_scale:!1,category:"flags"},vanuatu:{keywords:["vu","flag","nation","country","banner"],char:"\u{1f1fb}\u{1f1fa}",fitzpatrick_scale:!1,category:"flags"},vatican_city:{keywords:["vatican","city","flag","nation","country","banner"],char:"\u{1f1fb}\u{1f1e6}",fitzpatrick_scale:!1,category:"flags"},venezuela:{keywords:["ve","bolivarian","republic","flag","nation","country","banner"],char:"\u{1f1fb}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},vietnam:{keywords:["viet","nam","flag","nation","country","banner"],char:"\u{1f1fb}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},wallis_futuna:{keywords:["wallis","futuna","flag","nation","country","banner"],char:"\u{1f1fc}\u{1f1eb}",fitzpatrick_scale:!1,category:"flags"},western_sahara:{keywords:["western","sahara","flag","nation","country","banner"],char:"\u{1f1ea}\u{1f1ed}",fitzpatrick_scale:!1,category:"flags"},yemen:{keywords:["ye","flag","nation","country","banner"],char:"\u{1f1fe}\u{1f1ea}",fitzpatrick_scale:!1,category:"flags"},zambia:{keywords:["zm","flag","nation","country","banner"],char:"\u{1f1ff}\u{1f1f2}",fitzpatrick_scale:!1,category:"flags"},zimbabwe:{keywords:["zw","flag","nation","country","banner"],char:"\u{1f1ff}\u{1f1fc}",fitzpatrick_scale:!1,category:"flags"},united_nations:{keywords:["un","flag","banner"],char:"\u{1f1fa}\u{1f1f3}",fitzpatrick_scale:!1,category:"flags"},pirate_flag:{keywords:["skull","crossbones","flag","banner"],char:"\u{1f3f4}\u200d\u2620\ufe0f",fitzpatrick_scale:!1,category:"flags"}}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/emoticons/plugin.js b/deform/static/tinymce/plugins/emoticons/plugin.js new file mode 100644 index 00000000..76b94a46 --- /dev/null +++ b/deform/static/tinymce/plugins/emoticons/plugin.js @@ -0,0 +1,595 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$1 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const eq = t => a => t === a; + const isNull = eq(null); + const isUndefined = eq(undefined); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + + const noop = () => { + }; + const constant = value => { + return () => { + return value; + }; + }; + const never = constant(false); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const exists = (xs, pred) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return true; + } + } + return false; + }; + const map$1 = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each$1 = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + const last = (fn, rate) => { + let timer = null; + const cancel = () => { + if (!isNull(timer)) { + clearTimeout(timer); + timer = null; + } + }; + const throttle = (...args) => { + cancel(); + timer = setTimeout(() => { + timer = null; + fn.apply(null, args); + }, rate); + }; + return { + cancel, + throttle + }; + }; + + const insertEmoticon = (editor, ch) => { + editor.insertContent(ch); + }; + + const keys = Object.keys; + const hasOwnProperty = Object.hasOwnProperty; + const each = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + const map = (obj, f) => { + return tupleMap(obj, (x, i) => ({ + k: i, + v: f(x, i) + })); + }; + const tupleMap = (obj, f) => { + const r = {}; + each(obj, (x, i) => { + const tuple = f(x, i); + r[tuple.k] = tuple.v; + }); + return r; + }; + const has = (obj, key) => hasOwnProperty.call(obj, key); + + const shallow = (old, nu) => { + return nu; + }; + const baseMerge = merger => { + return (...objects) => { + if (objects.length === 0) { + throw new Error(`Can't merge zero objects`); + } + const ret = {}; + for (let j = 0; j < objects.length; j++) { + const curObject = objects[j]; + for (const key in curObject) { + if (has(curObject, key)) { + ret[key] = merger(ret[key], curObject[key]); + } + } + } + return ret; + }; + }; + const merge = baseMerge(shallow); + + const singleton = doRevoke => { + const subject = Cell(Optional.none()); + const revoke = () => subject.get().each(doRevoke); + const clear = () => { + revoke(); + subject.set(Optional.none()); + }; + const isSet = () => subject.get().isSome(); + const get = () => subject.get(); + const set = s => { + revoke(); + subject.set(Optional.some(s)); + }; + return { + clear, + isSet, + get, + set + }; + }; + const value = () => { + const subject = singleton(noop); + const on = f => subject.get().each(f); + return { + ...subject, + on + }; + }; + + const checkRange = (str, substr, start) => substr === '' || str.length >= substr.length && str.substr(start, start + substr.length) === substr; + const contains = (str, substr, start = 0, end) => { + const idx = str.indexOf(substr, start); + if (idx !== -1) { + return isUndefined(end) ? true : idx + substr.length <= end; + } else { + return false; + } + }; + const startsWith = (str, prefix) => { + return checkRange(str, prefix, 0); + }; + + var global = tinymce.util.Tools.resolve('tinymce.Resource'); + + const DEFAULT_ID = 'tinymce.plugins.emoticons'; + const option = name => editor => editor.options.get(name); + const register$2 = (editor, pluginUrl) => { + const registerOption = editor.options.register; + registerOption('emoticons_database', { + processor: 'string', + default: 'emojis' + }); + registerOption('emoticons_database_url', { + processor: 'string', + default: `${ pluginUrl }/js/${ getEmojiDatabase(editor) }${ editor.suffix }.js` + }); + registerOption('emoticons_database_id', { + processor: 'string', + default: DEFAULT_ID + }); + registerOption('emoticons_append', { + processor: 'object', + default: {} + }); + registerOption('emoticons_images_url', { + processor: 'string', + default: 'https://twemoji.maxcdn.com/v/13.0.1/72x72/' + }); + }; + const getEmojiDatabase = option('emoticons_database'); + const getEmojiDatabaseUrl = option('emoticons_database_url'); + const getEmojiDatabaseId = option('emoticons_database_id'); + const getAppendedEmoji = option('emoticons_append'); + const getEmojiImageUrl = option('emoticons_images_url'); + + const ALL_CATEGORY = 'All'; + const categoryNameMap = { + symbols: 'Symbols', + people: 'People', + animals_and_nature: 'Animals and Nature', + food_and_drink: 'Food and Drink', + activity: 'Activity', + travel_and_places: 'Travel and Places', + objects: 'Objects', + flags: 'Flags', + user: 'User Defined' + }; + const translateCategory = (categories, name) => has(categories, name) ? categories[name] : name; + const getUserDefinedEmoji = editor => { + const userDefinedEmoticons = getAppendedEmoji(editor); + return map(userDefinedEmoticons, value => ({ + keywords: [], + category: 'user', + ...value + })); + }; + const initDatabase = (editor, databaseUrl, databaseId) => { + const categories = value(); + const all = value(); + const emojiImagesUrl = getEmojiImageUrl(editor); + const getEmoji = lib => { + if (startsWith(lib.char, ' `src="${ emojiImagesUrl }${ url }"`); + } else { + return lib.char; + } + }; + const processEmojis = emojis => { + const cats = {}; + const everything = []; + each(emojis, (lib, title) => { + const entry = { + title, + keywords: lib.keywords, + char: getEmoji(lib), + category: translateCategory(categoryNameMap, lib.category) + }; + const current = cats[entry.category] !== undefined ? cats[entry.category] : []; + cats[entry.category] = current.concat([entry]); + everything.push(entry); + }); + categories.set(cats); + all.set(everything); + }; + editor.on('init', () => { + global.load(databaseId, databaseUrl).then(emojis => { + const userEmojis = getUserDefinedEmoji(editor); + processEmojis(merge(emojis, userEmojis)); + }, err => { + console.log(`Failed to load emojis: ${ err }`); + categories.set({}); + all.set([]); + }); + }); + const listCategory = category => { + if (category === ALL_CATEGORY) { + return listAll(); + } + return categories.get().bind(cats => Optional.from(cats[category])).getOr([]); + }; + const listAll = () => all.get().getOr([]); + const listCategories = () => [ALL_CATEGORY].concat(keys(categories.get().getOr({}))); + const waitForLoad = () => { + if (hasLoaded()) { + return Promise.resolve(true); + } else { + return new Promise((resolve, reject) => { + let numRetries = 15; + const interval = setInterval(() => { + if (hasLoaded()) { + clearInterval(interval); + resolve(true); + } else { + numRetries--; + if (numRetries < 0) { + console.log('Could not load emojis from url: ' + databaseUrl); + clearInterval(interval); + reject(false); + } + } + }, 100); + }); + } + }; + const hasLoaded = () => categories.isSet() && all.isSet(); + return { + listCategories, + hasLoaded, + waitForLoad, + listAll, + listCategory + }; + }; + + const emojiMatches = (emoji, lowerCasePattern) => contains(emoji.title.toLowerCase(), lowerCasePattern) || exists(emoji.keywords, k => contains(k.toLowerCase(), lowerCasePattern)); + const emojisFrom = (list, pattern, maxResults) => { + const matches = []; + const lowerCasePattern = pattern.toLowerCase(); + const reachedLimit = maxResults.fold(() => never, max => size => size >= max); + for (let i = 0; i < list.length; i++) { + if (pattern.length === 0 || emojiMatches(list[i], lowerCasePattern)) { + matches.push({ + value: list[i].char, + text: list[i].title, + icon: list[i].char + }); + if (reachedLimit(matches.length)) { + break; + } + } + } + return matches; + }; + + const patternName = 'pattern'; + const open = (editor, database) => { + const initialState = { + pattern: '', + results: emojisFrom(database.listAll(), '', Optional.some(300)) + }; + const currentTab = Cell(ALL_CATEGORY); + const scan = dialogApi => { + const dialogData = dialogApi.getData(); + const category = currentTab.get(); + const candidates = database.listCategory(category); + const results = emojisFrom(candidates, dialogData[patternName], category === ALL_CATEGORY ? Optional.some(300) : Optional.none()); + dialogApi.setData({ results }); + }; + const updateFilter = last(dialogApi => { + scan(dialogApi); + }, 200); + const searchField = { + label: 'Search', + type: 'input', + name: patternName + }; + const resultsField = { + type: 'collection', + name: 'results' + }; + const getInitialState = () => { + const body = { + type: 'tabpanel', + tabs: map$1(database.listCategories(), cat => ({ + title: cat, + name: cat, + items: [ + searchField, + resultsField + ] + })) + }; + return { + title: 'Emojis', + size: 'normal', + body, + initialData: initialState, + onTabChange: (dialogApi, details) => { + currentTab.set(details.newTabName); + updateFilter.throttle(dialogApi); + }, + onChange: updateFilter.throttle, + onAction: (dialogApi, actionData) => { + if (actionData.name === 'results') { + insertEmoticon(editor, actionData.value); + dialogApi.close(); + } + }, + buttons: [{ + type: 'cancel', + text: 'Close', + primary: true + }] + }; + }; + const dialogApi = editor.windowManager.open(getInitialState()); + dialogApi.focus(patternName); + if (!database.hasLoaded()) { + dialogApi.block('Loading emojis...'); + database.waitForLoad().then(() => { + dialogApi.redial(getInitialState()); + updateFilter.throttle(dialogApi); + dialogApi.focus(patternName); + dialogApi.unblock(); + }).catch(_err => { + dialogApi.redial({ + title: 'Emojis', + body: { + type: 'panel', + items: [{ + type: 'alertbanner', + level: 'error', + icon: 'warning', + text: 'Could not load emojis' + }] + }, + buttons: [{ + type: 'cancel', + text: 'Close', + primary: true + }], + initialData: { + pattern: '', + results: [] + } + }); + dialogApi.focus(patternName); + dialogApi.unblock(); + }); + } + }; + + const register$1 = (editor, database) => { + editor.addCommand('mceEmoticons', () => open(editor, database)); + }; + + const setup = editor => { + editor.on('PreInit', () => { + editor.parser.addAttributeFilter('data-emoticon', nodes => { + each$1(nodes, node => { + node.attr('data-mce-resize', 'false'); + node.attr('data-mce-placeholder', '1'); + }); + }); + }); + }; + + const init = (editor, database) => { + editor.ui.registry.addAutocompleter('emoticons', { + trigger: ':', + columns: 'auto', + minChars: 2, + fetch: (pattern, maxResults) => database.waitForLoad().then(() => { + const candidates = database.listAll(); + return emojisFrom(candidates, pattern, Optional.some(maxResults)); + }), + onAction: (autocompleteApi, rng, value) => { + editor.selection.setRng(rng); + editor.insertContent(value); + autocompleteApi.hide(); + } + }); + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const onAction = () => editor.execCommand('mceEmoticons'); + editor.ui.registry.addButton('emoticons', { + tooltip: 'Emojis', + icon: 'emoji', + onAction, + onSetup: onSetupEditable(editor) + }); + editor.ui.registry.addMenuItem('emoticons', { + text: 'Emojis...', + icon: 'emoji', + onAction, + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$1.add('emoticons', (editor, pluginUrl) => { + register$2(editor, pluginUrl); + const databaseUrl = getEmojiDatabaseUrl(editor); + const databaseId = getEmojiDatabaseId(editor); + const database = initDatabase(editor, databaseUrl, databaseId); + register$1(editor, database); + register(editor); + init(editor, database); + setup(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/emoticons/plugin.min.js b/deform/static/tinymce/plugins/emoticons/plugin.min.js index f70e7941..3731c890 100644 --- a/deform/static/tinymce/plugins/emoticons/plugin.min.js +++ b/deform/static/tinymce/plugins/emoticons/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("emoticons",function(e,t){function n(){var e;return e='',tinymce.each(i,function(n){e+="",tinymce.each(n,function(n){var i=t+"/img/smiley-"+n+".gif";e+=''}),e+=""}),e+=""}var i=[["cool","cry","embarassed","foot-in-mouth"],["frown","innocent","kiss","laughing"],["money-mouth","sealed","smile","surprised"],["tongue-out","undecided","wink","yell"]];e.addButton("emoticons",{type:"panelbutton",popoverAlign:"bc-tl",panel:{autohide:!0,html:n,onclick:function(t){var n=e.dom.getParent(t.target,"a");n&&(e.insertContent(''),this.hide())}},tooltip:"Emoticons"})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var t=tinymce.util.Tools.resolve("tinymce.PluginManager");const e=t=>e=>t===e,o=e(null),n=e(void 0),s=()=>{},r=()=>!1;class a{constructor(t,e){this.tag=t,this.value=e}static some(t){return new a(!0,t)}static none(){return a.singletonNone}fold(t,e){return this.tag?e(this.value):t()}isSome(){return this.tag}isNone(){return!this.tag}map(t){return this.tag?a.some(t(this.value)):a.none()}bind(t){return this.tag?t(this.value):a.none()}exists(t){return this.tag&&t(this.value)}forall(t){return!this.tag||t(this.value)}filter(t){return!this.tag||t(this.value)?this:a.none()}getOr(t){return this.tag?this.value:t}or(t){return this.tag?this:t}getOrThunk(t){return this.tag?this.value:t()}orThunk(t){return this.tag?this:t()}getOrDie(t){if(this.tag)return this.value;throw new Error(null!=t?t:"Called getOrDie on None")}static from(t){return null==t?a.none():a.some(t)}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(t){this.tag&&t(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}a.singletonNone=new a(!1);const i=(t,e)=>{const o=t.length,n=new Array(o);for(let s=0;s{let e=t;return{get:()=>e,set:t=>{e=t}}},c=Object.keys,u=Object.hasOwnProperty,g=(t,e)=>{const o=c(t);for(let n=0,s=o.length;nu.call(t,e),d=(h=(t,e)=>e,(...t)=>{if(0===t.length)throw new Error("Can't merge zero objects");const e={};for(let o=0;o{const t=(t=>{const e=l(a.none()),o=()=>e.get().each(t);return{clear:()=>{o(),e.set(a.none())},isSet:()=>e.get().isSome(),get:()=>e.get(),set:t=>{o(),e.set(a.some(t))}}})(s);return{...t,on:e=>t.get().each(e)}},v=(t,e,o=0,s)=>{const r=t.indexOf(e,o);return-1!==r&&(!!n(s)||r+e.length<=s)};var y=tinymce.util.Tools.resolve("tinymce.Resource");const f=t=>e=>e.options.get(t),b=f("emoticons_database"),w=f("emoticons_database_url"),C=f("emoticons_database_id"),_=f("emoticons_append"),j=f("emoticons_images_url"),k="All",A={symbols:"Symbols",people:"People",animals_and_nature:"Animals and Nature",food_and_drink:"Food and Drink",activity:"Activity",travel_and_places:"Travel and Places",objects:"Objects",flags:"Flags",user:"User Defined"},O=(t,e)=>m(t,e)?t[e]:e,x=t=>{const e=_(t);return o=t=>({keywords:[],category:"user",...t}),((t,e)=>{const o={};return g(t,((t,n)=>{const s=e(t,n);o[s.k]=s.v})),o})(e,((t,e)=>({k:e,v:o(t)})));var o},E=(t,e)=>v(t.title.toLowerCase(),e)||((t,o)=>{for(let o=0,s=t.length;o{const n=[],s=e.toLowerCase(),a=o.fold((()=>r),(t=>e=>e>=t));for(let o=0;o{const n={pattern:"",results:S(e.listAll(),"",a.some(300))},s=l(k),r=((t,e)=>{let n=null;const s=()=>{o(n)||(clearTimeout(n),n=null)};return{cancel:s,throttle:(...e)=>{s(),n=setTimeout((()=>{n=null,t.apply(null,e)}),200)}}})((t=>{(t=>{const o=t.getData(),n=s.get(),r=e.listCategory(n),i=S(r,o[L],n===k?a.some(300):a.none());t.setData({results:i})})(t)})),c={label:"Search",type:"input",name:L},u={type:"collection",name:"results"},g=()=>({title:"Emojis",size:"normal",body:{type:"tabpanel",tabs:i(e.listCategories(),(t=>({title:t,name:t,items:[c,u]})))},initialData:n,onTabChange:(t,e)=>{s.set(e.newTabName),r.throttle(t)},onChange:r.throttle,onAction:(e,o)=>{"results"===o.name&&(((t,e)=>{t.insertContent(e)})(t,o.value),e.close())},buttons:[{type:"cancel",text:"Close",primary:!0}]}),m=t.windowManager.open(g());m.focus(L),e.hasLoaded()||(m.block("Loading emojis..."),e.waitForLoad().then((()=>{m.redial(g()),r.throttle(m),m.focus(L),m.unblock()})).catch((t=>{m.redial({title:"Emojis",body:{type:"panel",items:[{type:"alertbanner",level:"error",icon:"warning",text:"Could not load emojis"}]},buttons:[{type:"cancel",text:"Close",primary:!0}],initialData:{pattern:"",results:[]}}),m.focus(L),m.unblock()})))},T=t=>e=>{const o=()=>{e.setEnabled(t.selection.isEditable())};return t.on("NodeChange",o),o(),()=>{t.off("NodeChange",o)}};t.add("emoticons",((t,e)=>{((t,e)=>{const o=t.options.register;o("emoticons_database",{processor:"string",default:"emojis"}),o("emoticons_database_url",{processor:"string",default:`${e}/js/${b(t)}${t.suffix}.js`}),o("emoticons_database_id",{processor:"string",default:"tinymce.plugins.emoticons"}),o("emoticons_append",{processor:"object",default:{}}),o("emoticons_images_url",{processor:"string",default:"https://twemoji.maxcdn.com/v/13.0.1/72x72/"})})(t,e);const o=((t,e,o)=>{const n=p(),s=p(),r=j(t),i=t=>{return o="=4&&e.substr(0,4)===o?t.char.replace(/src="([^"]+)"/,((t,e)=>`src="${r}${e}"`)):t.char;var e,o};t.on("init",(()=>{y.load(o,e).then((e=>{const o=x(t);(t=>{const e={},o=[];g(t,((t,n)=>{const s={title:n,keywords:t.keywords,char:i(t),category:O(A,t.category)},r=void 0!==e[s.category]?e[s.category]:[];e[s.category]=r.concat([s]),o.push(s)})),n.set(e),s.set(o)})(d(e,o))}),(t=>{console.log(`Failed to load emojis: ${t}`),n.set({}),s.set([])}))}));const l=()=>s.get().getOr([]),u=()=>n.isSet()&&s.isSet();return{listCategories:()=>[k].concat(c(n.get().getOr({}))),hasLoaded:u,waitForLoad:()=>u()?Promise.resolve(!0):new Promise(((t,o)=>{let n=15;const s=setInterval((()=>{u()?(clearInterval(s),t(!0)):(n--,n<0&&(console.log("Could not load emojis from url: "+e),clearInterval(s),o(!1)))}),100)})),listAll:l,listCategory:t=>t===k?l():n.get().bind((e=>a.from(e[t]))).getOr([])}})(t,w(t),C(t));((t,e)=>{t.addCommand("mceEmoticons",(()=>N(t,e)))})(t,o),(t=>{const e=()=>t.execCommand("mceEmoticons");t.ui.registry.addButton("emoticons",{tooltip:"Emojis",icon:"emoji",onAction:e,onSetup:T(t)}),t.ui.registry.addMenuItem("emoticons",{text:"Emojis...",icon:"emoji",onAction:e,onSetup:T(t)})})(t),((t,e)=>{t.ui.registry.addAutocompleter("emoticons",{trigger:":",columns:"auto",minChars:2,fetch:(t,o)=>e.waitForLoad().then((()=>{const n=e.listAll();return S(n,t,a.some(o))})),onAction:(e,o,n)=>{t.selection.setRng(o),t.insertContent(n),e.hide()}})})(t,o),(t=>{t.on("PreInit",(()=>{t.parser.addAttributeFilter("data-emoticon",(t=>{((t,e)=>{for(let e=0,n=t.length;e"),n=r.getAll("title")[0],n&&n.firstChild&&(o.title=n.firstChild.value),u(r.getAll("meta"),function(e){var t,n=e.attr("name"),i=e.attr("http-equiv");n?o[n.toLowerCase()]=e.attr("content"):"Content-Type"==i&&(t=/charset\s*=\s*(.*)\s*/gi.exec(e.attr("content")),t&&(o.docencoding=t[1]))}),n=r.getAll("html")[0],n&&(o.langcode=t(n,"lang")||t(n,"xml:lang")),n=r.getAll("link")[0],n&&"stylesheet"==n.attr("rel")&&(o.stylesheet=n.attr("href")),n=r.getAll("body")[0],n&&(o.langdir=t(n,"dir"),o.style=t(n,"style"),o.visited_color=t(n,"vlink"),o.link_color=t(n,"link"),o.active_color=t(n,"alink")),o}function i(t){function n(e,t,n){e.attr(t,n?n:void 0)}function i(e){o.firstChild?o.insert(e,o.firstChild):o.append(e)}var r,o,l,c,m,f=e.dom;r=a(),o=r.getAll("head")[0],o||(c=r.getAll("html")[0],o=new d("head",1),c.firstChild?c.insert(o,c.firstChild,!0):c.append(o)),c=r.firstChild,t.xml_pi?(m='version="1.0"',t.docencoding&&(m+=' encoding="'+t.docencoding+'"'),7!=c.type&&(c=new d("xml",7),r.insert(c,r.firstChild,!0)),c.value=m):c&&7==c.type&&c.remove(),c=r.getAll("#doctype")[0],t.doctype?(c||(c=new d("#doctype",10),t.xml_pi?r.insert(c,r.firstChild):i(c)),c.value=t.doctype.substring(9,t.doctype.length-1)):c&&c.remove(),t.docencoding&&(c=null,u(r.getAll("meta"),function(e){"Content-Type"==e.attr("http-equiv")&&(c=e)}),c||(c=new d("meta",1),c.attr("http-equiv","Content-Type"),c.shortEnded=!0,i(c)),c.attr("content","text/html; charset="+t.docencoding)),c=r.getAll("title")[0],t.title?c||(c=new d("title",1),c.append(new d("#text",3)).value=t.title,i(c)):c&&c.remove(),u("keywords,description,author,copyright,robots".split(","),function(e){var n,a,o=r.getAll("meta"),l=t[e];for(n=0;n"))}function a(){return new tinymce.html.DomParser({validate:!1,root_name:"#document"}).parse(s)}function r(t){function n(e){return e.replace(/<\/?[A-Z]+/g,function(e){return e.toLowerCase()})}var i,r,l,d,m=t.content,f="",g=e.dom;t.selection||"raw"==t.format&&s||t.source_view&&e.getParam("fullpage_hide_in_source_view")||(m=m.replace(/<(\/?)BODY/gi,"<$1body"),i=m.indexOf("",i),s=n(m.substring(0,i+1)),r=m.indexOf("\n"),l=a(),u(l.getAll("style"),function(e){e.firstChild&&(f+=e.firstChild.value)}),d=l.getAll("body")[0],d&&g.setAttribs(e.getBody(),{style:d.attr("style")||"",dir:d.attr("dir")||"",vLink:d.attr("vlink")||"",link:d.attr("link")||"",aLink:d.attr("alink")||""}),g.remove("fullpage_styles"),f&&(g.add(e.getDoc().getElementsByTagName("head")[0],"style",{id:"fullpage_styles"},f),d=g.get("fullpage_styles"),d.styleSheet&&(d.styleSheet.cssText=f)))}function o(){var t,n="",i="";return e.getParam("fullpage_default_xml_pi")&&(n+='\n'),n+=e.getParam("fullpage_default_doctype",""),n+="\n\n\n",(t=e.getParam("fullpage_default_title"))&&(n+=""+t+"\n"),(t=e.getParam("fullpage_default_encoding"))&&(n+='\n'),(t=e.getParam("fullpage_default_font_family"))&&(i+="font-family: "+t+";"),(t=e.getParam("fullpage_default_font_size"))&&(i+="font-size: "+t+";"),(t=e.getParam("fullpage_default_text_color"))&&(i+="color: "+t+";"),n+="\n\n"}function l(t){t.selection||t.source_view&&e.getParam("fullpage_hide_in_source_view")||(t.content=tinymce.trim(s)+"\n"+tinymce.trim(t.content)+"\n"+tinymce.trim(c))}var s,c,u=tinymce.each,d=tinymce.html.Node;e.addCommand("mceFullPageProperties",t),e.addButton("fullpage",{title:"Document properties",cmd:"mceFullPageProperties"}),e.addMenuItem("fullpage",{text:"Document properties",cmd:"mceFullPageProperties",context:"file"}),e.on("BeforeSetContent",r),e.on("GetContent",l)}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/fullscreen/index.js b/deform/static/tinymce/plugins/fullscreen/index.js new file mode 100644 index 00000000..6b4e2632 --- /dev/null +++ b/deform/static/tinymce/plugins/fullscreen/index.js @@ -0,0 +1,7 @@ +// Exports the "fullscreen" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/fullscreen') +// ES2015: +// import 'tinymce/plugins/fullscreen' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/fullscreen/plugin.js b/deform/static/tinymce/plugins/fullscreen/plugin.js new file mode 100644 index 00000000..c7a9d0c5 --- /dev/null +++ b/deform/static/tinymce/plugins/fullscreen/plugin.js @@ -0,0 +1,1196 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + var global$2 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const get$5 = fullscreenState => ({ isFullscreen: () => fullscreenState.get() !== null }); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType$1 = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const eq$1 = t => a => t === a; + const isString = isType$1('string'); + const isArray = isType$1('array'); + const isNull = eq$1(null); + const isBoolean = isSimpleType('boolean'); + const isUndefined = eq$1(undefined); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + const isNumber = isSimpleType('number'); + + const noop = () => { + }; + const compose = (fa, fb) => { + return (...args) => { + return fa(fb.apply(null, args)); + }; + }; + const compose1 = (fbc, fab) => a => fbc(fab(a)); + const constant = value => { + return () => { + return value; + }; + }; + function curry(fn, ...initialArgs) { + return (...restArgs) => { + const all = initialArgs.concat(restArgs); + return fn.apply(null, all); + }; + } + const never = constant(false); + const always = constant(true); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const singleton = doRevoke => { + const subject = Cell(Optional.none()); + const revoke = () => subject.get().each(doRevoke); + const clear = () => { + revoke(); + subject.set(Optional.none()); + }; + const isSet = () => subject.get().isSome(); + const get = () => subject.get(); + const set = s => { + revoke(); + subject.set(Optional.some(s)); + }; + return { + clear, + isSet, + get, + set + }; + }; + const unbindable = () => singleton(s => s.unbind()); + const value = () => { + const subject = singleton(noop); + const on = f => subject.get().each(f); + return { + ...subject, + on + }; + }; + + const first = (fn, rate) => { + let timer = null; + const cancel = () => { + if (!isNull(timer)) { + clearTimeout(timer); + timer = null; + } + }; + const throttle = (...args) => { + if (isNull(timer)) { + timer = setTimeout(() => { + timer = null; + fn.apply(null, args); + }, rate); + } + }; + return { + cancel, + throttle + }; + }; + + const nativePush = Array.prototype.push; + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each$1 = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const filter$1 = (xs, pred) => { + const r = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + r.push(x); + } + } + return r; + }; + const findUntil = (xs, pred, until) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return Optional.some(x); + } else if (until(x, i)) { + break; + } + } + return Optional.none(); + }; + const find$1 = (xs, pred) => { + return findUntil(xs, pred, never); + }; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + const bind$3 = (xs, f) => flatten(map(xs, f)); + const get$4 = (xs, i) => i >= 0 && i < xs.length ? Optional.some(xs[i]) : Optional.none(); + const head = xs => get$4(xs, 0); + const findMap = (arr, f) => { + for (let i = 0; i < arr.length; i++) { + const r = f(arr[i], i); + if (r.isSome()) { + return r; + } + } + return Optional.none(); + }; + + const keys = Object.keys; + const each = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + + const contains = (str, substr, start = 0, end) => { + const idx = str.indexOf(substr, start); + if (idx !== -1) { + return isUndefined(end) ? true : idx + substr.length <= end; + } else { + return false; + } + }; + + const isSupported$1 = dom => dom.style !== undefined && isFunction(dom.style.getPropertyValue); + + const fromHtml = (html, scope) => { + const doc = scope || document; + const div = doc.createElement('div'); + div.innerHTML = html; + if (!div.hasChildNodes() || div.childNodes.length > 1) { + const message = 'HTML does not have a single root node'; + console.error(message, html); + throw new Error(message); + } + return fromDom(div.childNodes[0]); + }; + const fromTag = (tag, scope) => { + const doc = scope || document; + const node = doc.createElement(tag); + return fromDom(node); + }; + const fromText = (text, scope) => { + const doc = scope || document; + const node = doc.createTextNode(text); + return fromDom(node); + }; + const fromDom = node => { + if (node === null || node === undefined) { + throw new Error('Node cannot be null or undefined'); + } + return { dom: node }; + }; + const fromPoint = (docElm, x, y) => Optional.from(docElm.dom.elementFromPoint(x, y)).map(fromDom); + const SugarElement = { + fromHtml, + fromTag, + fromText, + fromDom, + fromPoint + }; + + typeof window !== 'undefined' ? window : Function('return this;')(); + + const DOCUMENT = 9; + const DOCUMENT_FRAGMENT = 11; + const ELEMENT = 1; + const TEXT = 3; + + const type = element => element.dom.nodeType; + const isType = t => element => type(element) === t; + const isElement = isType(ELEMENT); + const isText = isType(TEXT); + const isDocument = isType(DOCUMENT); + const isDocumentFragment = isType(DOCUMENT_FRAGMENT); + + const is = (element, selector) => { + const dom = element.dom; + if (dom.nodeType !== ELEMENT) { + return false; + } else { + const elem = dom; + if (elem.matches !== undefined) { + return elem.matches(selector); + } else if (elem.msMatchesSelector !== undefined) { + return elem.msMatchesSelector(selector); + } else if (elem.webkitMatchesSelector !== undefined) { + return elem.webkitMatchesSelector(selector); + } else if (elem.mozMatchesSelector !== undefined) { + return elem.mozMatchesSelector(selector); + } else { + throw new Error('Browser lacks native selectors'); + } + } + }; + const bypassSelector = dom => dom.nodeType !== ELEMENT && dom.nodeType !== DOCUMENT && dom.nodeType !== DOCUMENT_FRAGMENT || dom.childElementCount === 0; + const all$1 = (selector, scope) => { + const base = scope === undefined ? document : scope.dom; + return bypassSelector(base) ? [] : map(base.querySelectorAll(selector), SugarElement.fromDom); + }; + + const eq = (e1, e2) => e1.dom === e2.dom; + + const owner = element => SugarElement.fromDom(element.dom.ownerDocument); + const documentOrOwner = dos => isDocument(dos) ? dos : owner(dos); + const parent = element => Optional.from(element.dom.parentNode).map(SugarElement.fromDom); + const parents = (element, isRoot) => { + const stop = isFunction(isRoot) ? isRoot : never; + let dom = element.dom; + const ret = []; + while (dom.parentNode !== null && dom.parentNode !== undefined) { + const rawParent = dom.parentNode; + const p = SugarElement.fromDom(rawParent); + ret.push(p); + if (stop(p) === true) { + break; + } else { + dom = rawParent; + } + } + return ret; + }; + const siblings$2 = element => { + const filterSelf = elements => filter$1(elements, x => !eq(element, x)); + return parent(element).map(children).map(filterSelf).getOr([]); + }; + const children = element => map(element.dom.childNodes, SugarElement.fromDom); + + const isShadowRoot = dos => isDocumentFragment(dos) && isNonNullable(dos.dom.host); + const supported = isFunction(Element.prototype.attachShadow) && isFunction(Node.prototype.getRootNode); + const isSupported = constant(supported); + const getRootNode = supported ? e => SugarElement.fromDom(e.dom.getRootNode()) : documentOrOwner; + const getShadowRoot = e => { + const r = getRootNode(e); + return isShadowRoot(r) ? Optional.some(r) : Optional.none(); + }; + const getShadowHost = e => SugarElement.fromDom(e.dom.host); + const getOriginalEventTarget = event => { + if (isSupported() && isNonNullable(event.target)) { + const el = SugarElement.fromDom(event.target); + if (isElement(el) && isOpenShadowHost(el)) { + if (event.composed && event.composedPath) { + const composedPath = event.composedPath(); + if (composedPath) { + return head(composedPath); + } + } + } + } + return Optional.from(event.target); + }; + const isOpenShadowHost = element => isNonNullable(element.dom.shadowRoot); + + const inBody = element => { + const dom = isText(element) ? element.dom.parentNode : element.dom; + if (dom === undefined || dom === null || dom.ownerDocument === null) { + return false; + } + const doc = dom.ownerDocument; + return getShadowRoot(SugarElement.fromDom(dom)).fold(() => doc.body.contains(dom), compose1(inBody, getShadowHost)); + }; + const getBody = doc => { + const b = doc.dom.body; + if (b === null || b === undefined) { + throw new Error('Body is not available yet'); + } + return SugarElement.fromDom(b); + }; + + const rawSet = (dom, key, value) => { + if (isString(value) || isBoolean(value) || isNumber(value)) { + dom.setAttribute(key, value + ''); + } else { + console.error('Invalid call to Attribute.set. Key ', key, ':: Value ', value, ':: Element ', dom); + throw new Error('Attribute value was not simple'); + } + }; + const set = (element, key, value) => { + rawSet(element.dom, key, value); + }; + const get$3 = (element, key) => { + const v = element.dom.getAttribute(key); + return v === null ? undefined : v; + }; + const remove = (element, key) => { + element.dom.removeAttribute(key); + }; + + const internalSet = (dom, property, value) => { + if (!isString(value)) { + console.error('Invalid call to CSS.set. Property ', property, ':: Value ', value, ':: Element ', dom); + throw new Error('CSS value must be a string: ' + value); + } + if (isSupported$1(dom)) { + dom.style.setProperty(property, value); + } + }; + const setAll = (element, css) => { + const dom = element.dom; + each(css, (v, k) => { + internalSet(dom, k, v); + }); + }; + const get$2 = (element, property) => { + const dom = element.dom; + const styles = window.getComputedStyle(dom); + const r = styles.getPropertyValue(property); + return r === '' && !inBody(element) ? getUnsafeProperty(dom, property) : r; + }; + const getUnsafeProperty = (dom, property) => isSupported$1(dom) ? dom.style.getPropertyValue(property) : ''; + + const mkEvent = (target, x, y, stop, prevent, kill, raw) => ({ + target, + x, + y, + stop, + prevent, + kill, + raw + }); + const fromRawEvent = rawEvent => { + const target = SugarElement.fromDom(getOriginalEventTarget(rawEvent).getOr(rawEvent.target)); + const stop = () => rawEvent.stopPropagation(); + const prevent = () => rawEvent.preventDefault(); + const kill = compose(prevent, stop); + return mkEvent(target, rawEvent.clientX, rawEvent.clientY, stop, prevent, kill, rawEvent); + }; + const handle = (filter, handler) => rawEvent => { + if (filter(rawEvent)) { + handler(fromRawEvent(rawEvent)); + } + }; + const binder = (element, event, filter, handler, useCapture) => { + const wrapped = handle(filter, handler); + element.dom.addEventListener(event, wrapped, useCapture); + return { unbind: curry(unbind, element, event, wrapped, useCapture) }; + }; + const bind$2 = (element, event, filter, handler) => binder(element, event, filter, handler, false); + const unbind = (element, event, handler, useCapture) => { + element.dom.removeEventListener(event, handler, useCapture); + }; + + const filter = always; + const bind$1 = (element, event, handler) => bind$2(element, event, filter, handler); + + const cached = f => { + let called = false; + let r; + return (...args) => { + if (!called) { + called = true; + r = f.apply(null, args); + } + return r; + }; + }; + + const DeviceType = (os, browser, userAgent, mediaMatch) => { + const isiPad = os.isiOS() && /ipad/i.test(userAgent) === true; + const isiPhone = os.isiOS() && !isiPad; + const isMobile = os.isiOS() || os.isAndroid(); + const isTouch = isMobile || mediaMatch('(pointer:coarse)'); + const isTablet = isiPad || !isiPhone && isMobile && mediaMatch('(min-device-width:768px)'); + const isPhone = isiPhone || isMobile && !isTablet; + const iOSwebview = browser.isSafari() && os.isiOS() && /safari/i.test(userAgent) === false; + const isDesktop = !isPhone && !isTablet && !iOSwebview; + return { + isiPad: constant(isiPad), + isiPhone: constant(isiPhone), + isTablet: constant(isTablet), + isPhone: constant(isPhone), + isTouch: constant(isTouch), + isAndroid: os.isAndroid, + isiOS: os.isiOS, + isWebView: constant(iOSwebview), + isDesktop: constant(isDesktop) + }; + }; + + const firstMatch = (regexes, s) => { + for (let i = 0; i < regexes.length; i++) { + const x = regexes[i]; + if (x.test(s)) { + return x; + } + } + return undefined; + }; + const find = (regexes, agent) => { + const r = firstMatch(regexes, agent); + if (!r) { + return { + major: 0, + minor: 0 + }; + } + const group = i => { + return Number(agent.replace(r, '$' + i)); + }; + return nu$2(group(1), group(2)); + }; + const detect$3 = (versionRegexes, agent) => { + const cleanedAgent = String(agent).toLowerCase(); + if (versionRegexes.length === 0) { + return unknown$2(); + } + return find(versionRegexes, cleanedAgent); + }; + const unknown$2 = () => { + return nu$2(0, 0); + }; + const nu$2 = (major, minor) => { + return { + major, + minor + }; + }; + const Version = { + nu: nu$2, + detect: detect$3, + unknown: unknown$2 + }; + + const detectBrowser$1 = (browsers, userAgentData) => { + return findMap(userAgentData.brands, uaBrand => { + const lcBrand = uaBrand.brand.toLowerCase(); + return find$1(browsers, browser => { + var _a; + return lcBrand === ((_a = browser.brand) === null || _a === void 0 ? void 0 : _a.toLowerCase()); + }).map(info => ({ + current: info.name, + version: Version.nu(parseInt(uaBrand.version, 10), 0) + })); + }); + }; + + const detect$2 = (candidates, userAgent) => { + const agent = String(userAgent).toLowerCase(); + return find$1(candidates, candidate => { + return candidate.search(agent); + }); + }; + const detectBrowser = (browsers, userAgent) => { + return detect$2(browsers, userAgent).map(browser => { + const version = Version.detect(browser.versionRegexes, userAgent); + return { + current: browser.name, + version + }; + }); + }; + const detectOs = (oses, userAgent) => { + return detect$2(oses, userAgent).map(os => { + const version = Version.detect(os.versionRegexes, userAgent); + return { + current: os.name, + version + }; + }); + }; + + const normalVersionRegex = /.*?version\/\ ?([0-9]+)\.([0-9]+).*/; + const checkContains = target => { + return uastring => { + return contains(uastring, target); + }; + }; + const browsers = [ + { + name: 'Edge', + versionRegexes: [/.*?edge\/ ?([0-9]+)\.([0-9]+)$/], + search: uastring => { + return contains(uastring, 'edge/') && contains(uastring, 'chrome') && contains(uastring, 'safari') && contains(uastring, 'applewebkit'); + } + }, + { + name: 'Chromium', + brand: 'Chromium', + versionRegexes: [ + /.*?chrome\/([0-9]+)\.([0-9]+).*/, + normalVersionRegex + ], + search: uastring => { + return contains(uastring, 'chrome') && !contains(uastring, 'chromeframe'); + } + }, + { + name: 'IE', + versionRegexes: [ + /.*?msie\ ?([0-9]+)\.([0-9]+).*/, + /.*?rv:([0-9]+)\.([0-9]+).*/ + ], + search: uastring => { + return contains(uastring, 'msie') || contains(uastring, 'trident'); + } + }, + { + name: 'Opera', + versionRegexes: [ + normalVersionRegex, + /.*?opera\/([0-9]+)\.([0-9]+).*/ + ], + search: checkContains('opera') + }, + { + name: 'Firefox', + versionRegexes: [/.*?firefox\/\ ?([0-9]+)\.([0-9]+).*/], + search: checkContains('firefox') + }, + { + name: 'Safari', + versionRegexes: [ + normalVersionRegex, + /.*?cpu os ([0-9]+)_([0-9]+).*/ + ], + search: uastring => { + return (contains(uastring, 'safari') || contains(uastring, 'mobile/')) && contains(uastring, 'applewebkit'); + } + } + ]; + const oses = [ + { + name: 'Windows', + search: checkContains('win'), + versionRegexes: [/.*?windows\ nt\ ?([0-9]+)\.([0-9]+).*/] + }, + { + name: 'iOS', + search: uastring => { + return contains(uastring, 'iphone') || contains(uastring, 'ipad'); + }, + versionRegexes: [ + /.*?version\/\ ?([0-9]+)\.([0-9]+).*/, + /.*cpu os ([0-9]+)_([0-9]+).*/, + /.*cpu iphone os ([0-9]+)_([0-9]+).*/ + ] + }, + { + name: 'Android', + search: checkContains('android'), + versionRegexes: [/.*?android\ ?([0-9]+)\.([0-9]+).*/] + }, + { + name: 'macOS', + search: checkContains('mac os x'), + versionRegexes: [/.*?mac\ os\ x\ ?([0-9]+)_([0-9]+).*/] + }, + { + name: 'Linux', + search: checkContains('linux'), + versionRegexes: [] + }, + { + name: 'Solaris', + search: checkContains('sunos'), + versionRegexes: [] + }, + { + name: 'FreeBSD', + search: checkContains('freebsd'), + versionRegexes: [] + }, + { + name: 'ChromeOS', + search: checkContains('cros'), + versionRegexes: [/.*?chrome\/([0-9]+)\.([0-9]+).*/] + } + ]; + const PlatformInfo = { + browsers: constant(browsers), + oses: constant(oses) + }; + + const edge = 'Edge'; + const chromium = 'Chromium'; + const ie = 'IE'; + const opera = 'Opera'; + const firefox = 'Firefox'; + const safari = 'Safari'; + const unknown$1 = () => { + return nu$1({ + current: undefined, + version: Version.unknown() + }); + }; + const nu$1 = info => { + const current = info.current; + const version = info.version; + const isBrowser = name => () => current === name; + return { + current, + version, + isEdge: isBrowser(edge), + isChromium: isBrowser(chromium), + isIE: isBrowser(ie), + isOpera: isBrowser(opera), + isFirefox: isBrowser(firefox), + isSafari: isBrowser(safari) + }; + }; + const Browser = { + unknown: unknown$1, + nu: nu$1, + edge: constant(edge), + chromium: constant(chromium), + ie: constant(ie), + opera: constant(opera), + firefox: constant(firefox), + safari: constant(safari) + }; + + const windows = 'Windows'; + const ios = 'iOS'; + const android = 'Android'; + const linux = 'Linux'; + const macos = 'macOS'; + const solaris = 'Solaris'; + const freebsd = 'FreeBSD'; + const chromeos = 'ChromeOS'; + const unknown = () => { + return nu({ + current: undefined, + version: Version.unknown() + }); + }; + const nu = info => { + const current = info.current; + const version = info.version; + const isOS = name => () => current === name; + return { + current, + version, + isWindows: isOS(windows), + isiOS: isOS(ios), + isAndroid: isOS(android), + isMacOS: isOS(macos), + isLinux: isOS(linux), + isSolaris: isOS(solaris), + isFreeBSD: isOS(freebsd), + isChromeOS: isOS(chromeos) + }; + }; + const OperatingSystem = { + unknown, + nu, + windows: constant(windows), + ios: constant(ios), + android: constant(android), + linux: constant(linux), + macos: constant(macos), + solaris: constant(solaris), + freebsd: constant(freebsd), + chromeos: constant(chromeos) + }; + + const detect$1 = (userAgent, userAgentDataOpt, mediaMatch) => { + const browsers = PlatformInfo.browsers(); + const oses = PlatformInfo.oses(); + const browser = userAgentDataOpt.bind(userAgentData => detectBrowser$1(browsers, userAgentData)).orThunk(() => detectBrowser(browsers, userAgent)).fold(Browser.unknown, Browser.nu); + const os = detectOs(oses, userAgent).fold(OperatingSystem.unknown, OperatingSystem.nu); + const deviceType = DeviceType(os, browser, userAgent, mediaMatch); + return { + browser, + os, + deviceType + }; + }; + const PlatformDetection = { detect: detect$1 }; + + const mediaMatch = query => window.matchMedia(query).matches; + let platform = cached(() => PlatformDetection.detect(navigator.userAgent, Optional.from(navigator.userAgentData), mediaMatch)); + const detect = () => platform(); + + const r = (left, top) => { + const translate = (x, y) => r(left + x, top + y); + return { + left, + top, + translate + }; + }; + const SugarPosition = r; + + const get$1 = _DOC => { + const doc = _DOC !== undefined ? _DOC.dom : document; + const x = doc.body.scrollLeft || doc.documentElement.scrollLeft; + const y = doc.body.scrollTop || doc.documentElement.scrollTop; + return SugarPosition(x, y); + }; + + const get = _win => { + const win = _win === undefined ? window : _win; + if (detect().browser.isFirefox()) { + return Optional.none(); + } else { + return Optional.from(win.visualViewport); + } + }; + const bounds = (x, y, width, height) => ({ + x, + y, + width, + height, + right: x + width, + bottom: y + height + }); + const getBounds = _win => { + const win = _win === undefined ? window : _win; + const doc = win.document; + const scroll = get$1(SugarElement.fromDom(doc)); + return get(win).fold(() => { + const html = win.document.documentElement; + const width = html.clientWidth; + const height = html.clientHeight; + return bounds(scroll.left, scroll.top, width, height); + }, visualViewport => bounds(Math.max(visualViewport.pageLeft, scroll.left), Math.max(visualViewport.pageTop, scroll.top), visualViewport.width, visualViewport.height)); + }; + const bind = (name, callback, _win) => get(_win).map(visualViewport => { + const handler = e => callback(fromRawEvent(e)); + visualViewport.addEventListener(name, handler); + return { unbind: () => visualViewport.removeEventListener(name, handler) }; + }).getOrThunk(() => ({ unbind: noop })); + + var global$1 = tinymce.util.Tools.resolve('tinymce.dom.DOMUtils'); + + var global = tinymce.util.Tools.resolve('tinymce.Env'); + + const fireFullscreenStateChanged = (editor, state) => { + editor.dispatch('FullscreenStateChanged', { state }); + editor.dispatch('ResizeEditor'); + }; + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('fullscreen_native', { + processor: 'boolean', + default: false + }); + }; + const getFullscreenNative = option('fullscreen_native'); + + const getFullscreenRoot = editor => { + const elem = SugarElement.fromDom(editor.getElement()); + return getShadowRoot(elem).map(getShadowHost).getOrThunk(() => getBody(owner(elem))); + }; + const getFullscreenElement = root => { + if (root.fullscreenElement !== undefined) { + return root.fullscreenElement; + } else if (root.msFullscreenElement !== undefined) { + return root.msFullscreenElement; + } else if (root.webkitFullscreenElement !== undefined) { + return root.webkitFullscreenElement; + } else { + return null; + } + }; + const getFullscreenchangeEventName = () => { + if (document.fullscreenElement !== undefined) { + return 'fullscreenchange'; + } else if (document.msFullscreenElement !== undefined) { + return 'MSFullscreenChange'; + } else if (document.webkitFullscreenElement !== undefined) { + return 'webkitfullscreenchange'; + } else { + return 'fullscreenchange'; + } + }; + const requestFullscreen = sugarElem => { + const elem = sugarElem.dom; + if (elem.requestFullscreen) { + elem.requestFullscreen(); + } else if (elem.msRequestFullscreen) { + elem.msRequestFullscreen(); + } else if (elem.webkitRequestFullScreen) { + elem.webkitRequestFullScreen(); + } + }; + const exitFullscreen = sugarDoc => { + const doc = sugarDoc.dom; + if (doc.exitFullscreen) { + doc.exitFullscreen(); + } else if (doc.msExitFullscreen) { + doc.msExitFullscreen(); + } else if (doc.webkitCancelFullScreen) { + doc.webkitCancelFullScreen(); + } + }; + const isFullscreenElement = elem => elem.dom === getFullscreenElement(owner(elem).dom); + + const ancestors$1 = (scope, predicate, isRoot) => filter$1(parents(scope, isRoot), predicate); + const siblings$1 = (scope, predicate) => filter$1(siblings$2(scope), predicate); + + const all = selector => all$1(selector); + const ancestors = (scope, selector, isRoot) => ancestors$1(scope, e => is(e, selector), isRoot); + const siblings = (scope, selector) => siblings$1(scope, e => is(e, selector)); + + const attr = 'data-ephox-mobile-fullscreen-style'; + const siblingStyles = 'display:none!important;'; + const ancestorPosition = 'position:absolute!important;'; + const ancestorStyles = 'top:0!important;left:0!important;margin:0!important;padding:0!important;width:100%!important;height:100%!important;overflow:visible!important;'; + const bgFallback = 'background-color:rgb(255,255,255)!important;'; + const isAndroid = global.os.isAndroid(); + const matchColor = editorBody => { + const color = get$2(editorBody, 'background-color'); + return color !== undefined && color !== '' ? 'background-color:' + color + '!important' : bgFallback; + }; + const clobberStyles = (dom, container, editorBody) => { + const gatherSiblings = element => { + return siblings(element, '*:not(.tox-silver-sink)'); + }; + const clobber = clobberStyle => element => { + const styles = get$3(element, 'style'); + const backup = styles === undefined ? 'no-styles' : styles.trim(); + if (backup === clobberStyle) { + return; + } else { + set(element, attr, backup); + setAll(element, dom.parseStyle(clobberStyle)); + } + }; + const ancestors$1 = ancestors(container, '*'); + const siblings$1 = bind$3(ancestors$1, gatherSiblings); + const bgColor = matchColor(editorBody); + each$1(siblings$1, clobber(siblingStyles)); + each$1(ancestors$1, clobber(ancestorPosition + ancestorStyles + bgColor)); + const containerStyles = isAndroid === true ? '' : ancestorPosition; + clobber(containerStyles + ancestorStyles + bgColor)(container); + }; + const restoreStyles = dom => { + const clobberedEls = all('[' + attr + ']'); + each$1(clobberedEls, element => { + const restore = get$3(element, attr); + if (restore && restore !== 'no-styles') { + setAll(element, dom.parseStyle(restore)); + } else { + remove(element, 'style'); + } + remove(element, attr); + }); + }; + + const DOM = global$1.DOM; + const getScrollPos = () => getBounds(window); + const setScrollPos = pos => window.scrollTo(pos.x, pos.y); + const viewportUpdate = get().fold(() => ({ + bind: noop, + unbind: noop + }), visualViewport => { + const editorContainer = value(); + const resizeBinder = unbindable(); + const scrollBinder = unbindable(); + const refreshScroll = () => { + document.body.scrollTop = 0; + document.documentElement.scrollTop = 0; + }; + const refreshVisualViewport = () => { + window.requestAnimationFrame(() => { + editorContainer.on(container => setAll(container, { + top: visualViewport.offsetTop + 'px', + left: visualViewport.offsetLeft + 'px', + height: visualViewport.height + 'px', + width: visualViewport.width + 'px' + })); + }); + }; + const update = first(() => { + refreshScroll(); + refreshVisualViewport(); + }, 50); + const bind$1 = element => { + editorContainer.set(element); + update.throttle(); + resizeBinder.set(bind('resize', update.throttle)); + scrollBinder.set(bind('scroll', update.throttle)); + }; + const unbind = () => { + editorContainer.on(() => { + resizeBinder.clear(); + scrollBinder.clear(); + }); + editorContainer.clear(); + }; + return { + bind: bind$1, + unbind + }; + }); + const toggleFullscreen = (editor, fullscreenState) => { + const body = document.body; + const documentElement = document.documentElement; + const editorContainer = editor.getContainer(); + const editorContainerS = SugarElement.fromDom(editorContainer); + const fullscreenRoot = getFullscreenRoot(editor); + const fullscreenInfo = fullscreenState.get(); + const editorBody = SugarElement.fromDom(editor.getBody()); + const isTouch = global.deviceType.isTouch(); + const editorContainerStyle = editorContainer.style; + const iframe = editor.iframeElement; + const iframeStyle = iframe === null || iframe === void 0 ? void 0 : iframe.style; + const handleClasses = handler => { + handler(body, 'tox-fullscreen'); + handler(documentElement, 'tox-fullscreen'); + handler(editorContainer, 'tox-fullscreen'); + getShadowRoot(editorContainerS).map(root => getShadowHost(root).dom).each(host => { + handler(host, 'tox-fullscreen'); + handler(host, 'tox-shadowhost'); + }); + }; + const cleanup = () => { + if (isTouch) { + restoreStyles(editor.dom); + } + handleClasses(DOM.removeClass); + viewportUpdate.unbind(); + Optional.from(fullscreenState.get()).each(info => info.fullscreenChangeHandler.unbind()); + }; + if (!fullscreenInfo) { + const fullscreenChangeHandler = bind$1(owner(fullscreenRoot), getFullscreenchangeEventName(), _evt => { + if (getFullscreenNative(editor)) { + if (!isFullscreenElement(fullscreenRoot) && fullscreenState.get() !== null) { + toggleFullscreen(editor, fullscreenState); + } + } + }); + const newFullScreenInfo = { + scrollPos: getScrollPos(), + containerWidth: editorContainerStyle.width, + containerHeight: editorContainerStyle.height, + containerTop: editorContainerStyle.top, + containerLeft: editorContainerStyle.left, + iframeWidth: iframeStyle.width, + iframeHeight: iframeStyle.height, + fullscreenChangeHandler + }; + if (isTouch) { + clobberStyles(editor.dom, editorContainerS, editorBody); + } + iframeStyle.width = iframeStyle.height = '100%'; + editorContainerStyle.width = editorContainerStyle.height = ''; + handleClasses(DOM.addClass); + viewportUpdate.bind(editorContainerS); + editor.on('remove', cleanup); + fullscreenState.set(newFullScreenInfo); + if (getFullscreenNative(editor)) { + requestFullscreen(fullscreenRoot); + } + fireFullscreenStateChanged(editor, true); + } else { + fullscreenInfo.fullscreenChangeHandler.unbind(); + if (getFullscreenNative(editor) && isFullscreenElement(fullscreenRoot)) { + exitFullscreen(owner(fullscreenRoot)); + } + iframeStyle.width = fullscreenInfo.iframeWidth; + iframeStyle.height = fullscreenInfo.iframeHeight; + editorContainerStyle.width = fullscreenInfo.containerWidth; + editorContainerStyle.height = fullscreenInfo.containerHeight; + editorContainerStyle.top = fullscreenInfo.containerTop; + editorContainerStyle.left = fullscreenInfo.containerLeft; + cleanup(); + setScrollPos(fullscreenInfo.scrollPos); + fullscreenState.set(null); + fireFullscreenStateChanged(editor, false); + editor.off('remove', cleanup); + } + }; + + const register$1 = (editor, fullscreenState) => { + editor.addCommand('mceFullScreen', () => { + toggleFullscreen(editor, fullscreenState); + }); + }; + + const makeSetupHandler = (editor, fullscreenState) => api => { + api.setActive(fullscreenState.get() !== null); + const editorEventCallback = e => api.setActive(e.state); + editor.on('FullscreenStateChanged', editorEventCallback); + return () => editor.off('FullscreenStateChanged', editorEventCallback); + }; + const register = (editor, fullscreenState) => { + const onAction = () => editor.execCommand('mceFullScreen'); + editor.ui.registry.addToggleMenuItem('fullscreen', { + text: 'Fullscreen', + icon: 'fullscreen', + shortcut: 'Meta+Shift+F', + onAction, + onSetup: makeSetupHandler(editor, fullscreenState) + }); + editor.ui.registry.addToggleButton('fullscreen', { + tooltip: 'Fullscreen', + icon: 'fullscreen', + onAction, + onSetup: makeSetupHandler(editor, fullscreenState) + }); + }; + + var Plugin = () => { + global$2.add('fullscreen', editor => { + const fullscreenState = Cell(null); + if (editor.inline) { + return get$5(fullscreenState); + } + register$2(editor); + register$1(editor, fullscreenState); + register(editor, fullscreenState); + editor.addShortcut('Meta+Shift+F', '', 'mceFullScreen'); + return get$5(fullscreenState); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/fullscreen/plugin.min.js b/deform/static/tinymce/plugins/fullscreen/plugin.min.js index 92a3b703..25aaddfc 100644 --- a/deform/static/tinymce/plugins/fullscreen/plugin.min.js +++ b/deform/static/tinymce/plugins/fullscreen/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("fullscreen",function(e){function t(){var e,t,n=window,i=document,a=i.body;return a.offsetWidth&&(e=a.offsetWidth,t=a.offsetHeight),n.innerWidth&&n.innerHeight&&(e=n.innerWidth,t=n.innerHeight),{w:e,h:t}}function n(){function n(){l.setStyle(c,"height",t().h-(s.clientHeight-c.clientHeight))}var s,c,u,d=document.body,m=document.documentElement;o=!o,s=e.getContainer().firstChild,c=e.getContentAreaContainer().firstChild,u=c.style,o?(i=u.width,a=u.height,u.width=u.height="100%",l.addClass(d,"mce-fullscreen"),l.addClass(m,"mce-fullscreen"),l.addClass(s,"mce-fullscreen"),l.bind(window,"resize",n),n(),r=n):(u.width=i,u.height=a,l.removeClass(d,"mce-fullscreen"),l.removeClass(m,"mce-fullscreen"),l.removeClass(s,"mce-fullscreen"),l.unbind(window,"resize",r)),e.fire("FullscreenStateChanged",{state:o})}var i,a,r,o=!1,l=tinymce.DOM;if(!e.settings.inline)return e.on("init",function(){e.addShortcut("Ctrl+Alt+F","",n)}),e.on("remove",function(){r&&l.unbind(window,"resize",r)}),e.addCommand("mceFullScreen",n),e.addMenuItem("fullscreen",{text:"Fullscreen",shortcut:"Ctrl+Alt+F",selectable:!0,onClick:n,onPostRender:function(){var t=this;e.on("FullscreenStateChanged",function(e){t.active(e.state)})},context:"view"}),e.addButton("fullscreen",{tooltip:"Fullscreen",shortcut:"Ctrl+Alt+F",onClick:n,onPostRender:function(){var t=this;e.on("FullscreenStateChanged",function(e){t.active(e.state)})}}),{isFullscreen:function(){return o}}}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";const e=e=>{let t=e;return{get:()=>t,set:e=>{t=e}}};var t=tinymce.util.Tools.resolve("tinymce.PluginManager");const n=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(n=r=e,(o=String).prototype.isPrototypeOf(n)||(null===(s=r.constructor)||void 0===s?void 0:s.name)===o.name)?"string":t;var n,r,o,s})(t)===e,r=e=>t=>typeof t===e,o=e=>t=>e===t,s=n("string"),i=n("array"),l=o(null),a=r("boolean"),c=o(void 0),u=e=>!(e=>null==e)(e),d=r("function"),m=r("number"),h=()=>{},g=e=>()=>e;function p(e,...t){return(...n)=>{const r=t.concat(n);return e.apply(null,r)}}const f=g(!1),v=g(!0);class w{constructor(e,t){this.tag=e,this.value=t}static some(e){return new w(!0,e)}static none(){return w.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?w.some(e(this.value)):w.none()}bind(e){return this.tag?e(this.value):w.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:w.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return u(e)?w.some(e):w.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}w.singletonNone=new w(!1);const y=t=>{const n=e(w.none()),r=()=>n.get().each(t);return{clear:()=>{r(),n.set(w.none())},isSet:()=>n.get().isSome(),get:()=>n.get(),set:e=>{r(),n.set(w.some(e))}}},b=()=>y((e=>e.unbind())),S=Array.prototype.push,x=(e,t)=>{const n=e.length,r=new Array(n);for(let o=0;o{for(let n=0,r=e.length;n{const n=[];for(let r=0,o=e.length;r((e,t,n)=>{for(let r=0,o=e.length;r{const o=e.indexOf(t,n);return-1!==o&&(!!c(r)||o+t.length<=r)},C=e=>void 0!==e.style&&d(e.style.getPropertyValue),A=e=>{if(null==e)throw new Error("Node cannot be null or undefined");return{dom:e}},R=A;"undefined"!=typeof window?window:Function("return this;")();const L=e=>t=>(e=>e.dom.nodeType)(t)===e,M=L(1),N=L(3),P=L(9),D=L(11),W=(e,t)=>{const n=e.dom;if(1!==n.nodeType)return!1;{const e=n;if(void 0!==e.matches)return e.matches(t);if(void 0!==e.msMatchesSelector)return e.msMatchesSelector(t);if(void 0!==e.webkitMatchesSelector)return e.webkitMatchesSelector(t);if(void 0!==e.mozMatchesSelector)return e.mozMatchesSelector(t);throw new Error("Browser lacks native selectors")}},q=e=>R(e.dom.ownerDocument),H=e=>x(e.dom.childNodes,R),I=d(Element.prototype.attachShadow)&&d(Node.prototype.getRootNode),B=g(I),V=I?e=>R(e.dom.getRootNode()):e=>P(e)?e:q(e),_=e=>{const t=V(e);return D(n=t)&&u(n.dom.host)?w.some(t):w.none();var n},j=e=>R(e.dom.host),z=e=>{const t=N(e)?e.dom.parentNode:e.dom;if(null==t||null===t.ownerDocument)return!1;const n=t.ownerDocument;return _(R(t)).fold((()=>n.body.contains(t)),(r=z,o=j,e=>r(o(e))));var r,o},$=(e,t)=>{const n=e.dom.getAttribute(t);return null===n?void 0:n},U=(e,t)=>{e.dom.removeAttribute(t)},K=(e,t)=>{const n=e.dom;((e,t)=>{const n=T(e);for(let r=0,o=n.length;r{((e,t,n)=>{if(!s(n))throw console.error("Invalid call to CSS.set. Property ",t,":: Value ",n,":: Element ",e),new Error("CSS value must be a string: "+n);C(e)&&e.style.setProperty(t,n)})(n,t,e)}))},X=e=>{const t=R((e=>{if(B()&&u(e.target)){const t=R(e.target);if(M(t)&&u(t.dom.shadowRoot)&&e.composed&&e.composedPath){const t=e.composedPath();if(t)return((e,t)=>0e.stopPropagation(),r=()=>e.preventDefault(),o=(s=r,i=n,(...e)=>s(i.apply(null,e)));var s,i;return((e,t,n,r,o,s,i)=>({target:e,x:t,y:n,stop:r,prevent:o,kill:s,raw:i}))(t,e.clientX,e.clientY,n,r,o,e)},Y=(e,t,n,r)=>{e.dom.removeEventListener(t,n,r)},G=v,J=(e,t,n)=>((e,t,n,r)=>((e,t,n,r,o)=>{const s=((e,t)=>n=>{e(n)&&t(X(n))})(n,r);return e.dom.addEventListener(t,s,o),{unbind:p(Y,e,t,s,o)}})(e,t,n,r,!1))(e,t,G,n),Q=()=>Z(0,0),Z=(e,t)=>({major:e,minor:t}),ee={nu:Z,detect:(e,t)=>{const n=String(t).toLowerCase();return 0===e.length?Q():((e,t)=>{const n=((e,t)=>{for(let n=0;nNumber(t.replace(n,"$"+e));return Z(r(1),r(2))})(e,n)},unknown:Q},te=(e,t)=>{const n=String(t).toLowerCase();return O(e,(e=>e.search(n)))},ne=/.*?version\/\ ?([0-9]+)\.([0-9]+).*/,re=e=>t=>k(t,e),oe=[{name:"Edge",versionRegexes:[/.*?edge\/ ?([0-9]+)\.([0-9]+)$/],search:e=>k(e,"edge/")&&k(e,"chrome")&&k(e,"safari")&&k(e,"applewebkit")},{name:"Chromium",brand:"Chromium",versionRegexes:[/.*?chrome\/([0-9]+)\.([0-9]+).*/,ne],search:e=>k(e,"chrome")&&!k(e,"chromeframe")},{name:"IE",versionRegexes:[/.*?msie\ ?([0-9]+)\.([0-9]+).*/,/.*?rv:([0-9]+)\.([0-9]+).*/],search:e=>k(e,"msie")||k(e,"trident")},{name:"Opera",versionRegexes:[ne,/.*?opera\/([0-9]+)\.([0-9]+).*/],search:re("opera")},{name:"Firefox",versionRegexes:[/.*?firefox\/\ ?([0-9]+)\.([0-9]+).*/],search:re("firefox")},{name:"Safari",versionRegexes:[ne,/.*?cpu os ([0-9]+)_([0-9]+).*/],search:e=>(k(e,"safari")||k(e,"mobile/"))&&k(e,"applewebkit")}],se=[{name:"Windows",search:re("win"),versionRegexes:[/.*?windows\ nt\ ?([0-9]+)\.([0-9]+).*/]},{name:"iOS",search:e=>k(e,"iphone")||k(e,"ipad"),versionRegexes:[/.*?version\/\ ?([0-9]+)\.([0-9]+).*/,/.*cpu os ([0-9]+)_([0-9]+).*/,/.*cpu iphone os ([0-9]+)_([0-9]+).*/]},{name:"Android",search:re("android"),versionRegexes:[/.*?android\ ?([0-9]+)\.([0-9]+).*/]},{name:"macOS",search:re("mac os x"),versionRegexes:[/.*?mac\ os\ x\ ?([0-9]+)_([0-9]+).*/]},{name:"Linux",search:re("linux"),versionRegexes:[]},{name:"Solaris",search:re("sunos"),versionRegexes:[]},{name:"FreeBSD",search:re("freebsd"),versionRegexes:[]},{name:"ChromeOS",search:re("cros"),versionRegexes:[/.*?chrome\/([0-9]+)\.([0-9]+).*/]}],ie={browsers:g(oe),oses:g(se)},le="Edge",ae="Chromium",ce="Opera",ue="Firefox",de="Safari",me=e=>{const t=e.current,n=e.version,r=e=>()=>t===e;return{current:t,version:n,isEdge:r(le),isChromium:r(ae),isIE:r("IE"),isOpera:r(ce),isFirefox:r(ue),isSafari:r(de)}},he=()=>me({current:void 0,version:ee.unknown()}),ge=me,pe=(g(le),g(ae),g("IE"),g(ce),g(ue),g(de),"Windows"),fe="Android",ve="Linux",we="macOS",ye="Solaris",be="FreeBSD",Se="ChromeOS",xe=e=>{const t=e.current,n=e.version,r=e=>()=>t===e;return{current:t,version:n,isWindows:r(pe),isiOS:r("iOS"),isAndroid:r(fe),isMacOS:r(we),isLinux:r(ve),isSolaris:r(ye),isFreeBSD:r(be),isChromeOS:r(Se)}},Ee=()=>xe({current:void 0,version:ee.unknown()}),Fe=xe,Oe=(g(pe),g("iOS"),g(fe),g(ve),g(we),g(ye),g(be),g(Se),(e,t,n)=>{const r=ie.browsers(),o=ie.oses(),s=t.bind((e=>((e,t)=>((e,t)=>{for(let n=0;n{const n=t.brand.toLowerCase();return O(e,(e=>{var t;return n===(null===(t=e.brand)||void 0===t?void 0:t.toLowerCase())})).map((e=>({current:e.name,version:ee.nu(parseInt(t.version,10),0)})))})))(r,e))).orThunk((()=>((e,t)=>te(e,t).map((e=>{const n=ee.detect(e.versionRegexes,t);return{current:e.name,version:n}})))(r,e))).fold(he,ge),i=((e,t)=>te(e,t).map((e=>{const n=ee.detect(e.versionRegexes,t);return{current:e.name,version:n}})))(o,e).fold(Ee,Fe),l=((e,t,n,r)=>{const o=e.isiOS()&&!0===/ipad/i.test(n),s=e.isiOS()&&!o,i=e.isiOS()||e.isAndroid(),l=i||r("(pointer:coarse)"),a=o||!s&&i&&r("(min-device-width:768px)"),c=s||i&&!a,u=t.isSafari()&&e.isiOS()&&!1===/safari/i.test(n),d=!c&&!a&&!u;return{isiPad:g(o),isiPhone:g(s),isTablet:g(a),isPhone:g(c),isTouch:g(l),isAndroid:e.isAndroid,isiOS:e.isiOS,isWebView:g(u),isDesktop:g(d)}})(i,s,e,n);return{browser:s,os:i,deviceType:l}}),Te=e=>window.matchMedia(e).matches;let ke=(e=>{let t,n=!1;return(...r)=>(n||(n=!0,t=e.apply(null,r)),t)})((()=>Oe(navigator.userAgent,w.from(navigator.userAgentData),Te)));const Ce=(e,t)=>({left:e,top:t,translate:(n,r)=>Ce(e+n,t+r)}),Ae=Ce,Re=e=>{const t=void 0===e?window:e;return ke().browser.isFirefox()?w.none():w.from(t.visualViewport)},Le=(e,t,n,r)=>({x:e,y:t,width:n,height:r,right:e+n,bottom:t+r}),Me=e=>{const t=void 0===e?window:e,n=t.document,r=(e=>{const t=void 0!==e?e.dom:document,n=t.body.scrollLeft||t.documentElement.scrollLeft,r=t.body.scrollTop||t.documentElement.scrollTop;return Ae(n,r)})(R(n));return Re(t).fold((()=>{const e=t.document.documentElement,n=e.clientWidth,o=e.clientHeight;return Le(r.left,r.top,n,o)}),(e=>Le(Math.max(e.pageLeft,r.left),Math.max(e.pageTop,r.top),e.width,e.height)))},Ne=(e,t,n)=>Re(n).map((n=>{const r=e=>t(X(e));return n.addEventListener(e,r),{unbind:()=>n.removeEventListener(e,r)}})).getOrThunk((()=>({unbind:h})));var Pe=tinymce.util.Tools.resolve("tinymce.dom.DOMUtils"),De=tinymce.util.Tools.resolve("tinymce.Env");const We=(e,t)=>{e.dispatch("FullscreenStateChanged",{state:t}),e.dispatch("ResizeEditor")},qe=("fullscreen_native",e=>e.options.get("fullscreen_native"));const He=e=>{return e.dom===(void 0!==(t=q(e).dom).fullscreenElement?t.fullscreenElement:void 0!==t.msFullscreenElement?t.msFullscreenElement:void 0!==t.webkitFullscreenElement?t.webkitFullscreenElement:null);var t},Ie=(e,t,n)=>((e,t,n)=>F(((e,t)=>{const n=d(t)?t:f;let r=e.dom;const o=[];for(;null!==r.parentNode&&void 0!==r.parentNode;){const e=r.parentNode,t=R(e);if(o.push(t),!0===n(t))break;r=e}return o})(e,n),t))(e,(e=>W(e,t)),n),Be=(e,t)=>((e,n)=>{return F((e=>w.from(e.dom.parentNode).map(R))(r=e).map(H).map((e=>F(e,(e=>{return t=e,!(r.dom===t.dom);var t})))).getOr([]),(e=>W(e,t)));var r})(e),Ve="data-ephox-mobile-fullscreen-style",_e="position:absolute!important;",je="top:0!important;left:0!important;margin:0!important;padding:0!important;width:100%!important;height:100%!important;overflow:visible!important;",ze=De.os.isAndroid(),$e=e=>{const t=((e,t)=>{const n=e.dom,r=window.getComputedStyle(n).getPropertyValue(t);return""!==r||z(e)?r:((e,t)=>C(e)?e.style.getPropertyValue(t):"")(n,t)})(e,"background-color");return void 0!==t&&""!==t?"background-color:"+t+"!important":"background-color:rgb(255,255,255)!important;"},Ue=Pe.DOM,Ke=Re().fold((()=>({bind:h,unbind:h})),(e=>{const t=(()=>{const e=y(h);return{...e,on:t=>e.get().each(t)}})(),n=b(),r=b(),o=((e,t)=>{let n=null;return{cancel:()=>{l(n)||(clearTimeout(n),n=null)},throttle:(...t)=>{l(n)&&(n=setTimeout((()=>{n=null,e.apply(null,t)}),50))}}})((()=>{document.body.scrollTop=0,document.documentElement.scrollTop=0,window.requestAnimationFrame((()=>{t.on((t=>K(t,{top:e.offsetTop+"px",left:e.offsetLeft+"px",height:e.height+"px",width:e.width+"px"})))}))}));return{bind:e=>{t.set(e),o.throttle(),n.set(Ne("resize",o.throttle)),r.set(Ne("scroll",o.throttle))},unbind:()=>{t.on((()=>{n.clear(),r.clear()})),t.clear()}}})),Xe=(e,t)=>{const n=document.body,r=document.documentElement,o=e.getContainer(),l=R(o),c=(e=>{const t=R(e.getElement());return _(t).map(j).getOrThunk((()=>(e=>{const t=e.dom.body;if(null==t)throw new Error("Body is not available yet");return R(t)})(q(t))))})(e),u=t.get(),d=R(e.getBody()),h=De.deviceType.isTouch(),g=o.style,p=e.iframeElement,f=null==p?void 0:p.style,v=e=>{e(n,"tox-fullscreen"),e(r,"tox-fullscreen"),e(o,"tox-fullscreen"),_(l).map((e=>j(e).dom)).each((t=>{e(t,"tox-fullscreen"),e(t,"tox-shadowhost")}))},y=()=>{h&&(e=>{const t=((e,t)=>{const n=document;return 1!==(r=n).nodeType&&9!==r.nodeType&&11!==r.nodeType||0===r.childElementCount?[]:x(n.querySelectorAll(e),R);var r})("["+Ve+"]");E(t,(t=>{const n=$(t,Ve);n&&"no-styles"!==n?K(t,e.parseStyle(n)):U(t,"style"),U(t,Ve)}))})(e.dom),v(Ue.removeClass),Ke.unbind(),w.from(t.get()).each((e=>e.fullscreenChangeHandler.unbind()))};if(u)u.fullscreenChangeHandler.unbind(),qe(e)&&He(c)&&(e=>{const t=e.dom;t.exitFullscreen?t.exitFullscreen():t.msExitFullscreen?t.msExitFullscreen():t.webkitCancelFullScreen&&t.webkitCancelFullScreen()})(q(c)),f.width=u.iframeWidth,f.height=u.iframeHeight,g.width=u.containerWidth,g.height=u.containerHeight,g.top=u.containerTop,g.left=u.containerLeft,y(),b=u.scrollPos,window.scrollTo(b.x,b.y),t.set(null),We(e,!1),e.off("remove",y);else{const n=J(q(c),void 0!==document.fullscreenElement?"fullscreenchange":void 0!==document.msFullscreenElement?"MSFullscreenChange":void 0!==document.webkitFullscreenElement?"webkitfullscreenchange":"fullscreenchange",(n=>{qe(e)&&(He(c)||null===t.get()||Xe(e,t))})),r={scrollPos:Me(window),containerWidth:g.width,containerHeight:g.height,containerTop:g.top,containerLeft:g.left,iframeWidth:f.width,iframeHeight:f.height,fullscreenChangeHandler:n};h&&((e,t,n)=>{const r=t=>n=>{const r=$(n,"style"),o=void 0===r?"no-styles":r.trim();o!==t&&(((e,t,n)=>{((e,t,n)=>{if(!(s(n)||a(n)||m(n)))throw console.error("Invalid call to Attribute.set. Key ",t,":: Value ",n,":: Element ",e),new Error("Attribute value was not simple");e.setAttribute(t,n+"")})(e.dom,t,n)})(n,Ve,o),K(n,e.parseStyle(t)))},o=Ie(t,"*"),l=(e=>{const t=[];for(let n=0,r=e.length;nBe(e,"*:not(.tox-silver-sink)")))),c=$e(n);E(l,r("display:none!important;")),E(o,r(_e+je+c)),r((!0===ze?"":_e)+je+c)(t)})(e.dom,l,d),f.width=f.height="100%",g.width=g.height="",v(Ue.addClass),Ke.bind(l),e.on("remove",y),t.set(r),qe(e)&&(e=>{const t=e.dom;t.requestFullscreen?t.requestFullscreen():t.msRequestFullscreen?t.msRequestFullscreen():t.webkitRequestFullScreen&&t.webkitRequestFullScreen()})(c),We(e,!0)}var b},Ye=(e,t)=>n=>{n.setActive(null!==t.get());const r=e=>n.setActive(e.state);return e.on("FullscreenStateChanged",r),()=>e.off("FullscreenStateChanged",r)};t.add("fullscreen",(t=>{const n=e(null);return t.inline||((e=>{(0,e.options.register)("fullscreen_native",{processor:"boolean",default:!1})})(t),((e,t)=>{e.addCommand("mceFullScreen",(()=>{Xe(e,t)}))})(t,n),((e,t)=>{const n=()=>e.execCommand("mceFullScreen");e.ui.registry.addToggleMenuItem("fullscreen",{text:"Fullscreen",icon:"fullscreen",shortcut:"Meta+Shift+F",onAction:n,onSetup:Ye(e,t)}),e.ui.registry.addToggleButton("fullscreen",{tooltip:"Fullscreen",icon:"fullscreen",onAction:n,onSetup:Ye(e,t)})})(t,n),t.addShortcut("Meta+Shift+F","","mceFullScreen")),(e=>({isFullscreen:()=>null!==e.get()}))(n)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/index.js b/deform/static/tinymce/plugins/help/index.js new file mode 100644 index 00000000..7f4bfe02 --- /dev/null +++ b/deform/static/tinymce/plugins/help/index.js @@ -0,0 +1,7 @@ +// Exports the "help" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/help') +// ES2015: +// import 'tinymce/plugins/help' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/ar.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/ar.js new file mode 100644 index 00000000..e6ae0e81 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/ar.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.ar', +'

بدء التنقل بواسطة لوحة المفاتيح

\n' + + '\n' + + '
\n' + + '
التركيز على شريط القوائم
\n' + + '
نظاما التشغيل Windows أو Linux: Alt + F9
\n' + + '
نظام التشغيل macOS: ⌥F9
\n' + + '
التركيز على شريط الأدوات
\n' + + '
نظاما التشغيل Windows أو Linux: Alt + F10
\n' + + '
نظام التشغيل macOS: ⌥F10
\n' + + '
التركيز على التذييل
\n' + + '
نظاما التشغيل Windows أو Linux: Alt + F11
\n' + + '
نظام التشغيل macOS: ⌥F11
\n' + + '
التركيز على شريط أدوات السياق
\n' + + '
أنظمة التشغيل Windows أو Linux أو macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

سيبدأ التنقل عند عنصر واجهة المستخدم الأول، والذي سيتم تمييزه أو تسطيره في حالة العنصر الأول في\n' + + ' مسار عنصر التذييل.

\n' + + '\n' + + '

التنقل بين أقسام واجهة المستخدم

\n' + + '\n' + + '

للانتقال من أحد أقسام واجهة المستخدم إلى القسم التالي، اضغط على Tab.

\n' + + '\n' + + '

للانتقال من أحد أقسام واجهة المستخدم إلى القسم السابق، اضغط على Shift+Tab.

\n' + + '\n' + + '

ترتيب علامات Tab لأقسام واجهة المستخدم هذه هو:\n' + + '\n' + + '

    \n' + + '
  1. شريط القوائم
  2. \n' + + '
  3. كل مجموعة شريط الأدوات
  4. \n' + + '
  5. الشريط الجانبي
  6. \n' + + '
  7. مسار العنصر في التذييل
  8. \n' + + '
  9. زر تبديل عدد الكلمات في التذييل
  10. \n' + + '
  11. رابط إدراج العلامة التجارية في التذييل
  12. \n' + + '
  13. مؤشر تغيير حجم المحرر في التذييل
  14. \n' + + '
\n' + + '\n' + + '

إذا لم يكن قسم واجهة المستخدم موجودًا، فسيتم تخطيه.

\n' + + '\n' + + '

إذا كان التذييل يحتوي على التركيز على ‏‫التنقل بواسطة لوحة المفاتيح، ولا يوجد شريط جانبي مرئي، فإن الضغط على Shift+Tab\n' + + ' ينقل التركيز إلى مجموعة شريط الأدوات الأولى، وليس الأخيرة.\n' + + '\n' + + '

التنقل بين أقسام واجهة المستخدم

\n' + + '\n' + + '

للانتقال من أحد عناصر واجهة المستخدم إلى العنصر التالي، اضغط على مفتاح السهم المناسب.

\n' + + '\n' + + '

مفتاحا السهمين اليسار‎ واليمين‎

\n' + + '\n' + + '
    \n' + + '
  • التنقل بين القوائم في شريط القوائم.
  • \n' + + '
  • فتح قائمة فرعية في القائمة.
  • \n' + + '
  • التنقل بين الأزرار في مجموعة شريط الأدوات.
  • \n' + + '
  • التنقل بين العناصر في مسار عنصر التذييل.
  • \n' + + '
\n' + + '\n' + + '

مفتاحا السهمين لأسفل‎ ولأعلى‎\n' + + '\n' + + '

    \n' + + '
  • التنقل بين عناصر القائمة في القائمة.
  • \n' + + '
  • التنقل بين العناصر في قائمة شريط الأدوات المنبثقة.
  • \n' + + '
\n' + + '\n' + + '

دورة مفاتيح الأسهم‎ داخل قسم واجهة المستخدم التي تم التركيز عليها.

\n' + + '\n' + + '

لإغلاق قائمة مفتوحة أو قائمة فرعية مفتوحة أو قائمة منبثقة مفتوحة، اضغط على مفتاح Esc.\n' + + '\n' + + '

إذا كان التركيز الحالي على "الجزء العلوي" من قسم معين لواجهة المستخدم، فإن الضغط على مفتاح Esc يؤدي أيضًا إلى الخروج\n' + + ' من التنقل بواسطة لوحة المفاتيح بالكامل.

\n' + + '\n' + + '

تنفيذ عنصر قائمة أو زر شريط أدوات

\n' + + '\n' + + '

عندما يتم تمييز عنصر القائمة المطلوب أو زر شريط الأدوات، اضغط على زر Return، أو Enter،\n' + + ' أو مفتاح المسافة لتنفيذ العنصر.\n' + + '\n' + + '

التنقل في مربعات الحوار غير المبوبة

\n' + + '\n' + + '

في مربعات الحوار غير المبوبة، يتم التركيز على المكون التفاعلي الأول عند فتح مربع الحوار.

\n' + + '\n' + + '

التنقل بين مكونات الحوار التفاعلي بالضغط على زر Tab أو Shift+Tab.

\n' + + '\n' + + '

التنقل في مربعات الحوار المبوبة

\n' + + '\n' + + '

في مربعات الحوار المبوبة، يتم التركيز على الزر الأول في قائمة علامات التبويب عند فتح مربع الحوار.

\n' + + '\n' + + '

التنقل بين المكونات التفاعلية لعلامة التبويب لمربع الحوار هذه بالضغط على زر Tab أو\n' + + ' Shift+Tab.

\n' + + '\n' + + '

التبديل إلى علامة تبويب أخرى لمربع الحوار من خلال التركيز على قائمة علامة التبويب ثم الضغط على زر السهم المناسب\n' + + ' مفتاح للتنقل بين علامات التبويب المتاحة.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/bg_BG.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/bg_BG.js new file mode 100644 index 00000000..ad904db1 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/bg_BG.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.bg_BG', +'

Начало на навигацията с клавиатурата

\n' + + '\n' + + '
\n' + + '
Фокусиране върху лентата с менюта
\n' + + '
Windows или Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Фокусиране върху лентата с инструменти
\n' + + '
Windows или Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Фокусиране върху долния колонтитул
\n' + + '
Windows или Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Фокусиране върху контекстуалната лента с инструменти
\n' + + '
Windows, Linux или macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Навигацията ще започне с първия елемент на ПИ, който ще бъде маркиран или подчертан в случая на първия елемент в\n' + + ' пътя до елемента в долния колонтитул.

\n' + + '\n' + + '

Навигиране между раздели на ПИ

\n' + + '\n' + + '

За да преминете от един раздел на ПИ към следващия, натиснете Tab.

\n' + + '\n' + + '

За да преминете от един раздел на ПИ към предишния, натиснете Shift+Tab.

\n' + + '\n' + + '

Редът за обхождане с табулация на тези раздели на ПИ е:\n' + + '\n' + + '

    \n' + + '
  1. Лентата с менюта
  2. \n' + + '
  3. Всяка група на лентата с инструменти
  4. \n' + + '
  5. Страничната лента
  6. \n' + + '
  7. Пътят до елемента в долния колонтитул
  8. \n' + + '
  9. Бутонът за превключване на броя на думите в долния колонтитул
  10. \n' + + '
  11. Връзката за търговска марка в долния колонтитул
  12. \n' + + '
  13. Манипулаторът за преоразмеряване на редактора в долния колонтитул
  14. \n' + + '
\n' + + '\n' + + '

Ако някой раздел на ПИ липсва, той се пропуска.

\n' + + '\n' + + '

Ако долният колонтитул има фокус за навигация с клавиатурата и няма странична лента, натискането на Shift+Tab\n' + + ' премества фокуса към първата група на лентата с инструменти, а не към последната.\n' + + '\n' + + '

Навигиране в разделите на ПИ

\n' + + '\n' + + '

За да преминете от един елемент на ПИ към следващия, натиснете съответния клавиш със стрелка.

\n' + + '\n' + + '

С клавишите със стрелка наляво и надясно

\n' + + '\n' + + '
    \n' + + '
  • се придвижвате между менютата в лентата с менюто;
  • \n' + + '
  • отваряте подменю в меню;
  • \n' + + '
  • се придвижвате между бутоните в група на лентата с инструменти;
  • \n' + + '
  • се придвижвате между елементи в пътя до елемент в долния колонтитул.
  • \n' + + '
\n' + + '\n' + + '

С клавишите със стрелка надолу и нагоре\n' + + '\n' + + '

    \n' + + '
  • се придвижвате между елементите от менюто в дадено меню;
  • \n' + + '
  • се придвижвате между елементите в изскачащо меню на лентата с инструменти.
  • \n' + + '
\n' + + '\n' + + '

Клавишите със стрелки се придвижват в рамките на фокусирания раздел на ПИ.

\n' + + '\n' + + '

За да затворите отворено меню, подменю или изскачащо меню, натиснете клавиша Esc.\n' + + '\n' + + '

Ако текущият фокус е върху „горната част“ на конкретен раздел на ПИ, натискането на клавиша Esc също излиза\n' + + ' напълно от навигацията с клавиатурата.

\n' + + '\n' + + '

Изпълнение на елемент от менюто или бутон от лентата с инструменти

\n' + + '\n' + + '

Когато желаният елемент от менюто или бутон от лентата с инструменти е маркиран, натиснете Return, Enter\n' + + ' или клавиша за интервал, за да изпълните елемента.\n' + + '\n' + + '

Навигиране в диалогови прозорци без раздели

\n' + + '\n' + + '

В диалоговите прозорци без раздели първият интерактивен компонент се фокусира, когато се отвори диалоговият прозорец.

\n' + + '\n' + + '

Навигирайте между интерактивните компоненти на диалоговия прозорец, като натиснете Tab или Shift+Tab.

\n' + + '\n' + + '

Навигиране в диалогови прозорци с раздели

\n' + + '\n' + + '

В диалоговите прозорци с раздели първият бутон в менюто с раздели се фокусира, когато се отвори диалоговият прозорец.

\n' + + '\n' + + '

Навигирайте между интерактивните компоненти на този диалогов раздел, като натиснете Tab или\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Превключете към друг диалогов раздел, като фокусирате върху менюто с раздели и след това натиснете съответния клавиш със стрелка,\n' + + ' за да преминете през наличните раздели.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/ca.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/ca.js new file mode 100644 index 00000000..6d9ad54a --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/ca.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.ca', +'

Inici de la navegació amb el teclat

\n' + + '\n' + + '
\n' + + '
Enfocar la barra de menús
\n' + + '
Windows o Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + "
Enfocar la barra d'eines
\n" + + '
Windows o Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Enfocar el peu de pàgina
\n' + + '
Windows o Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + "
Enfocar una barra d'eines contextual
\n" + + '
Windows, Linux o macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + "

La navegació començarà en el primer element de la interfície d'usuari, que es ressaltarà o subratllarà per al primer element a\n" + + " la ruta de l'element de peu de pàgina.

\n" + + '\n' + + "

Navegació entre seccions de la interfície d'usuari

\n" + + '\n' + + "

Per desplaçar-vos des d'una secció de la interfície d'usuari a la següent, premeu la tecla Tab.

\n" + + '\n' + + "

Per desplaçar-vos des d'una secció de la interfície d'usuari a l'anterior, premeu les tecles Maj+Tab.

\n" + + '\n' + + "

L'ordre en prémer la tecla Tab d'aquestes secciones de la interfície d'usuari és:\n" + + '\n' + + '

    \n' + + '
  1. Barra de menús
  2. \n' + + "
  3. Cada grup de la barra d'eines
  4. \n" + + '
  5. Barra lateral
  6. \n' + + "
  7. Ruta de l'element del peu de pàgina
  8. \n" + + '
  9. Botó de commutació de recompte de paraules al peu de pàgina
  10. \n' + + '
  11. Enllaç de marca del peu de pàgina
  12. \n' + + "
  13. Control de canvi de mida de l'editor al peu de pàgina
  14. \n" + + '
\n' + + '\n' + + "

Si no hi ha una secció de la interfície d'usuari, s'ometrà.

\n" + + '\n' + + '

Si el peu de pàgina té el focus de navegació del teclat i no hi ha cap barra lateral visible, en prémer Maj+Tab\n' + + " el focus es mou al primer grup de la barra d'eines, no l'últim.\n" + + '\n' + + "

Navegació dins de les seccions de la interfície d'usuari

\n" + + '\n' + + "

Per desplaçar-vos des d'un element de la interfície d'usuari al següent, premeu la tecla de Fletxa adequada.

\n" + + '\n' + + '

Les tecles de fletxa Esquerra i Dreta

\n' + + '\n' + + '
    \n' + + '
  • us permeten desplaçar-vos entre menús de la barra de menús.
  • \n' + + '
  • obren un submenú en un menú.
  • \n' + + "
  • us permeten desplaçar-vos entre botons d'un grup de la barra d'eines.
  • \n" + + "
  • us permeten desplaçar-vos entre elements de la ruta d'elements del peu de pàgina.
  • \n" + + '
\n' + + '\n' + + '

Les tecles de fletxa Avall i Amunt\n' + + '\n' + + '

    \n' + + "
  • us permeten desplaçar-vos entre elements de menú d'un menú.
  • \n" + + "
  • us permeten desplaçar-vos entre elements d'un menú emergent de la barra d'eines.
  • \n" + + '
\n' + + '\n' + + "

Les tecles de Fletxa us permeten desplaçar-vos dins de la secció de la interfície d'usuari que té el focus.

\n" + + '\n' + + '

Per tancar un menú, un submenú o un menú emergent oberts, premeu la tecla Esc.\n' + + '\n' + + "

Si el focus actual es troba a la ‘part superior’ d'una secció específica de la interfície d'usuari, en prémer la tecla Esc també es tanca\n" + + ' completament la navegació amb el teclat.

\n' + + '\n' + + "

Execució d'un element de menú o d'un botó de la barra d'eines

\n" + + '\n' + + "

Quan l'element del menú o el botó de la barra d'eines que desitgeu estigui ressaltat, premeu Retorn, Intro\n" + + " o la barra d'espai per executar l'element.\n" + + '\n' + + '

Navegació per quadres de diàleg sense pestanyes

\n' + + '\n' + + "

En els quadres de diàleg sense pestanyes, el primer component interactiu pren el focus quan s'obre el quadre diàleg.

\n" + + '\n' + + '

Premeu la tecla Tab o les tecles Maj+Tab per desplaçar-vos entre components interactius del quadre de diàleg.

\n' + + '\n' + + '

Navegació per quadres de diàleg amb pestanyes

\n' + + '\n' + + "

En els quadres de diàleg amb pestanyes, el primer botó del menú de la pestanya pren el focus quan s'obre el quadre diàleg.

\n" + + '\n' + + "

Per desplaçar-vos entre components interactius d'aquest quadre de diàleg, premeu la tecla Tab o\n" + + ' les tecles Maj+Tab.

\n' + + '\n' + + "

Canvieu a la pestanya d'un altre quadre de diàleg, tot enfocant el menú de la pestanya, i després premeu la tecla Fletxa adequada\n" + + ' per canviar entre les pestanyes disponibles.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/cs.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/cs.js new file mode 100644 index 00000000..e9103f7a --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/cs.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.cs', +'

Začínáme navigovat pomocí klávesnice

\n' + + '\n' + + '
\n' + + '
Přejít na řádek nabídek
\n' + + '
Windows nebo Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Přejít na panel nástrojů
\n' + + '
Windows nebo Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Přejít na zápatí
\n' + + '
Windows nebo Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Přejít na kontextový panel nástrojů
\n' + + '
Windows, Linux nebo macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigace začne u první položky uživatelského rozhraní, která bude zvýrazněna nebo v případě první položky\n' + + ' cesty k prvku zápatí podtržena.

\n' + + '\n' + + '

Navigace mezi oddíly uživatelského rozhraní

\n' + + '\n' + + '

Stisknutím klávesy Tab se posunete z jednoho oddílu uživatelského rozhraní na další.

\n' + + '\n' + + '

Stisknutím kláves Shift+Tab se posunete z jednoho oddílu uživatelského rozhraní na předchozí.

\n' + + '\n' + + '

Pořadí přepínání mezi oddíly uživatelského rozhraní pomocí klávesy Tab:\n' + + '\n' + + '

    \n' + + '
  1. Řádek nabídek
  2. \n' + + '
  3. Každá skupina panelu nástrojů
  4. \n' + + '
  5. Boční panel
  6. \n' + + '
  7. Cesta k prvku v zápatí.
  8. \n' + + '
  9. Tlačítko přepínače počtu slov v zápatí
  10. \n' + + '
  11. Odkaz na informace o značce v zápatí
  12. \n' + + '
  13. Úchyt pro změnu velikosti editoru v zápatí
  14. \n' + + '
\n' + + '\n' + + '

Pokud nějaký oddíl uživatelského rozhraní není přítomen, je přeskočen.

\n' + + '\n' + + '

Pokud je zápatí vybrané pro navigaci pomocí klávesnice a není zobrazen žádný boční panel, stisknutím kláves Shift+Tab\n' + + ' přejdete na první skupinu panelu nástrojů, nikoli na poslední.\n' + + '\n' + + '

Navigace v rámci oddílů uživatelského rozhraní

\n' + + '\n' + + '

Chcete-li se přesunout z jednoho prvku uživatelského rozhraní na další, stiskněte příslušnou klávesu s šipkou.

\n' + + '\n' + + '

Klávesy s šipkou vlevovpravo

\n' + + '\n' + + '
    \n' + + '
  • umožňují přesun mezi nabídkami na řádku nabídek;
  • \n' + + '
  • otevírají podnabídku nabídky;
  • \n' + + '
  • umožňují přesun mezi tlačítky ve skupině panelu nástrojů;
  • \n' + + '
  • umožňují přesun mezi položkami cesty prvku v zápatí.
  • \n' + + '
\n' + + '\n' + + '

Klávesy se šipkou dolůnahoru\n' + + '\n' + + '

    \n' + + '
  • umožňují přesun mezi položkami nabídky;
  • \n' + + '
  • umožňují přesun mezi položkami místní nabídky panelu nástrojů.
  • \n' + + '
\n' + + '\n' + + '

Šipky provádí přepínání v rámci vybraného oddílu uživatelského rozhraní.

\n' + + '\n' + + '

Chcete-li zavřít otevřenou nabídku, podnabídku nebo místní nabídku, stiskněte klávesu Esc.\n' + + '\n' + + '

Pokud je aktuálně vybrána horní část oddílu uživatelského rozhraní, stisknutím klávesy Esc zcela ukončíte také\n' + + ' navigaci pomocí klávesnice.

\n' + + '\n' + + '

Provedení příkazu položky nabídky nebo tlačítka panelu nástrojů

\n' + + '\n' + + '

Pokud je zvýrazněna požadovaná položka nabídky nebo tlačítko panelu nástrojů, stisknutím klávesy Return, Enter\n' + + ' nebo mezerníku provedete příslušný příkaz.\n' + + '\n' + + '

Navigace v dialogových oknech bez záložek

\n' + + '\n' + + '

Při otevření dialogových oken bez záložek přejdete na první interaktivní komponentu.

\n' + + '\n' + + '

Přecházet mezi interaktivními komponentami dialogového okna můžete stisknutím klávesy Tab nebo kombinace Shift+Tab.

\n' + + '\n' + + '

Navigace v dialogových oknech se záložkami

\n' + + '\n' + + '

Při otevření dialogových oken se záložkami přejdete na první tlačítko v nabídce záložek.

\n' + + '\n' + + '

Přecházet mezi interaktivními komponentami této záložky dialogového okna můžete stisknutím klávesy Tab nebo\n' + + ' kombinace Shift+Tab.

\n' + + '\n' + + '

Chcete-li přepnout na další záložku dialogového okna, přejděte na nabídku záložek a poté můžete stisknutím požadované šipky\n' + + ' přepínat mezi dostupnými záložkami.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/da.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/da.js new file mode 100644 index 00000000..f3989a0d --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/da.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.da', +'

Start tastaturnavigation

\n' + + '\n' + + '
\n' + + '
Fokuser på menulinjen
\n' + + '
Windows eller Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokuser på værktøjslinjen
\n' + + '
Windows eller Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokuser på sidefoden
\n' + + '
Windows eller Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokuser på kontekstuel værktøjslinje
\n' + + '
Windows, Linux eller macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigationen starter ved det første UI-element, som fremhæves eller understreges hvad angår det første element i\n' + + ' sidefodens sti til elementet.

\n' + + '\n' + + '

Naviger mellem UI-sektioner

\n' + + '\n' + + '

Gå fra én UI-sektion til den næste ved at trykke på Tab.

\n' + + '\n' + + '

Gå fra én UI-sektion til den forrige ved at trykke på Shift+Tab.

\n' + + '\n' + + '

Tab-rækkefølgen af disse UI-sektioner er:\n' + + '\n' + + '

    \n' + + '
  1. Menulinje
  2. \n' + + '
  3. Hver værktøjsgruppe
  4. \n' + + '
  5. Sidepanel
  6. \n' + + '
  7. Sti til elementet i sidefoden
  8. \n' + + '
  9. Til/fra-knap for ordoptælling i sidefoden
  10. \n' + + '
  11. Brandinglink i sidefoden
  12. \n' + + '
  13. Tilpasningshåndtag for editor i sidefoden
  14. \n' + + '
\n' + + '\n' + + '

Hvis en UI-sektion ikke er til stede, springes den over.

\n' + + '\n' + + '

Hvis sidefoden har fokus til tastaturnavigation, og der ikke er noget synligt sidepanel, kan der trykkes på Shift+Tab\n' + + ' for at flytte fokus til den første værktøjsgruppe, ikke den sidste.\n' + + '\n' + + '

Naviger inden for UI-sektioner

\n' + + '\n' + + '

Gå fra ét UI-element til det næste ved at trykke på den relevante piletast.

\n' + + '\n' + + '

Venstre og højre piletast

\n' + + '\n' + + '
    \n' + + '
  • flytter mellem menuerne i menulinjen.
  • \n' + + '
  • åbner en undermenu i en menu.
  • \n' + + '
  • flytter mellem knapperne i en værktøjsgruppe.
  • \n' + + '
  • flytter mellem elementer i sidefodens sti til elementet.
  • \n' + + '
\n' + + '\n' + + '

Pil ned og op\n' + + '\n' + + '

    \n' + + '
  • flytter mellem menupunkterne i en menu.
  • \n' + + '
  • flytter mellem punkterne i en genvejsmenu i værktøjslinjen.
  • \n' + + '
\n' + + '\n' + + '

Piletasterne kører rundt inden for UI-sektionen, der fokuseres på.

\n' + + '\n' + + '

For at lukke en åben menu, en åben undermenu eller en åben genvejsmenu trykkes der på Esc-tasten.\n' + + '\n' + + "

Hvis det aktuelle fokus er i 'toppen' af en bestemt UI-sektion, vil tryk på Esc-tasten også afslutte\n" + + ' tastaturnavigationen helt.

\n' + + '\n' + + '

Udfør et menupunkt eller en værktøjslinjeknap

\n' + + '\n' + + '

Når det ønskede menupunkt eller den ønskede værktøjslinjeknap er fremhævet, trykkes der på Retur, Enter\n' + + ' eller mellemrumstasten for at udføre elementet.\n' + + '\n' + + '

Naviger i ikke-faneopdelte dialogbokse

\n' + + '\n' + + '

I ikke-faneopdelte dialogbokse får den første interaktive komponent fokus, når dialogboksen åbnes.

\n' + + '\n' + + '

Naviger mellem interaktive dialogbokskomponenter ved at trykke på Tab eller Shift+Tab.

\n' + + '\n' + + '

Naviger i faneopdelte dialogbokse

\n' + + '\n' + + '

I faneopdelte dialogbokse får den første knap i fanemenuen fokus, når dialogboksen åbnes.

\n' + + '\n' + + '

Naviger mellem interaktive komponenter i denne dialogboksfane ved at trykke på Tab eller\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Skift til en anden dialogboksfane ved at fokusere på fanemenuen og derefter trykke på den relevante piletast\n' + + ' for at køre igennem de tilgængelige faner.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/de.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/de.js new file mode 100644 index 00000000..9f0c5dbb --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/de.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.de', +'

Grundlagen der Tastaturnavigation

\n' + + '\n' + + '
\n' + + '
Fokus auf Menüleiste
\n' + + '
Windows oder Linux: ALT+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokus auf Symbolleiste
\n' + + '
Windows oder Linux: ALT+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokus auf Fußzeile
\n' + + '
Windows oder Linux: ALT+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokus auf kontextbezogene Symbolleiste
\n' + + '
Windows, Linux oder macOS: STRG+F9\n' + + '
\n' + + '\n' + + '

Die Navigation beginnt beim ersten Benutzeroberflächenelement, welches hervorgehoben ist. Falls sich das erste Element im Pfad der Fußzeile befindet,\n' + + ' ist es unterstrichen.

\n' + + '\n' + + '

Zwischen Abschnitten der Benutzeroberfläche navigieren

\n' + + '\n' + + '

Um von einem Abschnitt der Benutzeroberfläche zum nächsten zu wechseln, drücken Sie TAB.

\n' + + '\n' + + '

Um von einem Abschnitt der Benutzeroberfläche zum vorherigen zu wechseln, drücken Sie UMSCHALT+TAB.

\n' + + '\n' + + '

Die Abschnitte der Benutzeroberfläche haben folgende TAB-Reihenfolge:\n' + + '\n' + + '

    \n' + + '
  1. Menüleiste
  2. \n' + + '
  3. Einzelne Gruppen der Symbolleiste
  4. \n' + + '
  5. Randleiste
  6. \n' + + '
  7. Elementpfad in der Fußzeile
  8. \n' + + '
  9. Umschaltfläche „Wörter zählen“ in der Fußzeile
  10. \n' + + '
  11. Branding-Link in der Fußzeile
  12. \n' + + '
  13. Editor-Ziehpunkt zur Größenänderung in der Fußzeile
  14. \n' + + '
\n' + + '\n' + + '

Falls ein Abschnitt der Benutzeroberflächen nicht vorhanden ist, wird er übersprungen.

\n' + + '\n' + + '

Wenn in der Fußzeile die Tastaturnavigation fokussiert ist und keine Randleiste angezeigt wird, wechselt der Fokus durch Drücken von UMSCHALT+TAB\n' + + ' zur ersten Gruppe der Symbolleiste, nicht zur letzten.\n' + + '\n' + + '

Innerhalb von Abschnitten der Benutzeroberfläche navigieren

\n' + + '\n' + + '

Um von einem Element der Benutzeroberfläche zum nächsten zu wechseln, drücken Sie die entsprechende Pfeiltaste.

\n' + + '\n' + + '

Die Pfeiltasten Links und Rechts

\n' + + '\n' + + '
    \n' + + '
  • wechseln zwischen Menüs in der Menüleiste.
  • \n' + + '
  • öffnen das Untermenü eines Menüs.
  • \n' + + '
  • wechseln zwischen Schaltflächen in einer Gruppe der Symbolleiste.
  • \n' + + '
  • wechseln zwischen Elementen im Elementpfad der Fußzeile.
  • \n' + + '
\n' + + '\n' + + '

Die Pfeiltasten Abwärts und Aufwärts\n' + + '\n' + + '

    \n' + + '
  • wechseln zwischen Menüelementen in einem Menü.
  • \n' + + '
  • wechseln zwischen Elementen in einem Popupmenü der Symbolleiste.
  • \n' + + '
\n' + + '\n' + + '

Die Pfeiltasten rotieren innerhalb des fokussierten Abschnitts der Benutzeroberfläche.

\n' + + '\n' + + '

Um ein geöffnetes Menü, ein geöffnetes Untermenü oder ein geöffnetes Popupmenü zu schließen, drücken Sie die ESC-Taste.\n' + + '\n' + + '

Wenn sich der aktuelle Fokus ganz oben in einem bestimmten Abschnitt der Benutzeroberfläche befindet, wird durch Drücken der ESC-Taste auch\n' + + ' die Tastaturnavigation beendet.

\n' + + '\n' + + '

Ein Menüelement oder eine Symbolleistenschaltfläche ausführen

\n' + + '\n' + + '

Wenn das gewünschte Menüelement oder die gewünschte Symbolleistenschaltfläche hervorgehoben ist, drücken Sie Zurück, Eingabe\n' + + ' oder die Leertaste, um das Element auszuführen.\n' + + '\n' + + '

In Dialogfeldern ohne Registerkarten navigieren

\n' + + '\n' + + '

In Dialogfeldern ohne Registerkarten ist beim Öffnen eines Dialogfelds die erste interaktive Komponente fokussiert.

\n' + + '\n' + + '

Navigieren Sie zwischen den interaktiven Komponenten eines Dialogfelds, indem Sie TAB oder UMSCHALT+TAB drücken.

\n' + + '\n' + + '

In Dialogfeldern mit Registerkarten navigieren

\n' + + '\n' + + '

In Dialogfeldern mit Registerkarten ist beim Öffnen eines Dialogfelds die erste Schaltfläche eines Registerkartenmenüs fokussiert.

\n' + + '\n' + + '

Navigieren Sie zwischen den interaktiven Komponenten auf dieser Registerkarte des Dialogfelds, indem Sie TAB oder\n' + + ' UMSCHALT+TAB drücken.

\n' + + '\n' + + '

Wechseln Sie zu einer anderen Registerkarte des Dialogfelds, indem Sie den Fokus auf das Registerkartenmenü legen und dann die entsprechende Pfeiltaste\n' + + ' drücken, um durch die verfügbaren Registerkarten zu rotieren.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/el.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/el.js new file mode 100644 index 00000000..df75ec27 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/el.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.el', +'

Έναρξη πλοήγησης μέσω πληκτρολογίου

\n' + + '\n' + + '
\n' + + '
Εστίαση στη γραμμή μενού
\n' + + '
Windows ή Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Εστίαση στη γραμμή εργαλείων
\n' + + '
Windows ή Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Εστίαση στο υποσέλιδο
\n' + + '
Windows ή Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Εστίαση σε γραμμή εργαλείων βάσει περιεχομένου
\n' + + '
Windows, Linux ή macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Η πλοήγηση θα ξεκινήσει από το πρώτο στοιχείο περιβάλλοντος χρήστη, που θα επισημαίνεται ή θα είναι υπογραμμισμένο,\n' + + ' όπως στην περίπτωση της διαδρομής του στοιχείου Υποσέλιδου.

\n' + + '\n' + + '

Πλοήγηση μεταξύ ενοτήτων του περιβάλλοντος χρήστη

\n' + + '\n' + + '

Για να μετακινηθείτε από μια ενότητα περιβάλλοντος χρήστη στην επόμενη, πιέστε το πλήκτρο Tab.

\n' + + '\n' + + '

Για να μετακινηθείτε από μια ενότητα περιβάλλοντος χρήστη στην προηγούμενη, πιέστε τα πλήκτρα Shift+Tab.

\n' + + '\n' + + '

Η σειρά Tab αυτών των ενοτήτων περιβάλλοντος χρήστη είναι η εξής:\n' + + '\n' + + '

    \n' + + '
  1. Γραμμή μενού
  2. \n' + + '
  3. Κάθε ομάδα γραμμής εργαλείων
  4. \n' + + '
  5. Πλαϊνή γραμμή
  6. \n' + + '
  7. Διαδρομή στοιχείου στο υποσέλιδο
  8. \n' + + '
  9. Κουμπί εναλλαγής μέτρησης λέξεων στο υποσέλιδο
  10. \n' + + '
  11. Σύνδεσμος επωνυμίας στο υποσέλιδο
  12. \n' + + '
  13. Λαβή αλλαγής μεγέθους προγράμματος επεξεργασίας στο υποσέλιδο
  14. \n' + + '
\n' + + '\n' + + '

Εάν δεν εμφανίζεται ενότητα περιβάλλοντος χρήστη, παραλείπεται.

\n' + + '\n' + + '

Εάν η εστίαση πλοήγησης βρίσκεται στο πληκτρολόγιο και δεν υπάρχει εμφανής πλαϊνή γραμμή, εάν πιέσετε Shift+Tab\n' + + ' η εστίαση μετακινείται στην πρώτη ομάδα γραμμής εργαλείων, όχι στην τελευταία.\n' + + '\n' + + '

Πλοήγηση εντός των ενοτήτων του περιβάλλοντος χρήστη

\n' + + '\n' + + '

Για να μετακινηθείτε από ένα στοιχείο περιβάλλοντος χρήστη στο επόμενο, πιέστε το αντίστοιχο πλήκτρο βέλους.

\n' + + '\n' + + '

Με τα πλήκτρα αριστερού και δεξιού βέλους

\n' + + '\n' + + '
    \n' + + '
  • γίνεται μετακίνηση μεταξύ των μενού στη γραμμή μενού.
  • \n' + + '
  • ανοίγει ένα υπομενού σε ένα μενού.
  • \n' + + '
  • γίνεται μετακίνηση μεταξύ κουμπιών σε μια ομάδα γραμμής εργαλείων.
  • \n' + + '
  • γίνεται μετακίνηση μεταξύ στοιχείων στη διαδρομή στοιχείου στο υποσέλιδο.
  • \n' + + '
\n' + + '\n' + + '

Με τα πλήκτρα επάνω και κάτω βέλους\n' + + '\n' + + '

    \n' + + '
  • γίνεται μετακίνηση μεταξύ των στοιχείων μενού σε ένα μενού.
  • \n' + + '
  • γίνεται μετακίνηση μεταξύ των στοιχείων μενού σε ένα αναδυόμενο μενού γραμμής εργαλείων.
  • \n' + + '
\n' + + '\n' + + '

Με τα πλήκτρα βέλους γίνεται κυκλική μετακίνηση εντός της εστιασμένης ενότητας περιβάλλοντος χρήστη.

\n' + + '\n' + + '

Για να κλείσετε ένα ανοιχτό μενού, ένα ανοιχτό υπομενού ή ένα ανοιχτό αναδυόμενο μενού, πιέστε το πλήκτρο Esc.\n' + + '\n' + + '

Εάν η τρέχουσα εστίαση βρίσκεται στην κορυφή μιας ενότητας περιβάλλοντος χρήστη, πιέζοντας το πλήκτρο Esc,\n' + + ' γίνεται επίσης πλήρης έξοδος από την πλοήγηση μέσω πληκτρολογίου.

\n' + + '\n' + + '

Εκτέλεση ενός στοιχείου μενού ή κουμπιού γραμμής εργαλείων

\n' + + '\n' + + '

Όταν το επιθυμητό στοιχείο μενού ή κουμπί γραμμής εργαλείων είναι επισημασμένο, πιέστε τα πλήκτρα Return, Enter,\n' + + ' ή το πλήκτρο διαστήματος για να εκτελέσετε το στοιχείο.\n' + + '\n' + + '

Πλοήγηση σε παράθυρα διαλόγου χωρίς καρτέλες

\n' + + '\n' + + '

Σε παράθυρα διαλόγου χωρίς καρτέλες, το πρώτο αλληλεπιδραστικό στοιχείο λαμβάνει την εστίαση όταν ανοίγει το παράθυρο διαλόγου.

\n' + + '\n' + + '

Μπορείτε να πλοηγηθείτε μεταξύ των αλληλεπιδραστικών στοιχείων παραθύρων διαλόγων πιέζοντας τα πλήκτρα Tab ή Shift+Tab.

\n' + + '\n' + + '

Πλοήγηση σε παράθυρα διαλόγου με καρτέλες

\n' + + '\n' + + '

Σε παράθυρα διαλόγου με καρτέλες, το πρώτο κουμπί στο μενού καρτέλας λαμβάνει την εστίαση όταν ανοίγει το παράθυρο διαλόγου.

\n' + + '\n' + + '

Μπορείτε να πλοηγηθείτε μεταξύ των αλληλεπιδραστικών στοιχείων αυτής της καρτέλα διαλόγου πιέζοντας τα πλήκτρα Tab ή\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Μπορείτε να κάνετε εναλλαγή σε άλλη καρτέλα του παραθύρου διαλόγου, μεταφέροντας την εστίαση στο μενού καρτέλας και πιέζοντας το κατάλληλο πλήκτρο βέλους\n' + + ' για να μετακινηθείτε κυκλικά στις διαθέσιμες καρτέλες.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/en.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/en.js new file mode 100644 index 00000000..7f0fca7c --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/en.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.en', +'

Begin keyboard navigation

\n' + + '\n' + + '
\n' + + '
Focus the Menu bar
\n' + + '
Windows or Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Focus the Toolbar
\n' + + '
Windows or Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Focus the footer
\n' + + '
Windows or Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Focus a contextual toolbar
\n' + + '
Windows, Linux or macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigation will start at the first UI item, which will be highlighted, or underlined in the case of the first item in\n' + + ' the Footer element path.

\n' + + '\n' + + '

Navigate between UI sections

\n' + + '\n' + + '

To move from one UI section to the next, press Tab.

\n' + + '\n' + + '

To move from one UI section to the previous, press Shift+Tab.

\n' + + '\n' + + '

The Tab order of these UI sections is:\n' + + '\n' + + '

    \n' + + '
  1. Menu bar
  2. \n' + + '
  3. Each toolbar group
  4. \n' + + '
  5. Sidebar
  6. \n' + + '
  7. Element path in the footer
  8. \n' + + '
  9. Word count toggle button in the footer
  10. \n' + + '
  11. Branding link in the footer
  12. \n' + + '
  13. Editor resize handle in the footer
  14. \n' + + '
\n' + + '\n' + + '

If a UI section is not present, it is skipped.

\n' + + '\n' + + '

If the footer has keyboard navigation focus, and there is no visible sidebar, pressing Shift+Tab\n' + + ' moves focus to the first toolbar group, not the last.\n' + + '\n' + + '

Navigate within UI sections

\n' + + '\n' + + '

To move from one UI element to the next, press the appropriate Arrow key.

\n' + + '\n' + + '

The Left and Right arrow keys

\n' + + '\n' + + '
    \n' + + '
  • move between menus in the menu bar.
  • \n' + + '
  • open a sub-menu in a menu.
  • \n' + + '
  • move between buttons in a toolbar group.
  • \n' + + '
  • move between items in the footer’s element path.
  • \n' + + '
\n' + + '\n' + + '

The Down and Up arrow keys\n' + + '\n' + + '

    \n' + + '
  • move between menu items in a menu.
  • \n' + + '
  • move between items in a toolbar pop-up menu.
  • \n' + + '
\n' + + '\n' + + '

Arrow keys cycle within the focused UI section.

\n' + + '\n' + + '

To close an open menu, an open sub-menu, or an open pop-up menu, press the Esc key.\n' + + '\n' + + '

If the current focus is at the ‘top’ of a particular UI section, pressing the Esc key also exits\n' + + ' keyboard navigation entirely.

\n' + + '\n' + + '

Execute a menu item or toolbar button

\n' + + '\n' + + '

When the desired menu item or toolbar button is highlighted, press Return, Enter,\n' + + ' or the Space bar to execute the item.\n' + + '\n' + + '

Navigate non-tabbed dialogs

\n' + + '\n' + + '

In non-tabbed dialogs, the first interactive component takes focus when the dialog opens.

\n' + + '\n' + + '

Navigate between interactive dialog components by pressing Tab or Shift+Tab.

\n' + + '\n' + + '

Navigate tabbed dialogs

\n' + + '\n' + + '

In tabbed dialogs, the first button in the tab menu takes focus when the dialog opens.

\n' + + '\n' + + '

Navigate between interactive components of this dialog tab by pressing Tab or\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Switch to another dialog tab by giving the tab menu focus and then pressing the appropriate Arrow\n' + + ' key to cycle through the available tabs.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/es.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/es.js new file mode 100644 index 00000000..008382c5 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/es.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.es', +'

Iniciar la navegación con el teclado

\n' + + '\n' + + '
\n' + + '
Enfocar la barra de menús
\n' + + '
Windows o Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Enfocar la barra de herramientas
\n' + + '
Windows o Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Enfocar el pie de página
\n' + + '
Windows o Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Enfocar una barra de herramientas contextual
\n' + + '
Windows, Linux o macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

La navegación comenzará por el primer elemento de la interfaz de usuario (IU), de tal manera que se resaltará, o bien se subrayará si se trata del primer elemento de\n' + + ' la ruta de elemento del pie de página.

\n' + + '\n' + + '

Navegar entre las secciones de la IU

\n' + + '\n' + + '

Para pasar de una sección de la IU a la siguiente, pulse la tecla Tab.

\n' + + '\n' + + '

Para pasar de una sección de la IU a la anterior, pulse Mayús+Tab.

\n' + + '\n' + + '

El orden de tabulación de estas secciones de la IU es:\n' + + '\n' + + '

    \n' + + '
  1. Barra de menús
  2. \n' + + '
  3. Cada grupo de barra de herramientas
  4. \n' + + '
  5. Barra lateral
  6. \n' + + '
  7. Ruta del elemento en el pie de página
  8. \n' + + '
  9. Botón de alternancia de recuento de palabras en el pie de página
  10. \n' + + '
  11. Enlace de personalización de marca en el pie de página
  12. \n' + + '
  13. Controlador de cambio de tamaño en el pie de página
  14. \n' + + '
\n' + + '\n' + + '

Si una sección de la IU no está presente, esta se omite.

\n' + + '\n' + + '

Si el pie de página tiene un enfoque de navegación con el teclado y no hay ninguna barra lateral visible, al pulsar Mayús+Tab,\n' + + ' el enfoque se moverá al primer grupo de barra de herramientas, en lugar de al último.\n' + + '\n' + + '

Navegar dentro de las secciones de la IU

\n' + + '\n' + + '

Para pasar de un elemento de la IU al siguiente, pulse la tecla de flecha correspondiente.

\n' + + '\n' + + '

Las teclas de flecha izquierda y derecha permiten

\n' + + '\n' + + '
    \n' + + '
  • desplazarse entre los menús de la barra de menús.
  • \n' + + '
  • abrir el submenú de un menú.
  • \n' + + '
  • desplazarse entre los botones de un grupo de barra de herramientas.
  • \n' + + '
  • desplazarse entre los elementos de la ruta de elemento del pie de página.
  • \n' + + '
\n' + + '\n' + + '

Las teclas de flecha abajo y arriba permiten\n' + + '\n' + + '

    \n' + + '
  • desplazarse entre los elementos de menú de un menú.
  • \n' + + '
  • desplazarse entre los elementos de un menú emergente de una barra de herramientas.
  • \n' + + '
\n' + + '\n' + + '

Las teclas de flecha van cambiando dentro de la sección de la IU enfocada.

\n' + + '\n' + + '

Para cerrar un menú, un submenú o un menú emergente que estén abiertos, pulse la tecla Esc.\n' + + '\n' + + '

Si el enfoque actual se encuentra en la parte superior de una sección de la IU determinada, al pulsar la tecla Esc saldrá\n' + + ' de la navegación con el teclado por completo.

\n' + + '\n' + + '

Ejecutar un elemento de menú o un botón de barra de herramientas

\n' + + '\n' + + '

Si el elemento de menú o el botón de barra de herramientas deseado está resaltado, pulse la tecla Retorno o Entrar,\n' + + ' o la barra espaciadora para ejecutar el elemento.\n' + + '\n' + + '

Navegar por cuadros de diálogo sin pestañas

\n' + + '\n' + + '

En los cuadros de diálogo sin pestañas, el primer componente interactivo se enfoca al abrirse el cuadro de diálogo.

\n' + + '\n' + + '

Para navegar entre los componentes interactivos del cuadro de diálogo, pulse las teclas Tab o Mayús+Tab.

\n' + + '\n' + + '

Navegar por cuadros de diálogo con pestañas

\n' + + '\n' + + '

En los cuadros de diálogo con pestañas, el primer botón del menú de pestaña se enfoca al abrirse el cuadro de diálogo.

\n' + + '\n' + + '

Para navegar entre componentes interactivos de esta pestaña del cuadro de diálogo, pulse las teclas Tab o\n' + + ' Mayús+Tab.

\n' + + '\n' + + '

Si desea cambiar a otra pestaña del cuadro de diálogo, enfoque el menú de pestañas y, a continuación, pulse la tecla de flecha\n' + + ' correspondiente para moverse por las pestañas disponibles.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/eu.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/eu.js new file mode 100644 index 00000000..637a3894 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/eu.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.eu', +'

Hasi teklatuaren nabigazioa

\n' + + '\n' + + '
\n' + + '
Fokuratu menu-barra
\n' + + '
Windows edo Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokuratu tresna-barra
\n' + + '
Windows edo Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokuratu orri-oina
\n' + + '
Windows edo Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokuratu testuinguruaren tresna-barra
\n' + + '
Windows, Linux edo macOS: Ktrl+F9\n' + + '
\n' + + '\n' + + '

Nabigazioa EIko lehen elementuan hasiko da: elementu hori nabarmendu egingo da, edo azpimarratu lehen elementua bada\n' + + ' orri-oineko elementuaren bidea.

\n' + + '\n' + + '

Nabigatu EIko atalen artean

\n' + + '\n' + + '

EIko atal batetik hurrengora mugitzeko, sakatu Tabuladorea.

\n' + + '\n' + + '

EIko atal batetik aurrekora mugitzeko, sakatu Maius+Tabuladorea.

\n' + + '\n' + + '

EIko atal hauen Tabuladorea da:\n' + + '\n' + + '

    \n' + + '
  1. Menu-barra
  2. \n' + + '
  3. Tresna-barraren talde bakoitza
  4. \n' + + '
  5. Alboko barra
  6. \n' + + '
  7. Orri-oineko elementuaren bidea
  8. \n' + + '
  9. Orri-oneko urrats-kontaketa txandakatzeko botoia
  10. \n' + + '
  11. Orri-oineko marken esteka
  12. \n' + + '
  13. Orri-oineko editorearen tamaina aldatzeko heldulekua
  14. \n' + + '
\n' + + '\n' + + '

EIko atal bat ez badago, saltatu egin da.

\n' + + '\n' + + '

Orri-oinak teklatuaren nabigazioa fokuratuta badago, eta alboko barra ikusgai ez badago, Maius+Tabuladorea sakatuz gero,\n' + + ' fokua tresna-barrako lehen taldera eramaten da, ez azkenera.\n' + + '\n' + + '

Nabigatu EIko atalen barruan

\n' + + '\n' + + '

EIko elementu batetik hurrengora mugitzeko, sakatu dagokion Gezia tekla.

\n' + + '\n' + + '

Ezkerrera eta Eskuinera gezi-teklak

\n' + + '\n' + + '
    \n' + + '
  • menu-barrako menuen artean mugitzen da.
  • \n' + + '
  • ireki azpimenu bat menuan.
  • \n' + + '
  • mugitu botoi batetik bestera tresna-barren talde batean.
  • \n' + + '
  • mugitu orri-oineko elementuaren bideko elementu batetik bestera.
  • \n' + + '
\n' + + '\n' + + '

Gora eta Behera gezi-teklak\n' + + '\n' + + '

    \n' + + '
  • mugitu menu bateko menu-elementuen artean.
  • \n' + + '
  • mugitu tresna-barrako menu gainerakor bateko menu-elementuen artean.
  • \n' + + '
\n' + + '\n' + + '

Gezia teklen zikloa nabarmendutako EI atalen barruan.

\n' + + '\n' + + '

Irekitako menu bat ixteko, ireki azpimenua, edo ireki menu gainerakorra, sakatu Ihes tekla.\n' + + '\n' + + '

Une horretan fokuratzea EIko atal jakin baten "goialdean" badago, Ihes tekla sakatuz gero \n' + + ' teklatuaren nabigaziotik irtengo zara.

\n' + + '\n' + + '

Exekutatu menuko elementu bat edo tresna-barrako botoi bat

\n' + + '\n' + + '

Nahi den menuaren elementua edo tresna-barraren botoia nabarmenduta dagoenean, sakatu Itzuli, Sartu\n' + + ' edo Zuriune-barra elementua exekutatzeko.\n' + + '\n' + + '

Nabigatu fitxarik gabeko elkarrizketak

\n' + + '\n' + + '

Fitxarik gabeko elkarrizketetan, lehen osagai interaktiboa fokuratzen da elkarrizketa irekitzen denean.

\n' + + '\n' + + '

Nabigatu elkarrizketa interaktiboko osagai batetik bestera Tabuladorea edo Maius+Tabuladorea sakatuta.

\n' + + '\n' + + '

Nabigatu fitxadun elkarrizketak

\n' + + '\n' + + '

Fitxadun elkarrizketetan, fitxa-menuko lehen botoia fokuratzen da elkarrizketa irekitzen denean.

\n' + + '\n' + + '

Nabigatu elkarrizketa-fitxa honen interaktiboko osagai batetik bestera Tabuladorea edo\n' + + ' Maius+Tabuladorea sakatuta.

\n' + + '\n' + + '

Aldatu beste elkarrizketa-fitxa batera fitxa-menua fokuratu eta dagokion Gezia\n' + + ' tekla sakatzeko, erabilgarri dauden fitxa batetik bestera txandakatzeko.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/fa.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/fa.js new file mode 100644 index 00000000..8ffcc868 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/fa.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.fa', +'

شروع پیمایش صفحه‌کلید

\n' + + '\n' + + '
\n' + + '
تمرکز بر نوار منو
\n' + + '
Windows یا Linux:‎‏: Alt+F9
\n' + + '
‎‏macOS: ⌥F9‎‏
\n' + + '
تمرکز بر نوار ابزار
\n' + + '
Windows یا Linux‎‏: Alt+F10
\n' + + '
‎‏macOS: ⌥F10‎‏
\n' + + '
تمرکز بر پانویس
\n' + + '
Windows یا Linux‎‏: Alt+F11
\n' + + '
‎‏macOS: ⌥F11‎‏
\n' + + '
تمرکز بر نوار ابزار بافتاری
\n' + + '
Windows ،Linux یا macOS:‏ Ctrl+F9\n' + + '
\n' + + '\n' + + '

پیمایش در اولین مورد رابط کاربری شروع می‌شود و درخصوص اولین مورد در\n' + + ' مسیر عنصر پانویس، برجسته یا زیرخط‌دار می‌شود.

\n' + + '\n' + + '

پیمایش بین بخش‌های رابط کاربری

\n' + + '\n' + + '

برای جابجایی از یک بخش رابط کاربری به بخش بعدی، Tab را فشار دهید.

\n' + + '\n' + + '

برای جابجایی از یک بخش رابط کاربری به بخش قبلی، Shift+Tab را فشار دهید.

\n' + + '\n' + + '

ترتیب Tab این بخش‌های رابط کاربری عبارتند از:\n' + + '\n' + + '

    \n' + + '
  1. نوار منو
  2. \n' + + '
  3. هر گروه نوار ابزار
  4. \n' + + '
  5. نوار کناری
  6. \n' + + '
  7. مسیر عنصر در پانویس
  8. \n' + + '
  9. دکمه تغییر وضعیت تعداد کلمات در پانویس
  10. \n' + + '
  11. پیوند نمانام‌سازی در پانویس
  12. \n' + + '
  13. دسته تغییر اندازه ویرایشگر در پانویس
  14. \n' + + '
\n' + + '\n' + + '

اگر بخشی از رابط کاربری موجود نباشد، رد می‌شود.

\n' + + '\n' + + '

اگر پانویس دارای تمرکز بر پیمایش صفحه‌کلید باشد،‌ و نوار کناری قابل‌مشاهده وجود ندارد، فشردن Shift+Tab\n' + + ' تمرکز را به گروه نوار ابزار اول می‌برد، نه آخر.\n' + + '\n' + + '

پیمایش در بخش‌های رابط کاربری

\n' + + '\n' + + '

برای جابجایی از یک عنصر رابط کاربری به بعدی، کلید جهت‌نمای مناسب را فشار دهید.

\n' + + '\n' + + '

کلیدهای جهت‌نمای چپ و راست

\n' + + '\n' + + '
    \n' + + '
  • جابجایی بین منوها در نوار منو.
  • \n' + + '
  • باز کردن منوی فرعی در یک منو.
  • \n' + + '
  • جابجایی بین دکمه‌ها در یک گروه نوار ابزار.
  • \n' + + '
  • جابجایی بین موارد در مسیر عنصر پانویس.
  • \n' + + '
\n' + + '\n' + + '

کلیدهای جهت‌نمای پایین و بالا\n' + + '\n' + + '

    \n' + + '
  • جابجایی بین موارد منو در یک منو.
  • \n' + + '
  • جابجایی بین موارد در یک منوی بازشوی نوار ابزار.
  • \n' + + '
\n' + + '\n' + + '

کلیدهایجهت‌نما در بخش رابط کاربری متمرکز می‌چرخند.

\n' + + '\n' + + '

برای بستن یک منوی باز، یک منوی فرعی باز، یا یک منوی بازشوی باز، کلید Esc را فشار دهید.\n' + + '\n' + + '

اگر تمرکز فعلی در «بالای» یک بخش رابط کاربری خاص است، فشردن کلید Esc نیز موجب\n' + + ' خروج کامل از پیمایش صفحه‌کلید می‌شود.

\n' + + '\n' + + '

اجرای یک مورد منو یا دکمه نوار ابزار

\n' + + '\n' + + '

وقتی مورد منو یا دکمه نوار ابزار مورد نظر هایلایت شد، دکمه بازگشت، Enter،\n' + + ' یا نوار Space را فشار دهید تا مورد را اجرا کنید.\n' + + '\n' + + '

پیمایش در کادرهای گفتگوی بدون زبانه

\n' + + '\n' + + '

در کادرهای گفتگوی بدون زبانه، وقتی کادر گفتگو باز می‌شود، اولین جزء تعاملی متمرکز می‌شود.

\n' + + '\n' + + '

با فشردن Tab یا Shift+Tab، بین اجزای کادر گفتگوی تعاملی پیمایش کنید.

\n' + + '\n' + + '

پیمایش کادرهای گفتگوی زبانه‌دار

\n' + + '\n' + + '

در کادرهای گفتگوی زبانه‌دار، وقتی کادر گفتگو باز می‌شود، اولین دکمه در منوی زبانه متمرکز می‌شود.

\n' + + '\n' + + '

با فشردن Tab یا\n' + + ' Shift+Tab، بین اجزای تعاملی این زبانه کادر گفتگو پیمایش کنید.

\n' + + '\n' + + '

با دادن تمرکز به منوی زبانه و سپس فشار دادن کلید جهت‌نمای\n' + + ' مناسب برای چرخش میان زبانه‌های موجود، به زبانه کادر گفتگوی دیگری بروید.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/fi.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/fi.js new file mode 100644 index 00000000..319074ec --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/fi.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.fi', +'

Näppäimistönavigoinnin aloittaminen

\n' + + '\n' + + '
\n' + + '
Siirrä kohdistus valikkopalkkiin
\n' + + '
Windows tai Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Siirrä kohdistus työkalupalkkiin
\n' + + '
Windows tai Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Siirrä kohdistus alatunnisteeseen
\n' + + '
Windows tai Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Siirrä kohdistus kontekstuaaliseen työkalupalkkiin
\n' + + '
Windows, Linux tai macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigointi aloitetaan ensimmäisestä käyttöliittymän kohteesta, joka joko korostetaan tai alleviivataan, jos\n' + + ' kyseessä on Alatunniste-elementin polun ensimmäinen kohde.

\n' + + '\n' + + '

Käyttöliittymän eri osien välillä navigointi

\n' + + '\n' + + '

Paina sarkainnäppäintä siirtyäksesi käyttöliittymän osasta seuraavaan.

\n' + + '\n' + + '

Jos haluat siirtyä edelliseen käyttöliittymän osaan, paina Shift+sarkainnäppäin.

\n' + + '\n' + + '

Sarkainnäppäin siirtää sinua näissä käyttöliittymän osissa tässä järjestyksessä:\n' + + '\n' + + '

    \n' + + '
  1. Valikkopalkki
  2. \n' + + '
  3. Työkalupalkin ryhmät
  4. \n' + + '
  5. Sivupalkki
  6. \n' + + '
  7. Elementin polku alatunnisteessa
  8. \n' + + '
  9. Sanalaskurin vaihtopainike alatunnisteessa
  10. \n' + + '
  11. Brändäyslinkki alatunnisteessa
  12. \n' + + '
  13. Editorin koon muuttamisen kahva alatunnisteessa
  14. \n' + + '
\n' + + '\n' + + '

Jos jotakin käyttöliittymän osaa ei ole, se ohitetaan.

\n' + + '\n' + + '

Jos kohdistus on siirretty alatunnisteeseen näppäimistönavigoinnilla eikä sivupalkkia ole näkyvissä, Shift+sarkainnäppäin\n' + + ' siirtää kohdistuksen työkalupalkin ensimmäiseen ryhmään, eikä viimeiseen.\n' + + '\n' + + '

Käyttöliittymän eri osien sisällä navigointi

\n' + + '\n' + + '

Paina nuolinäppäimiä siirtyäksesi käyttöliittymäelementistä seuraavaan.

\n' + + '\n' + + '

Vasen- ja Oikea-nuolinäppäimet

\n' + + '\n' + + '
    \n' + + '
  • siirtävät sinua valikkopalkin valikoiden välillä.
  • \n' + + '
  • avaavat valikon alavalikon.
  • \n' + + '
  • siirtävät sinua työkalupalkin ryhmän painikkeiden välillä.
  • \n' + + '
  • siirtävät sinua kohteiden välillä alatunnisteen elementin polussa.
  • \n' + + '
\n' + + '\n' + + '

Alas- ja Ylös-nuolinäppäimet\n' + + '\n' + + '

    \n' + + '
  • siirtävät sinua valikon valikkokohteiden välillä.
  • \n' + + '
  • siirtävät sinua työkalupalkin ponnahdusvalikon kohteiden välillä.
  • \n' + + '
\n' + + '\n' + + '

Nuolinäppäimet siirtävät sinua käyttöliittymän korostetun osan sisällä syklissä.

\n' + + '\n' + + '

Paina Esc-näppäintä sulkeaksesi avoimen valikon, avataksesi alavalikon tai avataksesi ponnahdusvalikon.\n' + + '\n' + + '

Jos kohdistus on käyttöliittymän tietyn osion ylälaidassa, Esc-näppäimen painaminen\n' + + ' poistuu myös näppäimistönavigoinnista kokonaan.

\n' + + '\n' + + '

Suorita valikkokohde tai työkalupalkin painike

\n' + + '\n' + + '

Kun haluamasi valikkokohde tai työkalupalkin painike on korostettuna, paina Return-, Enter-\n' + + ' tai välilyöntinäppäintä suorittaaksesi kohteen.\n' + + '\n' + + '

Välilehdittömissä valintaikkunoissa navigointi

\n' + + '\n' + + '

Kun välilehdetön valintaikkuna avautuu, kohdistus siirtyy sen ensimmäiseen interaktiiviseen komponenttiin.

\n' + + '\n' + + '

Voit siirtyä valintaikkunan interaktiivisten komponenttien välillä painamalla sarkainnäppäintä tai Shift+sarkainnäppäin.

\n' + + '\n' + + '

Välilehdellisissä valintaikkunoissa navigointi

\n' + + '\n' + + '

Kun välilehdellinen valintaikkuna avautuu, kohdistus siirtyy välilehtivalikon ensimmäiseen painikkeeseen.

\n' + + '\n' + + '

Voit siirtyä valintaikkunan välilehden interaktiivisen komponenttien välillä painamalla sarkainnäppäintä tai\n' + + ' Shift+sarkainnäppäin.

\n' + + '\n' + + '

Voit siirtyä valintaikkunan toiseen välilehteen siirtämällä kohdistuksen välilehtivalikkoon ja painamalla sopivaa nuolinäppäintä\n' + + ' siirtyäksesi käytettävissä olevien välilehtien välillä syklissä.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/fr_FR.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/fr_FR.js new file mode 100644 index 00000000..f8e208d0 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/fr_FR.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.fr_FR', +'

Débuter la navigation au clavier

\n' + + '\n' + + '
\n' + + '
Cibler la barre du menu
\n' + + '
Windows ou Linux : Alt+F9
\n' + + '
macOS : ⌥F9
\n' + + "
Cibler la barre d'outils
\n" + + '
Windows ou Linux : Alt+F10
\n' + + '
macOS : ⌥F10
\n' + + '
Cibler le pied de page
\n' + + '
Windows ou Linux : Alt+F11
\n' + + '
macOS : ⌥F11
\n' + + "
Cibler une barre d'outils contextuelle
\n" + + '
Windows, Linux ou macOS : Ctrl+F9\n' + + '
\n' + + '\n' + + "

La navigation débutera sur le premier élément de l'interface utilisateur, qui sera mis en surbrillance ou bien souligné dans le cas du premier élément du\n" + + " chemin d'éléments du pied de page.

\n" + + '\n' + + "

Naviguer entre les sections de l'interface utilisateur

\n" + + '\n' + + "

Pour passer d'une section de l'interface utilisateur à la suivante, appuyez sur Tabulation.

\n" + + '\n' + + "

Pour passer d'une section de l'interface utilisateur à la précédente, appuyez sur Maj+Tabulation.

\n" + + '\n' + + "

L'ordre de Tabulation de ces sections de l'interface utilisateur est le suivant :\n" + + '\n' + + '

    \n' + + '
  1. Barre du menu
  2. \n' + + "
  3. Chaque groupe de barres d'outils
  4. \n" + + '
  5. Barre latérale
  6. \n' + + "
  7. Chemin d'éléments du pied de page
  8. \n" + + "
  9. Bouton d'activation du compteur de mots dans le pied de page
  10. \n" + + '
  11. Lien de marque dans le pied de page
  12. \n' + + "
  13. Poignée de redimensionnement de l'éditeur dans le pied de page
  14. \n" + + '
\n' + + '\n' + + "

Si une section de l'interface utilisateur n'est pas présente, elle sera ignorée.

\n" + + '\n' + + "

Si le pied de page comporte un ciblage par navigation au clavier et qu'il n'y a aucune barre latérale visible, appuyer sur Maj+Tabulation\n" + + " déplace le ciblage vers le premier groupe de barres d'outils et non le dernier.\n" + + '\n' + + "

Naviguer au sein des sections de l'interface utilisateur

\n" + + '\n' + + "

Pour passer d'un élément de l'interface utilisateur au suivant, appuyez sur la Flèche appropriée.

\n" + + '\n' + + '

Les touches fléchées Gauche et Droite

\n' + + '\n' + + '
    \n' + + '
  • se déplacent entre les menus de la barre des menus.
  • \n' + + "
  • ouvrent un sous-menu au sein d'un menu.
  • \n" + + "
  • se déplacent entre les boutons d'un groupe de barres d'outils.
  • \n" + + "
  • se déplacent entre les éléments du chemin d'éléments du pied de page.
  • \n" + + '
\n' + + '\n' + + '

Les touches fléchées Bas et Haut\n' + + '\n' + + '

    \n' + + "
  • se déplacent entre les éléments de menu au sein d'un menu.
  • \n" + + "
  • se déplacent entre les éléments au sein d'un menu contextuel de barre d'outils.
  • \n" + + '
\n' + + '\n' + + "

Les Flèches parcourent la section de l'interface utilisateur ciblée.

\n" + + '\n' + + '

Pour fermer un menu ouvert, un sous-menu ouvert ou un menu contextuel ouvert, appuyez sur Echap.\n' + + '\n' + + "

Si l'actuel ciblage se trouve en « haut » d'une section spécifique de l'interface utilisateur, appuyer sur Echap permet également de quitter\n" + + ' entièrement la navigation au clavier.

\n' + + '\n' + + "

Exécuter un élément de menu ou un bouton de barre d'outils

\n" + + '\n' + + "

Lorsque l'élément de menu ou le bouton de barre d'outils désiré est mis en surbrillance, appuyez sur la touche Retour arrière, Entrée\n" + + " ou la Barre d'espace pour exécuter l'élément.\n" + + '\n' + + '

Naviguer au sein de dialogues sans onglets

\n' + + '\n' + + "

Dans les dialogues sans onglets, le premier composant interactif est ciblé lorsque le dialogue s'ouvre.

\n" + + '\n' + + '

Naviguez entre les composants du dialogue interactif en appuyant sur Tabulation ou Maj+Tabulation.

\n' + + '\n' + + '

Naviguer au sein de dialogues avec onglets

\n' + + '\n' + + "

Dans les dialogues avec onglets, le premier bouton du menu de l'onglet est ciblé lorsque le dialogue s'ouvre.

\n" + + '\n' + + '

Naviguez entre les composants interactifs de cet onglet de dialogue en appuyant sur Tabulation ou\n' + + ' Maj+Tabulation.

\n' + + '\n' + + "

Passez à un autre onglet de dialogue en ciblant le menu de l'onglet et en appuyant sur la Flèche\n" + + ' appropriée pour parcourir les onglets disponibles.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/he_IL.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/he_IL.js new file mode 100644 index 00000000..37876d5a --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/he_IL.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.he_IL', +'

התחל ניווט במקלדת

\n' + + '\n' + + '
\n' + + '
התמקד בשורת התפריטים
\n' + + '
Windows או Linux:‏ Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
העבר מיקוד לסרגל הכלים
\n' + + '
Windows או Linux:‏ Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
העבר מיקוד לכותרת התחתונה
\n' + + '
Windows או Linux:‏ Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
העבר מיקוד לסרגל כלים הקשרי
\n' + + '
Windows‏, Linux או macOS:‏ Ctrl+F9\n' + + '
\n' + + '\n' + + '

הניווט יתחיל ברכיב הראשון במשך, שיודגש או שיהיה מתחתיו קו תחתון במקרה של הפריט הראשון\n' + + ' הנתיב של רכיב הכותרת התחתונה.

\n' + + '\n' + + '

עבור בין מקטעים במסך

\n' + + '\n' + + '

כדי לעבור בין המקטעים במסך, הקש Tab.

\n' + + '\n' + + '

כדי לעבור למקטע הקודם במסך, הקש Shift+Tab.

\n' + + '\n' + + '

הסדר מבחינת מקש Tab של הרכיבים במסך:\n' + + '\n' + + '

    \n' + + '
  1. שורת התפריטים
  2. \n' + + '
  3. כל קבוצה בסרגל הכלים
  4. \n' + + '
  5. הסרגל הצידי
  6. \n' + + '
  7. נתיב של רכיב בכותרת התחתונה
  8. \n' + + '
  9. לחצן לספירת מילים בכותרת התחתונה
  10. \n' + + '
  11. קישור של המותג בכותרת התחתונה
  12. \n' + + '
  13. ידית לשינוי גודל עבור העורך בכותרת התחתונה
  14. \n' + + '
\n' + + '\n' + + '

אם רכיב כלשהו במסך לא מופיע, המערכת תדלג עליו.

\n' + + '\n' + + '

אם בכותרת התחתונה יש מיקוד של ניווט במקלדת, ולא מופיע סרגל בצד, יש להקיש Shift+Tab\n' + + ' מעביר את המיקוד לקבוצה הראשונה בסרגל הכלים, לא האחרונה.\n' + + '\n' + + '

עבור בתוך מקטעים במסך

\n' + + '\n' + + '

כדי לעבור מרכיב אחד לרכיב אחר במסך, הקש על מקש החץ המתאים.

\n' + + '\n' + + '

מקשי החיצים שמאלה וימינה

\n' + + '\n' + + '
    \n' + + '
  • עבור בין תפריטים בשורת התפריטים.
  • \n' + + '
  • פתח תפריט משני בתפריט.
  • \n' + + '
  • עבור בין לחצנים בקבוצה בסרגל הכלים.
  • \n' + + '
  • עבור בין פריטים ברכיב בכותרת התחתונה.
  • \n' + + '
\n' + + '\n' + + '

מקשי החיצים למטה ולמעלה\n' + + '\n' + + '

    \n' + + '
  • עבור בין פריטים בתפריט.
  • \n' + + '
  • עבור בין פריטים בחלון הקובץ של סרגל הכלים.
  • \n' + + '
\n' + + '\n' + + '

מקשי החצים משתנים בתוך המקטע במסך שעליו נמצא המיקוד.

\n' + + '\n' + + '

כדי לסגור תפריט פתוח, תפריט משני פתוח או חלון קופץ, הקש על Esc.\n' + + '\n' + + "

אם המיקוד הוא על החלק 'העליון' של מקטע מסוים במסך, הקשה על Esc מביאה גם ליציאה\n" + + ' מהניווט במקלדת לחלוטין.

\n' + + '\n' + + '

הפעל פריט בתפריט או לחצן בסרגל הכלים

\n' + + '\n' + + '

כאשר הפריט הרצוי בתפריט או הלחצן בסרגל הכלים מודגשים, הקש על Return, Enter,\n' + + ' או על מקש הרווח כדי להפעיל את הפריט.\n' + + '\n' + + '

ניווט בחלונות דו-שיח בלי כרטיסיות

\n' + + '\n' + + '

בחלונות דו-שיח בלי כרטיסיות, הרכיב האינטראקטיבי הראשון מקבל את המיקוד כאשר החלון נפתח.

\n' + + '\n' + + '

עבור בין רכיבים אינטראקטיביים בחלון על ידי הקשה על Tab או Shift+Tab.

\n' + + '\n' + + '

ניווט בחלונות דו-שיח עם כרטיסיות

\n' + + '\n' + + '

בחלונות דו-שיח עם כרטיסיות, הלחצן הראשון בתפריט מקבל את המיקוד כאשר החלון נפתח.

\n' + + '\n' + + '

עבור בין רכיבים אינטראקטיביים בחלון על ידי הקשה על Tab או\n' + + ' Shift+Tab.

\n' + + '\n' + + '

עבור לכרטיסיה אחרת בחלון על ידי העברת המיקוד לתפריט הכרטיסיות והקשה על החץהמתאים\n' + + ' כדי לעבור בין הכרטיסיות הזמינות.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/hi.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/hi.js new file mode 100644 index 00000000..584085aa --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/hi.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.hi', +'

कीबोर्ड नेविगेशन शुरू करें

\n' + + '\n' + + '
\n' + + '
मेन्यू बार पर फ़ोकस करें
\n' + + '
Windows या Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
टूलबार पर फ़ोकस करें
\n' + + '
Windows या Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
फ़ुटर पर फ़ोकस करें
\n' + + '
Windows या Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
प्रासंगिक टूलबार पर फ़ोकस करें
\n' + + '
Windows, Linux या macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

नेविगेशन पहले UI आइटम पर शुरू होगा, जिसे हाइलाइट किया जाएगा या पहले आइटम के मामले में फ़ुटर तत्व पथ में\n' + + ' रेखांकित किया जाएगा।

\n' + + '\n' + + '

UI सेक्शन के बीच नेविगेट करें

\n' + + '\n' + + '

एक UI सेक्शन से दूसरे सेक्शन में जाने के लिए, Tab दबाएं।

\n' + + '\n' + + '

एक UI सेक्शन से पिछले सेक्शन में जाने के लिए, Shift+Tab दबाएं।

\n' + + '\n' + + '

इन UI सेक्शन का Tab क्रम नीचे दिया गया है:\n' + + '\n' + + '

    \n' + + '
  1. मेन्यू बार
  2. \n' + + '
  3. प्रत्येक टूलबार समूह
  4. \n' + + '
  5. साइडबार
  6. \n' + + '
  7. फ़ुटर में तत्व पथ
  8. \n' + + '
  9. फ़ुटर में शब्द गणना टॉगल बटन
  10. \n' + + '
  11. फ़ुटर में ब्रांडिंग लिंक
  12. \n' + + '
  13. फ़ुटर में संपादक का आकार बदलने का हैंडल
  14. \n' + + '
\n' + + '\n' + + '

अगर कोई UI सेक्शन मौजूद नहीं है, तो उसे छोड़ दिया जाता है।

\n' + + '\n' + + '

अगर फ़ुटर में कीबोर्ड नेविगेशन फ़ोकस है, और कोई दिखा देने वाला साइडबार नहीं है, तो Shift+Tab दबाने से\n' + + ' फ़ोकस पहले टूलबार समूह पर चला जाता है, पिछले पर नहीं।\n' + + '\n' + + '

UI सेक्शन के भीतर नेविगेट करें

\n' + + '\n' + + '

एक UI तत्व से दूसरे में जाने के लिए उपयुक्त ऐरो कुंजी दबाएं।

\n' + + '\n' + + '

बाएं और दाएं ऐरो कुंजियां

\n' + + '\n' + + '
    \n' + + '
  • मेन्यू बार में मेन्यू के बीच ले जाती हैं।
  • \n' + + '
  • मेन्यू में एक सब-मेन्यू खोलें।
  • \n' + + '
  • टूलबार समूह में बटनों के बीच ले जाएं।
  • \n' + + '
  • फ़ुटर के तत्व पथ में आइटम के बीच ले जाएं।
  • \n' + + '
\n' + + '\n' + + '

नीचे और ऊपर ऐरो कुंजियां\n' + + '\n' + + '

    \n' + + '
  • मेन्यू में मेन्यू आइटम के बीच ले जाती हैं।
  • \n' + + '
  • टूलबार पॉप-अप मेन्यू में आइटम के बीच ले जाएं।
  • \n' + + '
\n' + + '\n' + + '

फ़ोकस वाले UI सेक्शन के भीतर ऐरो कुंजियां चलाती रहती हैं।

\n' + + '\n' + + '

कोई खुला मेन्यू, कोई खुला सब-मेन्यू या कोई खुला पॉप-अप मेन्यू बंद करने के लिए Esc कुंजी दबाएं।\n' + + '\n' + + "

अगर मौजूदा फ़ोकस किसी विशेष UI सेक्शन के 'शीर्ष' पर है, तो Esc कुंजी दबाने से भी\n" + + ' कीबोर्ड नेविगेशन पूरी तरह से बाहर हो जाता है।

\n' + + '\n' + + '

मेन्यू आइटम या टूलबार बटन निष्पादित करें

\n' + + '\n' + + '

जब वांछित मेन्यू आइटम या टूलबार बटन हाइलाइट किया जाता है, तो आइटम को निष्पादित करने के लिए Return, Enter,\n' + + ' या Space bar दबाएं।\n' + + '\n' + + '

गैर-टैब वाले डायलॉग पर नेविगेट करें

\n' + + '\n' + + '

गैर-टैब वाले डायलॉग में, डायलॉग खुलने पर पहला इंटरैक्टिव घटक फ़ोकस लेता है।

\n' + + '\n' + + '

Tab or Shift+Tab दबाकर इंटरैक्टिव डायलॉग घटकों के बीच नेविगेट करें।

\n' + + '\n' + + '

टैब किए गए डायलॉग पर नेविगेट करें

\n' + + '\n' + + '

टैब किए गए डायलॉग में, डायलॉग खुलने पर टैब मेन्यू में पहला बटन फ़ोकस लेता है।

\n' + + '\n' + + '

इस डायलॉग टैब के इंटरैक्टिव घटकों के बीच नेविगेट करने के लिए Tab या\n' + + ' Shift+Tab दबाएं।

\n' + + '\n' + + '

टैब मेन्यू को फ़ोकस देकर और फिर उपलब्ध टैब में के बीच जाने के लिए उपयुक्त ऐरो\n' + + ' कुंजी दबाकर दूसरे डायलॉग टैब पर स्विच करें।

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/hr.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/hr.js new file mode 100644 index 00000000..3c1f833a --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/hr.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.hr', +'

Početak navigacije na tipkovnici

\n' + + '\n' + + '
\n' + + '
Fokusiranje trake izbornika
\n' + + '
Windows ili Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokusiranje alatne trake
\n' + + '
Windows ili Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokusiranje podnožja
\n' + + '
Windows ili Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokusiranje kontekstne alatne trake
\n' + + '
Windows, Linux ili macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigacija će započeti kod prve stavke na korisničkom sučelju, koja će biti istaknuta ili podcrtana ako se radi o prvoj stavci u\n' + + ' putu elementa u podnožju.

\n' + + '\n' + + '

Navigacija između dijelova korisničkog sučelja

\n' + + '\n' + + '

Za pomicanje s jednog dijela korisničkog sučelja na drugi pritisnite tabulator.

\n' + + '\n' + + '

Za pomicanje s jednog dijela korisničkog sučelja na prethodni pritisnite Shift + tabulator.

\n' + + '\n' + + '

Ovo je redoslijed pomicanja tabulatora po dijelovima korisničkog sučelja:\n' + + '\n' + + '

    \n' + + '
  1. Traka izbornika
  2. \n' + + '
  3. Pojedinačne grupe na alatnoj traci
  4. \n' + + '
  5. Bočna traka
  6. \n' + + '
  7. Put elemenata u podnožju
  8. \n' + + '
  9. Gumb za pomicanje po broju riječi u podnožju
  10. \n' + + '
  11. Veza na brand u podnožju
  12. \n' + + '
  13. Značajka za promjenu veličine alata za uređivanje u podnožju
  14. \n' + + '
\n' + + '\n' + + '

Ako neki dio korisničkog sučelja nije naveden, on se preskače.

\n' + + '\n' + + '

Ako u podnožju postoji fokus za navigaciju na tipkovnici, a nema vidljive bočne trake, pritiskom na Shift + tabulator\n' + + ' fokus se prebacuje na prvu skupinu na alatnoj traci, ne na zadnju.\n' + + '\n' + + '

Navigacija unutar dijelova korisničkog sučelja

\n' + + '\n' + + '

Za pomicanje s jednog elementa korisničkog sučelja na drugi pritisnite tipku s odgovarajućom strelicom.

\n' + + '\n' + + '

Tipke s lijevom i desnom strelicom

\n' + + '\n' + + '
    \n' + + '
  • služe za pomicanje između izbornika na alatnoj traci.
  • \n' + + '
  • otvaraju podizbornik unutar izbornika.
  • \n' + + '
  • služe za pomicanje između gumba unutar skupina na alatnoj traci.
  • \n' + + '
  • služe za pomicanje između stavki na elementu puta u podnožju.
  • \n' + + '
\n' + + '\n' + + '

Tipke s donjom i gornjom strelicom\n' + + '\n' + + '

    \n' + + '
  • služe za pomicanje između stavki unutar izbornika.
  • \n' + + '
  • služe za pomicanje između stavki na alatnoj traci skočnog izbornika.
  • \n' + + '
\n' + + '\n' + + '

Tipkama strelica kružno se pomičete unutar dijela korisničkog sučelja koji je u fokusu.

\n' + + '\n' + + '

Za zatvaranje otvorenog izbornika, otvorenog podizbornika ili otvorenog skočnog izbornika pritisnite tipku Esc.\n' + + '\n' + + '

Ako je fokus trenutačno postavljen na vrh pojedinačnog dijela korisničkog sučelja, pritiskom na tipku Esc također\n' + + ' u potpunosti zatvarate navigaciju na tipkovnici.

\n' + + '\n' + + '

Izvršavanje radnji putem stavki izbornika ili gumba na alatnoj traci

\n' + + '\n' + + '

Nakon što se istakne stavka izbornika ili gumb na alatnoj traci s radnjom koju želite izvršiti, pritisnite tipku Return, Enter\n' + + ' ili razmak da biste pokrenuli željenu radnju.\n' + + '\n' + + '

Navigacija dijaloškim okvirima izvan kartica

\n' + + '\n' + + '

Prilikom otvaranja dijaloških okvira izvan kartica fokus se nalazi na prvoj interaktivnoj komponenti.

\n' + + '\n' + + '

Navigaciju između interaktivnih dijaloških komponenata vršite pritiskom na tabulator ili Shift + tabulator.

\n' + + '\n' + + '

Navigacija dijaloškim okvirima u karticama

\n' + + '\n' + + '

Prilikom otvaranja dijaloških okvira u karticama fokus se nalazi na prvom gumbu u izborniku unutar kartice.

\n' + + '\n' + + '

Navigaciju između interaktivnih komponenata dijaloškog okvira u kartici vršite pritiskom na tabulator ili\n' + + ' Shift + tabulator.

\n' + + '\n' + + '

Na karticu s drugim dijaloškim okvirom možete se prebaciti tako da stavite fokus na izbornik kartice pa pritisnete tipku s odgovarajućom strelicom\n' + + ' za kružno pomicanje između dostupnih kartica.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/hu_HU.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/hu_HU.js new file mode 100644 index 00000000..2791e151 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/hu_HU.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.hu_HU', +'

Billentyűzetes navigáció indítása

\n' + + '\n' + + '
\n' + + '
Fókusz a menüsávra
\n' + + '
Windows és Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fókusz az eszköztárra
\n' + + '
Windows és Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fókusz a láblécre
\n' + + '
Windows és Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fókusz egy környezetfüggő eszköztárra
\n' + + '
Windows, Linux és macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

A navigáció az első felhasználói felületi elemnél kezdődik, amelyet a rendszer kiemel, illetve aláhúz, amennyiben az az első elem\n' + + ' a lábléc elemútvonalán.

\n' + + '\n' + + '

Navigálás a felhasználói felület szakaszai között

\n' + + '\n' + + '

A felhasználói felület következő szakaszára váltáshoz nyomja meg a Tab billentyűt.

\n' + + '\n' + + '

A felhasználói felület előző szakaszára váltáshoz nyomja meg a Shift+Tab billentyűt.

\n' + + '\n' + + '

A Tab billentyűvel a felhasználói felület szakaszai között a következő sorrendben vált:\n' + + '\n' + + '

    \n' + + '
  1. Menüsáv
  2. \n' + + '
  3. Az egyes eszköztárcsoportok
  4. \n' + + '
  5. Oldalsáv
  6. \n' + + '
  7. Elemútvonal a láblécen
  8. \n' + + '
  9. Szószámátkapcsoló gomb a láblécen
  10. \n' + + '
  11. Márkalink a láblécen
  12. \n' + + '
  13. Szerkesztő átméretezési fogópontja a láblécen
  14. \n' + + '
\n' + + '\n' + + '

Ha a felhasználói felület valamelyik eleme nincs jelen, a rendszer kihagyja.

\n' + + '\n' + + '

Ha a billentyűzetes navigáció fókusza a láblécen van, és nincs látható oldalsáv, a Shift+Tab\n' + + ' billentyűkombináció lenyomásakor az első eszköztárcsoportra ugrik a fókusz, nem az utolsóra.\n' + + '\n' + + '

Navigálás a felhasználói felület szakaszain belül

\n' + + '\n' + + '

A felhasználói felület következő elemére váltáshoz nyomja meg a megfelelő nyílbillentyűt.

\n' + + '\n' + + '

A bal és a jobb nyílgomb

\n' + + '\n' + + '
    \n' + + '
  • a menüsávban a menük között vált.
  • \n' + + '
  • a menükben megnyit egy almenüt.
  • \n' + + '
  • az eszköztárcsoportban a gombok között vált.
  • \n' + + '
  • a lábléc elemútvonalán az elemek között vált.
  • \n' + + '
\n' + + '\n' + + '

A le és a fel nyílgomb\n' + + '\n' + + '

    \n' + + '
  • a menükben a menüpontok között vált.
  • \n' + + '
  • az eszköztár előugró menüjében az elemek között vált.
  • \n' + + '
\n' + + '\n' + + '

A nyílbillentyűk lenyomásával körkörösen lépkedhet a fókuszban lévő felhasználói felületi szakasz elemei között.

\n' + + '\n' + + '

A megnyitott menüket, almenüket és előugró menüket az Esc billentyűvel zárhatja be.\n' + + '\n' + + '

Ha a fókusz az aktuális felületi elem „felső” részén van, az Esc billentyűvel az egész\n' + + ' billentyűzetes navigációból kilép.

\n' + + '\n' + + '

Menüpont vagy eszköztárgomb aktiválása

\n' + + '\n' + + '

Amikor a kívánt menüelem vagy eszköztárgomb van kijelölve, nyomja meg a Return, az Enter\n' + + ' vagy a Szóköz billentyűt az adott elem vagy gomb aktiválásához.\n' + + '\n' + + '

Navigálás a lapokkal nem rendelkező párbeszédablakokban

\n' + + '\n' + + '

A lapokkal nem rendelkező párbeszédablakokban az első interaktív összetevő kapja a fókuszt, amikor a párbeszédpanel megnyílik.

\n' + + '\n' + + '

A párbeszédpanelek interaktív összetevői között a Tab vagy a Shift+Tab billentyűvel navigálhat.

\n' + + '\n' + + '

Navigálás a lapokkal rendelkező párbeszédablakokban

\n' + + '\n' + + '

A lapokkal rendelkező párbeszédablakokban a lapmenü első gombja kapja a fókuszt, amikor a párbeszédpanel megnyílik.

\n' + + '\n' + + '

A párbeszédpanel e lapjának interaktív összetevői között a Tab vagy\n' + + ' Shift+Tab billentyűvel navigálhat.

\n' + + '\n' + + '

A párbeszédablak másik lapjára úgy léphet, hogy a fókuszt a lapmenüre állítja, majd lenyomja a megfelelő nyílbillentyűt\n' + + ' a rendelkezésre álló lapok közötti lépkedéshez.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/id.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/id.js new file mode 100644 index 00000000..03cf417a --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/id.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.id', +'

Memulai navigasi keyboard

\n' + + '\n' + + '
\n' + + '
Fokus pada bilah Menu
\n' + + '
Windows atau Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokus pada Bilah Alat
\n' + + '
Windows atau Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokus pada footer
\n' + + '
Windows atau Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokus pada bilah alat kontekstual
\n' + + '
Windows, Linux, atau macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigasi akan dimulai dari item pertama UI, yang akan disorot atau digarisbawahi di\n' + + ' alur elemen Footer.

\n' + + '\n' + + '

Berpindah antar-bagian UI

\n' + + '\n' + + '

Untuk berpindah dari satu bagian UI ke bagian berikutnya, tekan Tab.

\n' + + '\n' + + '

Untuk berpindah dari satu bagian UI ke bagian sebelumnya, tekan Shift+Tab.

\n' + + '\n' + + '

Urutan Tab bagian-bagian UI ini adalah:\n' + + '\n' + + '

    \n' + + '
  1. Bilah menu
  2. \n' + + '
  3. Tiap grup bilah alat
  4. \n' + + '
  5. Bilah sisi
  6. \n' + + '
  7. Alur elemen di footer
  8. \n' + + '
  9. Tombol aktifkan/nonaktifkan jumlah kata di footer
  10. \n' + + '
  11. Tautan merek di footer
  12. \n' + + '
  13. Pengatur pengubahan ukuran editor di footer
  14. \n' + + '
\n' + + '\n' + + '

Jika suatu bagian UI tidak ada, bagian tersebut dilewati.

\n' + + '\n' + + '

Jika fokus navigasi keyboard ada pada footer, tetapi tidak ada bilah sisi yang terlihat, menekan Shift+Tab\n' + + ' akan memindahkan fokus ke grup bilah alat pertama, bukan yang terakhir.\n' + + '\n' + + '

Berpindah di dalam bagian-bagian UI

\n' + + '\n' + + '

Untuk berpindah dari satu elemen UI ke elemen berikutnya, tekan tombol Panah yang sesuai.

\n' + + '\n' + + '

Tombol panah Kiri dan Kanan untuk

\n' + + '\n' + + '
    \n' + + '
  • berpindah-pindah antar-menu di dalam bilah menu.
  • \n' + + '
  • membuka sub-menu di dalam menu.
  • \n' + + '
  • berpindah-pindah antar-tombol di dalam grup bilah alat.
  • \n' + + '
  • berpindah-pindah antar-item di dalam alur elemen footer.
  • \n' + + '
\n' + + '\n' + + '

Tombol panah Bawah dan Atas untuk\n' + + '\n' + + '

    \n' + + '
  • berpindah-pindah antar-item menu di dalam menu.
  • \n' + + '
  • berpindah-pindah antar-item di dalam menu pop-up bilah alat.
  • \n' + + '
\n' + + '\n' + + '

Tombol Panah hanya bergerak di dalam bagian UI yang difokuskan.

\n' + + '\n' + + '

Untuk menutup menu, sub-menu, atau menu pop-up yang terbuka, tekan tombol Esc.\n' + + '\n' + + '

Jika fokus sedang berada di ‘atas’ bagian UI tertentu, menekan tombol Esc juga dapat mengeluarkan fokus\n' + + ' dari seluruh navigasi keyboard.

\n' + + '\n' + + '

Menjalankan item menu atau tombol bilah alat

\n' + + '\n' + + '

Jika item menu atau tombol bilah alat yang diinginkan tersorot, tekan Return, Enter,\n' + + ' atau Spasi untuk menjalankan item.\n' + + '\n' + + '

Berpindah dalam dialog tanpa tab

\n' + + '\n' + + '

Dalam dialog tanpa tab, fokus diarahkan pada komponen interaktif pertama saat dialog terbuka.

\n' + + '\n' + + '

Berpindah di antara komponen dalam dialog interaktif dengan menekan Tab atau Shift+Tab.

\n' + + '\n' + + '

Berpindah dalam dialog dengan tab

\n' + + '\n' + + '

Dalam dialog yang memiliki tab, fokus diarahkan pada tombol pertama di dalam menu saat dialog terbuka.

\n' + + '\n' + + '

Berpindah di antara komponen-komponen interaktif pada tab dialog ini dengan menekan Tab atau\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Beralih ke tab dialog lain dengan mengarahkan fokus pada menu tab lalu tekan tombol Panah\n' + + ' yang sesuai untuk berpindah ke berbagai tab yang tersedia.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/it.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/it.js new file mode 100644 index 00000000..450a34a6 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/it.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.it', +'

Iniziare la navigazione tramite tastiera

\n' + + '\n' + + '
\n' + + '
Impostare lo stato attivo per la barra dei menu
\n' + + '
Windows o Linux: ALT+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Impostare lo stato attivo per la barra degli strumenti
\n' + + '
Windows o Linux: ALT+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Impostare lo stato attivo per il piè di pagina
\n' + + '
Windows o Linux: ALT+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Impostare lo stato attivo per la barra degli strumenti contestuale
\n' + + '
Windows, Linux o macOS: CTRL+F9\n' + + '
\n' + + '\n' + + "

La navigazione inizierà dalla prima voce dell'interfaccia utente, che sarà evidenziata o sottolineata nel caso della prima voce\n" + + " nel percorso dell'elemento del piè di pagina.

\n" + + '\n' + + "

Navigare tra le sezioni dell'interfaccia utente

\n" + + '\n' + + "

Per passare da una sezione dell'interfaccia utente alla successiva, premere TAB.

\n" + + '\n' + + "

Per passare da una sezione dell'interfaccia utente alla precedente, premere MAIUSC+TAB.

\n" + + '\n' + + "

L'ordine di tabulazione di queste sezioni dell'interfaccia utente è:\n" + + '\n' + + '

    \n' + + '
  1. Barra dei menu
  2. \n' + + '
  3. Ogni gruppo di barre degli strumenti
  4. \n' + + '
  5. Barra laterale
  6. \n' + + "
  7. Percorso dell'elemento nel piè di pagina
  8. \n" + + '
  9. Pulsante di attivazione/disattivazione del conteggio delle parole nel piè di pagina
  10. \n' + + '
  11. Collegamento al marchio nel piè di pagina
  12. \n' + + "
  13. Quadratino di ridimensionamento dell'editor nel piè di pagina
  14. \n" + + '
\n' + + '\n' + + "

Se una sezione dell'interfaccia utente non è presente, viene saltata.

\n" + + '\n' + + '

Se il piè di pagina ha lo stato attivo per la navigazione tramite tastiera e non è presente alcuna barra laterale visibile, premendo MAIUSC+TAB\n' + + " si sposta lo stato attivo sul primo gruppo di barre degli strumenti, non sull'ultimo.\n" + + '\n' + + "

Navigare all'interno delle sezioni dell'interfaccia utente

\n" + + '\n' + + "

Per passare da un elemento dell'interfaccia utente al successivo, premere il tasto freccia appropriato.

\n" + + '\n' + + '

I tasti freccia Sinistra e Destra

\n' + + '\n' + + '
    \n' + + '
  • consentono di spostarsi tra i menu della barra dei menu.
  • \n' + + '
  • aprono un sottomenu in un menu.
  • \n' + + '
  • consentono di spostarsi tra i pulsanti di un gruppo di barre degli strumenti.
  • \n' + + "
  • consentono di spostarsi tra le voci nel percorso dell'elemento del piè di pagina.
  • \n" + + '
\n' + + '\n' + + '

I tasti freccia Giù e Su\n' + + '\n' + + '

    \n' + + '
  • consentono di spostarsi tra le voci di un menu.
  • \n' + + '
  • consentono di spostarsi tra le voci di un menu a comparsa della barra degli strumenti.
  • \n' + + '
\n' + + '\n' + + "

I tasti freccia consentono di spostarsi all'interno della sezione dell'interfaccia utente con stato attivo.

\n" + + '\n' + + '

Per chiudere un menu aperto, un sottomenu aperto o un menu a comparsa aperto, premere il tasto ESC.\n' + + '\n' + + "

Se lo stato attivo corrente si trova nella parte superiore di una particolare sezione dell'interfaccia utente, premendo il tasto ESC si esce\n" + + ' completamente dalla navigazione tramite tastiera.

\n' + + '\n' + + '

Eseguire una voce di menu o un pulsante della barra degli strumenti

\n' + + '\n' + + '

Quando la voce di menu o il pulsante della barra degli strumenti desiderati sono evidenziati, premere il tasto diritorno a capo, il tasto Invio\n' + + ' o la barra spaziatrice per eseguirli.\n' + + '\n' + + '

Navigare nelle finestre di dialogo non a schede

\n' + + '\n' + + "

Nelle finestre di dialogo non a schede, all'apertura della finestra di dialogo diventa attivo il primo componente interattivo.

\n" + + '\n' + + '

Per spostarsi tra i componenti interattivi della finestra di dialogo, premere TAB o MAIUSC+TAB.

\n' + + '\n' + + '

Navigare nelle finestre di dialogo a schede

\n' + + '\n' + + "

Nelle finestre di dialogo a schede, all'apertura della finestra di dialogo diventa attivo il primo pulsante del menu della scheda.

\n" + + '\n' + + '

Per spostarsi tra i componenti interattivi di questa scheda della finestra di dialogo, premere TAB o\n' + + ' MAIUSC+TAB.

\n' + + '\n' + + "

Per passare a un'altra scheda della finestra di dialogo, attivare il menu della scheda e premere il tasto freccia\n" + + ' appropriato per scorrere le schede disponibili.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/ja.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/ja.js new file mode 100644 index 00000000..19febc75 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/ja.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.ja', +'

キーボード ナビゲーションの開始

\n' + + '\n' + + '
\n' + + '
メニュー バーをフォーカス
\n' + + '
Windows または Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
ツール バーをフォーカス
\n' + + '
Windows または Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
フッターをフォーカス
\n' + + '
Windows または Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
コンテキスト ツール バーをフォーカス
\n' + + '
Windows、Linux または macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

ナビゲーションは最初の UI 項目から開始され、強調表示されるか、フッターの要素パスにある最初の項目の場合は\n' + + ' 下線が引かれます。

\n' + + '\n' + + '

UI セクション間の移動

\n' + + '\n' + + '

次の UI セクションに移動するには、Tab を押します。

\n' + + '\n' + + '

前の UI セクションに移動するには、Shift+Tab を押します。

\n' + + '\n' + + '

これらの UI セクションの Tab の順序:\n' + + '\n' + + '

    \n' + + '
  1. メニュー バー
  2. \n' + + '
  3. 各ツール バー グループ
  4. \n' + + '
  5. サイド バー
  6. \n' + + '
  7. フッターの要素パス
  8. \n' + + '
  9. フッターの単語数切り替えボタン
  10. \n' + + '
  11. フッターのブランド リンク
  12. \n' + + '
  13. フッターのエディター サイズ変更ハンドル
  14. \n' + + '
\n' + + '\n' + + '

UI セクションが存在しない場合は、スキップされます。

\n' + + '\n' + + '

フッターにキーボード ナビゲーション フォーカスがあり、表示可能なサイド バーがない場合、Shift+Tab を押すと、\n' + + ' フォーカスが最後ではなく最初のツール バー グループに移動します。\n' + + '\n' + + '

UI セクション内の移動

\n' + + '\n' + + '

次の UI 要素に移動するには、適切な矢印キーを押します。

\n' + + '\n' + + '

左矢印右矢印のキー

\n' + + '\n' + + '
    \n' + + '
  • メニュー バーのメニュー間で移動します。
  • \n' + + '
  • メニュー内のサブメニューを開きます。
  • \n' + + '
  • ツール バー グループのボタン間で移動します。
  • \n' + + '
  • フッターの要素パスの項目間で移動します。
  • \n' + + '
\n' + + '\n' + + '

下矢印上矢印のキー\n' + + '\n' + + '

    \n' + + '
  • メニュー内のメニュー項目間で移動します。
  • \n' + + '
  • ツール バー ポップアップ メニュー内のメニュー項目間で移動します。
  • \n' + + '
\n' + + '\n' + + '

矢印キーで、フォーカスされた UI セクション内で循環します。

\n' + + '\n' + + '

開いたメニュー、開いたサブメニュー、開いたポップアップ メニューを閉じるには、Esc キーを押します。\n' + + '\n' + + '

現在のフォーカスが特定の UI セクションの「一番上」にある場合、Esc キーを押すと\n' + + ' キーボード ナビゲーションも完全に閉じられます。

\n' + + '\n' + + '

メニュー項目またはツール バー ボタンの実行

\n' + + '\n' + + '

目的のメニュー項目やツール バー ボタンが強調表示されている場合、リターンEnter、\n' + + ' またはスペース キーを押して項目を実行します。\n' + + '\n' + + '

タブのないダイアログの移動

\n' + + '\n' + + '

タブのないダイアログでは、ダイアログが開くと最初の対話型コンポーネントがフォーカスされます。

\n' + + '\n' + + '

Tab または Shift+Tab を押して、対話型ダイアログ コンポーネント間で移動します。

\n' + + '\n' + + '

タブ付きダイアログの移動

\n' + + '\n' + + '

タブ付きダイアログでは、ダイアログが開くとタブ メニューの最初のボタンがフォーカスされます。

\n' + + '\n' + + '

Tab または\n' + + ' Shift+Tab を押して、このダイアログ タブの対話型コンポーネント間で移動します。

\n' + + '\n' + + '

タブ メニューをフォーカスしてから適切な矢印キーを押して表示可能なタブを循環して、\n' + + ' 別のダイアログに切り替えます。

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/kk.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/kk.js new file mode 100644 index 00000000..dd6370f8 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/kk.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.kk', +'

Пернетақта навигациясын бастау

\n' + + '\n' + + '
\n' + + '
Мәзір жолағын фокустау
\n' + + '
Windows немесе Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Құралдар тақтасын фокустау
\n' + + '
Windows немесе Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Төменгі деректемені фокустау
\n' + + '
Windows немесе Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Мәтінмәндік құралдар тақтасын фокустау
\n' + + '
Windows, Linux немесе macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Навигация бөлектелетін немесе Төменгі деректеме элементінің жолындағы бірінші элемент жағдайында асты сызылатын\n' + + ' бірінші ПИ элементінен басталады.

\n' + + '\n' + + '

ПИ бөлімдері арасында навигациялау

\n' + + '\n' + + '

Бір ПИ бөлімінен келесісіне өту үшін Tab пернесін басыңыз.

\n' + + '\n' + + '

Бір ПИ бөлімінен алдыңғысына өту үшін Shift+Tab пернесін басыңыз.

\n' + + '\n' + + '

Осы ПИ бөлімдерінің Tab реті:\n' + + '\n' + + '

    \n' + + '
  1. Мәзір жолағы
  2. \n' + + '
  3. Әрбір құралдар тақтасы тобы
  4. \n' + + '
  5. Бүйірлік жолақ
  6. \n' + + '
  7. Төменгі деректемедегі элемент жолы
  8. \n' + + '
  9. Төменгі деректемедегі сөздер санын ауыстыру түймесі
  10. \n' + + '
  11. Төменгі деректемедегі брендингтік сілтеме
  12. \n' + + '
  13. Төменгі деректемедегі редактор өлшемін өзгерту тұтқасы
  14. \n' + + '
\n' + + '\n' + + '

ПИ бөлімі көрсетілмесе, ол өткізіп жіберіледі.

\n' + + '\n' + + '

Төменгі деректемеде пернетақта навигациясының фокусы болса және бүйірлік жолақ көрінбесе, Shift+Tab тіркесімін басу әрекеті\n' + + ' фокусты соңғысы емес, бірінші құралдар тақтасы тобына жылжытады.\n' + + '\n' + + '

ПИ бөлімдерінде навигациялау

\n' + + '\n' + + '

Бір ПИ элементінен келесісіне өту үшін Arrow (Көрсеткі) пернесін басыңыз.

\n' + + '\n' + + '

Left (Сол жақ) және Right (Оң жақ) көрсеткі пернелері

\n' + + '\n' + + '
    \n' + + '
  • мәзір жолағындағы мәзірлер арасында жылжыту.
  • \n' + + '
  • мәзірде ішкі мәзірді ашу.
  • \n' + + '
  • құралдар тақтасы тобындағы түймелер арасында жылжыту.
  • \n' + + '
  • төменгі деректеме элементінің жолындағы элементтер арасында жылжыту.
  • \n' + + '
\n' + + '\n' + + '

Down (Төмен) және Up (Жоғары) көрсеткі пернелері\n' + + '\n' + + '

    \n' + + '
  • мәзірдегі мәзір элементтері арасында жылжыту.
  • \n' + + '
  • құралдар тақтасының ашылмалы мәзіріндегі мәзір элементтері арасында жылжыту.
  • \n' + + '
\n' + + '\n' + + '

Фокусталған ПИ бөліміндегі Arrow (Көрсеткі) пернелерінің циклі.

\n' + + '\n' + + '

Ашық мәзірді жабу үшін ішкі мәзірді ашып немесе ашылмалы мәзірді ашып, Esc пернесін басыңыз.\n' + + '\n' + + '

Ағымдағы фокус белгілі бір ПИ бөлімінің «үстінде» болса, Esc пернесін басу әрекеті пернетақта\n' + + ' навигациясын толығымен жабады.

\n' + + '\n' + + '

Мәзір элементін немесе құралдар тақтасы түймесін орындау

\n' + + '\n' + + '

Қажетті мәзір элементі немесе құралдар тақтасы түймесі бөлектелген кезде, элементті орындау үшін Return (Қайтару), Enter (Енгізу)\n' + + ' немесе Space bar (Бос орын) пернесін басыңыз.\n' + + '\n' + + '

Белгіленбеген диалог терезелерін навигациялау

\n' + + '\n' + + '

Белгіленбеген диалог терезелерінде диалог терезесі ашылған кезде бірінші интерактивті құрамдас фокусталады.

\n' + + '\n' + + '

Tab немесе Shift+Tab пернесін басу арқылы интерактивті диалог терезесінің құрамдастары арасында навигациялаңыз.

\n' + + '\n' + + '

Белгіленген диалог терезелерін навигациялау

\n' + + '\n' + + '

Белгіленген диалог терезелерінде диалог терезесі ашылған кезде қойынды мәзіріндегі бірінші түйме фокусталады.

\n' + + '\n' + + '

Tab немесе\n' + + ' Shift+Tab пернесін басу арқылы осы диалог терезесі қойындысының интерактивті құрамдастары арасында навигациялаңыз.

\n' + + '\n' + + '

Қойынды мәзірінің фокусын беру арқылы басқа диалог терезесінің қойындысына ауысып, тиісті Arrow (Көрсеткі)\n' + + ' пернесін басу арқылы қолжетімді қойындылар арасында айналдыруға болады.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/ko_KR.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/ko_KR.js new file mode 100644 index 00000000..073592cd --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/ko_KR.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.ko_KR', +'

키보드 탐색 시작

\n' + + '\n' + + '
\n' + + '
메뉴 모음 포커스 표시
\n' + + '
Windows 또는 Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
도구 모음 포커스 표시
\n' + + '
Windows 또는 Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
푸터 포커스 표시
\n' + + '
Windows 또는 Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
컨텍스트 도구 모음에 포커스 표시
\n' + + '
Windows, Linux 또는 macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

첫 번째 UI 항목에서 탐색이 시작되며, 이때 첫 번째 항목이 강조 표시되거나 푸터 요소 경로에 있는\n' + + ' 경우 밑줄 표시됩니다.

\n' + + '\n' + + '

UI 섹션 간 탐색

\n' + + '\n' + + '

한 UI 섹션에서 다음 UI 섹션으로 이동하려면 Tab(탭)을 누릅니다.

\n' + + '\n' + + '

한 UI 섹션에서 이전 UI 섹션으로 돌아가려면 Shift+Tab(시프트+탭)을 누릅니다.

\n' + + '\n' + + '

이 UI 섹션의 Tab(탭) 순서는 다음과 같습니다.\n' + + '\n' + + '

    \n' + + '
  1. 메뉴 바
  2. \n' + + '
  3. 각 도구 모음 그룹
  4. \n' + + '
  5. 사이드바
  6. \n' + + '
  7. 푸터의 요소 경로
  8. \n' + + '
  9. 푸터의 단어 수 토글 버튼
  10. \n' + + '
  11. 푸터의 브랜딩 링크
  12. \n' + + '
  13. 푸터의 에디터 크기 변경 핸들
  14. \n' + + '
\n' + + '\n' + + '

UI 섹션이 없는 경우 건너뛰기합니다.

\n' + + '\n' + + '

푸터에 키보드 탐색 포커스가 있고 사이드바는 보이지 않는 경우 Shift+Tab(시프트+탭)을 누르면\n' + + ' 포커스 표시가 마지막이 아닌 첫 번째 도구 모음 그룹으로 이동합니다.\n' + + '\n' + + '

UI 섹션 내 탐색

\n' + + '\n' + + '

한 UI 요소에서 다음 UI 요소로 이동하려면 적절한 화살표 키를 누릅니다.

\n' + + '\n' + + '

왼쪽오른쪽 화살표 키의 용도:

\n' + + '\n' + + '
    \n' + + '
  • 메뉴 모음에서 메뉴 항목 사이를 이동합니다.
  • \n' + + '
  • 메뉴에서 하위 메뉴를 엽니다.
  • \n' + + '
  • 도구 모음 그룹에서 버튼 사이를 이동합니다.
  • \n' + + '
  • 푸터의 요소 경로에서 항목 간에 이동합니다.
  • \n' + + '
\n' + + '\n' + + '

아래 화살표 키의 용도:\n' + + '\n' + + '

    \n' + + '
  • 메뉴에서 메뉴 항목 사이를 이동합니다.
  • \n' + + '
  • 도구 모음 팝업 메뉴에서 메뉴 항목 사이를 이동합니다.
  • \n' + + '
\n' + + '\n' + + '

화살표 키는 포커스 표시 UI 섹션 내에서 순환됩니다.

\n' + + '\n' + + '

열려 있는 메뉴, 열려 있는 하위 메뉴 또는 열려 있는 팝업 메뉴를 닫으려면 Esc 키를 누릅니다.\n' + + '\n' + + "

현재 포커스 표시가 특정 UI 섹션 '상단'에 있는 경우 이때도 Esc 키를 누르면\n" + + ' 키보드 탐색이 완전히 종료됩니다.

\n' + + '\n' + + '

메뉴 항목 또는 도구 모음 버튼 실행

\n' + + '\n' + + '

원하는 메뉴 항목 또는 도구 모음 버튼이 강조 표시되어 있을 때 Return(리턴), Enter(엔터),\n' + + ' 또는 Space bar(스페이스바)를 눌러 해당 항목을 실행합니다.\n' + + '\n' + + '

탭이 없는 대화 탐색

\n' + + '\n' + + '

탭이 없는 대화의 경우, 첫 번째 대화형 요소가 포커스 표시된 상태로 대화가 열립니다.

\n' + + '\n' + + '

대화형 요소들 사이를 이동할 때는 Tab(탭) 또는 Shift+Tab(시프트+탭)을 누릅니다.

\n' + + '\n' + + '

탭이 있는 대화 탐색

\n' + + '\n' + + '

탭이 있는 대화의 경우, 탭 메뉴에서 첫 번째 버튼이 포커스 표시된 상태로 대화가 열립니다.

\n' + + '\n' + + '

이 대화 탭의 대화형 요소들 사이를 이동할 때는 Tab(탭) 또는\n' + + ' Shift+Tab(시프트+탭)을 누릅니다.

\n' + + '\n' + + '

다른 대화 탭으로 이동하려면 탭 메뉴를 포커스 표시한 다음 적절한 화살표\n' + + ' 키를 눌러 사용 가능한 탭들을 지나 원하는 탭으로 이동합니다.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/ms.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/ms.js new file mode 100644 index 00000000..579ab493 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/ms.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.ms', +'

Mulakan navigasi papan kekunci

\n' + + '\n' + + '
\n' + + '
Fokus bar Menu
\n' + + '
Windows atau Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokus Bar Alat
\n' + + '
Windows atau Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokus pengaki
\n' + + '
Windows atau Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokus bar alat kontekstual
\n' + + '
Windows, Linux atau macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigasi akan bermula pada item UI pertama, yang akan diserlahkan atau digaris bawah dalam saiz item pertama dalam\n' + + ' laluan elemen Pengaki.

\n' + + '\n' + + '

Navigasi antara bahagian UI

\n' + + '\n' + + '

Untuk bergerak dari satu bahagian UI ke yang seterusnya, tekan Tab.

\n' + + '\n' + + '

Untuk bergerak dari satu bahagian UI ke yang sebelumnya, tekan Shift+Tab.

\n' + + '\n' + + '

Tertib Tab bahagian UI ini ialah:\n' + + '\n' + + '

    \n' + + '
  1. Bar menu
  2. \n' + + '
  3. Setiap kumpulan bar alat
  4. \n' + + '
  5. Bar sisi
  6. \n' + + '
  7. Laluan elemen dalam pengaki
  8. \n' + + '
  9. Butang togol kiraan perkataan dalam pengaki
  10. \n' + + '
  11. Pautan penjenamaan dalam pengaki
  12. \n' + + '
  13. Pemegang saiz semula editor dalam pengaki
  14. \n' + + '
\n' + + '\n' + + '

Jika bahagian UI tidak wujud, ia dilangkau.

\n' + + '\n' + + '

Jika pengaki mempunyai fokus navigasi papan kekunci dan tiada bar sisi kelihatan, menekan Shift+Tab\n' + + ' akan mengalihkan fokus ke kumpulan bar alat pertama, bukannya yang terakhir.\n' + + '\n' + + '

Navigasi dalam bahagian UI

\n' + + '\n' + + '

Untuk bergerak dari satu elemen UI ke yang seterusnya, tekan kekunci Anak Panah yang bersesuaian.

\n' + + '\n' + + '

Kekunci anak panah Kiri dan Kanan

\n' + + '\n' + + '
    \n' + + '
  • bergerak antara menu dalam bar menu.
  • \n' + + '
  • membukan submenu dalam menu.
  • \n' + + '
  • bergerak antara butang dalam kumpulan bar alat.
  • \n' + + '
  • Laluan elemen dalam pengaki.
  • \n' + + '
\n' + + '\n' + + '

Kekunci anak panah Bawah dan Atas\n' + + '\n' + + '

    \n' + + '
  • bergerak antara item menu dalam menu.
  • \n' + + '
  • bergerak antara item dalam menu timbul bar alat.
  • \n' + + '
\n' + + '\n' + + '

Kekunci Anak Panah berkitar dalam bahagian UI difokuskan.

\n' + + '\n' + + '

Untuk menutup menu buka, submenu terbuka atau menu timbul terbuka, tekan kekunci Esc.\n' + + '\n' + + "

Jika fokus semasa berada di bahagian 'atas' bahagian UI tertentu, menekan kekunci Esc juga akan keluar daripada\n" + + ' navigasi papan kekunci sepenuhnya.

\n' + + '\n' + + '

Laksanakan item menu atau butang bar alat

\n' + + '\n' + + '

Apabila item menu atau butang bar alat yang diinginkan diserlahkan, tekan Return, Enter,\n' + + ' atau bar Space untuk melaksanakan item.\n' + + '\n' + + '

Navigasi ke dialog tidak bertab

\n' + + '\n' + + '

Dalam dialog tidak bertab, komponen interaksi pertama difokuskan apabila dialog dibuka.

\n' + + '\n' + + '

Navigasi antara komponen dialog interaktif dengan menekan Tab atau Shift+Tab.

\n' + + '\n' + + '

Navigasi ke dialog bertab

\n' + + '\n' + + '

Dalam dialog bertab, butang pertama dalam menu tab difokuskan apabila dialog dibuka.

\n' + + '\n' + + '

Navigasi antara komponen interaktif tab dialog ini dengan menekan Tab atau\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Tukar kepada tab dialog lain dengan memfokuskan menu tab, kemudian menekan kekunci Anak Panah yang bersesuaian\n' + + ' untuk berkitar menerusi tab yang tersedia.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/nb_NO.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/nb_NO.js new file mode 100644 index 00000000..f28db8f4 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/nb_NO.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.nb_NO', +'

Starte tastaturnavigering

\n' + + '\n' + + '
\n' + + '
Utheve menylinjen
\n' + + '
Windows eller Linux: Alt + F9
\n' + + '
macOS: ⌥F9
\n' + + '
Utheve verktøylinjen
\n' + + '
Windows eller Linux: Alt + F10
\n' + + '
macOS: ⌥F10
\n' + + '
Utheve bunnteksten
\n' + + '
Windows eller Linux: Alt + F11
\n' + + '
macOS: ⌥F11
\n' + + '
Utheve en kontekstuell verktøylinje
\n' + + '
Windows, Linux eller macOS: Ctrl + F9\n' + + '
\n' + + '\n' + + '

Navigeringen starter ved det første grensesnittelementet, som utheves, eller understrekes når det gjelder det første elementet i\n' + + ' elementstien i bunnteksten.

\n' + + '\n' + + '

Navigere mellom grensesnittdeler

\n' + + '\n' + + '

Du kan bevege deg fra én grensesnittdel til den neste ved å trykke på tabulatortasten.

\n' + + '\n' + + '

Du kan bevege deg fra én grensesnittdel til den forrige ved å trykke på Shift + tabulatortasten.

\n' + + '\n' + + '

Rekkefølgen til tabulatortasten gjennom grensesnittdelene er:\n' + + '\n' + + '

    \n' + + '
  1. Menylinjen
  2. \n' + + '
  3. Hver gruppe på verktøylinjen
  4. \n' + + '
  5. Sidestolpen
  6. \n' + + '
  7. Elementstien i bunnteksten
  8. \n' + + '
  9. Veksleknappen for ordantall i bunnteksten
  10. \n' + + '
  11. Merkelenken i bunnteksten
  12. \n' + + '
  13. Skaleringshåndtaket for redigeringsprogrammet i bunnteksten
  14. \n' + + '
\n' + + '\n' + + '

Hvis en grensesnittdel ikke er til stede, blir den hoppet over.

\n' + + '\n' + + '

Hvis tastaturnavigeringen har uthevet bunnteksten og det ikke finnes en synlig sidestolpe, kan du trykke på Shift + tabulatortasten\n' + + ' for å flytte fokuset til den første gruppen på verktøylinjen i stedet for den siste.\n' + + '\n' + + '

Navigere innenfor grensesnittdeler

\n' + + '\n' + + '

Du kan bevege deg fra ett grensesnittelement til det neste ved å trykke på den aktuelle piltasten.

\n' + + '\n' + + '

De venstre og høyre piltastene

\n' + + '\n' + + '
    \n' + + '
  • beveger deg mellom menyer på menylinjen.
  • \n' + + '
  • åpner en undermeny i en meny.
  • \n' + + '
  • beveger deg mellom knapper i en gruppe på verktøylinjen.
  • \n' + + '
  • beveger deg mellom elementer i elementstien i bunnteksten.
  • \n' + + '
\n' + + '\n' + + '

Ned- og opp-piltastene\n' + + '\n' + + '

    \n' + + '
  • beveger deg mellom menyelementer i en meny.
  • \n' + + '
  • beveger deg mellom elementer i en hurtigmeny på verktøylinjen.
  • \n' + + '
\n' + + '\n' + + '

Med piltastene kan du bevege deg innenfor den uthevede grensesnittdelen.

\n' + + '\n' + + '

Du kan lukke en åpen meny, en åpen undermeny eller en åpen hurtigmeny ved å klikke på Esc-tasten.\n' + + '\n' + + '

Hvis det øverste nivået i en grensesnittdel er uthevet, kan du ved å trykke på Esc også avslutte\n' + + ' tastaturnavigeringen helt.

\n' + + '\n' + + '

Utføre et menyelement eller en knapp på en verktøylinje

\n' + + '\n' + + '

Når det ønskede menyelementet eller verktøylinjeknappen er uthevet, trykker du på Retur, Enter,\n' + + ' eller mellomromstasten for å utføre elementet.\n' + + '\n' + + '

Navigere i dialogbokser uten faner

\n' + + '\n' + + '

I dialogbokser uten faner blir den første interaktive komponenten uthevet når dialogboksen åpnes.

\n' + + '\n' + + '

Naviger mellom interaktive komponenter i dialogboksen ved å trykke på tabulatortasten eller Shift + tabulatortasten.

\n' + + '\n' + + '

Navigere i fanebaserte dialogbokser

\n' + + '\n' + + '

I fanebaserte dialogbokser blir den første knappen i fanemenyen uthevet når dialogboksen åpnes.

\n' + + '\n' + + '

Naviger mellom interaktive komponenter i fanen ved å trykke på tabulatortasten eller\n' + + ' Shift + tabulatortasten.

\n' + + '\n' + + '

Veksle til en annen fane i dialogboksen ved å utheve fanemenyen, og trykk deretter på den aktuelle piltasten\n' + + ' for å bevege deg mellom de tilgjengelige fanene.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/nl.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/nl.js new file mode 100644 index 00000000..99836a6b --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/nl.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.nl', +'

Toetsenbordnavigatie starten

\n' + + '\n' + + '
\n' + + '
Focus op de menubalk instellen
\n' + + '
Windows of Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Focus op de werkbalk instellen
\n' + + '
Windows of Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Focus op de voettekst instellen
\n' + + '
Windows of Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Focus op een contextuele werkbalk instellen
\n' + + '
Windows, Linux of macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

De navigatie start bij het eerste UI-item, dat wordt gemarkeerd of onderstreept als het eerste item zich in\n' + + ' in het elementenpad van de voettekst bevindt.

\n' + + '\n' + + '

Navigeren tussen UI-secties

\n' + + '\n' + + '

Druk op Tab om naar de volgende UI-sectie te gaan.

\n' + + '\n' + + '

Druk op Shift+Tab om naar de vorige UI-sectie te gaan.

\n' + + '\n' + + '

De Tab-volgorde van deze UI-secties is:\n' + + '\n' + + '

    \n' + + '
  1. Menubalk
  2. \n' + + '
  3. Elke werkbalkgroep
  4. \n' + + '
  5. Zijbalk
  6. \n' + + '
  7. Elementenpad in de voettekst
  8. \n' + + '
  9. Wisselknop voor aantal woorden in de voettekst
  10. \n' + + '
  11. Merkkoppeling in de voettekst
  12. \n' + + '
  13. Greep voor het wijzigen van het formaat van de editor in de voettekst
  14. \n' + + '
\n' + + '\n' + + '

Als een UI-sectie niet aanwezig is, wordt deze overgeslagen.

\n' + + '\n' + + '

Als de focus van de toetsenbordnavigatie is ingesteld op de voettekst en er geen zichtbare zijbalk is, kun je op Shift+Tab drukken\n' + + ' om de focus naar de eerste werkbalkgroep in plaats van de laatste te verplaatsen.\n' + + '\n' + + '

Navigeren binnen UI-secties

\n' + + '\n' + + '

Druk op de pijltjestoets om naar het betreffende UI-element te gaan.

\n' + + '\n' + + '

Met de pijltjestoetsen Links en Rechts

\n' + + '\n' + + '
    \n' + + "
  • wissel je tussen menu's in de menubalk.
  • \n" + + '
  • open je een submenu in een menu.
  • \n' + + '
  • wissel je tussen knoppen in een werkbalkgroep.
  • \n' + + '
  • wissel je tussen items in het elementenpad in de voettekst.
  • \n' + + '
\n' + + '\n' + + '

Met de pijltjestoetsen Omlaag en Omhoog\n' + + '\n' + + '

    \n' + + '
  • wissel je tussen menu-items in een menu.
  • \n' + + '
  • wissel je tussen items in een werkbalkpop-upmenu.
  • \n' + + '
\n' + + '\n' + + '

Met de pijltjestoetsen wissel je binnen de UI-sectie waarop de focus is ingesteld.

\n' + + '\n' + + '

Druk op de toets Esc om een geopend menu, submenu of pop-upmenu te sluiten.\n' + + '\n' + + "

Als de huidige focus is ingesteld 'bovenaan' een bepaalde UI-sectie, kun je op de toets Esc drukken\n" + + ' om de toetsenbordnavigatie af te sluiten.

\n' + + '\n' + + '

Een menu-item of werkbalkknop uitvoeren

\n' + + '\n' + + '

Als het gewenste menu-item of de gewenste werkbalkknop is gemarkeerd, kun je op Return, Enter\n' + + ' of de spatiebalk drukken om het item uit te voeren.\n' + + '\n' + + '

Navigeren in dialoogvensters zonder tabblad

\n' + + '\n' + + '

Als een dialoogvenster zonder tabblad wordt geopend, wordt de focus ingesteld op het eerste interactieve onderdeel.

\n' + + '\n' + + '

Je kunt navigeren tussen interactieve onderdelen van een dialoogvenster door op Tab of Shift+Tab te drukken.

\n' + + '\n' + + '

Navigeren in dialoogvensters met tabblad

\n' + + '\n' + + '

Als een dialoogvenster met tabblad wordt geopend, wordt de focus ingesteld op de eerste knop in het tabbladmenu.

\n' + + '\n' + + '

Je kunt navigeren tussen interactieve onderdelen van dit tabblad van het dialoogvenster door op Tab of\n' + + ' Shift+Tab te drukken.

\n' + + '\n' + + '

Je kunt overschakelen naar een ander tabblad van het dialoogvenster door de focus in te stellen op het tabbladmenu en vervolgens op de juiste pijltjestoets\n' + + ' te drukken om tussen de beschikbare tabbladen te wisselen.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/pl.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/pl.js new file mode 100644 index 00000000..16704a00 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/pl.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.pl', +'

Początek nawigacji przy użyciu klawiatury

\n' + + '\n' + + '
\n' + + '
Ustaw fokus na pasek menu
\n' + + '
Windows lub Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Ustaw fokus na pasek narzędzi
\n' + + '
Windows lub Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Ustaw fokus na sekcję Footer
\n' + + '
Windows lub Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Ustaw fokus na kontekstowy pasek narzędzi
\n' + + '
Windows, Linux lub macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Nawigacja zostanie rozpoczęta od pierwszego elementu interfejsu użytkownika, który jest podświetlony lub — w przypadku pierwszego elementu\n' + + ' w ścieżce elementów w sekcji Footer — podkreślony.

\n' + + '\n' + + '

Nawigacja pomiędzy sekcjami interfejsu użytkownika

\n' + + '\n' + + '

Aby przenieść się z danej sekcji interfejsu użytkownika do następnej, naciśnij Tab.

\n' + + '\n' + + '

Aby przenieść się z danej sekcji interfejsu użytkownika do poprzedniej, naciśnij Shift+Tab.

\n' + + '\n' + + '

Kolejność klawisza Tab w takich sekcjach interfejsu użytkownika jest następująca:\n' + + '\n' + + '

    \n' + + '
  1. Pasek menu
  2. \n' + + '
  3. Każda grupa na pasku narzędzi
  4. \n' + + '
  5. Pasek boczny
  6. \n' + + '
  7. Ścieżka elementów w sekcji Footer
  8. \n' + + '
  9. Przycisk przełączania liczby słów w sekcji Footer
  10. \n' + + '
  11. Łącze brandujące w sekcji Footer
  12. \n' + + '
  13. Uchwyt zmiany rozmiaru edytora w sekcji Footer
  14. \n' + + '
\n' + + '\n' + + '

Jeżeli nie ma sekcji interfejsu użytkownika, jest to pomijane.

\n' + + '\n' + + '

Jeżeli na sekcji Footer jest ustawiony fokus nawigacji przy użyciu klawiatury i nie ma widocznego paska bocznego, naciśnięcie Shift+Tab\n' + + ' przenosi fokus na pierwszą grupę paska narzędzi, a nie na ostatnią.\n' + + '\n' + + '

Nawigacja wewnątrz sekcji interfejsu użytkownika

\n' + + '\n' + + '

Aby przenieść się z danego elementu interfejsu użytkownika do następnego, naciśnij odpowiedni klawisz strzałki.

\n' + + '\n' + + '

Klawisze strzałek w prawo i w lewo służą do

\n' + + '\n' + + '
    \n' + + '
  • przenoszenia się pomiędzy menu na pasku menu,
  • \n' + + '
  • otwarcia podmenu w menu,
  • \n' + + '
  • przenoszenia się pomiędzy przyciskami w grupie paska narzędzi,
  • \n' + + '
  • przenoszenia się pomiędzy elementami w ścieżce elementów w sekcji Footer.
  • \n' + + '
\n' + + '\n' + + '

Klawisze strzałek w dół i w górę służą do\n' + + '\n' + + '

    \n' + + '
  • przenoszenia się pomiędzy elementami menu w menu,
  • \n' + + '
  • przenoszenia się pomiędzy elementami w wyskakującym menu paska narzędzi.
  • \n' + + '
\n' + + '\n' + + '

Klawisze strzałek służą do przemieszczania się w sekcji interfejsu użytkownika z ustawionym fokusem.

\n' + + '\n' + + '

Aby zamknąć otwarte menu, otwarte podmenu lub otwarte menu wyskakujące, naciśnij klawisz Esc.\n' + + '\n' + + '

Jeżeli fokus jest ustawiony na górze konkretnej sekcji interfejsu użytkownika, naciśnięcie klawisza Esc powoduje wyjście\n' + + ' z nawigacji przy użyciu klawiatury.

\n' + + '\n' + + '

Wykonanie elementu menu lub przycisku paska narzędzi

\n' + + '\n' + + '

Gdy podświetlony jest żądany element menu lub przycisk paska narzędzi, naciśnij klawisz Return, Enter\n' + + ' lub Spacja, aby go wykonać.\n' + + '\n' + + '

Nawigacja po oknie dialogowym bez kart

\n' + + '\n' + + '

Gdy otwiera się okno dialogowe bez kart, fokus ustawiany jest na pierwszą interaktywną część okna.

\n' + + '\n' + + '

Pomiędzy interaktywnymi częściami okna dialogowego nawiguj, naciskając klawisze Tab lub Shift+Tab.

\n' + + '\n' + + '

Nawigacja po oknie dialogowym z kartami

\n' + + '\n' + + '

W przypadku okna dialogowego z kartami po otwarciu okna dialogowego fokus ustawiany jest na pierwszy przycisk w menu karty.

\n' + + '\n' + + '

Nawigację pomiędzy interaktywnymi częściami karty okna dialogowego prowadzi się poprzez naciskanie klawiszy Tab lub\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Przełączenie się na inną kartę okna dialogowego wykonuje się poprzez ustawienie fokusu na menu karty i naciśnięcie odpowiedniego klawisza strzałki\n' + + ' w celu przemieszczenia się pomiędzy dostępnymi kartami.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/pt_BR.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/pt_BR.js new file mode 100644 index 00000000..dea9abf9 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/pt_BR.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.pt_BR', +'

Iniciar navegação pelo teclado

\n' + + '\n' + + '
\n' + + '
Foco na barra de menus
\n' + + '
Windows ou Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Foco na barra de ferramentas
\n' + + '
Windows ou Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Foco no rodapé
\n' + + '
Windows ou Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Foco na barra de ferramentas contextual
\n' + + '
Windows, Linux ou macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

A navegação inicia no primeiro item da IU, que será destacado ou sublinhado no caso do primeiro item no\n' + + ' caminho do elemento Rodapé.

\n' + + '\n' + + '

Navegar entre seções da IU

\n' + + '\n' + + '

Para ir de uma seção da IU para a seguinte, pressione Tab.

\n' + + '\n' + + '

Para ir de uma seção da IU para a anterior, pressione Shift+Tab.

\n' + + '\n' + + '

A ordem de Tab destas seções da IU é:\n' + + '\n' + + '

    \n' + + '
  1. Barra de menus
  2. \n' + + '
  3. Cada grupo da barra de ferramentas
  4. \n' + + '
  5. Barra lateral
  6. \n' + + '
  7. Caminho do elemento no rodapé
  8. \n' + + '
  9. Botão de alternar contagem de palavras no rodapé
  10. \n' + + '
  11. Link da marca no rodapé
  12. \n' + + '
  13. Alça de redimensionamento do editor no rodapé
  14. \n' + + '
\n' + + '\n' + + '

Se não houver uma seção da IU, ela será pulada.

\n' + + '\n' + + '

Se o rodapé tiver o foco da navegação pelo teclado e não houver uma barra lateral visível, pressionar Shift+Tab\n' + + ' move o foco para o primeiro grupo da barra de ferramentas, não para o último.\n' + + '\n' + + '

Navegar dentro das seções da IU

\n' + + '\n' + + '

Para ir de um elemento da IU para o seguinte, pressione a Seta correspondente.

\n' + + '\n' + + '

As teclas de seta Esquerda e Direita

\n' + + '\n' + + '
    \n' + + '
  • movem entre menus na barra de menus.
  • \n' + + '
  • abrem um submenu em um menu.
  • \n' + + '
  • movem entre botões em um grupo da barra de ferramentas.
  • \n' + + '
  • movem entre itens no caminho do elemento do rodapé.
  • \n' + + '
\n' + + '\n' + + '

As teclas de seta Abaixo e Acima\n' + + '\n' + + '

    \n' + + '
  • movem entre itens de menu em um menu.
  • \n' + + '
  • movem entre itens em um menu suspenso da barra de ferramentas.
  • \n' + + '
\n' + + '\n' + + '

As teclas de Seta alternam dentre a seção da IU em foco.

\n' + + '\n' + + '

Para fechar um menu aberto, um submenu aberto ou um menu suspenso aberto, pressione Esc.\n' + + '\n' + + '

Se o foco atual estiver no ‘alto’ de determinada seção da IU, pressionar Esc também sai\n' + + ' totalmente da navegação pelo teclado.

\n' + + '\n' + + '

Executar um item de menu ou botão da barra de ferramentas

\n' + + '\n' + + '

Com o item de menu ou botão da barra de ferramentas desejado destacado, pressione Return, Enter,\n' + + ' ou a Barra de espaço para executar o item.\n' + + '\n' + + '

Navegar por caixas de diálogo sem guias

\n' + + '\n' + + '

Em caixas de diálogo sem guias, o primeiro componente interativo recebe o foco quando a caixa de diálogo abre.

\n' + + '\n' + + '

Navegue entre componentes interativos de caixa de diálogo pressionando Tab ou Shift+Tab.

\n' + + '\n' + + '

Navegar por caixas de diálogo com guias

\n' + + '\n' + + '

Em caixas de diálogo com guias, o primeiro botão no menu da guia recebe o foco quando a caixa de diálogo abre.

\n' + + '\n' + + '

Navegue entre componentes interativos dessa guia da caixa de diálogo pressionando Tab ou\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Alterne para outra guia da caixa de diálogo colocando o foco no menu da guia e pressionando a Seta\n' + + ' adequada para percorrer as guias disponíveis.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/pt_PT.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/pt_PT.js new file mode 100644 index 00000000..b41bacdf --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/pt_PT.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.pt_PT', +'

Iniciar navegação com teclado

\n' + + '\n' + + '
\n' + + '
Foco na barra de menu
\n' + + '
Windows ou Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Foco na barra de ferramentas
\n' + + '
Windows ou Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Foco no rodapé
\n' + + '
Windows ou Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Foco numa barra de ferramentas contextual
\n' + + '
Windows, Linux ou macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

A navegação começará no primeiro item de IU, que estará realçado ou sublinhado, no caso do primeiro item no\n' + + ' caminho do elemento do rodapé.

\n' + + '\n' + + '

Navegar entre secções de IU

\n' + + '\n' + + '

Para se mover de uma secção de IU para a seguinte, prima Tab.

\n' + + '\n' + + '

Para se mover de uma secção de IU para a anterior, prima Shift+Tab.

\n' + + '\n' + + '

A ordem de tabulação destas secções de IU é:\n' + + '\n' + + '

    \n' + + '
  1. Barra de menu
  2. \n' + + '
  3. Cada grupo da barra de ferramentas
  4. \n' + + '
  5. Barra lateral
  6. \n' + + '
  7. Caminho do elemento no rodapé
  8. \n' + + '
  9. Botão de alternar da contagem de palavras no rodapé
  10. \n' + + '
  11. Ligação da marca no rodapé
  12. \n' + + '
  13. Alça de redimensionamento do editor no rodapé
  14. \n' + + '
\n' + + '\n' + + '

Se uma secção de IU não estiver presente, é ignorada.

\n' + + '\n' + + '

Se o rodapé tiver foco de navegação com teclado e não existir uma barra lateral visível, premir Shift+Tab\n' + + ' move o foco para o primeiro grupo da barra de ferramentas e não para o último.\n' + + '\n' + + '

Navegar nas secções de IU

\n' + + '\n' + + '

Para se mover de um elemento de IU para o seguinte, prima a tecla de seta adequada.

\n' + + '\n' + + '

As teclas de seta Para a esquerda e Para a direita

\n' + + '\n' + + '
    \n' + + '
  • movem-se entre menus na barra de menu.
  • \n' + + '
  • abrem um submenu num menu.
  • \n' + + '
  • movem-se entre botões num grupo da barra de ferramentas.
  • \n' + + '
  • movem-se entre itens no caminho do elemento do rodapé.
  • \n' + + '
\n' + + '\n' + + '

As teclas de seta Para cima e Para baixo\n' + + '\n' + + '

    \n' + + '
  • movem-se entre itens de menu num menu.
  • \n' + + '
  • movem-se entre itens num menu de pop-up da barra de ferramentas.
  • \n' + + '
\n' + + '\n' + + '

As teclas de seta deslocam-se ciclicamente na secção de IU em foco.

\n' + + '\n' + + '

Para fechar um menu aberto, um submenu aberto ou um menu de pop-up aberto, prima a tecla Esc.\n' + + '\n' + + '

Se o foco atual estiver no "topo" de determinada secção de IU, premir a tecla Esc também fecha\n' + + ' completamente a navegação com teclado.

\n' + + '\n' + + '

Executar um item de menu ou botão da barra de ferramentas

\n' + + '\n' + + '

Quando o item de menu ou o botão da barra de ferramentas pretendido estiver realçado, prima Retrocesso, Enter\n' + + ' ou a Barra de espaço para executar o item.\n' + + '\n' + + '

Navegar em diálogos sem separadores

\n' + + '\n' + + '

Nos diálogos sem separadores, o primeiro componente interativo fica em foco quando o diálogo abre.

\n' + + '\n' + + '

Navegue entre componentes interativos do diálogo, premindo Tab ou Shift+Tab.

\n' + + '\n' + + '

Navegar em diálogos com separadores

\n' + + '\n' + + '

Nos diálogos com separadores, o primeiro botão no menu do separador fica em foco quando o diálogo abre.

\n' + + '\n' + + '

Navegue entre os componentes interativos deste separador do diálogo, premindo Tab ou\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Mude para outro separador do diálogo colocando o menu do separador em foco e, em seguida, premindo a tecla de seta\n' + + ' adequada para se deslocar ciclicamente pelos separadores disponíveis.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/ro.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/ro.js new file mode 100644 index 00000000..738be9db --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/ro.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.ro', +'

Începeți navigarea de la tastatură

\n' + + '\n' + + '
\n' + + '
Focalizare pe bara de meniu
\n' + + '
Windows sau Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Focalizare pe bara de instrumente
\n' + + '
Windows sau Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Focalizare pe subsol
\n' + + '
Windows sau Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Focalizare pe o bară de instrumente contextuală
\n' + + '
Windows, Linux sau macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigarea va începe de la primul element al interfeței cu utilizatorul, care va fi evidențiat sau subliniat în cazul primului element din\n' + + ' calea elementului Subsol.

\n' + + '\n' + + '

Navigați între secțiunile interfeței cu utilizatorul

\n' + + '\n' + + '

Pentru a trece de la o secțiune a interfeței cu utilizatorul la alta, apăsați Tab.

\n' + + '\n' + + '

Pentru a trece de la o secțiune a interfeței cu utilizatorul la cea anterioară, apăsați Shift+Tab.

\n' + + '\n' + + '

Ordinea cu Tab a acestor secțiuni ale interfeței cu utilizatorul este următoarea:\n' + + '\n' + + '

    \n' + + '
  1. Bara de meniu
  2. \n' + + '
  3. Fiecare grup de bare de instrumente
  4. \n' + + '
  5. Bara laterală
  6. \n' + + '
  7. Calea elementului în subsol
  8. \n' + + '
  9. Buton de comutare a numărului de cuvinte în subsol
  10. \n' + + '
  11. Link de branding în subsol
  12. \n' + + '
  13. Mâner de redimensionare a editorului în subsol
  14. \n' + + '
\n' + + '\n' + + '

În cazul în care o secțiune a interfeței cu utilizatorul nu este prezentă, aceasta este omisă.

\n' + + '\n' + + '

În cazul în care subsolul are focalizarea navigației asupra tastaturii și nu există o bară laterală vizibilă, apăsarea butonului Shift+Tab\n' + + ' mută focalizarea pe primul grup de bare de instrumente, nu pe ultimul.\n' + + '\n' + + '

Navigați în secțiunile interfeței cu utilizatorul

\n' + + '\n' + + '

Pentru a trece de la un element de interfață cu utilizatorul la următorul, apăsați tasta cu săgeata corespunzătoare.

\n' + + '\n' + + '

Tastele cu săgeți către stânga și dreapta

\n' + + '\n' + + '
    \n' + + '
  • navighează între meniurile din bara de meniuri.
  • \n' + + '
  • deschid un sub-meniu dintr-un meniu.
  • \n' + + '
  • navighează între butoanele dintr-un grup de bare de instrumente.
  • \n' + + '
  • navighează între elementele din calea elementelor subsolului.
  • \n' + + '
\n' + + '\n' + + '

Tastele cu săgeți în sus și în jos\n' + + '\n' + + '

    \n' + + '
  • navighează între elementele de meniu dintr-un meniu.
  • \n' + + '
  • navighează între elementele unui meniu pop-up din bara de instrumente.
  • \n' + + '
\n' + + '\n' + + '

Tastele cu săgeți navighează în cadrul secțiunii interfeței cu utilizatorul asupra căreia se focalizează.

\n' + + '\n' + + '

Pentru a închide un meniu deschis, un sub-meniu deschis sau un meniu pop-up deschis, apăsați tasta Esc.\n' + + '\n' + + '

Dacă focalizarea curentă este asupra „părții superioare” a unei anumite secțiuni a interfeței cu utilizatorul, prin apăsarea tastei Esc se iese, de asemenea,\n' + + ' în întregime din navigarea de la tastatură.

\n' + + '\n' + + '

Executarea unui element de meniu sau a unui buton din bara de instrumente

\n' + + '\n' + + '

Atunci când elementul de meniu dorit sau butonul dorit din bara de instrumente este evidențiat, apăsați Return, Enter,\n' + + ' sau bara de spațiu pentru a executa elementul.\n' + + '\n' + + '

Navigarea de dialoguri fără file

\n' + + '\n' + + '

În dialogurile fără file, prima componentă interactivă beneficiază de focalizare la deschiderea dialogului.

\n' + + '\n' + + '

Navigați între componentele dialogului interactiv apăsând Tab sau Shift+Tab.

\n' + + '\n' + + '

Navigarea de dialoguri cu file

\n' + + '\n' + + '

În dialogurile cu file, primul buton din meniul cu file beneficiază de focalizare la deschiderea dialogului.

\n' + + '\n' + + '

Navigați între componentele interactive ale acestei file de dialog apăsând Tab sau\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Treceți la o altă filă de dialog focalizând asupra meniului cu file și apoi apăsând săgeata corespunzătoare\n' + + ' pentru a parcurge filele disponibile.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/ru.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/ru.js new file mode 100644 index 00000000..83ec76ef --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/ru.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.ru', +'

Начните управление с помощью клавиатуры

\n' + + '\n' + + '
\n' + + '
Фокус на панели меню
\n' + + '
Windows или Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Фокус на панели инструментов
\n' + + '
Windows или Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Фокус на нижнем колонтитуле
\n' + + '
Windows или Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Фокус на контекстной панели инструментов
\n' + + '
Windows, Linux или macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Первый доступный для управления элемент интерфейса будет выделен цветом или подчеркнут (если он находится\n' + + ' в пути элементов нижнего колонтитула).

\n' + + '\n' + + '

Переход между разделами пользовательского интерфейса

\n' + + '\n' + + '

Чтобы перейти из текущего раздела интерфейса в следующий, нажмите Tab.

\n' + + '\n' + + '

Чтобы перейти из текущего раздела интерфейса в предыдущий, нажмите Shift+Tab.

\n' + + '\n' + + '

Вкладки разделов интерфейса расположены в следующем порядке:\n' + + '\n' + + '

    \n' + + '
  1. Панель меню
  2. \n' + + '
  3. Группы панели инструментов
  4. \n' + + '
  5. Боковая панель
  6. \n' + + '
  7. Путь элементов нижнего колонтитула
  8. \n' + + '
  9. Подсчет слов/символов в нижнем колонтитуле
  10. \n' + + '
  11. Брендовая ссылка в нижнем колонтитуле
  12. \n' + + '
  13. Угол для изменения размера окна редактора
  14. \n' + + '
\n' + + '\n' + + '

Если раздел интерфейса отсутствует, он пропускается.

\n' + + '\n' + + '

Если при управлении с клавиатуры фокус находится на нижнем колонтитуле, а видимая боковая панель отсутствует, то при нажатии сочетания клавиш Shift+Tab\n' + + ' фокус переносится на первую группу панели инструментов, а не на последнюю.\n' + + '\n' + + '

Переход между элементами внутри разделов пользовательского интерфейса

\n' + + '\n' + + '

Чтобы перейти от текущего элемента интерфейса к следующему, нажмите соответствующую клавишу со стрелкой.

\n' + + '\n' + + '

Клавиши со стрелками влево и вправо позволяют

\n' + + '\n' + + '
    \n' + + '
  • перемещаться между разными меню в панели меню.
  • \n' + + '
  • открывать разделы меню.
  • \n' + + '
  • перемещаться между кнопками в группе панели инструментов.
  • \n' + + '
  • перемещаться между элементами в пути элементов нижнего колонтитула.
  • \n' + + '
\n' + + '\n' + + '

Клавиши со стрелками вниз и вверх позволяют\n' + + '\n' + + '

    \n' + + '
  • перемещаться между элементами одного меню.
  • \n' + + '
  • перемещаться между элементами всплывающего меню в панели инструментов.
  • \n' + + '
\n' + + '\n' + + '

При использовании клавиш со стрелками вы будете циклически перемещаться по элементам в пределах выбранного раздела интерфейса.

\n' + + '\n' + + '

Чтобы закрыть открытое меню, его раздел или всплывающее меню, нажмите клавишу Esc.\n' + + '\n' + + '

Если фокус находится наверху какого-либо раздела интерфейса, нажатие клавиши Esc также приведет\n' + + ' к выходу из режима управления с помощью клавиатуры.

\n' + + '\n' + + '

Использование элемента меню или кнопки на панели инструментов

\n' + + '\n' + + '

Когда элемент меню или кнопка панели инструментов будут выделены, нажмите Return, Enter\n' + + ' или Space, чтобы их активировать.\n' + + '\n' + + '

Управление в диалоговом окне без вкладок

\n' + + '\n' + + '

При открытии диалогового окна без вкладок фокус переносится на первый интерактивный компонент.

\n' + + '\n' + + '

Для перехода между интерактивными компонентами диалогового окна нажимайте Tab или Shift+Tab.

\n' + + '\n' + + '

Управление в диалоговом окне с вкладками

\n' + + '\n' + + '

При открытии диалогового окна с вкладками фокус переносится на первую кнопку в меню вкладок.

\n' + + '\n' + + '

Для перехода между интерактивными компонентами этой вкладки диалогового окна нажимайте Tab или\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Для перехода на другую вкладку диалогового окна переместите фокус на меню вкладок, а затем используйте клавиши со стрелками\n' + + ' для циклического переключения между доступными вкладками.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/sk.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/sk.js new file mode 100644 index 00000000..6ced7806 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/sk.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.sk', +'

Začíname s navigáciou pomocou klávesnice

\n' + + '\n' + + '
\n' + + '
Prejsť na panel s ponukami
\n' + + '
Windows alebo Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Prejsť na panel nástrojov
\n' + + '
Windows alebo Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Prejsť na pätičku
\n' + + '
Windows alebo Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Prejsť na kontextový panel nástrojov
\n' + + '
Windows, Linux alebo macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigácia začne pri prvej položke používateľského rozhrania, ktorá bude zvýraznená alebo v prípade prvej položky\n' + + ' cesty k pätičke podčiarknutá.

\n' + + '\n' + + '

Navigácia medzi časťami používateľského rozhrania

\n' + + '\n' + + '

Ak sa chcete posunúť z jednej časti používateľského rozhrania do druhej, stlačte tlačidlo Tab.

\n' + + '\n' + + '

Ak sa chcete posunúť z jednej časti používateľského rozhrania do predchádzajúcej, stlačte tlačidlá Shift + Tab.

\n' + + '\n' + + '

Poradie prepínania medzi týmito časťami používateľského rozhrania pri stláčaní tlačidla Tab:\n' + + '\n' + + '

    \n' + + '
  1. Panel s ponukou
  2. \n' + + '
  3. Každá skupina panela nástrojov
  4. \n' + + '
  5. Bočný panel
  6. \n' + + '
  7. Cesta k prvku v pätičke
  8. \n' + + '
  9. Prepínač počtu slov v pätičke
  10. \n' + + '
  11. Odkaz na informácie o značke v pätičke
  12. \n' + + '
  13. Úchyt na zmenu veľkosti editora v pätičke
  14. \n' + + '
\n' + + '\n' + + '

Ak nejaká časť používateľského rozhrania nie je prítomná, preskočí sa.

\n' + + '\n' + + '

Ak je pätička vybratá na navigáciu pomocou klávesnice a nie je viditeľný bočný panel, stlačením klávesov Shift+Tab\n' + + ' prejdete na prvú skupinu panela nástrojov, nie na poslednú.\n' + + '\n' + + '

Navigácia v rámci častí používateľského rozhrania

\n' + + '\n' + + '

Ak sa chcete posunúť z jedného prvku používateľského rozhrania na ďalší, stlačte príslušný kláves so šípkou.

\n' + + '\n' + + '

Klávesy so šípkami doľava a doprava

\n' + + '\n' + + '
    \n' + + '
  • umožňujú presun medzi ponukami na paneli ponúk,
  • \n' + + '
  • otvárajú podponuku v rámci ponuky,
  • \n' + + '
  • umožňujú presun medzi tlačidlami v skupine panelov nástrojov,
  • \n' + + '
  • umožňujú presun medzi položkami cesty prvku v pätičke.
  • \n' + + '
\n' + + '\n' + + '

Klávesy so šípkami dole a hore\n' + + '\n' + + '

    \n' + + '
  • umožňujú presun medzi položkami ponuky,
  • \n' + + '
  • umožňujú presun medzi položkami v kontextovej ponuke panela nástrojov.
  • \n' + + '
\n' + + '\n' + + '

Klávesy so šípkami vykonávajú prepínanie v rámci vybranej časti používateľského rozhrania.

\n' + + '\n' + + '

Ak chcete zatvoriť otvorenú ponuku, otvorenú podponuku alebo otvorenú kontextovú ponuku, stlačte kláves Esc.\n' + + '\n' + + '

Ak je aktuálne vybratá horná časť konkrétneho používateľského rozhrania, stlačením klávesu Esc úplne ukončíte tiež\n' + + ' navigáciu pomocou klávesnice.

\n' + + '\n' + + '

Vykonanie príkazu položky ponuky alebo tlačidla panela nástrojov

\n' + + '\n' + + '

Keď je zvýraznená požadovaná položka ponuky alebo tlačidlo panela nástrojov, stlačením klávesov Return, Enter\n' + + ' alebo medzerníka vykonáte príslušný príkaz položky.\n' + + '\n' + + '

Navigácia v dialógových oknách bez záložiek

\n' + + '\n' + + '

Pri otvorení dialógových okien bez záložiek prejdete na prvý interaktívny komponent.

\n' + + '\n' + + '

Medzi interaktívnymi dialógovými komponentmi môžete prechádzať stlačením klávesov Tab alebo Shift+Tab.

\n' + + '\n' + + '

Navigácia v dialógových oknách so záložkami

\n' + + '\n' + + '

Pri otvorení dialógových okien so záložkami prejdete na prvé tlačidlo v ponuke záložiek.

\n' + + '\n' + + '

Medzi interaktívnymi komponentmi tejto dialógovej záložky môžete prechádzať stlačením klávesov Tab alebo\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Ak chcete prepnúť na ďalšiu záložku dialógového okna, prejdite do ponuky záložiek a potom môžete stlačením príslušného klávesu so šípkou\n' + + ' prepínať medzi dostupnými záložkami.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/sl_SI.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/sl_SI.js new file mode 100644 index 00000000..11fddecd --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/sl_SI.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.sl_SI', +'

Začetek krmarjenja s tipkovnico

\n' + + '\n' + + '
\n' + + '
Fokus na menijsko vrstico
\n' + + '
Windows ali Linux: Alt + F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokus na orodno vrstico
\n' + + '
Windows ali Linux: Alt + F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokus na nogo
\n' + + '
Windows ali Linux: Alt + F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokus na kontekstualno orodno vrstico
\n' + + '
Windows, Linux ali macOS: Ctrl + F9\n' + + '
\n' + + '\n' + + '

Krmarjenje se bo začelo s prvim elementom uporabniškega vmesnika, ki bo izpostavljena ali podčrtan, če gre za prvi element na\n' + + ' poti do elementa noge.

\n' + + '\n' + + '

Krmarjenje med razdelki uporabniškega vmesnika

\n' + + '\n' + + '

Če se želite pomakniti z enega dela uporabniškega vmesnika na naslednjega, pritisnite tabulatorko.

\n' + + '\n' + + '

Če se želite pomakniti z enega dela uporabniškega vmesnika na prejšnjega, pritisnite shift + tabulatorko.

\n' + + '\n' + + '

Zaporedje teh razdelkov uporabniškega vmesnika, ko pritiskate tabulatorko, je:\n' + + '\n' + + '

    \n' + + '
  1. Menijska vrstica
  2. \n' + + '
  3. Posamezne skupine orodne vrstice
  4. \n' + + '
  5. Stranska vrstica
  6. \n' + + '
  7. Pod do elementa v nogi
  8. \n' + + '
  9. Gumb za preklop štetja besed v nogi
  10. \n' + + '
  11. Povezava do blagovne znamke v nogi
  12. \n' + + '
  13. Ročaj za spreminjanje velikosti urejevalnika v nogi
  14. \n' + + '
\n' + + '\n' + + '

Če razdelek uporabniškega vmesnika ni prisoten, je preskočen.

\n' + + '\n' + + '

Če ima noga fokus za krmarjenje s tipkovnico in ni vidne stranske vrstice, s pritiskom na shift + tabulatorko\n' + + ' fokus premaknete na prvo skupino orodne vrstice, ne zadnjo.\n' + + '\n' + + '

Krmarjenje v razdelkih uporabniškega vmesnika

\n' + + '\n' + + '

Če se želite premakniti z enega elementa uporabniškega vmesnika na naslednjega, pritisnite ustrezno puščično tipko.

\n' + + '\n' + + '

Leva in desna puščična tipka

\n' + + '\n' + + '
    \n' + + '
  • omogočata premikanje med meniji v menijski vrstici.
  • \n' + + '
  • odpreta podmeni v meniju.
  • \n' + + '
  • omogočata premikanje med gumbi v skupini orodne vrstice.
  • \n' + + '
  • omogočata premikanje med elementi na poti do elementov noge.
  • \n' + + '
\n' + + '\n' + + '

Spodnja in zgornja puščična tipka\n' + + '\n' + + '

    \n' + + '
  • omogočata premikanje med elementi menija.
  • \n' + + '
  • omogočata premikanje med elementi v pojavnem meniju orodne vrstice.
  • \n' + + '
\n' + + '\n' + + '

Puščične tipke omogočajo kroženje znotraj razdelka uporabniškega vmesnika, na katerem je fokus.

\n' + + '\n' + + '

Če želite zapreti odprt meni, podmeni ali pojavni meni, pritisnite tipko Esc.\n' + + '\n' + + '

Če je trenutni fokus na »vrhu« določenega razdelka uporabniškega vmesnika, s pritiskom tipke Esc zaprete\n' + + ' tudi celotno krmarjenje s tipkovnico.

\n' + + '\n' + + '

Izvajanje menijskega elementa ali gumba orodne vrstice

\n' + + '\n' + + '

Ko je označen želeni menijski element ali orodja vrstica, pritisnite vračalko, Enter\n' + + ' ali preslednico, da izvedete element.\n' + + '\n' + + '

Krmarjenje po pogovornih oknih brez zavihkov

\n' + + '\n' + + '

Ko odprete pogovorno okno brez zavihkov, ima fokus prva interaktivna komponenta.

\n' + + '\n' + + '

Med interaktivnimi komponentami pogovornega okna se premikate s pritiskom tabulatorke ali kombinacije tipke shift + tabulatorke.

\n' + + '\n' + + '

Krmarjenje po pogovornih oknih z zavihki

\n' + + '\n' + + '

Ko odprete pogovorno okno z zavihki, ima fokus prvi gumb v meniju zavihka.

\n' + + '\n' + + '

Med interaktivnimi komponentami tega zavihka pogovornega okna se premikate s pritiskom tabulatorke ali\n' + + ' kombinacije tipke shift + tabulatorke.

\n' + + '\n' + + '

Na drug zavihek pogovornega okna preklopite tako, da fokus prestavite na meni zavihka in nato pritisnete ustrezno puščično\n' + + ' tipko, da se pomaknete med razpoložljivimi zavihki.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/sv_SE.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/sv_SE.js new file mode 100644 index 00000000..d82bce61 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/sv_SE.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.sv_SE', +'

Påbörja tangentbordsnavigering

\n' + + '\n' + + '
\n' + + '
Fokusera på menyraden
\n' + + '
Windows eller Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Fokusera på verktygsraden
\n' + + '
Windows eller Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Fokusera på verktygsraden
\n' + + '
Windows eller Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Fokusera på en snabbverktygsrad
\n' + + '
Windows, Linux eller macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Navigeringen börjar vid det första gränssnittsobjektet, vilket är markerat eller understruket om det gäller det första objektet i\n' + + ' sidfotens elementsökväg.

\n' + + '\n' + + '

Navigera mellan UI-avsnitt

\n' + + '\n' + + '

Flytta från ett UI-avsnitt till nästa genom att trycka på Tabb.

\n' + + '\n' + + '

Flytta från ett UI-avsnitt till det föregående genom att trycka på Skift+Tabb.

\n' + + '\n' + + '

Tabb-ordningen för dessa UI-avsnitt är:\n' + + '\n' + + '

    \n' + + '
  1. Menyrad
  2. \n' + + '
  3. Varje verktygsradsgrupp
  4. \n' + + '
  5. Sidoruta
  6. \n' + + '
  7. Elementsökväg i sidfoten
  8. \n' + + '
  9. Växlingsknapp för ordantal i sidfoten
  10. \n' + + '
  11. Varumärkeslänk i sidfoten
  12. \n' + + '
  13. Storlekshandtag för redigeraren i sidfoten
  14. \n' + + '
\n' + + '\n' + + '

Om ett UI-avsnitt inte finns hoppas det över.

\n' + + '\n' + + '

Om sidfoten har fokus på tangentbordsnavigering, och det inte finns någon synlig sidoruta, flyttas fokus till den första verktygsradsgruppen\n' + + ' när du trycker på Skift+Tabb, inte till den sista.\n' + + '\n' + + '

Navigera i UI-avsnitt

\n' + + '\n' + + '

Flytta från ett UI-element till nästa genom att trycka på motsvarande piltangent.

\n' + + '\n' + + '

Vänsterpil och högerpil

\n' + + '\n' + + '
    \n' + + '
  • flytta mellan menyer på menyraden.
  • \n' + + '
  • öppna en undermeny på en meny.
  • \n' + + '
  • flytta mellan knappar i en verktygsradgrupp.
  • \n' + + '
  • flytta mellan objekt i sidfotens elementsökväg.
  • \n' + + '
\n' + + '\n' + + '

Nedpil och uppil\n' + + '\n' + + '

    \n' + + '
  • flytta mellan menyalternativ på en meny.
  • \n' + + '
  • flytta mellan alternativ på en popup-meny på verktygsraden.
  • \n' + + '
\n' + + '\n' + + '

Piltangenterna cirkulerar inom det fokuserade UI-avsnittet.

\n' + + '\n' + + '

Tryck på Esc-tangenten om du vill stänga en öppen meny, undermeny eller popup-meny.\n' + + '\n' + + '

Om det aktuella fokuset är högst upp i ett UI-avsnitt avlutas även tangentbordsnavigeringen helt när\n' + + ' du trycker på Esc-tangenten.

\n' + + '\n' + + '

Köra ett menyalternativ eller en verktygfältsknapp

\n' + + '\n' + + '

När menyalternativet eller verktygsradsknappen är markerad trycker du på Retur, Enter\n' + + ' eller blanksteg för att köra alternativet.\n' + + '\n' + + '

Navigera i dialogrutor utan flikar

\n' + + '\n' + + '

I dialogrutor utan flikar är den första interaktiva komponenten i fokus när dialogrutan öppnas.

\n' + + '\n' + + '

Navigera mellan interaktiva dialogkomponenter genom att trycka på Tabb eller Skift+Tabb.

\n' + + '\n' + + '

Navigera i dialogrutor med flikar

\n' + + '\n' + + '

I dialogrutor utan flikar är den första knappen på flikmenyn i fokus när dialogrutan öppnas.

\n' + + '\n' + + '

Navigera mellan interaktiva komponenter på dialogrutefliken genom att trycka på Tabb eller\n' + + ' Skift+Tabb.

\n' + + '\n' + + '

Växla till en annan dialogruta genom att fokusera på flikmenyn och sedan trycka på motsvarande piltangent\n' + + ' för att cirkulera mellan de tillgängliga flikarna.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/th_TH.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/th_TH.js new file mode 100644 index 00000000..240f7ddd --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/th_TH.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.th_TH', +'

เริ่มต้นการนำทางด้วยแป้นพิมพ์

\n' + + '\n' + + '
\n' + + '
โฟกัสที่แถบเมนู
\n' + + '
Windows หรือ Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
โฟกัสที่แถบเครื่องมือ
\n' + + '
Windows หรือ Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
โฟกัสที่ส่วนท้าย
\n' + + '
Windows หรือ Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
โฟกัสที่แถบเครื่องมือตามบริบท
\n' + + '
Windows, Linux หรือ macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

การนำทางจะเริ่มที่รายการ UI แรก ซึ่งจะมีการไฮไลต์หรือขีดเส้นใต้ไว้ในกรณีที่รายการแรกอยู่ใน\n' + + ' พาธองค์ประกอบส่วนท้าย

\n' + + '\n' + + '

การนำทางระหว่างส่วนต่างๆ ของ UI

\n' + + '\n' + + '

ในการย้ายจากส่วน UI หนึ่งไปยังส่วนถัดไป ให้กด Tab

\n' + + '\n' + + '

ในการย้ายจากส่วน UI หนึ่งไปยังส่วนก่อนหน้า ให้กด Shift+Tab

\n' + + '\n' + + '

ลำดับแท็บของส่วนต่างๆ ของ UI คือ:\n' + + '\n' + + '

    \n' + + '
  1. แถบเมนู
  2. \n' + + '
  3. แต่ละกลุ่มแถบเครื่องมือ
  4. \n' + + '
  5. แถบข้าง
  6. \n' + + '
  7. พาธองค์ประกอบในส่วนท้าย
  8. \n' + + '
  9. ปุ่มสลับเปิด/ปิดจำนวนคำในส่วนท้าย
  10. \n' + + '
  11. ลิงก์ชื่อแบรนด์ในส่วนท้าย
  12. \n' + + '
  13. จุดจับปรับขนาดของตัวแก้ไขในส่วนท้าย
  14. \n' + + '
\n' + + '\n' + + '

หากส่วน UI ไม่ปรากฏ แสดงว่าถูกข้ามไป

\n' + + '\n' + + '

หากส่วนท้ายมีการโฟกัสการนำทางแป้นพิมพ์และไม่มีแถบข้างปรากฏ การกด Shift+Tab\n' + + ' จะย้ายการโฟกัสไปที่กลุ่มแถบเครื่องมือแรก ไม่ใช่สุดท้าย\n' + + '\n' + + '

การนำทางภายในส่วนต่างๆ ของ UI

\n' + + '\n' + + '

ในการย้ายจากองค์ประกอบ UI หนึ่งไปยังองค์ประกอบส่วนถัดไป ให้กดปุ่มลูกศรที่เหมาะสม

\n' + + '\n' + + '

ปุ่มลูกศรซ้ายและขวา

\n' + + '\n' + + '
    \n' + + '
  • ย้ายไปมาระหว่างเมนูต่างๆ ในแถบเมนู
  • \n' + + '
  • เปิดเมนูย่อยในเมนู
  • \n' + + '
  • ย้ายไปมาระหว่างปุ่มต่างๆ ในกลุ่มแถบเครื่องมือ
  • \n' + + '
  • ย้ายไปมาระหว่างรายการต่างๆ ในพาธองค์ประกอบของส่วนท้าย
  • \n' + + '
\n' + + '\n' + + '

ปุ่มลูกศรลงและขึ้น\n' + + '\n' + + '

    \n' + + '
  • ย้ายไปมาระหว่างรายการเมนูต่างๆ ในเมนู
  • \n' + + '
  • ย้ายไปมาระหว่างรายการต่างๆ ในเมนูป๊อบอัพแถบเครื่องมือ
  • \n' + + '
\n' + + '\n' + + '

ปุ่มลูกศรจะเลื่อนไปมาภายในส่วน UI ที่โฟกัส

\n' + + '\n' + + '

ในการปิดเมนูที่เปิดอยู่ เมนูย่อยที่เปิดอยู่ หรือเมนูป๊อบอัพที่เปิดอยู่ ให้กดปุ่ม Esc\n' + + '\n' + + '

หากโฟกัสปัจจุบันอยู่ที่ ‘ด้านบนสุด’ ของส่วน UI เฉพาะ การกดปุ่ม Esc จะทำให้ออกจาก\n' + + ' การนำทางด้วยแป้นพิมพ์ทั้งหมดเช่นกัน

\n' + + '\n' + + '

การดำเนินการรายการเมนูหรือปุ่มในแถบเครื่องมือ

\n' + + '\n' + + '

เมื่อไฮไลต์รายการเมนูหรือปุ่มในแถบเครื่องมือที่ต้องการ ให้กด Return, Enter\n' + + ' หรือ Space bar เพื่อดำเนินการรายการดังกล่าว\n' + + '\n' + + '

การนำทางสำหรับกล่องโต้ตอบที่ไม่อยู่ในแท็บ

\n' + + '\n' + + '

ในกล่องโต้ตอบที่ไม่อยู่ในแท็บ จะโฟกัสที่ส่วนประกอบเชิงโต้ตอบแรกเมื่อกล่องโต้ตอบเปิด

\n' + + '\n' + + '

นำทางระหว่างส่วนประกอบเชิงโต้ตอบต่างๆ ของกล่องโต้ตอบ โดยการกด Tab หรือ Shift+Tab

\n' + + '\n' + + '

การนำทางสำหรับกล่องโต้ตอบที่อยู่ในแท็บ

\n' + + '\n' + + '

ในกล่องโต้ตอบที่อยู่ในแท็บ จะโฟกัสที่ปุ่มแรกในเมนูแท็บเมื่อกล่องโต้ตอบเปิด

\n' + + '\n' + + '

นำทางระหว่างส่วนประกอบเชิงโต้ตอบต่างๆ ของแท็บกล่องโต้ตอบนี้โดยการกด Tab หรือ\n' + + ' Shift+Tab

\n' + + '\n' + + '

สลับไปยังแท็บกล่องโต้ตอบอื่นโดยการเลือกโฟกัสที่เมนูแท็บ แล้วกดปุ่มลูกศรที่เหมาะสม\n' + + ' เพื่อเลือกแท็บที่ใช้ได้

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/tr.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/tr.js new file mode 100644 index 00000000..87e88854 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/tr.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.tr', +'

Klavyeyle gezintiyi başlatma

\n' + + '\n' + + '
\n' + + '
Menü çubuğuna odaklan
\n' + + '
Windows veya Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Araç çubuğuna odaklan
\n' + + '
Windows veya Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Alt bilgiye odaklan
\n' + + '
Windows veya Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Bağlamsal araç çubuğuna odaklan
\n' + + '
Windows, Linux veya macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Gezinti ilk kullanıcı arabirimi öğesinden başlar, bu öğe vurgulanır ya da ilk öğe, Alt bilgi elemanı\n' + + ' yolundaysa altı çizilir.

\n' + + '\n' + + '

Kullanıcı arabirimi bölümleri arasında gezinme

\n' + + '\n' + + '

Sonraki kullanıcı arabirimi bölümüne gitmek için Sekme tuşuna basın.

\n' + + '\n' + + '

Önceki kullanıcı arabirimi bölümüne gitmek için Shift+Sekme tuşlarına basın.

\n' + + '\n' + + '

Bu kullanıcı arabirimi bölümlerinin Sekme sırası:\n' + + '\n' + + '

    \n' + + '
  1. Menü çubuğu
  2. \n' + + '
  3. Her araç çubuğu grubu
  4. \n' + + '
  5. Kenar çubuğu
  6. \n' + + '
  7. Alt bilgide öğe yolu
  8. \n' + + '
  9. Alt bilgide sözcük sayısı geçiş düğmesi
  10. \n' + + '
  11. Alt bilgide marka bağlantısı
  12. \n' + + '
  13. Alt bilgide düzenleyiciyi yeniden boyutlandırma tutamacı
  14. \n' + + '
\n' + + '\n' + + '

Kullanıcı arabirimi bölümü yoksa atlanır.

\n' + + '\n' + + '

Alt bilgide klavyeyle gezinti odağı yoksa ve görünür bir kenar çubuğu mevcut değilse Shift+Sekme tuşlarına basıldığında\n' + + ' odak son araç çubuğu yerine ilk araç çubuğu grubuna taşınır.\n' + + '\n' + + '

Kullanıcı arabirimi bölümleri içinde gezinme

\n' + + '\n' + + '

Sonraki kullanıcı arabirimi elemanına gitmek için uygun Ok tuşuna basın.

\n' + + '\n' + + '

Sol ve Sağ ok tuşları

\n' + + '\n' + + '
    \n' + + '
  • menü çubuğundaki menüler arasında hareket eder.
  • \n' + + '
  • menüde bir alt menü açar.
  • \n' + + '
  • araç çubuğu grubundaki düğmeler arasında hareket eder.
  • \n' + + '
  • alt bilginin öğe yolundaki öğeler arasında hareket eder.
  • \n' + + '
\n' + + '\n' + + '

Aşağı ve Yukarı ok tuşları\n' + + '\n' + + '

    \n' + + '
  • menüdeki menü öğeleri arasında hareket eder.
  • \n' + + '
  • araç çubuğu açılır menüsündeki öğeler arasında hareket eder.
  • \n' + + '
\n' + + '\n' + + '

Ok tuşları, odaklanılan kullanıcı arabirimi bölümü içinde döngüsel olarak hareket eder.

\n' + + '\n' + + '

Açık bir menüyü, açık bir alt menüyü veya açık bir açılır menüyü kapatmak için Esc tuşuna basın.\n' + + '\n' + + '

Geçerli odak belirli bir kullanıcı arabirimi bölümünün "üst" kısmındaysa Esc tuşuna basıldığında\n' + + ' klavyeyle gezintiden de tamamen çıkılır.

\n' + + '\n' + + '

Menü öğesini veya araç çubuğu düğmesini yürütme

\n' + + '\n' + + '

İstediğiniz menü öğesi veya araç çubuğu düğmesi vurgulandığında Return, Enter\n' + + ' veya Ara çubuğu tuşuna basın.\n' + + '\n' + + '

Sekme bulunmayan iletişim kutularında gezinme

\n' + + '\n' + + '

Sekme bulunmayan iletişim kutularında, iletişim kutusu açıldığında ilk etkileşimli bileşene odaklanılır.

\n' + + '\n' + + '

Etkileşimli iletişim kutusu bileşenleri arasında gezinmek için Sekme veya Shift+ Sekme tuşlarına basın.

\n' + + '\n' + + '

Sekmeli iletişim kutularında gezinme

\n' + + '\n' + + '

Sekmeli iletişim kutularında, iletişim kutusu açıldığında sekme menüsündeki ilk düğmeye odaklanılır.

\n' + + '\n' + + '

Bu iletişim kutusu sekmesinin etkileşimli bileşenleri arasında gezinmek için Sekme veya\n' + + ' Shift+Sekme tuşlarına basın.

\n' + + '\n' + + '

Mevcut sekmeler arasında geçiş yapmak için sekme menüsüne odaklanıp uygun Ok tuşuna basarak\n' + + ' başka bir iletişim kutusu sekmesine geçiş yapın.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/uk.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/uk.js new file mode 100644 index 00000000..5cd07444 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/uk.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.uk', +'

Початок роботи з навігацією за допомогою клавіатури

\n' + + '\n' + + '
\n' + + '
Фокус на рядок меню
\n' + + '
Windows або Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Фокус на панелі інструментів
\n' + + '
Windows або Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Фокус на розділі "Нижній колонтитул"
\n' + + '
Windows або Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Фокус на контекстній панелі інструментів
\n' + + '
Windows, Linux або macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Навігація почнеться з першого елемента інтерфейсу користувача, який буде виділено або підкреслено в разі, якщо перший елемент знаходиться в\n' + + ' шляху до елемента "Нижній колонтитул".

\n' + + '\n' + + '

Навігація між розділами інтерфейсу користувача

\n' + + '\n' + + '

Щоб перейти з одного розділу інтерфейсу користувача до наступного розділу, натисніть клавішу Tab.

\n' + + '\n' + + '

Щоб перейти з одного розділу інтерфейсу користувача до попереднього розділу, натисніть сполучення клавіш Shift+Tab.

\n' + + '\n' + + '

Порядок Вкладок цих розділів інтерфейсу користувача такий:\n' + + '\n' + + '

    \n' + + '
  1. Рядок меню
  2. \n' + + '
  3. Кожна група панелей інструментів
  4. \n' + + '
  5. Бічна панель
  6. \n' + + '
  7. Шлях до елементів у розділі "Нижній колонтитул"
  8. \n' + + '
  9. Кнопка перемикача "Кількість слів" у розділі "Нижній колонтитул"
  10. \n' + + '
  11. Посилання на брендинг у розділі "Нижній колонтитул"
  12. \n' + + '
  13. Маркер змінення розміру в розділі "Нижній колонтитул"
  14. \n' + + '
\n' + + '\n' + + '

Якщо розділ інтерфейсу користувача відсутній, він пропускається.

\n' + + '\n' + + '

Якщо фокус навігації клавіатури знаходиться на розділі "Нижній колонтитул", але користувач не бачить видиму бічну панель, натисніть Shift+Tab,\n' + + ' щоб перемістити фокус на першу групу панелі інструментів, а не на останню.\n' + + '\n' + + '

Навігація в межах розділів інтерфейсу користувача

\n' + + '\n' + + '

Щоб перейти з одного елементу інтерфейсу користувача до наступного, натисніть відповідну клавішу зі стрілкою.

\n' + + '\n' + + '

Клавіші зі стрілками Ліворуч і Праворуч

\n' + + '\n' + + '
    \n' + + '
  • переміщують між меню в рядку меню.
  • \n' + + '
  • відкривають вкладене меню в меню.
  • \n' + + '
  • переміщують користувача між кнопками в групі панелі інструментів.
  • \n' + + '
  • переміщують між елементами в шляху до елементів у розділі "Нижній колонтитул".
  • \n' + + '
\n' + + '\n' + + '

Клавіші зі стрілками Вниз і Вгору\n' + + '\n' + + '

    \n' + + '
  • переміщують між елементами меню в меню.
  • \n' + + '
  • переміщують між елементами в спливаючому меню панелі інструментів.
  • \n' + + '
\n' + + '\n' + + '

Клавіші зі стрілками переміщують фокус циклічно в межах розділу інтерфейсу користувача, на якому знаходиться фокус.

\n' + + '\n' + + '

Щоб закрити відкрите меню, відкрите вкладене меню або відкрите спливаюче меню, натисніть клавішу Esc.\n' + + '\n' + + '

Якщо поточний фокус знаходиться на верхньому рівні певного розділу інтерфейсу користувача, натискання клавіші Esc також виконує вихід\n' + + ' з навігації за допомогою клавіатури повністю.

\n' + + '\n' + + '

Виконання елементу меню або кнопки панелі інструментів

\n' + + '\n' + + '

Коли потрібний елемент меню або кнопку панелі інструментів виділено, натисніть клавіші Return, Enter,\n' + + ' або Пробіл, щоб виконати цей елемент.\n' + + '\n' + + '

Навігація по діалоговим вікнам без вкладок

\n' + + '\n' + + '

У діалогових вікнах без вкладок перший інтерактивний компонент приймає фокус, коли відкривається діалогове вікно.

\n' + + '\n' + + '

Переходьте між інтерактивними компонентами діалогового вікна, натискаючи клавіші Tab або Shift+Tab.

\n' + + '\n' + + '

Навігація по діалоговим вікнам з вкладками

\n' + + '\n' + + '

У діалогових вікнах із вкладками перша кнопка в меню вкладки приймає фокус, коли відкривається діалогове вікно.

\n' + + '\n' + + '

Переходьте між інтерактивними компонентами цієї вкладки діалогового вікна, натискаючи клавіші Tab або\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Щоб перейти на іншу вкладку діалогового вікна, перемістіть фокус на меню вкладки, а потім натисніть відповідну клавішу зі стрілкою,\n' + + ' щоб циклічно переходити по доступним вкладкам.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/vi.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/vi.js new file mode 100644 index 00000000..83d570d6 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/vi.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.vi', +'

Bắt đầu điều hướng bàn phím

\n' + + '\n' + + '
\n' + + '
Tập trung vào thanh menu
\n' + + '
Windows hoặc Linux: Alt+F9
\n' + + '
macOS: ⌥F9
\n' + + '
Tập trung vào thanh công cụ
\n' + + '
Windows hoặc Linux: Alt+F10
\n' + + '
macOS: ⌥F10
\n' + + '
Tập trung vào chân trang
\n' + + '
Windows hoặc Linux: Alt+F11
\n' + + '
macOS: ⌥F11
\n' + + '
Tập trung vào thanh công cụ ngữ cảnh
\n' + + '
Windows, Linux hoặc macOS: Ctrl+F9\n' + + '
\n' + + '\n' + + '

Điều hướng sẽ bắt đầu từ mục UI đầu tiên. Mục này sẽ được tô sáng hoặc có gạch dưới (nếu là mục đầu tiên trong\n' + + ' đường dẫn phần tử Chân trang).

\n' + + '\n' + + '

Di chuyển qua lại giữa các phần UI

\n' + + '\n' + + '

Để di chuyển từ một phần UI sang phần tiếp theo, ấn Tab.

\n' + + '\n' + + '

Để di chuyển từ một phần UI về phần trước đó, ấn Shift+Tab.

\n' + + '\n' + + '

Thứ tự Tab của các phần UI này như sau:\n' + + '\n' + + '

    \n' + + '
  1. Thanh menu
  2. \n' + + '
  3. Từng nhóm thanh công cụ
  4. \n' + + '
  5. Thanh bên
  6. \n' + + '
  7. Đường dẫn phần tử trong chân trang
  8. \n' + + '
  9. Nút chuyển đổi đếm chữ ở chân trang
  10. \n' + + '
  11. Liên kết thương hiệu ở chân trang
  12. \n' + + '
  13. Núm điều tác chỉnh kích cỡ trình soạn thảo ở chân trang
  14. \n' + + '
\n' + + '\n' + + '

Nếu người dùng không thấy một phần UI, thì có nghĩa phần đó bị bỏ qua.

\n' + + '\n' + + '

Nếu ở chân trang có tính năng tập trung điều hướng bàn phím, mà không có thanh bên nào hiện hữu, thao tác ấn Shift+Tab\n' + + ' sẽ chuyển hướng tập trung vào nhóm thanh công cụ đầu tiên, không phải cuối cùng.\n' + + '\n' + + '

Di chuyển qua lại trong các phần UI

\n' + + '\n' + + '

Để di chuyển từ một phần tử UI sang phần tiếp theo, ấn phím Mũi tên tương ứng cho phù hợp.

\n' + + '\n' + + '

Các phím mũi tên TráiPhải

\n' + + '\n' + + '
    \n' + + '
  • di chuyển giữa các menu trong thanh menu.
  • \n' + + '
  • mở menu phụ trong một menu.
  • \n' + + '
  • di chuyển giữa các nút trong nhóm thanh công cụ.
  • \n' + + '
  • di chuyển giữa các mục trong đường dẫn phần tử của chân trang.
  • \n' + + '
\n' + + '\n' + + '

Các phím mũi tên Hướng xuốngHướng lên\n' + + '\n' + + '

    \n' + + '
  • di chuyển giữa các mục menu trong menu.
  • \n' + + '
  • di chuyển giữa các mục trong menu thanh công cụ dạng bật lên.
  • \n' + + '
\n' + + '\n' + + '

Các phím mũi tên xoay vòng trong một phần UI tập trung.

\n' + + '\n' + + '

Để đóng một menu mở, một menu phụ đang mở, hoặc một menu dạng bật lên đang mở, hãy ấn phím Esc.\n' + + '\n' + + '

Nếu trọng tâm hiện tại là ở phần “đầu” của một phần UI cụ thể, thao tác ấn phím Esc cũng sẽ thoát\n' + + ' toàn bộ phần điều hướng bàn phím.

\n' + + '\n' + + '

Thực hiện chức năng của một mục menu hoặc nút thanh công cụ

\n' + + '\n' + + '

Khi mục menu hoặc nút thanh công cụ muốn dùng được tô sáng, hãy ấn Return, Enter,\n' + + ' hoặc Phím cách để thực hiện chức năng mục đó.\n' + + '\n' + + '

Điều hướng giữa các hộp thoại không có nhiều tab

\n' + + '\n' + + '

Trong các hộp thoại không có nhiều tab, khi hộp thoại mở ra, trọng tâm sẽ hướng vào thành phần tương tác đầu tiên.

\n' + + '\n' + + '

Di chuyển giữa các thành phần hộp thoại tương tác bằng cách ấn Tab hoặc Shift+Tab.

\n' + + '\n' + + '

Điều hướng giữa các hộp thoại có nhiều tab

\n' + + '\n' + + '

Trong các hộp thoại có nhiều tab, khi hộp thoại mở ra, trọng tâm sẽ hướng vào nút đầu tiên trong menu tab.

\n' + + '\n' + + '

Di chuyển giữa các thành phần tương tác của tab hộp thoại này bằng cách ấn Tab hoặc\n' + + ' Shift+Tab.

\n' + + '\n' + + '

Chuyển sang một tab hộp thoại khác bằng cách chuyển trọng tâm vào menu tab, rồi ấn phím Mũi tên phù hợp\n' + + ' để xoay vòng các tab hiện có.

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/zh_CN.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/zh_CN.js new file mode 100644 index 00000000..41fe62c3 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/zh_CN.js @@ -0,0 +1,84 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.zh_CN', +'

开始键盘导航

\n' + + '\n' + + '
\n' + + '
聚焦于菜单栏
\n' + + '
Windows 或 Linux:Alt+F9
\n' + + '
macOS:⌥F9
\n' + + '
聚焦于工具栏
\n' + + '
Windows 或 Linux:Alt+F10
\n' + + '
macOS:⌥F10
\n' + + '
聚焦于页脚
\n' + + '
Windows 或 Linux:Alt+F11
\n' + + '
macOS:⌥F11
\n' + + '
聚焦于上下文工具栏
\n' + + '
Windows、Linux 或 macOS:Ctrl+F9\n' + + '
\n' + + '\n' + + '

导航将在第一个 UI 项上开始,其中突出显示该项,或者对于页脚元素路径中的第一项,将为其添加下划线。

\n' + + '\n' + + '

在 UI 部分之间导航

\n' + + '\n' + + '

要从一个 UI 部分移至下一个,请按 Tab

\n' + + '\n' + + '

要从一个 UI 部分移至上一个,请按 Shift+Tab

\n' + + '\n' + + '

这些 UI 部分的 Tab 顺序为:\n' + + '\n' + + '

    \n' + + '
  1. 菜单栏
  2. \n' + + '
  3. 每个工具栏组
  4. \n' + + '
  5. 边栏
  6. \n' + + '
  7. 页脚中的元素路径
  8. \n' + + '
  9. 页脚中的字数切换按钮
  10. \n' + + '
  11. 页脚中的品牌链接
  12. \n' + + '
  13. 页脚中的编辑器调整大小图柄
  14. \n' + + '
\n' + + '\n' + + '

如果不存在某个 UI 部分,则跳过它。

\n' + + '\n' + + '

如果键盘导航焦点在页脚,并且没有可见的边栏,则按 Shift+Tab 将焦点移至第一个工具栏组而非最后一个。\n' + + '\n' + + '

在 UI 部分内导航

\n' + + '\n' + + '

要从一个 UI 元素移至下一个,请按相应的箭头键。

\n' + + '\n' + + '

箭头键

\n' + + '\n' + + '
    \n' + + '
  • 在菜单栏中的菜单之间移动。
  • \n' + + '
  • 打开菜单中的子菜单。
  • \n' + + '
  • 在工具栏组中的按钮之间移动。
  • \n' + + '
  • 在页脚的元素路径中的各项之间移动。
  • \n' + + '
\n' + + '\n' + + '

箭头键\n' + + '\n' + + '

    \n' + + '
  • 在菜单中的菜单项之间移动。
  • \n' + + '
  • 在工具栏弹出菜单中的各项之间移动。
  • \n' + + '
\n' + + '\n' + + '

箭头键在具有焦点的 UI 部分内循环。

\n' + + '\n' + + '

要关闭打开的菜单、打开的子菜单或打开的弹出菜单,请按 Esc 键。\n' + + '\n' + + '

如果当前的焦点在特定 UI 部分的“顶部”,则按 Esc 键还将完全退出键盘导航。

\n' + + '\n' + + '

执行菜单项或工具栏按钮

\n' + + '\n' + + '

当突出显示所需的菜单项或工具栏按钮时,按 ReturnEnter空格以执行该项。\n' + + '\n' + + '

在非标签页式对话框中导航

\n' + + '\n' + + '

在非标签页式对话框中,当对话框打开时,第一个交互组件获得焦点。

\n' + + '\n' + + '

通过按 TabShift+Tab,在交互对话框组件之间导航。

\n' + + '\n' + + '

在标签页式对话框中导航

\n' + + '\n' + + '

在标签页式对话框中,当对话框打开时,标签页菜单中的第一个按钮获得焦点。

\n' + + '\n' + + '

通过按 TabShift+Tab,在此对话框的交互组件之间导航。

\n' + + '\n' + + '

通过将焦点移至另一对话框标签页的菜单,然后按相应的箭头键以在可用的标签页间循环,从而切换到该对话框标签页。

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/js/i18n/keynav/zh_TW.js b/deform/static/tinymce/plugins/help/js/i18n/keynav/zh_TW.js new file mode 100644 index 00000000..26b3dd26 --- /dev/null +++ b/deform/static/tinymce/plugins/help/js/i18n/keynav/zh_TW.js @@ -0,0 +1,90 @@ +tinymce.Resource.add('tinymce.html-i18n.help-keynav.zh_TW', +'

開始鍵盤瀏覽

\n' + + '\n' + + '
\n' + + '
跳至功能表列
\n' + + '
Windows 或 Linux:Alt+F9
\n' + + '
macOS:⌥F9
\n' + + '
跳至工具列
\n' + + '
Windows 或 Linux:Alt+F10
\n' + + '
macOS:⌥F10
\n' + + '
跳至頁尾
\n' + + '
Windows 或 Linux:Alt+F11
\n' + + '
macOS:⌥F11
\n' + + '
跳至關聯式工具列
\n' + + '
Windows、Linux 或 macOS:Ctrl+F9\n' + + '
\n' + + '\n' + + '

瀏覽會從第一個 UI 項目開始,該項目會反白顯示,但如果是「頁尾」元素路徑的第一項,\n' + + ' 則加底線。

\n' + + '\n' + + '

在 UI 區段之間瀏覽

\n' + + '\n' + + '

從 UI 區段移至下一個,請按 Tab

\n' + + '\n' + + '

從 UI 區段移回上一個,請按 Shift+Tab

\n' + + '\n' + + '

這些 UI 區段的 Tab 順序如下:\n' + + '\n' + + '

    \n' + + '
  1. 功能表列
  2. \n' + + '
  3. 各個工具列群組
  4. \n' + + '
  5. 側邊欄
  6. \n' + + '
  7. 頁尾中的元素路徑
  8. \n' + + '
  9. 頁尾中字數切換按鈕
  10. \n' + + '
  11. 頁尾中的品牌連結
  12. \n' + + '
  13. 頁尾中編輯器調整大小控點
  14. \n' + + '
\n' + + '\n' + + '

如果 UI 區段未顯示,表示已略過該區段。

\n' + + '\n' + + '

如果鍵盤瀏覽跳至頁尾,但沒有顯示側邊欄,則按下 Shift+Tab\n' + + ' 會跳至第一個工具列群組,而不是最後一個。\n' + + '\n' + + '

在 UI 區段之內瀏覽

\n' + + '\n' + + '

在兩個 UI 元素之間移動,請按適當的方向鍵。

\n' + + '\n' + + '

向左向右方向鍵

\n' + + '\n' + + '
    \n' + + '
  • 在功能表列中的功能表之間移動。
  • \n' + + '
  • 開啟功能表中的子功能表。
  • \n' + + '
  • 在工具列群組中的按鈕之間移動。
  • \n' + + '
  • 在頁尾的元素路徑中項目之間移動。
  • \n' + + '
\n' + + '\n' + + '

向下向上方向鍵\n' + + '\n' + + '

    \n' + + '
  • 在功能表中的功能表項目之間移動。
  • \n' + + '
  • 在工具列快顯功能表中的項目之間移動。
  • \n' + + '
\n' + + '\n' + + '

方向鍵會在所跳至 UI 區段之內循環。

\n' + + '\n' + + '

若要關閉已開啟的功能表、已開啟的子功能表,或已開啟的快顯功能表,請按 Esc 鍵。\n' + + '\n' + + '

如果目前已跳至特定 UI 區段的「頂端」,則按 Esc 鍵也會結束\n' + + ' 整個鍵盤瀏覽。

\n' + + '\n' + + '

執行功能表列項目或工具列按鈕

\n' + + '\n' + + '

當想要的功能表項目或工具列按鈕已反白顯示時,按 ReturnEnter、\n' + + ' 或空白鍵即可執行該項目。\n' + + '\n' + + '

瀏覽非索引標籤式對話方塊

\n' + + '\n' + + '

在非索引標籤式對話方塊中,開啟對話方塊時會跳至第一個互動元件。

\n' + + '\n' + + '

TabShift+Tab 即可在互動式對話方塊元件之間瀏覽。

\n' + + '\n' + + '

瀏覽索引標籤式對話方塊

\n' + + '\n' + + '

在索引標籤式對話方塊中,開啟對話方塊時會跳至索引標籤式功能表中的第一個按鈕。

\n' + + '\n' + + '

若要在此對話方塊的互動式元件之間瀏覽,請按 Tab 或\n' + + ' Shift+Tab

\n' + + '\n' + + '

先跳至索引標籤式功能表,然後按適當的方向鍵,即可切換至另一個對話方塊索引標籤,\n' + + ' 以循環瀏覽可用的索引標籤。

\n'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/help/plugin.js b/deform/static/tinymce/plugins/help/plugin.js new file mode 100644 index 00000000..8546e1ff --- /dev/null +++ b/deform/static/tinymce/plugins/help/plugin.js @@ -0,0 +1,898 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + var global$4 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + let unique = 0; + const generate = prefix => { + const date = new Date(); + const time = date.getTime(); + const random = Math.floor(Math.random() * 1000000000); + unique++; + return prefix + '_' + random + unique + String(time); + }; + + const get$1 = customTabs => { + const addTab = spec => { + var _a; + const name = (_a = spec.name) !== null && _a !== void 0 ? _a : generate('tab-name'); + const currentCustomTabs = customTabs.get(); + currentCustomTabs[name] = spec; + customTabs.set(currentCustomTabs); + }; + return { addTab }; + }; + + const register$2 = (editor, dialogOpener) => { + editor.addCommand('mceHelp', dialogOpener); + }; + + const option = name => editor => editor.options.get(name); + const register$1 = editor => { + const registerOption = editor.options.register; + registerOption('help_tabs', { processor: 'array' }); + }; + const getHelpTabs = option('help_tabs'); + const getForcedPlugins = option('forced_plugins'); + + const register = (editor, dialogOpener) => { + editor.ui.registry.addButton('help', { + icon: 'help', + tooltip: 'Help', + onAction: dialogOpener + }); + editor.ui.registry.addMenuItem('help', { + text: 'Help', + icon: 'help', + shortcut: 'Alt+0', + onAction: dialogOpener + }); + }; + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const eq = t => a => t === a; + const isString = isType('string'); + const isUndefined = eq(undefined); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + + const constant = value => { + return () => { + return value; + }; + }; + const never = constant(false); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const nativeSlice = Array.prototype.slice; + const nativeIndexOf = Array.prototype.indexOf; + const rawIndexOf = (ts, t) => nativeIndexOf.call(ts, t); + const contains = (xs, x) => rawIndexOf(xs, x) > -1; + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const filter = (xs, pred) => { + const r = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + r.push(x); + } + } + return r; + }; + const findUntil = (xs, pred, until) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return Optional.some(x); + } else if (until(x, i)) { + break; + } + } + return Optional.none(); + }; + const find = (xs, pred) => { + return findUntil(xs, pred, never); + }; + const sort = (xs, comparator) => { + const copy = nativeSlice.call(xs, 0); + copy.sort(comparator); + return copy; + }; + + const keys = Object.keys; + const hasOwnProperty = Object.hasOwnProperty; + const get = (obj, key) => { + return has(obj, key) ? Optional.from(obj[key]) : Optional.none(); + }; + const has = (obj, key) => hasOwnProperty.call(obj, key); + + const cat = arr => { + const r = []; + const push = x => { + r.push(x); + }; + for (let i = 0; i < arr.length; i++) { + arr[i].each(push); + } + return r; + }; + + var global$3 = tinymce.util.Tools.resolve('tinymce.Resource'); + + var global$2 = tinymce.util.Tools.resolve('tinymce.util.I18n'); + + const pLoadHtmlByLangCode = (baseUrl, langCode) => global$3.load(`tinymce.html-i18n.help-keynav.${ langCode }`, `${ baseUrl }/js/i18n/keynav/${ langCode }.js`); + const pLoadI18nHtml = baseUrl => pLoadHtmlByLangCode(baseUrl, global$2.getCode()).catch(() => pLoadHtmlByLangCode(baseUrl, 'en')); + const initI18nLoad = (editor, baseUrl) => { + editor.on('init', () => { + pLoadI18nHtml(baseUrl); + }); + }; + + const pTab = async pluginUrl => { + const body = { + type: 'htmlpanel', + presets: 'document', + html: await pLoadI18nHtml(pluginUrl) + }; + return { + name: 'keyboardnav', + title: 'Keyboard Navigation', + items: [body] + }; + }; + + var global$1 = tinymce.util.Tools.resolve('tinymce.Env'); + + const convertText = source => { + const isMac = global$1.os.isMacOS() || global$1.os.isiOS(); + const mac = { + alt: '⌥', + ctrl: '⌃', + shift: '⇧', + meta: '⌘', + access: '⌃⌥' + }; + const other = { + meta: 'Ctrl ', + access: 'Shift + Alt ' + }; + const replace = isMac ? mac : other; + const shortcut = source.split('+'); + const updated = map(shortcut, segment => { + const search = segment.toLowerCase().trim(); + return has(replace, search) ? replace[search] : segment; + }); + return isMac ? updated.join('').replace(/\s/, '') : updated.join('+'); + }; + + const shortcuts = [ + { + shortcuts: ['Meta + B'], + action: 'Bold' + }, + { + shortcuts: ['Meta + I'], + action: 'Italic' + }, + { + shortcuts: ['Meta + U'], + action: 'Underline' + }, + { + shortcuts: ['Meta + A'], + action: 'Select all' + }, + { + shortcuts: [ + 'Meta + Y', + 'Meta + Shift + Z' + ], + action: 'Redo' + }, + { + shortcuts: ['Meta + Z'], + action: 'Undo' + }, + { + shortcuts: ['Access + 1'], + action: 'Heading 1' + }, + { + shortcuts: ['Access + 2'], + action: 'Heading 2' + }, + { + shortcuts: ['Access + 3'], + action: 'Heading 3' + }, + { + shortcuts: ['Access + 4'], + action: 'Heading 4' + }, + { + shortcuts: ['Access + 5'], + action: 'Heading 5' + }, + { + shortcuts: ['Access + 6'], + action: 'Heading 6' + }, + { + shortcuts: ['Access + 7'], + action: 'Paragraph' + }, + { + shortcuts: ['Access + 8'], + action: 'Div' + }, + { + shortcuts: ['Access + 9'], + action: 'Address' + }, + { + shortcuts: ['Alt + 0'], + action: 'Open help dialog' + }, + { + shortcuts: ['Alt + F9'], + action: 'Focus to menubar' + }, + { + shortcuts: ['Alt + F10'], + action: 'Focus to toolbar' + }, + { + shortcuts: ['Alt + F11'], + action: 'Focus to element path' + }, + { + shortcuts: ['Ctrl + F9'], + action: 'Focus to contextual toolbar' + }, + { + shortcuts: ['Shift + Enter'], + action: 'Open popup menu for split buttons' + }, + { + shortcuts: ['Meta + K'], + action: 'Insert link (if link plugin activated)' + }, + { + shortcuts: ['Meta + S'], + action: 'Save (if save plugin activated)' + }, + { + shortcuts: ['Meta + F'], + action: 'Find (if searchreplace plugin activated)' + }, + { + shortcuts: ['Meta + Shift + F'], + action: 'Switch to or from fullscreen mode' + } + ]; + + const tab$2 = () => { + const shortcutList = map(shortcuts, shortcut => { + const shortcutText = map(shortcut.shortcuts, convertText).join(' or '); + return [ + shortcut.action, + shortcutText + ]; + }); + const tablePanel = { + type: 'table', + header: [ + 'Action', + 'Shortcut' + ], + cells: shortcutList + }; + return { + name: 'shortcuts', + title: 'Handy Shortcuts', + items: [tablePanel] + }; + }; + + const urls = map([ + { + key: 'accordion', + name: 'Accordion' + }, + { + key: 'advlist', + name: 'Advanced List' + }, + { + key: 'anchor', + name: 'Anchor' + }, + { + key: 'autolink', + name: 'Autolink' + }, + { + key: 'autoresize', + name: 'Autoresize' + }, + { + key: 'autosave', + name: 'Autosave' + }, + { + key: 'charmap', + name: 'Character Map' + }, + { + key: 'code', + name: 'Code' + }, + { + key: 'codesample', + name: 'Code Sample' + }, + { + key: 'colorpicker', + name: 'Color Picker' + }, + { + key: 'directionality', + name: 'Directionality' + }, + { + key: 'emoticons', + name: 'Emoticons' + }, + { + key: 'fullscreen', + name: 'Full Screen' + }, + { + key: 'help', + name: 'Help' + }, + { + key: 'image', + name: 'Image' + }, + { + key: 'importcss', + name: 'Import CSS' + }, + { + key: 'insertdatetime', + name: 'Insert Date/Time' + }, + { + key: 'link', + name: 'Link' + }, + { + key: 'lists', + name: 'Lists' + }, + { + key: 'media', + name: 'Media' + }, + { + key: 'nonbreaking', + name: 'Nonbreaking' + }, + { + key: 'pagebreak', + name: 'Page Break' + }, + { + key: 'preview', + name: 'Preview' + }, + { + key: 'quickbars', + name: 'Quick Toolbars' + }, + { + key: 'save', + name: 'Save' + }, + { + key: 'searchreplace', + name: 'Search and Replace' + }, + { + key: 'table', + name: 'Table' + }, + { + key: 'template', + name: 'Template' + }, + { + key: 'textcolor', + name: 'Text Color' + }, + { + key: 'visualblocks', + name: 'Visual Blocks' + }, + { + key: 'visualchars', + name: 'Visual Characters' + }, + { + key: 'wordcount', + name: 'Word Count' + }, + { + key: 'a11ychecker', + name: 'Accessibility Checker', + type: 'premium' + }, + { + key: 'advcode', + name: 'Advanced Code Editor', + type: 'premium' + }, + { + key: 'advtable', + name: 'Advanced Tables', + type: 'premium' + }, + { + key: 'advtemplate', + name: 'Advanced Templates', + type: 'premium', + slug: 'advanced-templates' + }, + { + key: 'ai', + name: 'AI Assistant', + type: 'premium' + }, + { + key: 'casechange', + name: 'Case Change', + type: 'premium' + }, + { + key: 'checklist', + name: 'Checklist', + type: 'premium' + }, + { + key: 'editimage', + name: 'Enhanced Image Editing', + type: 'premium' + }, + { + key: 'footnotes', + name: 'Footnotes', + type: 'premium' + }, + { + key: 'typography', + name: 'Advanced Typography', + type: 'premium', + slug: 'advanced-typography' + }, + { + key: 'mediaembed', + name: 'Enhanced Media Embed', + type: 'premium', + slug: 'introduction-to-mediaembed' + }, + { + key: 'export', + name: 'Export', + type: 'premium' + }, + { + key: 'formatpainter', + name: 'Format Painter', + type: 'premium' + }, + { + key: 'inlinecss', + name: 'Inline CSS', + type: 'premium', + slug: 'inline-css' + }, + { + key: 'linkchecker', + name: 'Link Checker', + type: 'premium' + }, + { + key: 'mentions', + name: 'Mentions', + type: 'premium' + }, + { + key: 'mergetags', + name: 'Merge Tags', + type: 'premium' + }, + { + key: 'pageembed', + name: 'Page Embed', + type: 'premium' + }, + { + key: 'permanentpen', + name: 'Permanent Pen', + type: 'premium' + }, + { + key: 'powerpaste', + name: 'PowerPaste', + type: 'premium', + slug: 'introduction-to-powerpaste' + }, + { + key: 'rtc', + name: 'Real-Time Collaboration', + type: 'premium', + slug: 'rtc-introduction' + }, + { + key: 'tinymcespellchecker', + name: 'Spell Checker Pro', + type: 'premium', + slug: 'introduction-to-tiny-spellchecker' + }, + { + key: 'autocorrect', + name: 'Spelling Autocorrect', + type: 'premium' + }, + { + key: 'tableofcontents', + name: 'Table of Contents', + type: 'premium' + }, + { + key: 'tinycomments', + name: 'Tiny Comments', + type: 'premium', + slug: 'introduction-to-tiny-comments' + }, + { + key: 'tinydrive', + name: 'Tiny Drive', + type: 'premium', + slug: 'tinydrive-introduction' + } + ], item => ({ + ...item, + type: item.type || 'opensource', + slug: item.slug || item.key + })); + + const tab$1 = editor => { + const availablePlugins = () => { + const premiumPlugins = filter(urls, ({type}) => { + return type === 'premium'; + }); + const sortedPremiumPlugins = sort(map(premiumPlugins, p => p.name), (s1, s2) => s1.localeCompare(s2)); + const premiumPluginList = map(sortedPremiumPlugins, pluginName => `
  • ${ pluginName }
  • `).join(''); + return '
    ' + '

    ' + global$2.translate('Premium plugins:') + '

    ' + '' + '
    '; + }; + const makeLink = p => `${ p.name }`; + const identifyUnknownPlugin = (editor, key) => { + const getMetadata = editor.plugins[key].getMetadata; + if (isFunction(getMetadata)) { + const metadata = getMetadata(); + return { + name: metadata.name, + html: makeLink(metadata) + }; + } else { + return { + name: key, + html: key + }; + } + }; + const getPluginData = (editor, key) => find(urls, x => { + return x.key === key; + }).fold(() => { + return identifyUnknownPlugin(editor, key); + }, x => { + const name = x.type === 'premium' ? `${ x.name }*` : x.name; + const html = makeLink({ + name, + url: `https://www.tiny.cloud/docs/tinymce/6/${ x.slug }/` + }); + return { + name, + html + }; + }); + const getPluginKeys = editor => { + const keys$1 = keys(editor.plugins); + const forcedPlugins = getForcedPlugins(editor); + return isUndefined(forcedPlugins) ? keys$1 : filter(keys$1, k => !contains(forcedPlugins, k)); + }; + const pluginLister = editor => { + const pluginKeys = getPluginKeys(editor); + const sortedPluginData = sort(map(pluginKeys, k => getPluginData(editor, k)), (pd1, pd2) => pd1.name.localeCompare(pd2.name)); + const pluginLis = map(sortedPluginData, key => { + return '
  • ' + key.html + '
  • '; + }); + const count = pluginLis.length; + const pluginsString = pluginLis.join(''); + const html = '

    ' + global$2.translate([ + 'Plugins installed ({0}):', + count + ]) + '

    ' + '
      ' + pluginsString + '
    '; + return html; + }; + const installedPlugins = editor => { + if (editor == null) { + return ''; + } + return '
    ' + pluginLister(editor) + '
    '; + }; + const htmlPanel = { + type: 'htmlpanel', + presets: 'document', + html: [ + installedPlugins(editor), + availablePlugins() + ].join('') + }; + return { + name: 'plugins', + title: 'Plugins', + items: [htmlPanel] + }; + }; + + var global = tinymce.util.Tools.resolve('tinymce.EditorManager'); + + const tab = () => { + const getVersion = (major, minor) => major.indexOf('@') === 0 ? 'X.X.X' : major + '.' + minor; + const version = getVersion(global.majorVersion, global.minorVersion); + const changeLogLink = 'TinyMCE ' + version + ''; + const htmlPanel = { + type: 'htmlpanel', + html: '

    ' + global$2.translate([ + 'You are using {0}', + changeLogLink + ]) + '

    ', + presets: 'document' + }; + return { + name: 'versions', + title: 'Version', + items: [htmlPanel] + }; + }; + + const parseHelpTabsSetting = (tabsFromSettings, tabs) => { + const newTabs = {}; + const names = map(tabsFromSettings, t => { + var _a; + if (isString(t)) { + if (has(tabs, t)) { + newTabs[t] = tabs[t]; + } + return t; + } else { + const name = (_a = t.name) !== null && _a !== void 0 ? _a : generate('tab-name'); + newTabs[name] = t; + return name; + } + }); + return { + tabs: newTabs, + names + }; + }; + const getNamesFromTabs = tabs => { + const names = keys(tabs); + const idx = names.indexOf('versions'); + if (idx !== -1) { + names.splice(idx, 1); + names.push('versions'); + } + return { + tabs, + names + }; + }; + const pParseCustomTabs = async (editor, customTabs, pluginUrl) => { + const shortcuts = tab$2(); + const nav = await pTab(pluginUrl); + const plugins = tab$1(editor); + const versions = tab(); + const tabs = { + [shortcuts.name]: shortcuts, + [nav.name]: nav, + [plugins.name]: plugins, + [versions.name]: versions, + ...customTabs.get() + }; + return Optional.from(getHelpTabs(editor)).fold(() => getNamesFromTabs(tabs), tabsFromSettings => parseHelpTabsSetting(tabsFromSettings, tabs)); + }; + const init = (editor, customTabs, pluginUrl) => () => { + pParseCustomTabs(editor, customTabs, pluginUrl).then(({tabs, names}) => { + const foundTabs = map(names, name => get(tabs, name)); + const dialogTabs = cat(foundTabs); + const body = { + type: 'tabpanel', + tabs: dialogTabs + }; + editor.windowManager.open({ + title: 'Help', + size: 'medium', + body, + buttons: [{ + type: 'cancel', + name: 'close', + text: 'Close', + primary: true + }], + initialData: {} + }); + }); + }; + + var Plugin = () => { + global$4.add('help', (editor, pluginUrl) => { + const customTabs = Cell({}); + const api = get$1(customTabs); + register$1(editor); + const dialogOpener = init(editor, customTabs, pluginUrl); + register(editor, dialogOpener); + register$2(editor, dialogOpener); + editor.shortcuts.add('Alt+0', 'Open help dialog', 'mceHelp'); + initI18nLoad(editor, pluginUrl); + return api; + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/help/plugin.min.js b/deform/static/tinymce/plugins/help/plugin.min.js new file mode 100644 index 00000000..32c66357 --- /dev/null +++ b/deform/static/tinymce/plugins/help/plugin.min.js @@ -0,0 +1,4 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");let t=0;const n=e=>{const n=(new Date).getTime(),a=Math.floor(1e9*Math.random());return t++,e+"_"+a+t+String(n)},a=e=>t=>t.options.get(e),r=a("help_tabs"),o=a("forced_plugins"),i=("string",e=>"string"===(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(n=a=e,(r=String).prototype.isPrototypeOf(n)||(null===(o=a.constructor)||void 0===o?void 0:o.name)===r.name)?"string":t;var n,a,r,o})(e));const s=(void 0,e=>undefined===e);const l=e=>"function"==typeof e,c=(!1,()=>false);class m{constructor(e,t){this.tag=e,this.value=t}static some(e){return new m(!0,e)}static none(){return m.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?m.some(e(this.value)):m.none()}bind(e){return this.tag?e(this.value):m.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:m.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return null==e?m.none():m.some(e)}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}m.singletonNone=new m(!1);const u=Array.prototype.slice,p=Array.prototype.indexOf,y=(e,t)=>{const n=e.length,a=new Array(n);for(let r=0;r{const n=[];for(let a=0,r=e.length;a{const n=u.call(e,0);return n.sort(t),n},g=Object.keys,k=Object.hasOwnProperty,v=(e,t)=>k.call(e,t);var b=tinymce.util.Tools.resolve("tinymce.Resource"),f=tinymce.util.Tools.resolve("tinymce.util.I18n");const A=(e,t)=>b.load(`tinymce.html-i18n.help-keynav.${t}`,`${e}/js/i18n/keynav/${t}.js`),C=e=>A(e,f.getCode()).catch((()=>A(e,"en")));var w=tinymce.util.Tools.resolve("tinymce.Env");const S=e=>{const t=w.os.isMacOS()||w.os.isiOS(),n=t?{alt:"⌥",ctrl:"⌃",shift:"⇧",meta:"⌘",access:"⌃⌥"}:{meta:"Ctrl ",access:"Shift + Alt "},a=e.split("+"),r=y(a,(e=>{const t=e.toLowerCase().trim();return v(n,t)?n[t]:e}));return t?r.join("").replace(/\s/,""):r.join("+")},M=[{shortcuts:["Meta + B"],action:"Bold"},{shortcuts:["Meta + I"],action:"Italic"},{shortcuts:["Meta + U"],action:"Underline"},{shortcuts:["Meta + A"],action:"Select all"},{shortcuts:["Meta + Y","Meta + Shift + Z"],action:"Redo"},{shortcuts:["Meta + Z"],action:"Undo"},{shortcuts:["Access + 1"],action:"Heading 1"},{shortcuts:["Access + 2"],action:"Heading 2"},{shortcuts:["Access + 3"],action:"Heading 3"},{shortcuts:["Access + 4"],action:"Heading 4"},{shortcuts:["Access + 5"],action:"Heading 5"},{shortcuts:["Access + 6"],action:"Heading 6"},{shortcuts:["Access + 7"],action:"Paragraph"},{shortcuts:["Access + 8"],action:"Div"},{shortcuts:["Access + 9"],action:"Address"},{shortcuts:["Alt + 0"],action:"Open help dialog"},{shortcuts:["Alt + F9"],action:"Focus to menubar"},{shortcuts:["Alt + F10"],action:"Focus to toolbar"},{shortcuts:["Alt + F11"],action:"Focus to element path"},{shortcuts:["Ctrl + F9"],action:"Focus to contextual toolbar"},{shortcuts:["Shift + Enter"],action:"Open popup menu for split buttons"},{shortcuts:["Meta + K"],action:"Insert link (if link plugin activated)"},{shortcuts:["Meta + S"],action:"Save (if save plugin activated)"},{shortcuts:["Meta + F"],action:"Find (if searchreplace plugin activated)"},{shortcuts:["Meta + Shift + F"],action:"Switch to or from fullscreen mode"}],T=()=>({name:"shortcuts",title:"Handy Shortcuts",items:[{type:"table",header:["Action","Shortcut"],cells:y(M,(e=>{const t=y(e.shortcuts,S).join(" or ");return[e.action,t]}))}]}),x=y([{key:"accordion",name:"Accordion"},{key:"advlist",name:"Advanced List"},{key:"anchor",name:"Anchor"},{key:"autolink",name:"Autolink"},{key:"autoresize",name:"Autoresize"},{key:"autosave",name:"Autosave"},{key:"charmap",name:"Character Map"},{key:"code",name:"Code"},{key:"codesample",name:"Code Sample"},{key:"colorpicker",name:"Color Picker"},{key:"directionality",name:"Directionality"},{key:"emoticons",name:"Emoticons"},{key:"fullscreen",name:"Full Screen"},{key:"help",name:"Help"},{key:"image",name:"Image"},{key:"importcss",name:"Import CSS"},{key:"insertdatetime",name:"Insert Date/Time"},{key:"link",name:"Link"},{key:"lists",name:"Lists"},{key:"media",name:"Media"},{key:"nonbreaking",name:"Nonbreaking"},{key:"pagebreak",name:"Page Break"},{key:"preview",name:"Preview"},{key:"quickbars",name:"Quick Toolbars"},{key:"save",name:"Save"},{key:"searchreplace",name:"Search and Replace"},{key:"table",name:"Table"},{key:"template",name:"Template"},{key:"textcolor",name:"Text Color"},{key:"visualblocks",name:"Visual Blocks"},{key:"visualchars",name:"Visual Characters"},{key:"wordcount",name:"Word Count"},{key:"a11ychecker",name:"Accessibility Checker",type:"premium"},{key:"advcode",name:"Advanced Code Editor",type:"premium"},{key:"advtable",name:"Advanced Tables",type:"premium"},{key:"advtemplate",name:"Advanced Templates",type:"premium",slug:"advanced-templates"},{key:"ai",name:"AI Assistant",type:"premium"},{key:"casechange",name:"Case Change",type:"premium"},{key:"checklist",name:"Checklist",type:"premium"},{key:"editimage",name:"Enhanced Image Editing",type:"premium"},{key:"footnotes",name:"Footnotes",type:"premium"},{key:"typography",name:"Advanced Typography",type:"premium",slug:"advanced-typography"},{key:"mediaembed",name:"Enhanced Media Embed",type:"premium",slug:"introduction-to-mediaembed"},{key:"export",name:"Export",type:"premium"},{key:"formatpainter",name:"Format Painter",type:"premium"},{key:"inlinecss",name:"Inline CSS",type:"premium",slug:"inline-css"},{key:"linkchecker",name:"Link Checker",type:"premium"},{key:"mentions",name:"Mentions",type:"premium"},{key:"mergetags",name:"Merge Tags",type:"premium"},{key:"pageembed",name:"Page Embed",type:"premium"},{key:"permanentpen",name:"Permanent Pen",type:"premium"},{key:"powerpaste",name:"PowerPaste",type:"premium",slug:"introduction-to-powerpaste"},{key:"rtc",name:"Real-Time Collaboration",type:"premium",slug:"rtc-introduction"},{key:"tinymcespellchecker",name:"Spell Checker Pro",type:"premium",slug:"introduction-to-tiny-spellchecker"},{key:"autocorrect",name:"Spelling Autocorrect",type:"premium"},{key:"tableofcontents",name:"Table of Contents",type:"premium"},{key:"tinycomments",name:"Tiny Comments",type:"premium",slug:"introduction-to-tiny-comments"},{key:"tinydrive",name:"Tiny Drive",type:"premium",slug:"tinydrive-introduction"}],(e=>({...e,type:e.type||"opensource",slug:e.slug||e.key}))),_=e=>{const t=e=>`${e.name}`,n=(e,n)=>{return(a=x,r=e=>e.key===n,((e,t,n)=>{for(let a=0,r=e.length;a((e,n)=>{const a=e.plugins[n].getMetadata;if(l(a)){const e=a();return{name:e.name,html:t(e)}}return{name:n,html:n}})(e,n)),(e=>{const n="premium"===e.type?`${e.name}*`:e.name;return{name:n,html:t({name:n,url:`https://www.tiny.cloud/docs/tinymce/6/${e.slug}/`})}}));var a,r},a=e=>{const t=(e=>{const t=g(e.plugins),n=o(e);return s(n)?t:h(t,(e=>!(((e,t)=>p.call(e,t))(n,e)>-1)))})(e),a=d(y(t,(t=>n(e,t))),((e,t)=>e.name.localeCompare(t.name))),r=y(a,(e=>"
  • "+e.html+"
  • ")),i=r.length,l=r.join("");return"

    "+f.translate(["Plugins installed ({0}):",i])+"

      "+l+"
    "},r={type:"htmlpanel",presets:"document",html:[(e=>null==e?"":"
    "+a(e)+"
    ")(e),(()=>{const e=h(x,(({type:e})=>"premium"===e)),t=d(y(e,(e=>e.name)),((e,t)=>e.localeCompare(t))),n=y(t,(e=>`
  • ${e}
  • `)).join("");return"

    "+f.translate("Premium plugins:")+"

    "})()].join("")};return{name:"plugins",title:"Plugins",items:[r]}};var O=tinymce.util.Tools.resolve("tinymce.EditorManager");const P=(e,t,a)=>()=>{(async(e,t,a)=>{const o=T(),s=await(async e=>({name:"keyboardnav",title:"Keyboard Navigation",items:[{type:"htmlpanel",presets:"document",html:await C(e)}]}))(a),l=_(e),c=(()=>{var e,t;const n='TinyMCE '+(e=O.majorVersion,t=O.minorVersion,(0===e.indexOf("@")?"X.X.X":e+"."+t)+"");return{name:"versions",title:"Version",items:[{type:"htmlpanel",html:"

    "+f.translate(["You are using {0}",n])+"

    ",presets:"document"}]}})(),u={[o.name]:o,[s.name]:s,[l.name]:l,[c.name]:c,...t.get()};return m.from(r(e)).fold((()=>(e=>{const t=g(e),n=t.indexOf("versions");return-1!==n&&(t.splice(n,1),t.push("versions")),{tabs:e,names:t}})(u)),(e=>((e,t)=>{const a={},r=y(e,(e=>{var r;if(i(e))return v(t,e)&&(a[e]=t[e]),e;{const t=null!==(r=e.name)&&void 0!==r?r:n("tab-name");return a[t]=e,t}}));return{tabs:a,names:r}})(e,u)))})(e,t,a).then((({tabs:t,names:n})=>{const a={type:"tabpanel",tabs:(e=>{const t=[],n=e=>{t.push(e)};for(let t=0;t{return v(n=t,a=e)?m.from(n[a]):m.none();var n,a})))};e.windowManager.open({title:"Help",size:"medium",body:a,buttons:[{type:"cancel",name:"close",text:"Close",primary:!0}],initialData:{}})}))};e.add("help",((e,t)=>{const a=(e=>{let t={};return{get:()=>t,set:e=>{t=e}}})(),r=(e=>({addTab:t=>{var a;const r=null!==(a=t.name)&&void 0!==a?a:n("tab-name"),o=e.get();o[r]=t,e.set(o)}}))(a);(e=>{(0,e.options.register)("help_tabs",{processor:"array"})})(e);const o=P(e,a,t);return((e,t)=>{e.ui.registry.addButton("help",{icon:"help",tooltip:"Help",onAction:t}),e.ui.registry.addMenuItem("help",{text:"Help",icon:"help",shortcut:"Alt+0",onAction:t})})(e,o),((e,t)=>{e.addCommand("mceHelp",t)})(e,o),e.shortcuts.add("Alt+0","Open help dialog","mceHelp"),((e,t)=>{e.on("init",(()=>{C(t)}))})(e,t),r}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/hr/plugin.min.js b/deform/static/tinymce/plugins/hr/plugin.min.js deleted file mode 100644 index ca36c927..00000000 --- a/deform/static/tinymce/plugins/hr/plugin.min.js +++ /dev/null @@ -1 +0,0 @@ -tinymce.PluginManager.add("hr",function(e){e.addCommand("InsertHorizontalRule",function(){e.execCommand("mceInsertContent",!1,"
    ")}),e.addButton("hr",{icon:"hr",tooltip:"Horizontal line",cmd:"InsertHorizontalRule"}),e.addMenuItem("hr",{icon:"hr",text:"Horizontal line",cmd:"InsertHorizontalRule",context:"insert"})}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/image/index.js b/deform/static/tinymce/plugins/image/index.js new file mode 100644 index 00000000..092c73ad --- /dev/null +++ b/deform/static/tinymce/plugins/image/index.js @@ -0,0 +1,7 @@ +// Exports the "image" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/image') +// ES2015: +// import 'tinymce/plugins/image' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/image/plugin.js b/deform/static/tinymce/plugins/image/plugin.js new file mode 100644 index 00000000..d4616b91 --- /dev/null +++ b/deform/static/tinymce/plugins/image/plugin.js @@ -0,0 +1,1504 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$4 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const getPrototypeOf = Object.getPrototypeOf; + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const eq = t => a => t === a; + const is = (value, constructor) => isObject(value) && hasProto(value, constructor, (o, proto) => getPrototypeOf(o) === proto); + const isString = isType('string'); + const isObject = isType('object'); + const isPlainObject = value => is(value, Object); + const isArray = isType('array'); + const isNull = eq(null); + const isBoolean = isSimpleType('boolean'); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + const isNumber = isSimpleType('number'); + const isArrayOf = (value, pred) => { + if (isArray(value)) { + for (let i = 0, len = value.length; i < len; ++i) { + if (!pred(value[i])) { + return false; + } + } + return true; + } + return false; + }; + + const noop = () => { + }; + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const keys = Object.keys; + const hasOwnProperty = Object.hasOwnProperty; + const each = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + const objAcc = r => (x, i) => { + r[i] = x; + }; + const internalFilter = (obj, pred, onTrue, onFalse) => { + each(obj, (x, i) => { + (pred(x, i) ? onTrue : onFalse)(x, i); + }); + }; + const filter = (obj, pred) => { + const t = {}; + internalFilter(obj, pred, objAcc(t), noop); + return t; + }; + const has = (obj, key) => hasOwnProperty.call(obj, key); + const hasNonNullableKey = (obj, key) => has(obj, key) && obj[key] !== undefined && obj[key] !== null; + + const nativePush = Array.prototype.push; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + const get = (xs, i) => i >= 0 && i < xs.length ? Optional.some(xs[i]) : Optional.none(); + const head = xs => get(xs, 0); + const findMap = (arr, f) => { + for (let i = 0; i < arr.length; i++) { + const r = f(arr[i], i); + if (r.isSome()) { + return r; + } + } + return Optional.none(); + }; + + typeof window !== 'undefined' ? window : Function('return this;')(); + + const rawSet = (dom, key, value) => { + if (isString(value) || isBoolean(value) || isNumber(value)) { + dom.setAttribute(key, value + ''); + } else { + console.error('Invalid call to Attribute.set. Key ', key, ':: Value ', value, ':: Element ', dom); + throw new Error('Attribute value was not simple'); + } + }; + const set = (element, key, value) => { + rawSet(element.dom, key, value); + }; + const remove = (element, key) => { + element.dom.removeAttribute(key); + }; + + const fromHtml = (html, scope) => { + const doc = scope || document; + const div = doc.createElement('div'); + div.innerHTML = html; + if (!div.hasChildNodes() || div.childNodes.length > 1) { + const message = 'HTML does not have a single root node'; + console.error(message, html); + throw new Error(message); + } + return fromDom(div.childNodes[0]); + }; + const fromTag = (tag, scope) => { + const doc = scope || document; + const node = doc.createElement(tag); + return fromDom(node); + }; + const fromText = (text, scope) => { + const doc = scope || document; + const node = doc.createTextNode(text); + return fromDom(node); + }; + const fromDom = node => { + if (node === null || node === undefined) { + throw new Error('Node cannot be null or undefined'); + } + return { dom: node }; + }; + const fromPoint = (docElm, x, y) => Optional.from(docElm.dom.elementFromPoint(x, y)).map(fromDom); + const SugarElement = { + fromHtml, + fromTag, + fromText, + fromDom, + fromPoint + }; + + var global$3 = tinymce.util.Tools.resolve('tinymce.dom.DOMUtils'); + + var global$2 = tinymce.util.Tools.resolve('tinymce.util.URI'); + + const isNotEmpty = s => s.length > 0; + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('image_dimensions', { + processor: 'boolean', + default: true + }); + registerOption('image_advtab', { + processor: 'boolean', + default: false + }); + registerOption('image_uploadtab', { + processor: 'boolean', + default: true + }); + registerOption('image_prepend_url', { + processor: 'string', + default: '' + }); + registerOption('image_class_list', { processor: 'object[]' }); + registerOption('image_description', { + processor: 'boolean', + default: true + }); + registerOption('image_title', { + processor: 'boolean', + default: false + }); + registerOption('image_caption', { + processor: 'boolean', + default: false + }); + registerOption('image_list', { + processor: value => { + const valid = value === false || isString(value) || isArrayOf(value, isObject) || isFunction(value); + return valid ? { + value, + valid + } : { + valid: false, + message: 'Must be false, a string, an array or a function.' + }; + }, + default: false + }); + }; + const hasDimensions = option('image_dimensions'); + const hasAdvTab = option('image_advtab'); + const hasUploadTab = option('image_uploadtab'); + const getPrependUrl = option('image_prepend_url'); + const getClassList = option('image_class_list'); + const hasDescription = option('image_description'); + const hasImageTitle = option('image_title'); + const hasImageCaption = option('image_caption'); + const getImageList = option('image_list'); + const showAccessibilityOptions = option('a11y_advanced_options'); + const isAutomaticUploadsEnabled = option('automatic_uploads'); + const hasUploadUrl = editor => isNotEmpty(editor.options.get('images_upload_url')); + const hasUploadHandler = editor => isNonNullable(editor.options.get('images_upload_handler')); + + const parseIntAndGetMax = (val1, val2) => Math.max(parseInt(val1, 10), parseInt(val2, 10)); + const getImageSize = url => new Promise(callback => { + const img = document.createElement('img'); + const done = dimensions => { + img.onload = img.onerror = null; + if (img.parentNode) { + img.parentNode.removeChild(img); + } + callback(dimensions); + }; + img.onload = () => { + const width = parseIntAndGetMax(img.width, img.clientWidth); + const height = parseIntAndGetMax(img.height, img.clientHeight); + const dimensions = { + width, + height + }; + done(Promise.resolve(dimensions)); + }; + img.onerror = () => { + done(Promise.reject(`Failed to get image dimensions for: ${ url }`)); + }; + const style = img.style; + style.visibility = 'hidden'; + style.position = 'fixed'; + style.bottom = style.left = '0px'; + style.width = style.height = 'auto'; + document.body.appendChild(img); + img.src = url; + }); + const removePixelSuffix = value => { + if (value) { + value = value.replace(/px$/, ''); + } + return value; + }; + const addPixelSuffix = value => { + if (value.length > 0 && /^[0-9]+$/.test(value)) { + value += 'px'; + } + return value; + }; + const mergeMargins = css => { + if (css.margin) { + const splitMargin = String(css.margin).split(' '); + switch (splitMargin.length) { + case 1: + css['margin-top'] = css['margin-top'] || splitMargin[0]; + css['margin-right'] = css['margin-right'] || splitMargin[0]; + css['margin-bottom'] = css['margin-bottom'] || splitMargin[0]; + css['margin-left'] = css['margin-left'] || splitMargin[0]; + break; + case 2: + css['margin-top'] = css['margin-top'] || splitMargin[0]; + css['margin-right'] = css['margin-right'] || splitMargin[1]; + css['margin-bottom'] = css['margin-bottom'] || splitMargin[0]; + css['margin-left'] = css['margin-left'] || splitMargin[1]; + break; + case 3: + css['margin-top'] = css['margin-top'] || splitMargin[0]; + css['margin-right'] = css['margin-right'] || splitMargin[1]; + css['margin-bottom'] = css['margin-bottom'] || splitMargin[2]; + css['margin-left'] = css['margin-left'] || splitMargin[1]; + break; + case 4: + css['margin-top'] = css['margin-top'] || splitMargin[0]; + css['margin-right'] = css['margin-right'] || splitMargin[1]; + css['margin-bottom'] = css['margin-bottom'] || splitMargin[2]; + css['margin-left'] = css['margin-left'] || splitMargin[3]; + } + delete css.margin; + } + return css; + }; + const createImageList = (editor, callback) => { + const imageList = getImageList(editor); + if (isString(imageList)) { + fetch(imageList).then(res => { + if (res.ok) { + res.json().then(callback); + } + }); + } else if (isFunction(imageList)) { + imageList(callback); + } else { + callback(imageList); + } + }; + const waitLoadImage = (editor, data, imgElm) => { + const selectImage = () => { + imgElm.onload = imgElm.onerror = null; + if (editor.selection) { + editor.selection.select(imgElm); + editor.nodeChanged(); + } + }; + imgElm.onload = () => { + if (!data.width && !data.height && hasDimensions(editor)) { + editor.dom.setAttribs(imgElm, { + width: String(imgElm.clientWidth), + height: String(imgElm.clientHeight) + }); + } + selectImage(); + }; + imgElm.onerror = selectImage; + }; + const blobToDataUri = blob => new Promise((resolve, reject) => { + const reader = new FileReader(); + reader.onload = () => { + resolve(reader.result); + }; + reader.onerror = () => { + var _a; + reject((_a = reader.error) === null || _a === void 0 ? void 0 : _a.message); + }; + reader.readAsDataURL(blob); + }); + const isPlaceholderImage = imgElm => imgElm.nodeName === 'IMG' && (imgElm.hasAttribute('data-mce-object') || imgElm.hasAttribute('data-mce-placeholder')); + const isSafeImageUrl = (editor, src) => { + const getOption = editor.options.get; + return global$2.isDomSafe(src, 'img', { + allow_html_data_urls: getOption('allow_html_data_urls'), + allow_script_urls: getOption('allow_script_urls'), + allow_svg_data_urls: getOption('allow_svg_data_urls') + }); + }; + + const DOM = global$3.DOM; + const getHspace = image => { + if (image.style.marginLeft && image.style.marginRight && image.style.marginLeft === image.style.marginRight) { + return removePixelSuffix(image.style.marginLeft); + } else { + return ''; + } + }; + const getVspace = image => { + if (image.style.marginTop && image.style.marginBottom && image.style.marginTop === image.style.marginBottom) { + return removePixelSuffix(image.style.marginTop); + } else { + return ''; + } + }; + const getBorder = image => { + if (image.style.borderWidth) { + return removePixelSuffix(image.style.borderWidth); + } else { + return ''; + } + }; + const getAttrib = (image, name) => { + var _a; + if (image.hasAttribute(name)) { + return (_a = image.getAttribute(name)) !== null && _a !== void 0 ? _a : ''; + } else { + return ''; + } + }; + const hasCaption = image => image.parentNode !== null && image.parentNode.nodeName === 'FIGURE'; + const updateAttrib = (image, name, value) => { + if (value === '' || value === null) { + image.removeAttribute(name); + } else { + image.setAttribute(name, value); + } + }; + const wrapInFigure = image => { + const figureElm = DOM.create('figure', { class: 'image' }); + DOM.insertAfter(figureElm, image); + figureElm.appendChild(image); + figureElm.appendChild(DOM.create('figcaption', { contentEditable: 'true' }, 'Caption')); + figureElm.contentEditable = 'false'; + }; + const removeFigure = image => { + const figureElm = image.parentNode; + if (isNonNullable(figureElm)) { + DOM.insertAfter(image, figureElm); + DOM.remove(figureElm); + } + }; + const toggleCaption = image => { + if (hasCaption(image)) { + removeFigure(image); + } else { + wrapInFigure(image); + } + }; + const normalizeStyle = (image, normalizeCss) => { + const attrValue = image.getAttribute('style'); + const value = normalizeCss(attrValue !== null ? attrValue : ''); + if (value.length > 0) { + image.setAttribute('style', value); + image.setAttribute('data-mce-style', value); + } else { + image.removeAttribute('style'); + } + }; + const setSize = (name, normalizeCss) => (image, name, value) => { + const styles = image.style; + if (styles[name]) { + styles[name] = addPixelSuffix(value); + normalizeStyle(image, normalizeCss); + } else { + updateAttrib(image, name, value); + } + }; + const getSize = (image, name) => { + if (image.style[name]) { + return removePixelSuffix(image.style[name]); + } else { + return getAttrib(image, name); + } + }; + const setHspace = (image, value) => { + const pxValue = addPixelSuffix(value); + image.style.marginLeft = pxValue; + image.style.marginRight = pxValue; + }; + const setVspace = (image, value) => { + const pxValue = addPixelSuffix(value); + image.style.marginTop = pxValue; + image.style.marginBottom = pxValue; + }; + const setBorder = (image, value) => { + const pxValue = addPixelSuffix(value); + image.style.borderWidth = pxValue; + }; + const setBorderStyle = (image, value) => { + image.style.borderStyle = value; + }; + const getBorderStyle = image => { + var _a; + return (_a = image.style.borderStyle) !== null && _a !== void 0 ? _a : ''; + }; + const isFigure = elm => isNonNullable(elm) && elm.nodeName === 'FIGURE'; + const isImage = elm => elm.nodeName === 'IMG'; + const getIsDecorative = image => DOM.getAttrib(image, 'alt').length === 0 && DOM.getAttrib(image, 'role') === 'presentation'; + const getAlt = image => { + if (getIsDecorative(image)) { + return ''; + } else { + return getAttrib(image, 'alt'); + } + }; + const defaultData = () => ({ + src: '', + alt: '', + title: '', + width: '', + height: '', + class: '', + style: '', + caption: false, + hspace: '', + vspace: '', + border: '', + borderStyle: '', + isDecorative: false + }); + const getStyleValue = (normalizeCss, data) => { + var _a; + const image = document.createElement('img'); + updateAttrib(image, 'style', data.style); + if (getHspace(image) || data.hspace !== '') { + setHspace(image, data.hspace); + } + if (getVspace(image) || data.vspace !== '') { + setVspace(image, data.vspace); + } + if (getBorder(image) || data.border !== '') { + setBorder(image, data.border); + } + if (getBorderStyle(image) || data.borderStyle !== '') { + setBorderStyle(image, data.borderStyle); + } + return normalizeCss((_a = image.getAttribute('style')) !== null && _a !== void 0 ? _a : ''); + }; + const create = (normalizeCss, data) => { + const image = document.createElement('img'); + write(normalizeCss, { + ...data, + caption: false + }, image); + setAlt(image, data.alt, data.isDecorative); + if (data.caption) { + const figure = DOM.create('figure', { class: 'image' }); + figure.appendChild(image); + figure.appendChild(DOM.create('figcaption', { contentEditable: 'true' }, 'Caption')); + figure.contentEditable = 'false'; + return figure; + } else { + return image; + } + }; + const read = (normalizeCss, image) => ({ + src: getAttrib(image, 'src'), + alt: getAlt(image), + title: getAttrib(image, 'title'), + width: getSize(image, 'width'), + height: getSize(image, 'height'), + class: getAttrib(image, 'class'), + style: normalizeCss(getAttrib(image, 'style')), + caption: hasCaption(image), + hspace: getHspace(image), + vspace: getVspace(image), + border: getBorder(image), + borderStyle: getBorderStyle(image), + isDecorative: getIsDecorative(image) + }); + const updateProp = (image, oldData, newData, name, set) => { + if (newData[name] !== oldData[name]) { + set(image, name, String(newData[name])); + } + }; + const setAlt = (image, alt, isDecorative) => { + if (isDecorative) { + DOM.setAttrib(image, 'role', 'presentation'); + const sugarImage = SugarElement.fromDom(image); + set(sugarImage, 'alt', ''); + } else { + if (isNull(alt)) { + const sugarImage = SugarElement.fromDom(image); + remove(sugarImage, 'alt'); + } else { + const sugarImage = SugarElement.fromDom(image); + set(sugarImage, 'alt', alt); + } + if (DOM.getAttrib(image, 'role') === 'presentation') { + DOM.setAttrib(image, 'role', ''); + } + } + }; + const updateAlt = (image, oldData, newData) => { + if (newData.alt !== oldData.alt || newData.isDecorative !== oldData.isDecorative) { + setAlt(image, newData.alt, newData.isDecorative); + } + }; + const normalized = (set, normalizeCss) => (image, name, value) => { + set(image, value); + normalizeStyle(image, normalizeCss); + }; + const write = (normalizeCss, newData, image) => { + const oldData = read(normalizeCss, image); + updateProp(image, oldData, newData, 'caption', (image, _name, _value) => toggleCaption(image)); + updateProp(image, oldData, newData, 'src', updateAttrib); + updateProp(image, oldData, newData, 'title', updateAttrib); + updateProp(image, oldData, newData, 'width', setSize('width', normalizeCss)); + updateProp(image, oldData, newData, 'height', setSize('height', normalizeCss)); + updateProp(image, oldData, newData, 'class', updateAttrib); + updateProp(image, oldData, newData, 'style', normalized((image, value) => updateAttrib(image, 'style', value), normalizeCss)); + updateProp(image, oldData, newData, 'hspace', normalized(setHspace, normalizeCss)); + updateProp(image, oldData, newData, 'vspace', normalized(setVspace, normalizeCss)); + updateProp(image, oldData, newData, 'border', normalized(setBorder, normalizeCss)); + updateProp(image, oldData, newData, 'borderStyle', normalized(setBorderStyle, normalizeCss)); + updateAlt(image, oldData, newData); + }; + + const normalizeCss$1 = (editor, cssText) => { + const css = editor.dom.styles.parse(cssText); + const mergedCss = mergeMargins(css); + const compressed = editor.dom.styles.parse(editor.dom.styles.serialize(mergedCss)); + return editor.dom.styles.serialize(compressed); + }; + const getSelectedImage = editor => { + const imgElm = editor.selection.getNode(); + const figureElm = editor.dom.getParent(imgElm, 'figure.image'); + if (figureElm) { + return editor.dom.select('img', figureElm)[0]; + } + if (imgElm && (imgElm.nodeName !== 'IMG' || isPlaceholderImage(imgElm))) { + return null; + } + return imgElm; + }; + const splitTextBlock = (editor, figure) => { + var _a; + const dom = editor.dom; + const textBlockElements = filter(editor.schema.getTextBlockElements(), (_, parentElm) => !editor.schema.isValidChild(parentElm, 'figure')); + const textBlock = dom.getParent(figure.parentNode, node => hasNonNullableKey(textBlockElements, node.nodeName), editor.getBody()); + if (textBlock) { + return (_a = dom.split(textBlock, figure)) !== null && _a !== void 0 ? _a : figure; + } else { + return figure; + } + }; + const readImageDataFromSelection = editor => { + const image = getSelectedImage(editor); + return image ? read(css => normalizeCss$1(editor, css), image) : defaultData(); + }; + const insertImageAtCaret = (editor, data) => { + const elm = create(css => normalizeCss$1(editor, css), data); + editor.dom.setAttrib(elm, 'data-mce-id', '__mcenew'); + editor.focus(); + editor.selection.setContent(elm.outerHTML); + const insertedElm = editor.dom.select('*[data-mce-id="__mcenew"]')[0]; + editor.dom.setAttrib(insertedElm, 'data-mce-id', null); + if (isFigure(insertedElm)) { + const figure = splitTextBlock(editor, insertedElm); + editor.selection.select(figure); + } else { + editor.selection.select(insertedElm); + } + }; + const syncSrcAttr = (editor, image) => { + editor.dom.setAttrib(image, 'src', image.getAttribute('src')); + }; + const deleteImage = (editor, image) => { + if (image) { + const elm = editor.dom.is(image.parentNode, 'figure.image') ? image.parentNode : image; + editor.dom.remove(elm); + editor.focus(); + editor.nodeChanged(); + if (editor.dom.isEmpty(editor.getBody())) { + editor.setContent(''); + editor.selection.setCursorLocation(); + } + } + }; + const writeImageDataToSelection = (editor, data) => { + const image = getSelectedImage(editor); + if (image) { + write(css => normalizeCss$1(editor, css), data, image); + syncSrcAttr(editor, image); + if (isFigure(image.parentNode)) { + const figure = image.parentNode; + splitTextBlock(editor, figure); + editor.selection.select(image.parentNode); + } else { + editor.selection.select(image); + waitLoadImage(editor, data, image); + } + } + }; + const sanitizeImageData = (editor, data) => { + const src = data.src; + return { + ...data, + src: isSafeImageUrl(editor, src) ? src : '' + }; + }; + const insertOrUpdateImage = (editor, partialData) => { + const image = getSelectedImage(editor); + if (image) { + const selectedImageData = read(css => normalizeCss$1(editor, css), image); + const data = { + ...selectedImageData, + ...partialData + }; + const sanitizedData = sanitizeImageData(editor, data); + if (data.src) { + writeImageDataToSelection(editor, sanitizedData); + } else { + deleteImage(editor, image); + } + } else if (partialData.src) { + insertImageAtCaret(editor, { + ...defaultData(), + ...partialData + }); + } + }; + + const deep = (old, nu) => { + const bothObjects = isPlainObject(old) && isPlainObject(nu); + return bothObjects ? deepMerge(old, nu) : nu; + }; + const baseMerge = merger => { + return (...objects) => { + if (objects.length === 0) { + throw new Error(`Can't merge zero objects`); + } + const ret = {}; + for (let j = 0; j < objects.length; j++) { + const curObject = objects[j]; + for (const key in curObject) { + if (has(curObject, key)) { + ret[key] = merger(ret[key], curObject[key]); + } + } + } + return ret; + }; + }; + const deepMerge = baseMerge(deep); + + var global$1 = tinymce.util.Tools.resolve('tinymce.util.ImageUploader'); + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const getValue = item => isString(item.value) ? item.value : ''; + const getText = item => { + if (isString(item.text)) { + return item.text; + } else if (isString(item.title)) { + return item.title; + } else { + return ''; + } + }; + const sanitizeList = (list, extractValue) => { + const out = []; + global.each(list, item => { + const text = getText(item); + if (item.menu !== undefined) { + const items = sanitizeList(item.menu, extractValue); + out.push({ + text, + items + }); + } else { + const value = extractValue(item); + out.push({ + text, + value + }); + } + }); + return out; + }; + const sanitizer = (extractor = getValue) => list => { + if (list) { + return Optional.from(list).map(list => sanitizeList(list, extractor)); + } else { + return Optional.none(); + } + }; + const sanitize = list => sanitizer(getValue)(list); + const isGroup = item => has(item, 'items'); + const findEntryDelegate = (list, value) => findMap(list, item => { + if (isGroup(item)) { + return findEntryDelegate(item.items, value); + } else if (item.value === value) { + return Optional.some(item); + } else { + return Optional.none(); + } + }); + const findEntry = (optList, value) => optList.bind(list => findEntryDelegate(list, value)); + const ListUtils = { + sanitizer, + sanitize, + findEntry + }; + + const makeTab$2 = _info => ({ + title: 'Advanced', + name: 'advanced', + items: [{ + type: 'grid', + columns: 2, + items: [ + { + type: 'input', + label: 'Vertical space', + name: 'vspace', + inputMode: 'numeric' + }, + { + type: 'input', + label: 'Horizontal space', + name: 'hspace', + inputMode: 'numeric' + }, + { + type: 'input', + label: 'Border width', + name: 'border', + inputMode: 'numeric' + }, + { + type: 'listbox', + name: 'borderstyle', + label: 'Border style', + items: [ + { + text: 'Select...', + value: '' + }, + { + text: 'Solid', + value: 'solid' + }, + { + text: 'Dotted', + value: 'dotted' + }, + { + text: 'Dashed', + value: 'dashed' + }, + { + text: 'Double', + value: 'double' + }, + { + text: 'Groove', + value: 'groove' + }, + { + text: 'Ridge', + value: 'ridge' + }, + { + text: 'Inset', + value: 'inset' + }, + { + text: 'Outset', + value: 'outset' + }, + { + text: 'None', + value: 'none' + }, + { + text: 'Hidden', + value: 'hidden' + } + ] + } + ] + }] + }); + const AdvTab = { makeTab: makeTab$2 }; + + const collect = editor => { + const urlListSanitizer = ListUtils.sanitizer(item => editor.convertURL(item.value || item.url || '', 'src')); + const futureImageList = new Promise(completer => { + createImageList(editor, imageList => { + completer(urlListSanitizer(imageList).map(items => flatten([ + [{ + text: 'None', + value: '' + }], + items + ]))); + }); + }); + const classList = ListUtils.sanitize(getClassList(editor)); + const hasAdvTab$1 = hasAdvTab(editor); + const hasUploadTab$1 = hasUploadTab(editor); + const hasUploadUrl$1 = hasUploadUrl(editor); + const hasUploadHandler$1 = hasUploadHandler(editor); + const image = readImageDataFromSelection(editor); + const hasDescription$1 = hasDescription(editor); + const hasImageTitle$1 = hasImageTitle(editor); + const hasDimensions$1 = hasDimensions(editor); + const hasImageCaption$1 = hasImageCaption(editor); + const hasAccessibilityOptions = showAccessibilityOptions(editor); + const automaticUploads = isAutomaticUploadsEnabled(editor); + const prependURL = Optional.some(getPrependUrl(editor)).filter(preUrl => isString(preUrl) && preUrl.length > 0); + return futureImageList.then(imageList => ({ + image, + imageList, + classList, + hasAdvTab: hasAdvTab$1, + hasUploadTab: hasUploadTab$1, + hasUploadUrl: hasUploadUrl$1, + hasUploadHandler: hasUploadHandler$1, + hasDescription: hasDescription$1, + hasImageTitle: hasImageTitle$1, + hasDimensions: hasDimensions$1, + hasImageCaption: hasImageCaption$1, + prependURL, + hasAccessibilityOptions, + automaticUploads + })); + }; + + const makeItems = info => { + const imageUrl = { + name: 'src', + type: 'urlinput', + filetype: 'image', + label: 'Source' + }; + const imageList = info.imageList.map(items => ({ + name: 'images', + type: 'listbox', + label: 'Image list', + items + })); + const imageDescription = { + name: 'alt', + type: 'input', + label: 'Alternative description', + enabled: !(info.hasAccessibilityOptions && info.image.isDecorative) + }; + const imageTitle = { + name: 'title', + type: 'input', + label: 'Image title' + }; + const imageDimensions = { + name: 'dimensions', + type: 'sizeinput' + }; + const isDecorative = { + type: 'label', + label: 'Accessibility', + items: [{ + name: 'isDecorative', + type: 'checkbox', + label: 'Image is decorative' + }] + }; + const classList = info.classList.map(items => ({ + name: 'classes', + type: 'listbox', + label: 'Class', + items + })); + const caption = { + type: 'label', + label: 'Caption', + items: [{ + type: 'checkbox', + name: 'caption', + label: 'Show caption' + }] + }; + const getDialogContainerType = useColumns => useColumns ? { + type: 'grid', + columns: 2 + } : { type: 'panel' }; + return flatten([ + [imageUrl], + imageList.toArray(), + info.hasAccessibilityOptions && info.hasDescription ? [isDecorative] : [], + info.hasDescription ? [imageDescription] : [], + info.hasImageTitle ? [imageTitle] : [], + info.hasDimensions ? [imageDimensions] : [], + [{ + ...getDialogContainerType(info.classList.isSome() && info.hasImageCaption), + items: flatten([ + classList.toArray(), + info.hasImageCaption ? [caption] : [] + ]) + }] + ]); + }; + const makeTab$1 = info => ({ + title: 'General', + name: 'general', + items: makeItems(info) + }); + const MainTab = { + makeTab: makeTab$1, + makeItems + }; + + const makeTab = _info => { + const items = [{ + type: 'dropzone', + name: 'fileinput' + }]; + return { + title: 'Upload', + name: 'upload', + items + }; + }; + const UploadTab = { makeTab }; + + const createState = info => ({ + prevImage: ListUtils.findEntry(info.imageList, info.image.src), + prevAlt: info.image.alt, + open: true + }); + const fromImageData = image => ({ + src: { + value: image.src, + meta: {} + }, + images: image.src, + alt: image.alt, + title: image.title, + dimensions: { + width: image.width, + height: image.height + }, + classes: image.class, + caption: image.caption, + style: image.style, + vspace: image.vspace, + border: image.border, + hspace: image.hspace, + borderstyle: image.borderStyle, + fileinput: [], + isDecorative: image.isDecorative + }); + const toImageData = (data, removeEmptyAlt) => ({ + src: data.src.value, + alt: (data.alt === null || data.alt.length === 0) && removeEmptyAlt ? null : data.alt, + title: data.title, + width: data.dimensions.width, + height: data.dimensions.height, + class: data.classes, + style: data.style, + caption: data.caption, + hspace: data.hspace, + vspace: data.vspace, + border: data.border, + borderStyle: data.borderstyle, + isDecorative: data.isDecorative + }); + const addPrependUrl2 = (info, srcURL) => { + if (!/^(?:[a-zA-Z]+:)?\/\//.test(srcURL)) { + return info.prependURL.bind(prependUrl => { + if (srcURL.substring(0, prependUrl.length) !== prependUrl) { + return Optional.some(prependUrl + srcURL); + } + return Optional.none(); + }); + } + return Optional.none(); + }; + const addPrependUrl = (info, api) => { + const data = api.getData(); + addPrependUrl2(info, data.src.value).each(srcURL => { + api.setData({ + src: { + value: srcURL, + meta: data.src.meta + } + }); + }); + }; + const formFillFromMeta2 = (info, data, meta) => { + if (info.hasDescription && isString(meta.alt)) { + data.alt = meta.alt; + } + if (info.hasAccessibilityOptions) { + data.isDecorative = meta.isDecorative || data.isDecorative || false; + } + if (info.hasImageTitle && isString(meta.title)) { + data.title = meta.title; + } + if (info.hasDimensions) { + if (isString(meta.width)) { + data.dimensions.width = meta.width; + } + if (isString(meta.height)) { + data.dimensions.height = meta.height; + } + } + if (isString(meta.class)) { + ListUtils.findEntry(info.classList, meta.class).each(entry => { + data.classes = entry.value; + }); + } + if (info.hasImageCaption) { + if (isBoolean(meta.caption)) { + data.caption = meta.caption; + } + } + if (info.hasAdvTab) { + if (isString(meta.style)) { + data.style = meta.style; + } + if (isString(meta.vspace)) { + data.vspace = meta.vspace; + } + if (isString(meta.border)) { + data.border = meta.border; + } + if (isString(meta.hspace)) { + data.hspace = meta.hspace; + } + if (isString(meta.borderstyle)) { + data.borderstyle = meta.borderstyle; + } + } + }; + const formFillFromMeta = (info, api) => { + const data = api.getData(); + const meta = data.src.meta; + if (meta !== undefined) { + const newData = deepMerge({}, data); + formFillFromMeta2(info, newData, meta); + api.setData(newData); + } + }; + const calculateImageSize = (helpers, info, state, api) => { + const data = api.getData(); + const url = data.src.value; + const meta = data.src.meta || {}; + if (!meta.width && !meta.height && info.hasDimensions) { + if (isNotEmpty(url)) { + helpers.imageSize(url).then(size => { + if (state.open) { + api.setData({ dimensions: size }); + } + }).catch(e => console.error(e)); + } else { + api.setData({ + dimensions: { + width: '', + height: '' + } + }); + } + } + }; + const updateImagesDropdown = (info, state, api) => { + const data = api.getData(); + const image = ListUtils.findEntry(info.imageList, data.src.value); + state.prevImage = image; + api.setData({ images: image.map(entry => entry.value).getOr('') }); + }; + const changeSrc = (helpers, info, state, api) => { + addPrependUrl(info, api); + formFillFromMeta(info, api); + calculateImageSize(helpers, info, state, api); + updateImagesDropdown(info, state, api); + }; + const changeImages = (helpers, info, state, api) => { + const data = api.getData(); + const image = ListUtils.findEntry(info.imageList, data.images); + image.each(img => { + const updateAlt = data.alt === '' || state.prevImage.map(image => image.text === data.alt).getOr(false); + if (updateAlt) { + if (img.value === '') { + api.setData({ + src: img, + alt: state.prevAlt + }); + } else { + api.setData({ + src: img, + alt: img.text + }); + } + } else { + api.setData({ src: img }); + } + }); + state.prevImage = image; + changeSrc(helpers, info, state, api); + }; + const changeFileInput = (helpers, info, state, api) => { + const data = api.getData(); + api.block('Uploading image'); + head(data.fileinput).fold(() => { + api.unblock(); + }, file => { + const blobUri = URL.createObjectURL(file); + const finalize = () => { + api.unblock(); + URL.revokeObjectURL(blobUri); + }; + const updateSrcAndSwitchTab = url => { + api.setData({ + src: { + value: url, + meta: {} + } + }); + api.showTab('general'); + changeSrc(helpers, info, state, api); + }; + blobToDataUri(file).then(dataUrl => { + const blobInfo = helpers.createBlobCache(file, blobUri, dataUrl); + if (info.automaticUploads) { + helpers.uploadImage(blobInfo).then(result => { + updateSrcAndSwitchTab(result.url); + finalize(); + }).catch(err => { + finalize(); + helpers.alertErr(err); + }); + } else { + helpers.addToBlobCache(blobInfo); + updateSrcAndSwitchTab(blobInfo.blobUri()); + api.unblock(); + } + }); + }); + }; + const changeHandler = (helpers, info, state) => (api, evt) => { + if (evt.name === 'src') { + changeSrc(helpers, info, state, api); + } else if (evt.name === 'images') { + changeImages(helpers, info, state, api); + } else if (evt.name === 'alt') { + state.prevAlt = api.getData().alt; + } else if (evt.name === 'fileinput') { + changeFileInput(helpers, info, state, api); + } else if (evt.name === 'isDecorative') { + api.setEnabled('alt', !api.getData().isDecorative); + } + }; + const closeHandler = state => () => { + state.open = false; + }; + const makeDialogBody = info => { + if (info.hasAdvTab || info.hasUploadUrl || info.hasUploadHandler) { + const tabPanel = { + type: 'tabpanel', + tabs: flatten([ + [MainTab.makeTab(info)], + info.hasAdvTab ? [AdvTab.makeTab(info)] : [], + info.hasUploadTab && (info.hasUploadUrl || info.hasUploadHandler) ? [UploadTab.makeTab(info)] : [] + ]) + }; + return tabPanel; + } else { + const panel = { + type: 'panel', + items: MainTab.makeItems(info) + }; + return panel; + } + }; + const submitHandler = (editor, info, helpers) => api => { + const data = deepMerge(fromImageData(info.image), api.getData()); + const finalData = { + ...data, + style: getStyleValue(helpers.normalizeCss, toImageData(data, false)) + }; + editor.execCommand('mceUpdateImage', false, toImageData(finalData, info.hasAccessibilityOptions)); + editor.editorUpload.uploadImagesAuto(); + api.close(); + }; + const imageSize = editor => url => { + if (!isSafeImageUrl(editor, url)) { + return Promise.resolve({ + width: '', + height: '' + }); + } else { + return getImageSize(editor.documentBaseURI.toAbsolute(url)).then(dimensions => ({ + width: String(dimensions.width), + height: String(dimensions.height) + })); + } + }; + const createBlobCache = editor => (file, blobUri, dataUrl) => { + var _a; + return editor.editorUpload.blobCache.create({ + blob: file, + blobUri, + name: (_a = file.name) === null || _a === void 0 ? void 0 : _a.replace(/\.[^\.]+$/, ''), + filename: file.name, + base64: dataUrl.split(',')[1] + }); + }; + const addToBlobCache = editor => blobInfo => { + editor.editorUpload.blobCache.add(blobInfo); + }; + const alertErr = editor => message => { + editor.windowManager.alert(message); + }; + const normalizeCss = editor => cssText => normalizeCss$1(editor, cssText); + const parseStyle = editor => cssText => editor.dom.parseStyle(cssText); + const serializeStyle = editor => (stylesArg, name) => editor.dom.serializeStyle(stylesArg, name); + const uploadImage = editor => blobInfo => global$1(editor).upload([blobInfo], false).then(results => { + var _a; + if (results.length === 0) { + return Promise.reject('Failed to upload image'); + } else if (results[0].status === false) { + return Promise.reject((_a = results[0].error) === null || _a === void 0 ? void 0 : _a.message); + } else { + return results[0]; + } + }); + const Dialog = editor => { + const helpers = { + imageSize: imageSize(editor), + addToBlobCache: addToBlobCache(editor), + createBlobCache: createBlobCache(editor), + alertErr: alertErr(editor), + normalizeCss: normalizeCss(editor), + parseStyle: parseStyle(editor), + serializeStyle: serializeStyle(editor), + uploadImage: uploadImage(editor) + }; + const open = () => { + collect(editor).then(info => { + const state = createState(info); + return { + title: 'Insert/Edit Image', + size: 'normal', + body: makeDialogBody(info), + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + initialData: fromImageData(info.image), + onSubmit: submitHandler(editor, info, helpers), + onChange: changeHandler(helpers, info, state), + onClose: closeHandler(state) + }; + }).then(editor.windowManager.open); + }; + return { open }; + }; + + const register$1 = editor => { + editor.addCommand('mceImage', Dialog(editor).open); + editor.addCommand('mceUpdateImage', (_ui, data) => { + editor.undoManager.transact(() => insertOrUpdateImage(editor, data)); + }); + }; + + const hasImageClass = node => { + const className = node.attr('class'); + return isNonNullable(className) && /\bimage\b/.test(className); + }; + const toggleContentEditableState = state => nodes => { + let i = nodes.length; + const toggleContentEditable = node => { + node.attr('contenteditable', state ? 'true' : null); + }; + while (i--) { + const node = nodes[i]; + if (hasImageClass(node)) { + node.attr('contenteditable', state ? 'false' : null); + global.each(node.getAll('figcaption'), toggleContentEditable); + } + } + }; + const setup = editor => { + editor.on('PreInit', () => { + editor.parser.addNodeFilter('figure', toggleContentEditableState(true)); + editor.serializer.addNodeFilter('figure', toggleContentEditableState(false)); + }); + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + editor.ui.registry.addToggleButton('image', { + icon: 'image', + tooltip: 'Insert/edit image', + onAction: Dialog(editor).open, + onSetup: buttonApi => { + buttonApi.setActive(isNonNullable(getSelectedImage(editor))); + const unbindSelectorChanged = editor.selection.selectorChangedWithUnbind('img:not([data-mce-object]):not([data-mce-placeholder]),figure.image', buttonApi.setActive).unbind; + const unbindEditable = onSetupEditable(editor)(buttonApi); + return () => { + unbindSelectorChanged(); + unbindEditable(); + }; + } + }); + editor.ui.registry.addMenuItem('image', { + icon: 'image', + text: 'Image...', + onAction: Dialog(editor).open, + onSetup: onSetupEditable(editor) + }); + editor.ui.registry.addContextMenu('image', { update: element => editor.selection.isEditable() && (isFigure(element) || isImage(element) && !isPlaceholderImage(element)) ? ['image'] : [] }); + }; + + var Plugin = () => { + global$4.add('image', editor => { + register$2(editor); + setup(editor); + register(editor); + register$1(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/image/plugin.min.js b/deform/static/tinymce/plugins/image/plugin.min.js index 93de690d..12cca17b 100644 --- a/deform/static/tinymce/plugins/image/plugin.min.js +++ b/deform/static/tinymce/plugins/image/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("image",function(t){function e(t,e){function n(t,n){i.parentNode.removeChild(i),e({width:t,height:n})}var i=document.createElement("img");i.onload=function(){n(i.clientWidth,i.clientHeight)},i.onerror=function(){n()},i.src=t;var a=i.style;a.visibility="hidden",a.position="fixed",a.bottom=a.left=0,a.width=a.height="auto",document.body.appendChild(i)}function n(e){return function(){var n=t.settings.image_list;"string"==typeof n?tinymce.util.XHR.send({url:n,success:function(t){e(tinymce.util.JSON.parse(t))}}):e(n)}}function i(n){function i(){var t=[{text:"None",value:""}];return tinymce.each(n,function(e){t.push({text:e.text||e.title,value:e.value||e.url,menu:e.menu})}),t}function a(t){var e,n,i,a;e=s.find("#width")[0],n=s.find("#height")[0],i=e.value(),a=n.value(),s.find("#constrain")[0].checked()&&h&&u&&i&&a&&(t.control==e?(a=Math.round(i/h*a),n.value(a)):(i=Math.round(a/u*i),e.value(i))),h=i,u=a}function o(){function e(e){function i(){e.onload=e.onerror=null,t.selection.select(e),t.nodeChanged()}e.onload=function(){n.width||n.height||m.setAttribs(e,{width:e.clientWidth,height:e.clientHeight}),i()},e.onerror=i}var n=s.toJSON();""===n.width&&(n.width=null),""===n.height&&(n.height=null),""===n.style&&(n.style=null),n={src:n.src,alt:n.alt,width:n.width,height:n.height,style:n.style},t.undoManager.transact(function(){return n.src?(p?m.setAttribs(p,n):(n.id="__mcenew",t.selection.setContent(m.createHTML("img",n)),p=m.get("__mcenew"),m.setAttrib(p,"id",null)),e(p),void 0):(p&&(m.remove(p),t.nodeChanged()),void 0)})}function l(t){return t&&(t=t.replace(/px$/,"")),t}function r(){e(this.value(),function(t){t.width&&t.height&&(h=t.width,u=t.height,s.find("#width").value(h),s.find("#height").value(u))})}function c(){function t(t){return t.length>0&&/^[0-9]+$/.test(t)&&(t+="px"),t}var e=s.toJSON(),n=m.parseStyle(e.style);m.setAttrib(p,"style",""),delete n.margin,n["margin-top"]=n["margin-bottom"]=t(e.vspace),n["margin-left"]=n["margin-right"]=t(e.hspace),n["border-width"]=t(e.border),s.find("#style").value(m.serializeStyle(m.parseStyle(m.serializeStyle(n))))}var s,d,h,u,g,m=t.dom,p=t.selection.getNode();h=m.getAttrib(p,"width"),u=m.getAttrib(p,"height"),"IMG"!=p.nodeName||p.getAttribute("data-mce-object")?p=null:d={src:m.getAttrib(p,"src"),alt:m.getAttrib(p,"alt"),width:h,height:u},n&&(g={name:"target",type:"listbox",label:"Image list",values:i(),onselect:function(t){var e=s.find("#alt");(!e.value()||t.lastControl&&e.value()==t.lastControl.text())&&e.value(t.control.text()),s.find("#src").value(t.control.value())}});var y=[{name:"src",type:"filepicker",filetype:"image",label:"Source",autofocus:!0,onchange:r},g,{name:"alt",type:"textbox",label:"Image description"},{type:"container",label:"Dimensions",layout:"flex",direction:"row",align:"center",spacing:5,items:[{name:"width",type:"textbox",maxLength:3,size:3,onchange:a},{type:"label",text:"x"},{name:"height",type:"textbox",maxLength:3,size:3,onchange:a},{name:"constrain",type:"checkbox",checked:!0,text:"Constrain proportions"}]}];t.settings.image_advtab?(p&&(d.hspace=l(p.style.marginLeft||p.style.marginRight),d.vspace=l(p.style.marginTop||p.style.marginBottom),d.border=l(p.style.borderWidth),d.style=t.dom.serializeStyle(t.dom.parseStyle(t.dom.getAttrib(p,"style")))),s=t.windowManager.open({title:"Insert/edit image",data:d,bodyType:"tabpanel",body:[{title:"General",type:"form",items:y},{title:"Advanced",type:"form",pack:"start",items:[{label:"Style",name:"style",type:"textbox"},{type:"form",layout:"grid",packV:"start",columns:2,padding:0,alignH:["left","right"],defaults:{type:"textbox",maxWidth:50,onchange:c},items:[{label:"Vertical space",name:"vspace"},{label:"Horizontal space",name:"hspace"},{label:"Border",name:"border"}]}]}],onSubmit:o})):s=t.windowManager.open({title:"Insert/edit image",data:d,body:y,onSubmit:o})}t.addButton("image",{icon:"image",tooltip:"Insert/edit image",onclick:n(i),stateSelector:"img:not([data-mce-object])"}),t.addMenuItem("image",{icon:"image",text:"Insert image",onclick:n(i),context:"insert",prependToContext:!0})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=Object.getPrototypeOf,a=(e,t,a)=>{var i;return!!a(e,t.prototype)||(null===(i=e.constructor)||void 0===i?void 0:i.name)===t.name},i=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&a(e,String,((e,t)=>t.isPrototypeOf(e)))?"string":t})(t)===e,s=e=>t=>typeof t===e,r=i("string"),o=i("object"),n=e=>((e,i)=>o(e)&&a(e,i,((e,a)=>t(e)===a)))(e,Object),l=i("array"),c=(null,e=>null===e);const m=s("boolean"),d=e=>!(e=>null==e)(e),g=s("function"),u=s("number"),p=()=>{};class h{constructor(e,t){this.tag=e,this.value=t}static some(e){return new h(!0,e)}static none(){return h.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?h.some(e(this.value)):h.none()}bind(e){return this.tag?e(this.value):h.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:h.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return d(e)?h.some(e):h.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}h.singletonNone=new h(!1);const b=Object.keys,v=Object.hasOwnProperty,y=(e,t)=>v.call(e,t),f=Array.prototype.push,w=e=>{const t=[];for(let a=0,i=e.length;a{((e,t,a)=>{if(!(r(a)||m(a)||u(a)))throw console.error("Invalid call to Attribute.set. Key ",t,":: Value ",a,":: Element ",e),new Error("Attribute value was not simple");e.setAttribute(t,a+"")})(e.dom,t,a)},D=e=>{if(null==e)throw new Error("Node cannot be null or undefined");return{dom:e}},_=D;var C=tinymce.util.Tools.resolve("tinymce.dom.DOMUtils"),I=tinymce.util.Tools.resolve("tinymce.util.URI");const U=e=>e.length>0,S=e=>t=>t.options.get(e),x=S("image_dimensions"),N=S("image_advtab"),T=S("image_uploadtab"),O=S("image_prepend_url"),E=S("image_class_list"),L=S("image_description"),j=S("image_title"),M=S("image_caption"),R=S("image_list"),k=S("a11y_advanced_options"),z=S("automatic_uploads"),P=(e,t)=>Math.max(parseInt(e,10),parseInt(t,10)),B=e=>(e&&(e=e.replace(/px$/,"")),e),F=e=>(e.length>0&&/^[0-9]+$/.test(e)&&(e+="px"),e),H=e=>"IMG"===e.nodeName&&(e.hasAttribute("data-mce-object")||e.hasAttribute("data-mce-placeholder")),G=(e,t)=>{const a=e.options.get;return I.isDomSafe(t,"img",{allow_html_data_urls:a("allow_html_data_urls"),allow_script_urls:a("allow_script_urls"),allow_svg_data_urls:a("allow_svg_data_urls")})},W=C.DOM,$=e=>e.style.marginLeft&&e.style.marginRight&&e.style.marginLeft===e.style.marginRight?B(e.style.marginLeft):"",V=e=>e.style.marginTop&&e.style.marginBottom&&e.style.marginTop===e.style.marginBottom?B(e.style.marginTop):"",K=e=>e.style.borderWidth?B(e.style.borderWidth):"",Z=(e,t)=>{var a;return e.hasAttribute(t)&&null!==(a=e.getAttribute(t))&&void 0!==a?a:""},q=e=>null!==e.parentNode&&"FIGURE"===e.parentNode.nodeName,J=(e,t,a)=>{""===a||null===a?e.removeAttribute(t):e.setAttribute(t,a)},Q=(e,t)=>{const a=e.getAttribute("style"),i=t(null!==a?a:"");i.length>0?(e.setAttribute("style",i),e.setAttribute("data-mce-style",i)):e.removeAttribute("style")},X=(e,t)=>(e,a,i)=>{const s=e.style;s[a]?(s[a]=F(i),Q(e,t)):J(e,a,i)},Y=(e,t)=>e.style[t]?B(e.style[t]):Z(e,t),ee=(e,t)=>{const a=F(t);e.style.marginLeft=a,e.style.marginRight=a},te=(e,t)=>{const a=F(t);e.style.marginTop=a,e.style.marginBottom=a},ae=(e,t)=>{const a=F(t);e.style.borderWidth=a},ie=(e,t)=>{e.style.borderStyle=t},se=e=>{var t;return null!==(t=e.style.borderStyle)&&void 0!==t?t:""},re=e=>d(e)&&"FIGURE"===e.nodeName,oe=e=>0===W.getAttrib(e,"alt").length&&"presentation"===W.getAttrib(e,"role"),ne=e=>oe(e)?"":Z(e,"alt"),le=(e,t)=>{var a;const i=document.createElement("img");return J(i,"style",t.style),($(i)||""!==t.hspace)&&ee(i,t.hspace),(V(i)||""!==t.vspace)&&te(i,t.vspace),(K(i)||""!==t.border)&&ae(i,t.border),(se(i)||""!==t.borderStyle)&&ie(i,t.borderStyle),e(null!==(a=i.getAttribute("style"))&&void 0!==a?a:"")},ce=(e,t)=>({src:Z(t,"src"),alt:ne(t),title:Z(t,"title"),width:Y(t,"width"),height:Y(t,"height"),class:Z(t,"class"),style:e(Z(t,"style")),caption:q(t),hspace:$(t),vspace:V(t),border:K(t),borderStyle:se(t),isDecorative:oe(t)}),me=(e,t,a,i,s)=>{a[i]!==t[i]&&s(e,i,String(a[i]))},de=(e,t,a)=>{if(a){W.setAttrib(e,"role","presentation");const t=_(e);A(t,"alt","")}else{if(c(t)){"alt",_(e).dom.removeAttribute("alt")}else{const a=_(e);A(a,"alt",t)}"presentation"===W.getAttrib(e,"role")&&W.setAttrib(e,"role","")}},ge=(e,t)=>(a,i,s)=>{e(a,s),Q(a,t)},ue=(e,t,a)=>{const i=ce(e,a);me(a,i,t,"caption",((e,t,a)=>(e=>{q(e)?(e=>{const t=e.parentNode;d(t)&&(W.insertAfter(e,t),W.remove(t))})(e):(e=>{const t=W.create("figure",{class:"image"});W.insertAfter(t,e),t.appendChild(e),t.appendChild(W.create("figcaption",{contentEditable:"true"},"Caption")),t.contentEditable="false"})(e)})(e))),me(a,i,t,"src",J),me(a,i,t,"title",J),me(a,i,t,"width",X(0,e)),me(a,i,t,"height",X(0,e)),me(a,i,t,"class",J),me(a,i,t,"style",ge(((e,t)=>J(e,"style",t)),e)),me(a,i,t,"hspace",ge(ee,e)),me(a,i,t,"vspace",ge(te,e)),me(a,i,t,"border",ge(ae,e)),me(a,i,t,"borderStyle",ge(ie,e)),((e,t,a)=>{a.alt===t.alt&&a.isDecorative===t.isDecorative||de(e,a.alt,a.isDecorative)})(a,i,t)},pe=(e,t)=>{const a=(e=>{if(e.margin){const t=String(e.margin).split(" ");switch(t.length){case 1:e["margin-top"]=e["margin-top"]||t[0],e["margin-right"]=e["margin-right"]||t[0],e["margin-bottom"]=e["margin-bottom"]||t[0],e["margin-left"]=e["margin-left"]||t[0];break;case 2:e["margin-top"]=e["margin-top"]||t[0],e["margin-right"]=e["margin-right"]||t[1],e["margin-bottom"]=e["margin-bottom"]||t[0],e["margin-left"]=e["margin-left"]||t[1];break;case 3:e["margin-top"]=e["margin-top"]||t[0],e["margin-right"]=e["margin-right"]||t[1],e["margin-bottom"]=e["margin-bottom"]||t[2],e["margin-left"]=e["margin-left"]||t[1];break;case 4:e["margin-top"]=e["margin-top"]||t[0],e["margin-right"]=e["margin-right"]||t[1],e["margin-bottom"]=e["margin-bottom"]||t[2],e["margin-left"]=e["margin-left"]||t[3]}delete e.margin}return e})(e.dom.styles.parse(t)),i=e.dom.styles.parse(e.dom.styles.serialize(a));return e.dom.styles.serialize(i)},he=e=>{const t=e.selection.getNode(),a=e.dom.getParent(t,"figure.image");return a?e.dom.select("img",a)[0]:t&&("IMG"!==t.nodeName||H(t))?null:t},be=(e,t)=>{var a;const i=e.dom,s=((t,a)=>{const i={};var s;return((e,t,a,i)=>{((e,t)=>{const a=b(e);for(let i=0,s=a.length;i{(t(e,s)?a:i)(e,s)}))})(t,((t,a)=>!e.schema.isValidChild(a,"figure")),(s=i,(e,t)=>{s[t]=e}),p),i})(e.schema.getTextBlockElements()),r=i.getParent(t.parentNode,(e=>{return t=s,a=e.nodeName,y(t,a)&&void 0!==t[a]&&null!==t[a];var t,a}),e.getBody());return r&&null!==(a=i.split(r,t))&&void 0!==a?a:t},ve=(e,t)=>{const a=((t,a)=>{const i=document.createElement("img");if(ue((t=>pe(e,t)),{...a,caption:!1},i),de(i,a.alt,a.isDecorative),a.caption){const e=W.create("figure",{class:"image"});return e.appendChild(i),e.appendChild(W.create("figcaption",{contentEditable:"true"},"Caption")),e.contentEditable="false",e}return i})(0,t);e.dom.setAttrib(a,"data-mce-id","__mcenew"),e.focus(),e.selection.setContent(a.outerHTML);const i=e.dom.select('*[data-mce-id="__mcenew"]')[0];if(e.dom.setAttrib(i,"data-mce-id",null),re(i)){const t=be(e,i);e.selection.select(t)}else e.selection.select(i)},ye=(e,t)=>{const a=he(e);if(a){const i={...ce((t=>pe(e,t)),a),...t},s=((e,t)=>{const a=t.src;return{...t,src:G(e,a)?a:""}})(e,i);i.src?((e,t)=>{const a=he(e);if(a)if(ue((t=>pe(e,t)),t,a),((e,t)=>{e.dom.setAttrib(t,"src",t.getAttribute("src"))})(e,a),re(a.parentNode)){const t=a.parentNode;be(e,t),e.selection.select(a.parentNode)}else e.selection.select(a),((e,t,a)=>{const i=()=>{a.onload=a.onerror=null,e.selection&&(e.selection.select(a),e.nodeChanged())};a.onload=()=>{t.width||t.height||!x(e)||e.dom.setAttribs(a,{width:String(a.clientWidth),height:String(a.clientHeight)}),i()},a.onerror=i})(e,t,a)})(e,s):((e,t)=>{if(t){const a=e.dom.is(t.parentNode,"figure.image")?t.parentNode:t;e.dom.remove(a),e.focus(),e.nodeChanged(),e.dom.isEmpty(e.getBody())&&(e.setContent(""),e.selection.setCursorLocation())}})(e,a)}else t.src&&ve(e,{src:"",alt:"",title:"",width:"",height:"",class:"",style:"",caption:!1,hspace:"",vspace:"",border:"",borderStyle:"",isDecorative:!1,...t})},fe=(we=(e,t)=>n(e)&&n(t)?fe(e,t):t,(...e)=>{if(0===e.length)throw new Error("Can't merge zero objects");const t={};for(let a=0;ar(e.value)?e.value:"",Ce=(e,t)=>{const a=[];return De.each(e,(e=>{const i=(e=>r(e.text)?e.text:r(e.title)?e.title:"")(e);if(void 0!==e.menu){const s=Ce(e.menu,t);a.push({text:i,items:s})}else{const s=t(e);a.push({text:i,value:s})}})),a},Ie=(e=_e)=>t=>t?h.from(t).map((t=>Ce(t,e))):h.none(),Ue=(e,t)=>((e,a)=>{for(let a=0;ay(e,"items"))(i=e[a])?Ue(i.items,t):i.value===t?h.some(i):h.none();if(s.isSome())return s}var i;return h.none()})(e),Se=Ie,xe=(e,t)=>e.bind((e=>Ue(e,t))),Ne=e=>{const t=Se((t=>e.convertURL(t.value||t.url||"","src"))),a=new Promise((a=>{((e,t)=>{const a=R(e);r(a)?fetch(a).then((e=>{e.ok&&e.json().then(t)})):g(a)?a(t):t(a)})(e,(e=>{a(t(e).map((e=>w([[{text:"None",value:""}],e]))))}))})),i=(A=E(e),Ie(_e)(A)),s=N(e),o=T(e),n=(e=>U(e.options.get("images_upload_url")))(e),l=(e=>d(e.options.get("images_upload_handler")))(e),c=(e=>{const t=he(e);return t?ce((t=>pe(e,t)),t):{src:"",alt:"",title:"",width:"",height:"",class:"",style:"",caption:!1,hspace:"",vspace:"",border:"",borderStyle:"",isDecorative:!1}})(e),m=L(e),u=j(e),p=x(e),b=M(e),v=k(e),y=z(e),f=h.some(O(e)).filter((e=>r(e)&&e.length>0));var A;return a.then((e=>({image:c,imageList:e,classList:i,hasAdvTab:s,hasUploadTab:o,hasUploadUrl:n,hasUploadHandler:l,hasDescription:m,hasImageTitle:u,hasDimensions:p,hasImageCaption:b,prependURL:f,hasAccessibilityOptions:v,automaticUploads:y})))},Te=e=>{const t=e.imageList.map((e=>({name:"images",type:"listbox",label:"Image list",items:e}))),a={name:"alt",type:"input",label:"Alternative description",enabled:!(e.hasAccessibilityOptions&&e.image.isDecorative)},i=e.classList.map((e=>({name:"classes",type:"listbox",label:"Class",items:e})));return w([[{name:"src",type:"urlinput",filetype:"image",label:"Source"}],t.toArray(),e.hasAccessibilityOptions&&e.hasDescription?[{type:"label",label:"Accessibility",items:[{name:"isDecorative",type:"checkbox",label:"Image is decorative"}]}]:[],e.hasDescription?[a]:[],e.hasImageTitle?[{name:"title",type:"input",label:"Image title"}]:[],e.hasDimensions?[{name:"dimensions",type:"sizeinput"}]:[],[{...(s=e.classList.isSome()&&e.hasImageCaption,s?{type:"grid",columns:2}:{type:"panel"}),items:w([i.toArray(),e.hasImageCaption?[{type:"label",label:"Caption",items:[{type:"checkbox",name:"caption",label:"Show caption"}]}]:[]])}]]);var s},Oe=e=>({title:"General",name:"general",items:Te(e)}),Ee=Te,Le=e=>({src:{value:e.src,meta:{}},images:e.src,alt:e.alt,title:e.title,dimensions:{width:e.width,height:e.height},classes:e.class,caption:e.caption,style:e.style,vspace:e.vspace,border:e.border,hspace:e.hspace,borderstyle:e.borderStyle,fileinput:[],isDecorative:e.isDecorative}),je=(e,t)=>({src:e.src.value,alt:null!==e.alt&&0!==e.alt.length||!t?e.alt:null,title:e.title,width:e.dimensions.width,height:e.dimensions.height,class:e.classes,style:e.style,caption:e.caption,hspace:e.hspace,vspace:e.vspace,border:e.border,borderStyle:e.borderstyle,isDecorative:e.isDecorative}),Me=(e,t,a,i)=>{((e,t)=>{const a=t.getData();((e,t)=>/^(?:[a-zA-Z]+:)?\/\//.test(t)?h.none():e.prependURL.bind((e=>t.substring(0,e.length)!==e?h.some(e+t):h.none())))(e,a.src.value).each((e=>{t.setData({src:{value:e,meta:a.src.meta}})}))})(t,i),((e,t)=>{const a=t.getData(),i=a.src.meta;if(void 0!==i){const s=fe({},a);((e,t,a)=>{e.hasDescription&&r(a.alt)&&(t.alt=a.alt),e.hasAccessibilityOptions&&(t.isDecorative=a.isDecorative||t.isDecorative||!1),e.hasImageTitle&&r(a.title)&&(t.title=a.title),e.hasDimensions&&(r(a.width)&&(t.dimensions.width=a.width),r(a.height)&&(t.dimensions.height=a.height)),r(a.class)&&xe(e.classList,a.class).each((e=>{t.classes=e.value})),e.hasImageCaption&&m(a.caption)&&(t.caption=a.caption),e.hasAdvTab&&(r(a.style)&&(t.style=a.style),r(a.vspace)&&(t.vspace=a.vspace),r(a.border)&&(t.border=a.border),r(a.hspace)&&(t.hspace=a.hspace),r(a.borderstyle)&&(t.borderstyle=a.borderstyle))})(e,s,i),t.setData(s)}})(t,i),((e,t,a,i)=>{const s=i.getData(),r=s.src.value,o=s.src.meta||{};o.width||o.height||!t.hasDimensions||(U(r)?e.imageSize(r).then((e=>{a.open&&i.setData({dimensions:e})})).catch((e=>console.error(e))):i.setData({dimensions:{width:"",height:""}}))})(e,t,a,i),((e,t,a)=>{const i=a.getData(),s=xe(e.imageList,i.src.value);t.prevImage=s,a.setData({images:s.map((e=>e.value)).getOr("")})})(t,a,i)},Re=(e,t,a,i)=>{const s=i.getData();var r;i.block("Uploading image"),(r=s.fileinput,((e,t)=>0{i.unblock()}),(s=>{const r=URL.createObjectURL(s),o=()=>{i.unblock(),URL.revokeObjectURL(r)},n=s=>{i.setData({src:{value:s,meta:{}}}),i.showTab("general"),Me(e,t,a,i)};var l;(l=s,new Promise(((e,t)=>{const a=new FileReader;a.onload=()=>{e(a.result)},a.onerror=()=>{var e;t(null===(e=a.error)||void 0===e?void 0:e.message)},a.readAsDataURL(l)}))).then((a=>{const l=e.createBlobCache(s,r,a);t.automaticUploads?e.uploadImage(l).then((e=>{n(e.url),o()})).catch((t=>{o(),e.alertErr(t)})):(e.addToBlobCache(l),n(l.blobUri()),i.unblock())}))}))},ke=(e,t,a)=>(i,s)=>{"src"===s.name?Me(e,t,a,i):"images"===s.name?((e,t,a,i)=>{const s=i.getData(),r=xe(t.imageList,s.images);r.each((e=>{const t=""===s.alt||a.prevImage.map((e=>e.text===s.alt)).getOr(!1);t?""===e.value?i.setData({src:e,alt:a.prevAlt}):i.setData({src:e,alt:e.text}):i.setData({src:e})})),a.prevImage=r,Me(e,t,a,i)})(e,t,a,i):"alt"===s.name?a.prevAlt=i.getData().alt:"fileinput"===s.name?Re(e,t,a,i):"isDecorative"===s.name&&i.setEnabled("alt",!i.getData().isDecorative)},ze=e=>()=>{e.open=!1},Pe=e=>e.hasAdvTab||e.hasUploadUrl||e.hasUploadHandler?{type:"tabpanel",tabs:w([[Oe(e)],e.hasAdvTab?[{title:"Advanced",name:"advanced",items:[{type:"grid",columns:2,items:[{type:"input",label:"Vertical space",name:"vspace",inputMode:"numeric"},{type:"input",label:"Horizontal space",name:"hspace",inputMode:"numeric"},{type:"input",label:"Border width",name:"border",inputMode:"numeric"},{type:"listbox",name:"borderstyle",label:"Border style",items:[{text:"Select...",value:""},{text:"Solid",value:"solid"},{text:"Dotted",value:"dotted"},{text:"Dashed",value:"dashed"},{text:"Double",value:"double"},{text:"Groove",value:"groove"},{text:"Ridge",value:"ridge"},{text:"Inset",value:"inset"},{text:"Outset",value:"outset"},{text:"None",value:"none"},{text:"Hidden",value:"hidden"}]}]}]}]:[],e.hasUploadTab&&(e.hasUploadUrl||e.hasUploadHandler)?[{title:"Upload",name:"upload",items:[{type:"dropzone",name:"fileinput"}]}]:[]])}:{type:"panel",items:Ee(e)},Be=(e,t,a)=>i=>{const s=fe(Le(t.image),i.getData()),r={...s,style:le(a.normalizeCss,je(s,!1))};e.execCommand("mceUpdateImage",!1,je(r,t.hasAccessibilityOptions)),e.editorUpload.uploadImagesAuto(),i.close()},Fe=e=>t=>G(e,t)?(e=>new Promise((t=>{const a=document.createElement("img"),i=e=>{a.onload=a.onerror=null,a.parentNode&&a.parentNode.removeChild(a),t(e)};a.onload=()=>{const e={width:P(a.width,a.clientWidth),height:P(a.height,a.clientHeight)};i(Promise.resolve(e))},a.onerror=()=>{i(Promise.reject(`Failed to get image dimensions for: ${e}`))};const s=a.style;s.visibility="hidden",s.position="fixed",s.bottom=s.left="0px",s.width=s.height="auto",document.body.appendChild(a),a.src=e})))(e.documentBaseURI.toAbsolute(t)).then((e=>({width:String(e.width),height:String(e.height)}))):Promise.resolve({width:"",height:""}),He=e=>(t,a,i)=>{var s;return e.editorUpload.blobCache.create({blob:t,blobUri:a,name:null===(s=t.name)||void 0===s?void 0:s.replace(/\.[^\.]+$/,""),filename:t.name,base64:i.split(",")[1]})},Ge=e=>t=>{e.editorUpload.blobCache.add(t)},We=e=>t=>{e.windowManager.alert(t)},$e=e=>t=>pe(e,t),Ve=e=>t=>e.dom.parseStyle(t),Ke=e=>(t,a)=>e.dom.serializeStyle(t,a),Ze=e=>t=>Ae(e).upload([t],!1).then((e=>{var t;return 0===e.length?Promise.reject("Failed to upload image"):!1===e[0].status?Promise.reject(null===(t=e[0].error)||void 0===t?void 0:t.message):e[0]})),qe=e=>{const t={imageSize:Fe(e),addToBlobCache:Ge(e),createBlobCache:He(e),alertErr:We(e),normalizeCss:$e(e),parseStyle:Ve(e),serializeStyle:Ke(e),uploadImage:Ze(e)};return{open:()=>{Ne(e).then((a=>{const i=(e=>({prevImage:xe(e.imageList,e.image.src),prevAlt:e.image.alt,open:!0}))(a);return{title:"Insert/Edit Image",size:"normal",body:Pe(a),buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],initialData:Le(a.image),onSubmit:Be(e,a,t),onChange:ke(t,a,i),onClose:ze(i)}})).then(e.windowManager.open)}}},Je=e=>{const t=e.attr("class");return d(t)&&/\bimage\b/.test(t)},Qe=e=>t=>{let a=t.length;const i=t=>{t.attr("contenteditable",e?"true":null)};for(;a--;){const s=t[a];Je(s)&&(s.attr("contenteditable",e?"false":null),De.each(s.getAll("figcaption"),i))}},Xe=e=>t=>{const a=()=>{t.setEnabled(e.selection.isEditable())};return e.on("NodeChange",a),a(),()=>{e.off("NodeChange",a)}};e.add("image",(e=>{(e=>{const t=e.options.register;t("image_dimensions",{processor:"boolean",default:!0}),t("image_advtab",{processor:"boolean",default:!1}),t("image_uploadtab",{processor:"boolean",default:!0}),t("image_prepend_url",{processor:"string",default:""}),t("image_class_list",{processor:"object[]"}),t("image_description",{processor:"boolean",default:!0}),t("image_title",{processor:"boolean",default:!1}),t("image_caption",{processor:"boolean",default:!1}),t("image_list",{processor:e=>{const t=!1===e||r(e)||((e,t)=>{if(l(e)){for(let a=0,i=e.length;a{e.on("PreInit",(()=>{e.parser.addNodeFilter("figure",Qe(!0)),e.serializer.addNodeFilter("figure",Qe(!1))}))})(e),(e=>{e.ui.registry.addToggleButton("image",{icon:"image",tooltip:"Insert/edit image",onAction:qe(e).open,onSetup:t=>{t.setActive(d(he(e)));const a=e.selection.selectorChangedWithUnbind("img:not([data-mce-object]):not([data-mce-placeholder]),figure.image",t.setActive).unbind,i=Xe(e)(t);return()=>{a(),i()}}}),e.ui.registry.addMenuItem("image",{icon:"image",text:"Image...",onAction:qe(e).open,onSetup:Xe(e)}),e.ui.registry.addContextMenu("image",{update:t=>e.selection.isEditable()&&(re(t)||"IMG"===t.nodeName&&!H(t))?["image"]:[]})})(e),(e=>{e.addCommand("mceImage",qe(e).open),e.addCommand("mceUpdateImage",((t,a)=>{e.undoManager.transact((()=>ye(e,a)))}))})(e)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/importcss/index.js b/deform/static/tinymce/plugins/importcss/index.js new file mode 100644 index 00000000..b78264c9 --- /dev/null +++ b/deform/static/tinymce/plugins/importcss/index.js @@ -0,0 +1,7 @@ +// Exports the "importcss" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/importcss') +// ES2015: +// import 'tinymce/plugins/importcss' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/importcss/plugin.js b/deform/static/tinymce/plugins/importcss/plugin.js new file mode 100644 index 00000000..41378ee0 --- /dev/null +++ b/deform/static/tinymce/plugins/importcss/plugin.js @@ -0,0 +1,344 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$4 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const isString = isType('string'); + const isObject = isType('object'); + const isArray = isType('array'); + const isFunction = isSimpleType('function'); + + var global$3 = tinymce.util.Tools.resolve('tinymce.dom.DOMUtils'); + + var global$2 = tinymce.util.Tools.resolve('tinymce.EditorManager'); + + var global$1 = tinymce.util.Tools.resolve('tinymce.Env'); + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const option = name => editor => editor.options.get(name); + const register = editor => { + const registerOption = editor.options.register; + const filterProcessor = value => isString(value) || isFunction(value) || isObject(value); + registerOption('importcss_merge_classes', { + processor: 'boolean', + default: true + }); + registerOption('importcss_exclusive', { + processor: 'boolean', + default: true + }); + registerOption('importcss_selector_converter', { processor: 'function' }); + registerOption('importcss_selector_filter', { processor: filterProcessor }); + registerOption('importcss_file_filter', { processor: filterProcessor }); + registerOption('importcss_groups', { processor: 'object[]' }); + registerOption('importcss_append', { + processor: 'boolean', + default: false + }); + }; + const shouldMergeClasses = option('importcss_merge_classes'); + const shouldImportExclusive = option('importcss_exclusive'); + const getSelectorConverter = option('importcss_selector_converter'); + const getSelectorFilter = option('importcss_selector_filter'); + const getCssGroups = option('importcss_groups'); + const shouldAppend = option('importcss_append'); + const getFileFilter = option('importcss_file_filter'); + const getSkin = option('skin'); + const getSkinUrl = option('skin_url'); + + const nativePush = Array.prototype.push; + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + const bind = (xs, f) => flatten(map(xs, f)); + + const generate = () => { + const ungroupedOrder = []; + const groupOrder = []; + const groups = {}; + const addItemToGroup = (groupTitle, itemInfo) => { + if (groups[groupTitle]) { + groups[groupTitle].push(itemInfo); + } else { + groupOrder.push(groupTitle); + groups[groupTitle] = [itemInfo]; + } + }; + const addItem = itemInfo => { + ungroupedOrder.push(itemInfo); + }; + const toFormats = () => { + const groupItems = bind(groupOrder, g => { + const items = groups[g]; + return items.length === 0 ? [] : [{ + title: g, + items + }]; + }); + return groupItems.concat(ungroupedOrder); + }; + return { + addItemToGroup, + addItem, + toFormats + }; + }; + + const internalEditorStyle = /^\.(?:ephox|tiny-pageembed|mce)(?:[.-]+\w+)+$/; + const removeCacheSuffix = url => { + const cacheSuffix = global$1.cacheSuffix; + if (isString(url)) { + url = url.replace('?' + cacheSuffix, '').replace('&' + cacheSuffix, ''); + } + return url; + }; + const isSkinContentCss = (editor, href) => { + const skin = getSkin(editor); + if (skin) { + const skinUrlBase = getSkinUrl(editor); + const skinUrl = skinUrlBase ? editor.documentBaseURI.toAbsolute(skinUrlBase) : global$2.baseURL + '/skins/ui/' + skin; + const contentSkinUrlPart = global$2.baseURL + '/skins/content/'; + return href === skinUrl + '/content' + (editor.inline ? '.inline' : '') + '.min.css' || href.indexOf(contentSkinUrlPart) !== -1; + } + return false; + }; + const compileFilter = filter => { + if (isString(filter)) { + return value => { + return value.indexOf(filter) !== -1; + }; + } else if (filter instanceof RegExp) { + return value => { + return filter.test(value); + }; + } + return filter; + }; + const isCssImportRule = rule => rule.styleSheet; + const isCssPageRule = rule => rule.selectorText; + const getSelectors = (editor, doc, fileFilter) => { + const selectors = []; + const contentCSSUrls = {}; + const append = (styleSheet, imported) => { + let href = styleSheet.href; + let rules; + href = removeCacheSuffix(href); + if (!href || fileFilter && !fileFilter(href, imported) || isSkinContentCss(editor, href)) { + return; + } + global.each(styleSheet.imports, styleSheet => { + append(styleSheet, true); + }); + try { + rules = styleSheet.cssRules || styleSheet.rules; + } catch (e) { + } + global.each(rules, cssRule => { + if (isCssImportRule(cssRule)) { + append(cssRule.styleSheet, true); + } else if (isCssPageRule(cssRule)) { + global.each(cssRule.selectorText.split(','), selector => { + selectors.push(global.trim(selector)); + }); + } + }); + }; + global.each(editor.contentCSS, url => { + contentCSSUrls[url] = true; + }); + if (!fileFilter) { + fileFilter = (href, imported) => { + return imported || contentCSSUrls[href]; + }; + } + try { + global.each(doc.styleSheets, styleSheet => { + append(styleSheet); + }); + } catch (e) { + } + return selectors; + }; + const defaultConvertSelectorToFormat = (editor, selectorText) => { + let format = {}; + const selector = /^(?:([a-z0-9\-_]+))?(\.[a-z0-9_\-\.]+)$/i.exec(selectorText); + if (!selector) { + return; + } + const elementName = selector[1]; + const classes = selector[2].substr(1).split('.').join(' '); + const inlineSelectorElements = global.makeMap('a,img'); + if (selector[1]) { + format = { title: selectorText }; + if (editor.schema.getTextBlockElements()[elementName]) { + format.block = elementName; + } else if (editor.schema.getBlockElements()[elementName] || inlineSelectorElements[elementName.toLowerCase()]) { + format.selector = elementName; + } else { + format.inline = elementName; + } + } else if (selector[2]) { + format = { + inline: 'span', + title: selectorText.substr(1), + classes + }; + } + if (shouldMergeClasses(editor)) { + format.classes = classes; + } else { + format.attributes = { class: classes }; + } + return format; + }; + const getGroupsBySelector = (groups, selector) => { + return global.grep(groups, group => { + return !group.filter || group.filter(selector); + }); + }; + const compileUserDefinedGroups = groups => { + return global.map(groups, group => { + return global.extend({}, group, { + original: group, + selectors: {}, + filter: compileFilter(group.filter) + }); + }); + }; + const isExclusiveMode = (editor, group) => { + return group === null || shouldImportExclusive(editor); + }; + const isUniqueSelector = (editor, selector, group, globallyUniqueSelectors) => { + return !(isExclusiveMode(editor, group) ? selector in globallyUniqueSelectors : selector in group.selectors); + }; + const markUniqueSelector = (editor, selector, group, globallyUniqueSelectors) => { + if (isExclusiveMode(editor, group)) { + globallyUniqueSelectors[selector] = true; + } else { + group.selectors[selector] = true; + } + }; + const convertSelectorToFormat = (editor, plugin, selector, group) => { + let selectorConverter; + const converter = getSelectorConverter(editor); + if (group && group.selector_converter) { + selectorConverter = group.selector_converter; + } else if (converter) { + selectorConverter = converter; + } else { + selectorConverter = () => { + return defaultConvertSelectorToFormat(editor, selector); + }; + } + return selectorConverter.call(plugin, selector, group); + }; + const setup = editor => { + editor.on('init', () => { + const model = generate(); + const globallyUniqueSelectors = {}; + const selectorFilter = compileFilter(getSelectorFilter(editor)); + const groups = compileUserDefinedGroups(getCssGroups(editor)); + const processSelector = (selector, group) => { + if (isUniqueSelector(editor, selector, group, globallyUniqueSelectors)) { + markUniqueSelector(editor, selector, group, globallyUniqueSelectors); + const format = convertSelectorToFormat(editor, editor.plugins.importcss, selector, group); + if (format) { + const formatName = format.name || global$3.DOM.uniqueId(); + editor.formatter.register(formatName, format); + return { + title: format.title, + format: formatName + }; + } + } + return null; + }; + global.each(getSelectors(editor, editor.getDoc(), compileFilter(getFileFilter(editor))), selector => { + if (!internalEditorStyle.test(selector)) { + if (!selectorFilter || selectorFilter(selector)) { + const selectorGroups = getGroupsBySelector(groups, selector); + if (selectorGroups.length > 0) { + global.each(selectorGroups, group => { + const menuItem = processSelector(selector, group); + if (menuItem) { + model.addItemToGroup(group.title, menuItem); + } + }); + } else { + const menuItem = processSelector(selector, null); + if (menuItem) { + model.addItem(menuItem); + } + } + } + } + }); + const items = model.toFormats(); + editor.dispatch('addStyleModifications', { + items, + replace: !shouldAppend(editor) + }); + }); + }; + + const get = editor => { + const convertSelectorToFormat = selectorText => { + return defaultConvertSelectorToFormat(editor, selectorText); + }; + return { convertSelectorToFormat }; + }; + + var Plugin = () => { + global$4.add('importcss', editor => { + register(editor); + setup(editor); + return get(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/importcss/plugin.min.js b/deform/static/tinymce/plugins/importcss/plugin.min.js index 69dd8775..461505e1 100644 --- a/deform/static/tinymce/plugins/importcss/plugin.min.js +++ b/deform/static/tinymce/plugins/importcss/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("importcss",function(t){function e(e,s){function i(t,e){var o=t.href;if(e||c[o]){if(s){if(s instanceof RegExp&&!s.test(o))return;if("string"==typeof s&&-1===o.indexOf(s))return}n(t.imports,function(t){i(t,!0)}),n(t.cssRules||t.rules,function(t){t.styleSheet?i(t.styleSheet,!0):t.selectorText&&n(t.selectorText.split(","),function(t){r.push(tinymce.trim(t))})})}}var r=[],c={};n(t.contentCSS,function(t){c[t]=!0});try{n(e.styleSheets,i)}catch(o){}return r}function s(e){var s,n=/^(?:([a-z0-9\-_]+))?(\.[a-z0-9_\-\.]+)$/i.exec(e);if(n){var i=n[1],r=n[2].substr(1).split(".").join(" ");return n[1]?(s={title:e},t.schema.getTextBlockElements()[i]?s.block=i:t.schema.getBlockElements()[i]?s.selector=i:s.inline=i):n[2]&&(s={inline:"span",title:e.substr(1),classes:r}),t.settings.importcss_merge_classes!==!1?s.classes=r:s.attributes={"class":r},s}}var n=tinymce.each;t.settings.style_formats||t.on("renderFormatsMenu",function(i){var r=t.settings.importcss_selector_converter||s,c={},o=t.settings.importcss_file_filter;t.settings.importcss_append||i.control.items().remove(),n(e(t.getDoc(),o),function(e){if(-1===e.indexOf(".mce-")&&!c[e]){var s=r(e);if(s){var n=s.name||tinymce.DOM.uniqueId();t.formatter.register(n,s),i.control.add(tinymce.extend({},i.control.settings.itemDefaults,{text:s.title,format:n}))}c[e]=!0}}),i.control.renderNew()})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(s=r=e,(o=String).prototype.isPrototypeOf(s)||(null===(n=r.constructor)||void 0===n?void 0:n.name)===o.name)?"string":t;var s,r,o,n})(t)===e,s=t("string"),r=t("object"),o=t("array"),n=("function",e=>"function"==typeof e);var c=tinymce.util.Tools.resolve("tinymce.dom.DOMUtils"),i=tinymce.util.Tools.resolve("tinymce.EditorManager"),l=tinymce.util.Tools.resolve("tinymce.Env"),a=tinymce.util.Tools.resolve("tinymce.util.Tools");const p=e=>t=>t.options.get(e),u=p("importcss_merge_classes"),m=p("importcss_exclusive"),f=p("importcss_selector_converter"),y=p("importcss_selector_filter"),d=p("importcss_groups"),h=p("importcss_append"),_=p("importcss_file_filter"),g=p("skin"),v=p("skin_url"),b=Array.prototype.push,x=/^\.(?:ephox|tiny-pageembed|mce)(?:[.-]+\w+)+$/,T=e=>s(e)?t=>-1!==t.indexOf(e):e instanceof RegExp?t=>e.test(t):e,S=(e,t)=>{let s={};const r=/^(?:([a-z0-9\-_]+))?(\.[a-z0-9_\-\.]+)$/i.exec(t);if(!r)return;const o=r[1],n=r[2].substr(1).split(".").join(" "),c=a.makeMap("a,img");return r[1]?(s={title:t},e.schema.getTextBlockElements()[o]?s.block=o:e.schema.getBlockElements()[o]||c[o.toLowerCase()]?s.selector=o:s.inline=o):r[2]&&(s={inline:"span",title:t.substr(1),classes:n}),u(e)?s.classes=n:s.attributes={class:n},s},k=(e,t)=>null===t||m(e),w=e=>{e.on("init",(()=>{const t=(()=>{const e=[],t=[],s={};return{addItemToGroup:(e,r)=>{s[e]?s[e].push(r):(t.push(e),s[e]=[r])},addItem:t=>{e.push(t)},toFormats:()=>{return(r=t,n=e=>{const t=s[e];return 0===t.length?[]:[{title:e,items:t}]},(e=>{const t=[];for(let s=0,r=e.length;s{const s=e.length,r=new Array(s);for(let o=0;oa.map(e,(e=>a.extend({},e,{original:e,selectors:{},filter:T(e.filter)}))))(d(e)),u=(t,s)=>{if(((e,t,s,r)=>!(k(e,s)?t in r:t in s.selectors))(e,t,s,r)){((e,t,s,r)=>{k(e,s)?r[t]=!0:s.selectors[t]=!0})(e,t,s,r);const o=((e,t,s,r)=>{let o;const n=f(e);return o=r&&r.selector_converter?r.selector_converter:n||(()=>S(e,s)),o.call(t,s,r)})(e,e.plugins.importcss,t,s);if(o){const t=o.name||c.DOM.uniqueId();return e.formatter.register(t,o),{title:o.title,format:t}}}return null};a.each(((e,t,r)=>{const o=[],n={},c=(t,n)=>{let p,u=t.href;if(u=(e=>{const t=l.cacheSuffix;return s(e)&&(e=e.replace("?"+t,"").replace("&"+t,"")),e})(u),u&&(!r||r(u,n))&&!((e,t)=>{const s=g(e);if(s){const r=v(e),o=r?e.documentBaseURI.toAbsolute(r):i.baseURL+"/skins/ui/"+s,n=i.baseURL+"/skins/content/";return t===o+"/content"+(e.inline?".inline":"")+".min.css"||-1!==t.indexOf(n)}return!1})(e,u)){a.each(t.imports,(e=>{c(e,!0)}));try{p=t.cssRules||t.rules}catch(e){}a.each(p,(e=>{e.styleSheet?c(e.styleSheet,!0):e.selectorText&&a.each(e.selectorText.split(","),(e=>{o.push(a.trim(e))}))}))}};a.each(e.contentCSS,(e=>{n[e]=!0})),r||(r=(e,t)=>t||n[e]);try{a.each(t.styleSheets,(e=>{c(e)}))}catch(e){}return o})(e,e.getDoc(),T(_(e))),(e=>{if(!x.test(e)&&(!n||n(e))){const s=((e,t)=>a.grep(e,(e=>!e.filter||e.filter(t))))(p,e);if(s.length>0)a.each(s,(s=>{const r=u(e,s);r&&t.addItemToGroup(s.title,r)}));else{const s=u(e,null);s&&t.addItem(s)}}}));const m=t.toFormats();e.dispatch("addStyleModifications",{items:m,replace:!h(e)})}))};e.add("importcss",(e=>((e=>{const t=e.options.register,o=e=>s(e)||n(e)||r(e);t("importcss_merge_classes",{processor:"boolean",default:!0}),t("importcss_exclusive",{processor:"boolean",default:!0}),t("importcss_selector_converter",{processor:"function"}),t("importcss_selector_filter",{processor:o}),t("importcss_file_filter",{processor:o}),t("importcss_groups",{processor:"object[]"}),t("importcss_append",{processor:"boolean",default:!1})})(e),w(e),(e=>({convertSelectorToFormat:t=>S(e,t)}))(e))))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/insertdatetime/index.js b/deform/static/tinymce/plugins/insertdatetime/index.js new file mode 100644 index 00000000..22a7f6e1 --- /dev/null +++ b/deform/static/tinymce/plugins/insertdatetime/index.js @@ -0,0 +1,7 @@ +// Exports the "insertdatetime" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/insertdatetime') +// ES2015: +// import 'tinymce/plugins/insertdatetime' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/insertdatetime/plugin.js b/deform/static/tinymce/plugins/insertdatetime/plugin.js new file mode 100644 index 00000000..d264b202 --- /dev/null +++ b/deform/static/tinymce/plugins/insertdatetime/plugin.js @@ -0,0 +1,187 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$1 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('insertdatetime_dateformat', { + processor: 'string', + default: editor.translate('%Y-%m-%d') + }); + registerOption('insertdatetime_timeformat', { + processor: 'string', + default: editor.translate('%H:%M:%S') + }); + registerOption('insertdatetime_formats', { + processor: 'string[]', + default: [ + '%H:%M:%S', + '%Y-%m-%d', + '%I:%M:%S %p', + '%D' + ] + }); + registerOption('insertdatetime_element', { + processor: 'boolean', + default: false + }); + }; + const getDateFormat = option('insertdatetime_dateformat'); + const getTimeFormat = option('insertdatetime_timeformat'); + const getFormats = option('insertdatetime_formats'); + const shouldInsertTimeElement = option('insertdatetime_element'); + const getDefaultDateTime = editor => { + const formats = getFormats(editor); + return formats.length > 0 ? formats[0] : getTimeFormat(editor); + }; + + const daysShort = 'Sun Mon Tue Wed Thu Fri Sat Sun'.split(' '); + const daysLong = 'Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday'.split(' '); + const monthsShort = 'Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec'.split(' '); + const monthsLong = 'January February March April May June July August September October November December'.split(' '); + const addZeros = (value, len) => { + value = '' + value; + if (value.length < len) { + for (let i = 0; i < len - value.length; i++) { + value = '0' + value; + } + } + return value; + }; + const getDateTime = (editor, fmt, date = new Date()) => { + fmt = fmt.replace('%D', '%m/%d/%Y'); + fmt = fmt.replace('%r', '%I:%M:%S %p'); + fmt = fmt.replace('%Y', '' + date.getFullYear()); + fmt = fmt.replace('%y', '' + date.getYear()); + fmt = fmt.replace('%m', addZeros(date.getMonth() + 1, 2)); + fmt = fmt.replace('%d', addZeros(date.getDate(), 2)); + fmt = fmt.replace('%H', '' + addZeros(date.getHours(), 2)); + fmt = fmt.replace('%M', '' + addZeros(date.getMinutes(), 2)); + fmt = fmt.replace('%S', '' + addZeros(date.getSeconds(), 2)); + fmt = fmt.replace('%I', '' + ((date.getHours() + 11) % 12 + 1)); + fmt = fmt.replace('%p', '' + (date.getHours() < 12 ? 'AM' : 'PM')); + fmt = fmt.replace('%B', '' + editor.translate(monthsLong[date.getMonth()])); + fmt = fmt.replace('%b', '' + editor.translate(monthsShort[date.getMonth()])); + fmt = fmt.replace('%A', '' + editor.translate(daysLong[date.getDay()])); + fmt = fmt.replace('%a', '' + editor.translate(daysShort[date.getDay()])); + fmt = fmt.replace('%%', '%'); + return fmt; + }; + const updateElement = (editor, timeElm, computerTime, userTime) => { + const newTimeElm = editor.dom.create('time', { datetime: computerTime }, userTime); + editor.dom.replace(newTimeElm, timeElm); + editor.selection.select(newTimeElm, true); + editor.selection.collapse(false); + }; + const insertDateTime = (editor, format) => { + if (shouldInsertTimeElement(editor)) { + const userTime = getDateTime(editor, format); + let computerTime; + if (/%[HMSIp]/.test(format)) { + computerTime = getDateTime(editor, '%Y-%m-%dT%H:%M'); + } else { + computerTime = getDateTime(editor, '%Y-%m-%d'); + } + const timeElm = editor.dom.getParent(editor.selection.getStart(), 'time'); + if (timeElm) { + updateElement(editor, timeElm, computerTime, userTime); + } else { + editor.insertContent(''); + } + } else { + editor.insertContent(getDateTime(editor, format)); + } + }; + + const register$1 = editor => { + editor.addCommand('mceInsertDate', (_ui, value) => { + insertDateTime(editor, value !== null && value !== void 0 ? value : getDateFormat(editor)); + }); + editor.addCommand('mceInsertTime', (_ui, value) => { + insertDateTime(editor, value !== null && value !== void 0 ? value : getTimeFormat(editor)); + }); + }; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const formats = getFormats(editor); + const defaultFormat = Cell(getDefaultDateTime(editor)); + const insertDateTime = format => editor.execCommand('mceInsertDate', false, format); + editor.ui.registry.addSplitButton('insertdatetime', { + icon: 'insert-time', + tooltip: 'Insert date/time', + select: value => value === defaultFormat.get(), + fetch: done => { + done(global.map(formats, format => ({ + type: 'choiceitem', + text: getDateTime(editor, format), + value: format + }))); + }, + onAction: _api => { + insertDateTime(defaultFormat.get()); + }, + onItemAction: (_api, value) => { + defaultFormat.set(value); + insertDateTime(value); + }, + onSetup: onSetupEditable(editor) + }); + const makeMenuItemHandler = format => () => { + defaultFormat.set(format); + insertDateTime(format); + }; + editor.ui.registry.addNestedMenuItem('insertdatetime', { + icon: 'insert-time', + text: 'Date/time', + getSubmenuItems: () => global.map(formats, format => ({ + type: 'menuitem', + text: getDateTime(editor, format), + onAction: makeMenuItemHandler(format) + })), + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$1.add('insertdatetime', editor => { + register$2(editor); + register$1(editor); + register(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/insertdatetime/plugin.min.js b/deform/static/tinymce/plugins/insertdatetime/plugin.min.js index 08e28337..08a6fc21 100644 --- a/deform/static/tinymce/plugins/insertdatetime/plugin.min.js +++ b/deform/static/tinymce/plugins/insertdatetime/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("insertdatetime",function(e){function t(t,n){function i(e,t){if(e=""+e,e.length'+i+"";var r=e.dom.getParent(e.selection.getStart(),"time");if(r)return e.dom.setOuterHTML(r,i),void 0}e.insertContent(i)}var i,a="Sun Mon Tue Wed Thu Fri Sat Sun".split(" "),r="Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday".split(" "),o="Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec".split(" "),s="January February March April May June July August September October November December".split(" "),l=[];e.addCommand("mceInsertDate",function(){n(e.getParam("insertdatetime_dateformat",e.translate("%Y-%m-%d")))}),e.addCommand("mceInsertTime",function(){n(e.getParam("insertdatetime_timeformat",e.translate("%H:%M:%S")))}),e.addButton("inserttime",{type:"splitbutton",title:"Insert time",onclick:function(){n(i||"%H:%M:%S")},menu:l}),tinymce.each(e.settings.insertdatetime_formats||["%H:%M:%S","%Y-%m-%d","%I:%M:%S %p","%D"],function(e){l.push({text:t(e),onclick:function(){i=e,n(e)}})}),e.addMenuItem("insertdatetime",{icon:"date",text:"Insert date/time",menu:l,context:"insert"})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>t=>t.options.get(e),a=t("insertdatetime_dateformat"),n=t("insertdatetime_timeformat"),r=t("insertdatetime_formats"),s=t("insertdatetime_element"),i="Sun Mon Tue Wed Thu Fri Sat Sun".split(" "),o="Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday".split(" "),l="Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec".split(" "),m="January February March April May June July August September October November December".split(" "),c=(e,t)=>{if((e=""+e).length(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=t.replace("%D","%m/%d/%Y")).replace("%r","%I:%M:%S %p")).replace("%Y",""+a.getFullYear())).replace("%y",""+a.getYear())).replace("%m",c(a.getMonth()+1,2))).replace("%d",c(a.getDate(),2))).replace("%H",""+c(a.getHours(),2))).replace("%M",""+c(a.getMinutes(),2))).replace("%S",""+c(a.getSeconds(),2))).replace("%I",""+((a.getHours()+11)%12+1))).replace("%p",a.getHours()<12?"AM":"PM")).replace("%B",""+e.translate(m[a.getMonth()]))).replace("%b",""+e.translate(l[a.getMonth()]))).replace("%A",""+e.translate(o[a.getDay()]))).replace("%a",""+e.translate(i[a.getDay()]))).replace("%%","%"),u=(e,t)=>{if(s(e)){const a=d(e,t);let n;n=/%[HMSIp]/.test(t)?d(e,"%Y-%m-%dT%H:%M"):d(e,"%Y-%m-%d");const r=e.dom.getParent(e.selection.getStart(),"time");r?((e,t,a,n)=>{const r=e.dom.create("time",{datetime:a},n);e.dom.replace(r,t),e.selection.select(r,!0),e.selection.collapse(!1)})(e,r,n,a):e.insertContent('")}else e.insertContent(d(e,t))};var p=tinymce.util.Tools.resolve("tinymce.util.Tools");const g=e=>t=>{const a=()=>{t.setEnabled(e.selection.isEditable())};return e.on("NodeChange",a),a(),()=>{e.off("NodeChange",a)}};e.add("insertdatetime",(e=>{(e=>{const t=e.options.register;t("insertdatetime_dateformat",{processor:"string",default:e.translate("%Y-%m-%d")}),t("insertdatetime_timeformat",{processor:"string",default:e.translate("%H:%M:%S")}),t("insertdatetime_formats",{processor:"string[]",default:["%H:%M:%S","%Y-%m-%d","%I:%M:%S %p","%D"]}),t("insertdatetime_element",{processor:"boolean",default:!1})})(e),(e=>{e.addCommand("mceInsertDate",((t,n)=>{u(e,null!=n?n:a(e))})),e.addCommand("mceInsertTime",((t,a)=>{u(e,null!=a?a:n(e))}))})(e),(e=>{const t=r(e),a=(e=>{let t=e;return{get:()=>t,set:e=>{t=e}}})((e=>{const t=r(e);return t.length>0?t[0]:n(e)})(e)),s=t=>e.execCommand("mceInsertDate",!1,t);e.ui.registry.addSplitButton("insertdatetime",{icon:"insert-time",tooltip:"Insert date/time",select:e=>e===a.get(),fetch:a=>{a(p.map(t,(t=>({type:"choiceitem",text:d(e,t),value:t}))))},onAction:e=>{s(a.get())},onItemAction:(e,t)=>{a.set(t),s(t)},onSetup:g(e)});const i=e=>()=>{a.set(e),s(e)};e.ui.registry.addNestedMenuItem("insertdatetime",{icon:"insert-time",text:"Date/time",getSubmenuItems:()=>p.map(t,(t=>({type:"menuitem",text:d(e,t),onAction:i(t)}))),onSetup:g(e)})})(e)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/layer/plugin.min.js b/deform/static/tinymce/plugins/layer/plugin.min.js deleted file mode 100644 index eb1ad4b6..00000000 --- a/deform/static/tinymce/plugins/layer/plugin.min.js +++ /dev/null @@ -1 +0,0 @@ -tinymce.PluginManager.add("layer",function(e){function t(e){do if(e.className&&-1!=e.className.indexOf("mceItemLayer"))return e;while(e=e.parentNode)}function n(t){var n=e.dom;tinymce.each(n.select("div,p",t),function(e){/^(absolute|relative|fixed)$/i.test(e.style.position)&&(e.hasVisual?n.addClass(e,"mceItemVisualAid"):n.removeClass(e,"mceItemVisualAid"),n.addClass(e,"mceItemLayer"))})}function i(n){var i,o,a=[],r=t(e.selection.getNode()),l=-1,s=-1;for(o=[],tinymce.walk(e.getBody(),function(e){1==e.nodeType&&/^(absolute|relative|static)$/i.test(e.style.position)&&o.push(e)},"childNodes"),i=0;il&&o[i]==r&&(l=i);if(0>n){for(i=0;i-1?(o[l].style.zIndex=a[s],o[s].style.zIndex=a[l]):a[l]>0&&(o[l].style.zIndex=a[l]-1)}else{for(i=0;ia[l]){s=i;break}s>-1?(o[l].style.zIndex=a[s],o[s].style.zIndex=a[l]):o[l].style.zIndex=a[l]+1}e.execCommand("mceRepaint")}function o(){var t=e.dom,n=t.getPos(t.getParent(e.selection.getNode(),"*")),i=e.getBody();e.dom.add(i,"div",{style:{position:"absolute",left:n.x,top:n.y>20?n.y:20,width:100,height:100},"class":"mceItemVisualAid mceItemLayer"},e.selection.getContent()||e.getLang("layer.content")),tinymce.Env.ie&&t.setHTML(i,i.innerHTML)}function a(){var n=t(e.selection.getNode());n||(n=e.dom.getParent(e.selection.getNode(),"DIV,P,IMG")),n&&("absolute"==n.style.position.toLowerCase()?(e.dom.setStyles(n,{position:"",left:"",top:"",width:"",height:""}),e.dom.removeClass(n,"mceItemVisualAid"),e.dom.removeClass(n,"mceItemLayer")):(n.style.left||(n.style.left="20px"),n.style.top||(n.style.top="20px"),n.style.width||(n.style.width=n.width?n.width+"px":"100px"),n.style.height||(n.style.height=n.height?n.height+"px":"100px"),n.style.position="absolute",e.dom.setAttrib(n,"data-mce-style",""),e.addVisual(e.getBody())),e.execCommand("mceRepaint"),e.nodeChanged())}e.addCommand("mceInsertLayer",o),e.addCommand("mceMoveForward",function(){i(1)}),e.addCommand("mceMoveBackward",function(){i(-1)}),e.addCommand("mceMakeAbsolute",function(){a()}),e.addButton("moveforward",{title:"layer.forward_desc",cmd:"mceMoveForward"}),e.addButton("movebackward",{title:"layer.backward_desc",cmd:"mceMoveBackward"}),e.addButton("absolute",{title:"layer.absolute_desc",cmd:"mceMakeAbsolute"}),e.addButton("insertlayer",{title:"layer.insertlayer_desc",cmd:"mceInsertLayer"}),e.on("init",function(){tinymce.Env.ie&&e.getDoc().execCommand("2D-Position",!1,!0)}),e.on("mouseup",function(n){var i=t(n.target);i&&e.dom.setAttrib(i,"data-mce-style","")}),e.on("mousedown",function(n){var i,o=n.target,a=e.getDoc();tinymce.Env.gecko&&(t(o)?"on"!==a.designMode&&(a.designMode="on",o=a.body,i=o.parentNode,i.removeChild(o),i.appendChild(o)):"on"==a.designMode&&(a.designMode="off"))}),e.on("NodeChange",n)}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/legacyoutput/plugin.min.js b/deform/static/tinymce/plugins/legacyoutput/plugin.min.js deleted file mode 100644 index 4f6f7c1a..00000000 --- a/deform/static/tinymce/plugins/legacyoutput/plugin.min.js +++ /dev/null @@ -1 +0,0 @@ -!function(e){e.on("AddEditor",function(e){e.editor.settings.inline_styles=!1}),e.PluginManager.add("legacyoutput",function(t){t.on("init",function(){var n="p,h1,h2,h3,h4,h5,h6,td,th,div,ul,ol,li,table,img",i=e.explode(t.settings.font_size_style_values),o=t.schema;t.formatter.register({alignleft:{selector:n,attributes:{align:"left"}},aligncenter:{selector:n,attributes:{align:"center"}},alignright:{selector:n,attributes:{align:"right"}},alignjustify:{selector:n,attributes:{align:"justify"}},bold:[{inline:"b",remove:"all"},{inline:"strong",remove:"all"},{inline:"span",styles:{fontWeight:"bold"}}],italic:[{inline:"i",remove:"all"},{inline:"em",remove:"all"},{inline:"span",styles:{fontStyle:"italic"}}],underline:[{inline:"u",remove:"all"},{inline:"span",styles:{textDecoration:"underline"},exact:!0}],strikethrough:[{inline:"strike",remove:"all"},{inline:"span",styles:{textDecoration:"line-through"},exact:!0}],fontname:{inline:"font",attributes:{face:"%value"}},fontsize:{inline:"font",attributes:{size:function(t){return e.inArray(i,t.value)+1}}},forecolor:{inline:"font",attributes:{color:"%value"}},hilitecolor:{inline:"font",styles:{backgroundColor:"%value"}}}),e.each("b,i,u,strike".split(","),function(e){o.addValidElements(e+"[*]")}),o.getElementRule("font")||o.addValidElements("font[face|size|color|style]"),e.each(n.split(","),function(e){var t=o.getElementRule(e);t&&(t.attributes.align||(t.attributes.align={},t.attributesOrder.push("align")))})})})}(tinymce); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/link/index.js b/deform/static/tinymce/plugins/link/index.js new file mode 100644 index 00000000..ff52930f --- /dev/null +++ b/deform/static/tinymce/plugins/link/index.js @@ -0,0 +1,7 @@ +// Exports the "link" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/link') +// ES2015: +// import 'tinymce/plugins/link' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/link/plugin.js b/deform/static/tinymce/plugins/link/plugin.js new file mode 100644 index 00000000..c0a7cf93 --- /dev/null +++ b/deform/static/tinymce/plugins/link/plugin.js @@ -0,0 +1,1241 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$5 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const eq = t => a => t === a; + const isString = isType('string'); + const isObject = isType('object'); + const isArray = isType('array'); + const isNull = eq(null); + const isBoolean = isSimpleType('boolean'); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + const isArrayOf = (value, pred) => { + if (isArray(value)) { + for (let i = 0, len = value.length; i < len; ++i) { + if (!pred(value[i])) { + return false; + } + } + return true; + } + return false; + }; + + const noop = () => { + }; + const constant = value => { + return () => { + return value; + }; + }; + const tripleEquals = (a, b) => { + return a === b; + }; + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const nativeIndexOf = Array.prototype.indexOf; + const nativePush = Array.prototype.push; + const rawIndexOf = (ts, t) => nativeIndexOf.call(ts, t); + const contains = (xs, x) => rawIndexOf(xs, x) > -1; + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each$1 = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const foldl = (xs, f, acc) => { + each$1(xs, (x, i) => { + acc = f(acc, x, i); + }); + return acc; + }; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + const bind = (xs, f) => flatten(map(xs, f)); + const findMap = (arr, f) => { + for (let i = 0; i < arr.length; i++) { + const r = f(arr[i], i); + if (r.isSome()) { + return r; + } + } + return Optional.none(); + }; + + const is = (lhs, rhs, comparator = tripleEquals) => lhs.exists(left => comparator(left, rhs)); + const cat = arr => { + const r = []; + const push = x => { + r.push(x); + }; + for (let i = 0; i < arr.length; i++) { + arr[i].each(push); + } + return r; + }; + const someIf = (b, a) => b ? Optional.some(a) : Optional.none(); + + const option = name => editor => editor.options.get(name); + const register$1 = editor => { + const registerOption = editor.options.register; + registerOption('link_assume_external_targets', { + processor: value => { + const valid = isString(value) || isBoolean(value); + if (valid) { + if (value === true) { + return { + value: 1, + valid + }; + } else if (value === 'http' || value === 'https') { + return { + value, + valid + }; + } else { + return { + value: 0, + valid + }; + } + } else { + return { + valid: false, + message: 'Must be a string or a boolean.' + }; + } + }, + default: false + }); + registerOption('link_context_toolbar', { + processor: 'boolean', + default: false + }); + registerOption('link_list', { processor: value => isString(value) || isFunction(value) || isArrayOf(value, isObject) }); + registerOption('link_default_target', { processor: 'string' }); + registerOption('link_default_protocol', { + processor: 'string', + default: 'https' + }); + registerOption('link_target_list', { + processor: value => isBoolean(value) || isArrayOf(value, isObject), + default: true + }); + registerOption('link_rel_list', { + processor: 'object[]', + default: [] + }); + registerOption('link_class_list', { + processor: 'object[]', + default: [] + }); + registerOption('link_title', { + processor: 'boolean', + default: true + }); + registerOption('allow_unsafe_link_target', { + processor: 'boolean', + default: false + }); + registerOption('link_quicklink', { + processor: 'boolean', + default: false + }); + }; + const assumeExternalTargets = option('link_assume_external_targets'); + const hasContextToolbar = option('link_context_toolbar'); + const getLinkList = option('link_list'); + const getDefaultLinkTarget = option('link_default_target'); + const getDefaultLinkProtocol = option('link_default_protocol'); + const getTargetList = option('link_target_list'); + const getRelList = option('link_rel_list'); + const getLinkClassList = option('link_class_list'); + const shouldShowLinkTitle = option('link_title'); + const allowUnsafeLinkTarget = option('allow_unsafe_link_target'); + const useQuickLink = option('link_quicklink'); + + var global$4 = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const getValue = item => isString(item.value) ? item.value : ''; + const getText = item => { + if (isString(item.text)) { + return item.text; + } else if (isString(item.title)) { + return item.title; + } else { + return ''; + } + }; + const sanitizeList = (list, extractValue) => { + const out = []; + global$4.each(list, item => { + const text = getText(item); + if (item.menu !== undefined) { + const items = sanitizeList(item.menu, extractValue); + out.push({ + text, + items + }); + } else { + const value = extractValue(item); + out.push({ + text, + value + }); + } + }); + return out; + }; + const sanitizeWith = (extracter = getValue) => list => Optional.from(list).map(list => sanitizeList(list, extracter)); + const sanitize = list => sanitizeWith(getValue)(list); + const createUi = (name, label) => items => ({ + name, + type: 'listbox', + label, + items + }); + const ListOptions = { + sanitize, + sanitizeWith, + createUi, + getValue + }; + + const keys = Object.keys; + const hasOwnProperty = Object.hasOwnProperty; + const each = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + const objAcc = r => (x, i) => { + r[i] = x; + }; + const internalFilter = (obj, pred, onTrue, onFalse) => { + each(obj, (x, i) => { + (pred(x, i) ? onTrue : onFalse)(x, i); + }); + }; + const filter = (obj, pred) => { + const t = {}; + internalFilter(obj, pred, objAcc(t), noop); + return t; + }; + const has = (obj, key) => hasOwnProperty.call(obj, key); + const hasNonNullableKey = (obj, key) => has(obj, key) && obj[key] !== undefined && obj[key] !== null; + + var global$3 = tinymce.util.Tools.resolve('tinymce.dom.TreeWalker'); + + var global$2 = tinymce.util.Tools.resolve('tinymce.util.URI'); + + const isAnchor = elm => isNonNullable(elm) && elm.nodeName.toLowerCase() === 'a'; + const isLink = elm => isAnchor(elm) && !!getHref(elm); + const collectNodesInRange = (rng, predicate) => { + if (rng.collapsed) { + return []; + } else { + const contents = rng.cloneContents(); + const firstChild = contents.firstChild; + const walker = new global$3(firstChild, contents); + const elements = []; + let current = firstChild; + do { + if (predicate(current)) { + elements.push(current); + } + } while (current = walker.next()); + return elements; + } + }; + const hasProtocol = url => /^\w+:/i.test(url); + const getHref = elm => { + var _a, _b; + return (_b = (_a = elm.getAttribute('data-mce-href')) !== null && _a !== void 0 ? _a : elm.getAttribute('href')) !== null && _b !== void 0 ? _b : ''; + }; + const applyRelTargetRules = (rel, isUnsafe) => { + const rules = ['noopener']; + const rels = rel ? rel.split(/\s+/) : []; + const toString = rels => global$4.trim(rels.sort().join(' ')); + const addTargetRules = rels => { + rels = removeTargetRules(rels); + return rels.length > 0 ? rels.concat(rules) : rules; + }; + const removeTargetRules = rels => rels.filter(val => global$4.inArray(rules, val) === -1); + const newRels = isUnsafe ? addTargetRules(rels) : removeTargetRules(rels); + return newRels.length > 0 ? toString(newRels) : ''; + }; + const trimCaretContainers = text => text.replace(/\uFEFF/g, ''); + const getAnchorElement = (editor, selectedElm) => { + selectedElm = selectedElm || getLinksInSelection(editor.selection.getRng())[0] || editor.selection.getNode(); + if (isImageFigure(selectedElm)) { + return Optional.from(editor.dom.select('a[href]', selectedElm)[0]); + } else { + return Optional.from(editor.dom.getParent(selectedElm, 'a[href]')); + } + }; + const isInAnchor = (editor, selectedElm) => getAnchorElement(editor, selectedElm).isSome(); + const getAnchorText = (selection, anchorElm) => { + const text = anchorElm.fold(() => selection.getContent({ format: 'text' }), anchorElm => anchorElm.innerText || anchorElm.textContent || ''); + return trimCaretContainers(text); + }; + const getLinksInSelection = rng => collectNodesInRange(rng, isLink); + const getLinks$1 = elements => global$4.grep(elements, isLink); + const hasLinks = elements => getLinks$1(elements).length > 0; + const hasLinksInSelection = rng => getLinksInSelection(rng).length > 0; + const isOnlyTextSelected = editor => { + const inlineTextElements = editor.schema.getTextInlineElements(); + const isElement = elm => elm.nodeType === 1 && !isAnchor(elm) && !has(inlineTextElements, elm.nodeName.toLowerCase()); + const isInBlockAnchor = getAnchorElement(editor).exists(anchor => anchor.hasAttribute('data-mce-block')); + if (isInBlockAnchor) { + return false; + } + const rng = editor.selection.getRng(); + if (!rng.collapsed) { + const elements = collectNodesInRange(rng, isElement); + return elements.length === 0; + } else { + return true; + } + }; + const isImageFigure = elm => isNonNullable(elm) && elm.nodeName === 'FIGURE' && /\bimage\b/i.test(elm.className); + const getLinkAttrs = data => { + const attrs = [ + 'title', + 'rel', + 'class', + 'target' + ]; + return foldl(attrs, (acc, key) => { + data[key].each(value => { + acc[key] = value.length > 0 ? value : null; + }); + return acc; + }, { href: data.href }); + }; + const handleExternalTargets = (href, assumeExternalTargets) => { + if ((assumeExternalTargets === 'http' || assumeExternalTargets === 'https') && !hasProtocol(href)) { + return assumeExternalTargets + '://' + href; + } + return href; + }; + const applyLinkOverrides = (editor, linkAttrs) => { + const newLinkAttrs = { ...linkAttrs }; + if (getRelList(editor).length === 0 && !allowUnsafeLinkTarget(editor)) { + const newRel = applyRelTargetRules(newLinkAttrs.rel, newLinkAttrs.target === '_blank'); + newLinkAttrs.rel = newRel ? newRel : null; + } + if (Optional.from(newLinkAttrs.target).isNone() && getTargetList(editor) === false) { + newLinkAttrs.target = getDefaultLinkTarget(editor); + } + newLinkAttrs.href = handleExternalTargets(newLinkAttrs.href, assumeExternalTargets(editor)); + return newLinkAttrs; + }; + const updateLink = (editor, anchorElm, text, linkAttrs) => { + text.each(text => { + if (has(anchorElm, 'innerText')) { + anchorElm.innerText = text; + } else { + anchorElm.textContent = text; + } + }); + editor.dom.setAttribs(anchorElm, linkAttrs); + editor.selection.select(anchorElm); + }; + const createLink = (editor, selectedElm, text, linkAttrs) => { + const dom = editor.dom; + if (isImageFigure(selectedElm)) { + linkImageFigure(dom, selectedElm, linkAttrs); + } else { + text.fold(() => { + editor.execCommand('mceInsertLink', false, linkAttrs); + }, text => { + editor.insertContent(dom.createHTML('a', linkAttrs, dom.encode(text))); + }); + } + }; + const linkDomMutation = (editor, attachState, data) => { + const selectedElm = editor.selection.getNode(); + const anchorElm = getAnchorElement(editor, selectedElm); + const linkAttrs = applyLinkOverrides(editor, getLinkAttrs(data)); + editor.undoManager.transact(() => { + if (data.href === attachState.href) { + attachState.attach(); + } + anchorElm.fold(() => { + createLink(editor, selectedElm, data.text, linkAttrs); + }, elm => { + editor.focus(); + updateLink(editor, elm, data.text, linkAttrs); + }); + }); + }; + const unlinkSelection = editor => { + const dom = editor.dom, selection = editor.selection; + const bookmark = selection.getBookmark(); + const rng = selection.getRng().cloneRange(); + const startAnchorElm = dom.getParent(rng.startContainer, 'a[href]', editor.getBody()); + const endAnchorElm = dom.getParent(rng.endContainer, 'a[href]', editor.getBody()); + if (startAnchorElm) { + rng.setStartBefore(startAnchorElm); + } + if (endAnchorElm) { + rng.setEndAfter(endAnchorElm); + } + selection.setRng(rng); + editor.execCommand('unlink'); + selection.moveToBookmark(bookmark); + }; + const unlinkDomMutation = editor => { + editor.undoManager.transact(() => { + const node = editor.selection.getNode(); + if (isImageFigure(node)) { + unlinkImageFigure(editor, node); + } else { + unlinkSelection(editor); + } + editor.focus(); + }); + }; + const unwrapOptions = data => { + const { + class: cls, + href, + rel, + target, + text, + title + } = data; + return filter({ + class: cls.getOrNull(), + href, + rel: rel.getOrNull(), + target: target.getOrNull(), + text: text.getOrNull(), + title: title.getOrNull() + }, (v, _k) => isNull(v) === false); + }; + const sanitizeData = (editor, data) => { + const getOption = editor.options.get; + const uriOptions = { + allow_html_data_urls: getOption('allow_html_data_urls'), + allow_script_urls: getOption('allow_script_urls'), + allow_svg_data_urls: getOption('allow_svg_data_urls') + }; + const href = data.href; + return { + ...data, + href: global$2.isDomSafe(href, 'a', uriOptions) ? href : '' + }; + }; + const link = (editor, attachState, data) => { + const sanitizedData = sanitizeData(editor, data); + editor.hasPlugin('rtc', true) ? editor.execCommand('createlink', false, unwrapOptions(sanitizedData)) : linkDomMutation(editor, attachState, sanitizedData); + }; + const unlink = editor => { + editor.hasPlugin('rtc', true) ? editor.execCommand('unlink') : unlinkDomMutation(editor); + }; + const unlinkImageFigure = (editor, fig) => { + var _a; + const img = editor.dom.select('img', fig)[0]; + if (img) { + const a = editor.dom.getParents(img, 'a[href]', fig)[0]; + if (a) { + (_a = a.parentNode) === null || _a === void 0 ? void 0 : _a.insertBefore(img, a); + editor.dom.remove(a); + } + } + }; + const linkImageFigure = (dom, fig, attrs) => { + var _a; + const img = dom.select('img', fig)[0]; + if (img) { + const a = dom.create('a', attrs); + (_a = img.parentNode) === null || _a === void 0 ? void 0 : _a.insertBefore(a, img); + a.appendChild(img); + } + }; + + const isListGroup = item => hasNonNullableKey(item, 'items'); + const findTextByValue = (value, catalog) => findMap(catalog, item => { + if (isListGroup(item)) { + return findTextByValue(value, item.items); + } else { + return someIf(item.value === value, item); + } + }); + const getDelta = (persistentText, fieldName, catalog, data) => { + const value = data[fieldName]; + const hasPersistentText = persistentText.length > 0; + return value !== undefined ? findTextByValue(value, catalog).map(i => ({ + url: { + value: i.value, + meta: { + text: hasPersistentText ? persistentText : i.text, + attach: noop + } + }, + text: hasPersistentText ? persistentText : i.text + })) : Optional.none(); + }; + const findCatalog = (catalogs, fieldName) => { + if (fieldName === 'link') { + return catalogs.link; + } else if (fieldName === 'anchor') { + return catalogs.anchor; + } else { + return Optional.none(); + } + }; + const init = (initialData, linkCatalog) => { + const persistentData = { + text: initialData.text, + title: initialData.title + }; + const getTitleFromUrlChange = url => { + var _a; + return someIf(persistentData.title.length <= 0, Optional.from((_a = url.meta) === null || _a === void 0 ? void 0 : _a.title).getOr('')); + }; + const getTextFromUrlChange = url => { + var _a; + return someIf(persistentData.text.length <= 0, Optional.from((_a = url.meta) === null || _a === void 0 ? void 0 : _a.text).getOr(url.value)); + }; + const onUrlChange = data => { + const text = getTextFromUrlChange(data.url); + const title = getTitleFromUrlChange(data.url); + if (text.isSome() || title.isSome()) { + return Optional.some({ + ...text.map(text => ({ text })).getOr({}), + ...title.map(title => ({ title })).getOr({}) + }); + } else { + return Optional.none(); + } + }; + const onCatalogChange = (data, change) => { + const catalog = findCatalog(linkCatalog, change).getOr([]); + return getDelta(persistentData.text, change, catalog, data); + }; + const onChange = (getData, change) => { + const name = change.name; + if (name === 'url') { + return onUrlChange(getData()); + } else if (contains([ + 'anchor', + 'link' + ], name)) { + return onCatalogChange(getData(), name); + } else if (name === 'text' || name === 'title') { + persistentData[name] = getData()[name]; + return Optional.none(); + } else { + return Optional.none(); + } + }; + return { onChange }; + }; + const DialogChanges = { + init, + getDelta + }; + + var global$1 = tinymce.util.Tools.resolve('tinymce.util.Delay'); + + const delayedConfirm = (editor, message, callback) => { + const rng = editor.selection.getRng(); + global$1.setEditorTimeout(editor, () => { + editor.windowManager.confirm(message, state => { + editor.selection.setRng(rng); + callback(state); + }); + }); + }; + const tryEmailTransform = data => { + const url = data.href; + const suggestMailTo = url.indexOf('@') > 0 && url.indexOf('/') === -1 && url.indexOf('mailto:') === -1; + return suggestMailTo ? Optional.some({ + message: 'The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?', + preprocess: oldData => ({ + ...oldData, + href: 'mailto:' + url + }) + }) : Optional.none(); + }; + const tryProtocolTransform = (assumeExternalTargets, defaultLinkProtocol) => data => { + const url = data.href; + const suggestProtocol = assumeExternalTargets === 1 && !hasProtocol(url) || assumeExternalTargets === 0 && /^\s*www(\.|\d\.)/i.test(url); + return suggestProtocol ? Optional.some({ + message: `The URL you entered seems to be an external link. Do you want to add the required ${ defaultLinkProtocol }:// prefix?`, + preprocess: oldData => ({ + ...oldData, + href: defaultLinkProtocol + '://' + url + }) + }) : Optional.none(); + }; + const preprocess = (editor, data) => findMap([ + tryEmailTransform, + tryProtocolTransform(assumeExternalTargets(editor), getDefaultLinkProtocol(editor)) + ], f => f(data)).fold(() => Promise.resolve(data), transform => new Promise(callback => { + delayedConfirm(editor, transform.message, state => { + callback(state ? transform.preprocess(data) : data); + }); + })); + const DialogConfirms = { preprocess }; + + const getAnchors = editor => { + const anchorNodes = editor.dom.select('a:not([href])'); + const anchors = bind(anchorNodes, anchor => { + const id = anchor.name || anchor.id; + return id ? [{ + text: id, + value: '#' + id + }] : []; + }); + return anchors.length > 0 ? Optional.some([{ + text: 'None', + value: '' + }].concat(anchors)) : Optional.none(); + }; + const AnchorListOptions = { getAnchors }; + + const getClasses = editor => { + const list = getLinkClassList(editor); + if (list.length > 0) { + return ListOptions.sanitize(list); + } + return Optional.none(); + }; + const ClassListOptions = { getClasses }; + + const parseJson = text => { + try { + return Optional.some(JSON.parse(text)); + } catch (err) { + return Optional.none(); + } + }; + const getLinks = editor => { + const extractor = item => editor.convertURL(item.value || item.url || '', 'href'); + const linkList = getLinkList(editor); + return new Promise(resolve => { + if (isString(linkList)) { + fetch(linkList).then(res => res.ok ? res.text().then(parseJson) : Promise.reject()).then(resolve, () => resolve(Optional.none())); + } else if (isFunction(linkList)) { + linkList(output => resolve(Optional.some(output))); + } else { + resolve(Optional.from(linkList)); + } + }).then(optItems => optItems.bind(ListOptions.sanitizeWith(extractor)).map(items => { + if (items.length > 0) { + const noneItem = [{ + text: 'None', + value: '' + }]; + return noneItem.concat(items); + } else { + return items; + } + })); + }; + const LinkListOptions = { getLinks }; + + const getRels = (editor, initialTarget) => { + const list = getRelList(editor); + if (list.length > 0) { + const isTargetBlank = is(initialTarget, '_blank'); + const enforceSafe = allowUnsafeLinkTarget(editor) === false; + const safeRelExtractor = item => applyRelTargetRules(ListOptions.getValue(item), isTargetBlank); + const sanitizer = enforceSafe ? ListOptions.sanitizeWith(safeRelExtractor) : ListOptions.sanitize; + return sanitizer(list); + } + return Optional.none(); + }; + const RelOptions = { getRels }; + + const fallbacks = [ + { + text: 'Current window', + value: '' + }, + { + text: 'New window', + value: '_blank' + } + ]; + const getTargets = editor => { + const list = getTargetList(editor); + if (isArray(list)) { + return ListOptions.sanitize(list).orThunk(() => Optional.some(fallbacks)); + } else if (list === false) { + return Optional.none(); + } + return Optional.some(fallbacks); + }; + const TargetOptions = { getTargets }; + + const nonEmptyAttr = (dom, elem, name) => { + const val = dom.getAttrib(elem, name); + return val !== null && val.length > 0 ? Optional.some(val) : Optional.none(); + }; + const extractFromAnchor = (editor, anchor) => { + const dom = editor.dom; + const onlyText = isOnlyTextSelected(editor); + const text = onlyText ? Optional.some(getAnchorText(editor.selection, anchor)) : Optional.none(); + const url = anchor.bind(anchorElm => Optional.from(dom.getAttrib(anchorElm, 'href'))); + const target = anchor.bind(anchorElm => Optional.from(dom.getAttrib(anchorElm, 'target'))); + const rel = anchor.bind(anchorElm => nonEmptyAttr(dom, anchorElm, 'rel')); + const linkClass = anchor.bind(anchorElm => nonEmptyAttr(dom, anchorElm, 'class')); + const title = anchor.bind(anchorElm => nonEmptyAttr(dom, anchorElm, 'title')); + return { + url, + text, + title, + target, + rel, + linkClass + }; + }; + const collect = (editor, linkNode) => LinkListOptions.getLinks(editor).then(links => { + const anchor = extractFromAnchor(editor, linkNode); + return { + anchor, + catalogs: { + targets: TargetOptions.getTargets(editor), + rels: RelOptions.getRels(editor, anchor.target), + classes: ClassListOptions.getClasses(editor), + anchor: AnchorListOptions.getAnchors(editor), + link: links + }, + optNode: linkNode, + flags: { titleEnabled: shouldShowLinkTitle(editor) } + }; + }); + const DialogInfo = { collect }; + + const handleSubmit = (editor, info) => api => { + const data = api.getData(); + if (!data.url.value) { + unlink(editor); + api.close(); + return; + } + const getChangedValue = key => Optional.from(data[key]).filter(value => !is(info.anchor[key], value)); + const changedData = { + href: data.url.value, + text: getChangedValue('text'), + target: getChangedValue('target'), + rel: getChangedValue('rel'), + class: getChangedValue('linkClass'), + title: getChangedValue('title') + }; + const attachState = { + href: data.url.value, + attach: data.url.meta !== undefined && data.url.meta.attach ? data.url.meta.attach : noop + }; + DialogConfirms.preprocess(editor, changedData).then(pData => { + link(editor, attachState, pData); + }); + api.close(); + }; + const collectData = editor => { + const anchorNode = getAnchorElement(editor); + return DialogInfo.collect(editor, anchorNode); + }; + const getInitialData = (info, defaultTarget) => { + const anchor = info.anchor; + const url = anchor.url.getOr(''); + return { + url: { + value: url, + meta: { original: { value: url } } + }, + text: anchor.text.getOr(''), + title: anchor.title.getOr(''), + anchor: url, + link: url, + rel: anchor.rel.getOr(''), + target: anchor.target.or(defaultTarget).getOr(''), + linkClass: anchor.linkClass.getOr('') + }; + }; + const makeDialog = (settings, onSubmit, editor) => { + const urlInput = [{ + name: 'url', + type: 'urlinput', + filetype: 'file', + label: 'URL' + }]; + const displayText = settings.anchor.text.map(() => ({ + name: 'text', + type: 'input', + label: 'Text to display' + })).toArray(); + const titleText = settings.flags.titleEnabled ? [{ + name: 'title', + type: 'input', + label: 'Title' + }] : []; + const defaultTarget = Optional.from(getDefaultLinkTarget(editor)); + const initialData = getInitialData(settings, defaultTarget); + const catalogs = settings.catalogs; + const dialogDelta = DialogChanges.init(initialData, catalogs); + const body = { + type: 'panel', + items: flatten([ + urlInput, + displayText, + titleText, + cat([ + catalogs.anchor.map(ListOptions.createUi('anchor', 'Anchors')), + catalogs.rels.map(ListOptions.createUi('rel', 'Rel')), + catalogs.targets.map(ListOptions.createUi('target', 'Open link in...')), + catalogs.link.map(ListOptions.createUi('link', 'Link list')), + catalogs.classes.map(ListOptions.createUi('linkClass', 'Class')) + ]) + ]) + }; + return { + title: 'Insert/Edit Link', + size: 'normal', + body, + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + initialData, + onChange: (api, {name}) => { + dialogDelta.onChange(api.getData, { name }).each(newData => { + api.setData(newData); + }); + }, + onSubmit + }; + }; + const open$1 = editor => { + const data = collectData(editor); + data.then(info => { + const onSubmit = handleSubmit(editor, info); + return makeDialog(info, onSubmit, editor); + }).then(spec => { + editor.windowManager.open(spec); + }); + }; + + const register = editor => { + editor.addCommand('mceLink', (_ui, value) => { + if ((value === null || value === void 0 ? void 0 : value.dialog) === true || !useQuickLink(editor)) { + open$1(editor); + } else { + editor.dispatch('contexttoolbar-show', { toolbarKey: 'quicklink' }); + } + }); + }; + + var global = tinymce.util.Tools.resolve('tinymce.util.VK'); + + const appendClickRemove = (link, evt) => { + document.body.appendChild(link); + link.dispatchEvent(evt); + document.body.removeChild(link); + }; + const open = url => { + const link = document.createElement('a'); + link.target = '_blank'; + link.href = url; + link.rel = 'noreferrer noopener'; + const evt = document.createEvent('MouseEvents'); + evt.initMouseEvent('click', true, true, window, 0, 0, 0, 0, 0, false, false, false, false, 0, null); + appendClickRemove(link, evt); + }; + + const getLink = (editor, elm) => editor.dom.getParent(elm, 'a[href]'); + const getSelectedLink = editor => getLink(editor, editor.selection.getStart()); + const hasOnlyAltModifier = e => { + return e.altKey === true && e.shiftKey === false && e.ctrlKey === false && e.metaKey === false; + }; + const gotoLink = (editor, a) => { + if (a) { + const href = getHref(a); + if (/^#/.test(href)) { + const targetEl = editor.dom.select(href); + if (targetEl.length) { + editor.selection.scrollIntoView(targetEl[0], true); + } + } else { + open(a.href); + } + } + }; + const openDialog = editor => () => { + editor.execCommand('mceLink', false, { dialog: true }); + }; + const gotoSelectedLink = editor => () => { + gotoLink(editor, getSelectedLink(editor)); + }; + const setupGotoLinks = editor => { + editor.on('click', e => { + const link = getLink(editor, e.target); + if (link && global.metaKeyPressed(e)) { + e.preventDefault(); + gotoLink(editor, link); + } + }); + editor.on('keydown', e => { + if (!e.isDefaultPrevented() && e.keyCode === 13 && hasOnlyAltModifier(e)) { + const link = getSelectedLink(editor); + if (link) { + e.preventDefault(); + gotoLink(editor, link); + } + } + }); + }; + const toggleState = (editor, toggler) => { + editor.on('NodeChange', toggler); + return () => editor.off('NodeChange', toggler); + }; + const toggleLinkState = editor => api => { + const updateState = () => { + api.setActive(!editor.mode.isReadOnly() && isInAnchor(editor, editor.selection.getNode())); + api.setEnabled(editor.selection.isEditable()); + }; + updateState(); + return toggleState(editor, updateState); + }; + const toggleLinkMenuState = editor => api => { + const updateState = () => { + api.setEnabled(editor.selection.isEditable()); + }; + updateState(); + return toggleState(editor, updateState); + }; + const hasExactlyOneLinkInSelection = editor => { + const links = editor.selection.isCollapsed() ? getLinks$1(editor.dom.getParents(editor.selection.getStart())) : getLinksInSelection(editor.selection.getRng()); + return links.length === 1; + }; + const toggleGotoLinkState = editor => api => { + const updateState = () => api.setEnabled(hasExactlyOneLinkInSelection(editor)); + updateState(); + return toggleState(editor, updateState); + }; + const toggleUnlinkState = editor => api => { + const hasLinks$1 = parents => hasLinks(parents) || hasLinksInSelection(editor.selection.getRng()); + const parents = editor.dom.getParents(editor.selection.getStart()); + const updateEnabled = parents => { + api.setEnabled(hasLinks$1(parents) && editor.selection.isEditable()); + }; + updateEnabled(parents); + return toggleState(editor, e => updateEnabled(e.parents)); + }; + + const setup = editor => { + editor.addShortcut('Meta+K', '', () => { + editor.execCommand('mceLink'); + }); + }; + + const setupButtons = editor => { + editor.ui.registry.addToggleButton('link', { + icon: 'link', + tooltip: 'Insert/edit link', + onAction: openDialog(editor), + onSetup: toggleLinkState(editor) + }); + editor.ui.registry.addButton('openlink', { + icon: 'new-tab', + tooltip: 'Open link', + onAction: gotoSelectedLink(editor), + onSetup: toggleGotoLinkState(editor) + }); + editor.ui.registry.addButton('unlink', { + icon: 'unlink', + tooltip: 'Remove link', + onAction: () => unlink(editor), + onSetup: toggleUnlinkState(editor) + }); + }; + const setupMenuItems = editor => { + editor.ui.registry.addMenuItem('openlink', { + text: 'Open link', + icon: 'new-tab', + onAction: gotoSelectedLink(editor), + onSetup: toggleGotoLinkState(editor) + }); + editor.ui.registry.addMenuItem('link', { + icon: 'link', + text: 'Link...', + shortcut: 'Meta+K', + onSetup: toggleLinkMenuState(editor), + onAction: openDialog(editor) + }); + editor.ui.registry.addMenuItem('unlink', { + icon: 'unlink', + text: 'Remove link', + onAction: () => unlink(editor), + onSetup: toggleUnlinkState(editor) + }); + }; + const setupContextMenu = editor => { + const inLink = 'link unlink openlink'; + const noLink = 'link'; + editor.ui.registry.addContextMenu('link', { + update: element => { + const isEditable = editor.dom.isEditable(element); + if (!isEditable) { + return ''; + } + return hasLinks(editor.dom.getParents(element, 'a')) ? inLink : noLink; + } + }); + }; + const setupContextToolbars = editor => { + const collapseSelectionToEnd = editor => { + editor.selection.collapse(false); + }; + const onSetupLink = buttonApi => { + const node = editor.selection.getNode(); + buttonApi.setEnabled(isInAnchor(editor, node)); + return noop; + }; + const getLinkText = value => { + const anchor = getAnchorElement(editor); + const onlyText = isOnlyTextSelected(editor); + if (anchor.isNone() && onlyText) { + const text = getAnchorText(editor.selection, anchor); + return someIf(text.length === 0, value); + } else { + return Optional.none(); + } + }; + editor.ui.registry.addContextForm('quicklink', { + launch: { + type: 'contextformtogglebutton', + icon: 'link', + tooltip: 'Link', + onSetup: toggleLinkState(editor) + }, + label: 'Link', + predicate: node => hasContextToolbar(editor) && isInAnchor(editor, node), + initValue: () => { + const elm = getAnchorElement(editor); + return elm.fold(constant(''), getHref); + }, + commands: [ + { + type: 'contextformtogglebutton', + icon: 'link', + tooltip: 'Link', + primary: true, + onSetup: buttonApi => { + const node = editor.selection.getNode(); + buttonApi.setActive(isInAnchor(editor, node)); + return toggleLinkState(editor)(buttonApi); + }, + onAction: formApi => { + const value = formApi.getValue(); + const text = getLinkText(value); + const attachState = { + href: value, + attach: noop + }; + link(editor, attachState, { + href: value, + text, + title: Optional.none(), + rel: Optional.none(), + target: Optional.none(), + class: Optional.none() + }); + collapseSelectionToEnd(editor); + formApi.hide(); + } + }, + { + type: 'contextformbutton', + icon: 'unlink', + tooltip: 'Remove link', + onSetup: onSetupLink, + onAction: formApi => { + unlink(editor); + formApi.hide(); + } + }, + { + type: 'contextformbutton', + icon: 'new-tab', + tooltip: 'Open link', + onSetup: onSetupLink, + onAction: formApi => { + gotoSelectedLink(editor)(); + formApi.hide(); + } + } + ] + }); + }; + + var Plugin = () => { + global$5.add('link', editor => { + register$1(editor); + setupButtons(editor); + setupMenuItems(editor); + setupContextMenu(editor); + setupContextToolbars(editor); + setupGotoLinks(editor); + register(editor); + setup(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/link/plugin.min.js b/deform/static/tinymce/plugins/link/plugin.min.js index 9cd7616d..591c0d23 100644 --- a/deform/static/tinymce/plugins/link/plugin.min.js +++ b/deform/static/tinymce/plugins/link/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("link",function(e){function t(t){return function(){var n=e.settings.link_list;"string"==typeof n?tinymce.util.XHR.send({url:n,success:function(e){t(tinymce.util.JSON.parse(e))}}):t(n)}}function n(t){function n(e){var t=d.find("#text");(!t.value()||e.lastControl&&t.value()==e.lastControl.text())&&t.value(e.control.text()),d.find("#href").value(e.control.value())}function i(){var e=[{text:"None",value:""}];return tinymce.each(t,function(t){e.push({text:t.text||t.title,value:t.value||t.url,menu:t.menu})}),e}function a(t){var n=[{text:"None",value:""}];return tinymce.each(e.settings.rel_list,function(e){n.push({text:e.text||e.title,value:e.value,selected:t===e.value})}),n}function o(t){var n=[{text:"None",value:""}];return e.settings.target_list||n.push({text:"New window",value:"_blank"}),tinymce.each(e.settings.target_list,function(e){n.push({text:e.text||e.title,value:e.value,selected:t===e.value})}),n}function r(t){var i=[];return tinymce.each(e.dom.select("a:not([href])"),function(e){var n=e.name||e.id;n&&i.push({text:n,value:"#"+n,selected:-1!=t.indexOf("#"+n)})}),i.length?(i.unshift({text:"None",value:""}),{name:"anchor",type:"listbox",label:"Anchors",values:i,onselect:n}):void 0}function s(){c||0!==g.text.length||this.parent().parent().find("#text")[0].value(this.value())}var l,u,c,d,m,f,h,g={},p=e.selection,v=e.dom;l=p.getNode(),u=v.getParent(l,"a[href]"),g.text=c=u?u.innerText||u.textContent:p.getContent({format:"text"}),g.href=u?v.getAttrib(u,"href"):"",g.target=u?v.getAttrib(u,"target"):"",g.rel=u?v.getAttrib(u,"rel"):"","IMG"==l.nodeName&&(g.text=c=" "),t&&(m={type:"listbox",label:"Link list",values:i(),onselect:n}),e.settings.target_list!==!1&&(h={name:"target",type:"listbox",label:"Target",values:o(g.target)}),e.settings.rel_list&&(f={name:"rel",type:"listbox",label:"Rel",values:a(g.rel)}),d=e.windowManager.open({title:"Insert link",data:g,body:[{name:"href",type:"filepicker",filetype:"file",size:40,autofocus:!0,label:"Url",onchange:s,onkeyup:s},{name:"text",type:"textbox",size:40,label:"Text to display",onchange:function(){g.text=this.value()}},r(g.href),m,f,h],onSubmit:function(t){function n(t,n){window.setTimeout(function(){e.windowManager.confirm(t,n)},0)}function i(){a.text!=c?u?(e.focus(),u.innerHTML=a.text,v.setAttribs(u,{href:o,target:a.target?a.target:null,rel:a.rel?a.rel:null}),p.select(u)):e.insertContent(v.createHTML("a",{href:o,target:a.target?a.target:null,rel:a.rel?a.rel:null},a.text)):e.execCommand("mceInsertLink",!1,{href:o,target:a.target,rel:a.rel?a.rel:null})}var a=t.data,o=a.href;return o?o.indexOf("@")>0&&-1==o.indexOf("//")&&-1==o.indexOf("mailto:")?(n("The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?",function(e){e&&(o="mailto:"+o),i()}),void 0):/^\s*www\./i.test(o)?(n("The URL you entered seems to be an external link. Do you want to add the required http:// prefix?",function(e){e&&(o="http://"+o),i()}),void 0):(i(),void 0):(e.execCommand("unlink"),void 0)}})}e.addButton("link",{icon:"link",tooltip:"Insert/edit link",shortcut:"Ctrl+K",onclick:t(n),stateSelector:"a[href]"}),e.addButton("unlink",{icon:"unlink",tooltip:"Remove link",cmd:"unlink",stateSelector:"a[href]"}),e.addShortcut("Ctrl+K","",t(n)),this.showDialog=n,e.addMenuItem("link",{icon:"link",text:"Insert link",shortcut:"Ctrl+K",onclick:t(n),stateSelector:"a[href]",context:"insert",prependToContext:!0})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(n=o=e,(r=String).prototype.isPrototypeOf(n)||(null===(l=o.constructor)||void 0===l?void 0:l.name)===r.name)?"string":t;var n,o,r,l})(t)===e,n=e=>t=>typeof t===e,o=t("string"),r=t("object"),l=t("array"),a=(null,e=>null===e);const i=n("boolean"),s=e=>!(e=>null==e)(e),c=n("function"),u=(e,t)=>{if(l(e)){for(let n=0,o=e.length;n{},d=(e,t)=>e===t;class m{constructor(e,t){this.tag=e,this.value=t}static some(e){return new m(!0,e)}static none(){return m.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?m.some(e(this.value)):m.none()}bind(e){return this.tag?e(this.value):m.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:m.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return s(e)?m.some(e):m.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}m.singletonNone=new m(!1);const h=Array.prototype.indexOf,f=Array.prototype.push,p=e=>{const t=[];for(let n=0,o=e.length;n{for(let n=0;ne.exists((e=>n(e,t))),y=e=>{const t=[],n=e=>{t.push(e)};for(let t=0;te?m.some(t):m.none(),b=e=>t=>t.options.get(e),_=b("link_assume_external_targets"),w=b("link_context_toolbar"),C=b("link_list"),O=b("link_default_target"),N=b("link_default_protocol"),A=b("link_target_list"),S=b("link_rel_list"),E=b("link_class_list"),T=b("link_title"),R=b("allow_unsafe_link_target"),P=b("link_quicklink");var L=tinymce.util.Tools.resolve("tinymce.util.Tools");const M=e=>o(e.value)?e.value:"",D=(e,t)=>{const n=[];return L.each(e,(e=>{const r=(e=>o(e.text)?e.text:o(e.title)?e.title:"")(e);if(void 0!==e.menu){const o=D(e.menu,t);n.push({text:r,items:o})}else{const o=t(e);n.push({text:r,value:o})}})),n},B=(e=M)=>t=>m.from(t).map((t=>D(t,e))),I=e=>B(M)(e),j=B,K=(e,t)=>n=>({name:e,type:"listbox",label:t,items:n}),U=M,q=Object.keys,F=Object.hasOwnProperty,V=(e,t)=>F.call(e,t);var $=tinymce.util.Tools.resolve("tinymce.dom.TreeWalker"),z=tinymce.util.Tools.resolve("tinymce.util.URI");const G=e=>s(e)&&"a"===e.nodeName.toLowerCase(),H=e=>G(e)&&!!Q(e),J=(e,t)=>{if(e.collapsed)return[];{const n=e.cloneContents(),o=n.firstChild,r=new $(o,n),l=[];let a=o;do{t(a)&&l.push(a)}while(a=r.next());return l}},W=e=>/^\w+:/i.test(e),Q=e=>{var t,n;return null!==(n=null!==(t=e.getAttribute("data-mce-href"))&&void 0!==t?t:e.getAttribute("href"))&&void 0!==n?n:""},X=(e,t)=>{const n=["noopener"],o=e?e.split(/\s+/):[],r=e=>e.filter((e=>-1===L.inArray(n,e))),l=t?(e=>(e=r(e)).length>0?e.concat(n):n)(o):r(o);return l.length>0?(e=>L.trim(e.sort().join(" ")))(l):""},Y=(e,t)=>(t=t||te(e.selection.getRng())[0]||e.selection.getNode(),le(t)?m.from(e.dom.select("a[href]",t)[0]):m.from(e.dom.getParent(t,"a[href]"))),Z=(e,t)=>Y(e,t).isSome(),ee=(e,t)=>t.fold((()=>e.getContent({format:"text"})),(e=>e.innerText||e.textContent||"")).replace(/\uFEFF/g,""),te=e=>J(e,H),ne=e=>L.grep(e,H),oe=e=>ne(e).length>0,re=e=>{const t=e.schema.getTextInlineElements();if(Y(e).exists((e=>e.hasAttribute("data-mce-block"))))return!1;const n=e.selection.getRng();return!!n.collapsed||0===J(n,(e=>1===e.nodeType&&!G(e)&&!V(t,e.nodeName.toLowerCase()))).length},le=e=>s(e)&&"FIGURE"===e.nodeName&&/\bimage\b/i.test(e.className),ae=(e,t,n)=>{const o=e.selection.getNode(),r=Y(e,o),l=((e,t)=>{const n={...t};if(0===S(e).length&&!R(e)){const e=X(n.rel,"_blank"===n.target);n.rel=e||null}return m.from(n.target).isNone()&&!1===A(e)&&(n.target=O(e)),n.href=((e,t)=>"http"!==t&&"https"!==t||W(e)?e:t+"://"+e)(n.href,_(e)),n})(e,(e=>{return t=["title","rel","class","target"],n=(t,n)=>(e[n].each((e=>{t[n]=e.length>0?e:null})),t),o={href:e.href},((e,t)=>{for(let n=0,o=e.length;n{o=n(o,e)})),o;var t,n,o})(n));e.undoManager.transact((()=>{n.href===t.href&&t.attach(),r.fold((()=>{((e,t,n,o)=>{const r=e.dom;le(t)?ge(r,t,o):n.fold((()=>{e.execCommand("mceInsertLink",!1,o)}),(t=>{e.insertContent(r.createHTML("a",o,r.encode(t)))}))})(e,o,n.text,l)}),(t=>{e.focus(),((e,t,n,o)=>{n.each((e=>{V(t,"innerText")?t.innerText=e:t.textContent=e})),e.dom.setAttribs(t,o),e.selection.select(t)})(e,t,n.text,l)}))}))},ie=e=>{const{class:t,href:n,rel:o,target:r,text:l,title:i}=e;return((e,t)=>{const n={};var o;return((e,t,n,o)=>{((e,t)=>{const n=q(e);for(let o=0,r=n.length;o{(t(e,r)?n:o)(e,r)}))})(e,((e,t)=>!1===a(e)),(o=n,(e,t)=>{o[t]=e}),g),n})({class:t.getOrNull(),href:n,rel:o.getOrNull(),target:r.getOrNull(),text:l.getOrNull(),title:i.getOrNull()})},se=(e,t,n)=>{const o=((e,t)=>{const n=e.options.get,o={allow_html_data_urls:n("allow_html_data_urls"),allow_script_urls:n("allow_script_urls"),allow_svg_data_urls:n("allow_svg_data_urls")},r=t.href;return{...t,href:z.isDomSafe(r,"a",o)?r:""}})(e,n);e.hasPlugin("rtc",!0)?e.execCommand("createlink",!1,ie(o)):ae(e,t,o)},ce=e=>{e.hasPlugin("rtc",!0)?e.execCommand("unlink"):(e=>{e.undoManager.transact((()=>{const t=e.selection.getNode();le(t)?ue(e,t):(e=>{const t=e.dom,n=e.selection,o=n.getBookmark(),r=n.getRng().cloneRange(),l=t.getParent(r.startContainer,"a[href]",e.getBody()),a=t.getParent(r.endContainer,"a[href]",e.getBody());l&&r.setStartBefore(l),a&&r.setEndAfter(a),n.setRng(r),e.execCommand("unlink"),n.moveToBookmark(o)})(e),e.focus()}))})(e)},ue=(e,t)=>{var n;const o=e.dom.select("img",t)[0];if(o){const r=e.dom.getParents(o,"a[href]",t)[0];r&&(null===(n=r.parentNode)||void 0===n||n.insertBefore(o,r),e.dom.remove(r))}},ge=(e,t,n)=>{var o;const r=e.select("img",t)[0];if(r){const t=e.create("a",n);null===(o=r.parentNode)||void 0===o||o.insertBefore(t,r),t.appendChild(r)}},de=(e,t)=>k(t,(t=>(e=>{return V(t=e,n="items")&&void 0!==t[n]&&null!==t[n];var t,n})(t)?de(e,t.items):x(t.value===e,t))),me=(e,t)=>{const n={text:e.text,title:e.title},o=(e,o)=>{const r=(l=t,a=o,"link"===a?l.link:"anchor"===a?l.anchor:m.none()).getOr([]);var l,a;return((e,t,n,o)=>{const r=o[t],l=e.length>0;return void 0!==r?de(r,n).map((t=>({url:{value:t.value,meta:{text:l?e:t.text,attach:g}},text:l?e:t.text}))):m.none()})(n.text,o,r,e)};return{onChange:(e,t)=>{const r=t.name;return"url"===r?(e=>{const t=(o=e.url,x(n.text.length<=0,m.from(null===(r=o.meta)||void 0===r?void 0:r.text).getOr(o.value)));var o,r;const l=(e=>{var t;return x(n.title.length<=0,m.from(null===(t=e.meta)||void 0===t?void 0:t.title).getOr(""))})(e.url);return t.isSome()||l.isSome()?m.some({...t.map((e=>({text:e}))).getOr({}),...l.map((e=>({title:e}))).getOr({})}):m.none()})(e()):((e,t)=>h.call(e,t))(["anchor","link"],r)>-1?o(e(),r):"text"===r||"title"===r?(n[r]=e()[r],m.none()):m.none()}}};var he=tinymce.util.Tools.resolve("tinymce.util.Delay");const fe=e=>{const t=e.href;return t.indexOf("@")>0&&-1===t.indexOf("/")&&-1===t.indexOf("mailto:")?m.some({message:"The URL you entered seems to be an email address. Do you want to add the required mailto: prefix?",preprocess:e=>({...e,href:"mailto:"+t})}):m.none()},pe=(e,t)=>n=>{const o=n.href;return 1===e&&!W(o)||0===e&&/^\s*www(\.|\d\.)/i.test(o)?m.some({message:`The URL you entered seems to be an external link. Do you want to add the required ${t}:// prefix?`,preprocess:e=>({...e,href:t+"://"+o})}):m.none()},ke=e=>{const t=e.dom.select("a:not([href])"),n=p(((e,t)=>{const n=e.length,o=new Array(n);for(let r=0;r{const t=e.name||e.id;return t?[{text:t,value:"#"+t}]:[]})));return n.length>0?m.some([{text:"None",value:""}].concat(n)):m.none()},ve=e=>{const t=E(e);return t.length>0?I(t):m.none()},ye=e=>{try{return m.some(JSON.parse(e))}catch(e){return m.none()}},xe=(e,t)=>{const n=S(e);if(n.length>0){const o=v(t,"_blank"),r=e=>X(U(e),o);return(!1===R(e)?j(r):I)(n)}return m.none()},be=[{text:"Current window",value:""},{text:"New window",value:"_blank"}],_e=e=>{const t=A(e);return l(t)?I(t).orThunk((()=>m.some(be))):!1===t?m.none():m.some(be)},we=(e,t,n)=>{const o=e.getAttrib(t,n);return null!==o&&o.length>0?m.some(o):m.none()},Ce=(e,t)=>(e=>{const t=t=>e.convertURL(t.value||t.url||"","href"),n=C(e);return new Promise((e=>{o(n)?fetch(n).then((e=>e.ok?e.text().then(ye):Promise.reject())).then(e,(()=>e(m.none()))):c(n)?n((t=>e(m.some(t)))):e(m.from(n))})).then((e=>e.bind(j(t)).map((e=>e.length>0?[{text:"None",value:""}].concat(e):e))))})(e).then((n=>{const o=((e,t)=>{const n=e.dom,o=re(e)?m.some(ee(e.selection,t)):m.none(),r=t.bind((e=>m.from(n.getAttrib(e,"href")))),l=t.bind((e=>m.from(n.getAttrib(e,"target")))),a=t.bind((e=>we(n,e,"rel"))),i=t.bind((e=>we(n,e,"class")));return{url:r,text:o,title:t.bind((e=>we(n,e,"title"))),target:l,rel:a,linkClass:i}})(e,t);return{anchor:o,catalogs:{targets:_e(e),rels:xe(e,o.target),classes:ve(e),anchor:ke(e),link:n},optNode:t,flags:{titleEnabled:T(e)}}})),Oe=e=>{const t=(e=>{const t=Y(e);return Ce(e,t)})(e);t.then((t=>{const n=((e,t)=>n=>{const o=n.getData();if(!o.url.value)return ce(e),void n.close();const r=e=>m.from(o[e]).filter((n=>!v(t.anchor[e],n))),l={href:o.url.value,text:r("text"),target:r("target"),rel:r("rel"),class:r("linkClass"),title:r("title")},a={href:o.url.value,attach:void 0!==o.url.meta&&o.url.meta.attach?o.url.meta.attach:g};((e,t)=>k([fe,pe(_(e),N(e))],(e=>e(t))).fold((()=>Promise.resolve(t)),(n=>new Promise((o=>{((e,t,n)=>{const o=e.selection.getRng();he.setEditorTimeout(e,(()=>{e.windowManager.confirm(t,(t=>{e.selection.setRng(o),n(t)}))}))})(e,n.message,(e=>{o(e?n.preprocess(t):t)}))})))))(e,l).then((t=>{se(e,a,t)})),n.close()})(e,t);return((e,t,n)=>{const o=e.anchor.text.map((()=>({name:"text",type:"input",label:"Text to display"}))).toArray(),r=e.flags.titleEnabled?[{name:"title",type:"input",label:"Title"}]:[],l=((e,t)=>{const n=e.anchor,o=n.url.getOr("");return{url:{value:o,meta:{original:{value:o}}},text:n.text.getOr(""),title:n.title.getOr(""),anchor:o,link:o,rel:n.rel.getOr(""),target:n.target.or(t).getOr(""),linkClass:n.linkClass.getOr("")}})(e,m.from(O(n))),a=e.catalogs,i=me(l,a);return{title:"Insert/Edit Link",size:"normal",body:{type:"panel",items:p([[{name:"url",type:"urlinput",filetype:"file",label:"URL"}],o,r,y([a.anchor.map(K("anchor","Anchors")),a.rels.map(K("rel","Rel")),a.targets.map(K("target","Open link in...")),a.link.map(K("link","Link list")),a.classes.map(K("linkClass","Class"))])])},buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],initialData:l,onChange:(e,{name:t})=>{i.onChange(e.getData,{name:t}).each((t=>{e.setData(t)}))},onSubmit:t}})(t,n,e)})).then((t=>{e.windowManager.open(t)}))};var Ne=tinymce.util.Tools.resolve("tinymce.util.VK");const Ae=(e,t)=>e.dom.getParent(t,"a[href]"),Se=e=>Ae(e,e.selection.getStart()),Ee=(e,t)=>{if(t){const n=Q(t);if(/^#/.test(n)){const t=e.dom.select(n);t.length&&e.selection.scrollIntoView(t[0],!0)}else(e=>{const t=document.createElement("a");t.target="_blank",t.href=e,t.rel="noreferrer noopener";const n=document.createEvent("MouseEvents");n.initMouseEvent("click",!0,!0,window,0,0,0,0,0,!1,!1,!1,!1,0,null),((e,t)=>{document.body.appendChild(e),e.dispatchEvent(t),document.body.removeChild(e)})(t,n)})(t.href)}},Te=e=>()=>{e.execCommand("mceLink",!1,{dialog:!0})},Re=e=>()=>{Ee(e,Se(e))},Pe=(e,t)=>(e.on("NodeChange",t),()=>e.off("NodeChange",t)),Le=e=>t=>{const n=()=>{t.setActive(!e.mode.isReadOnly()&&Z(e,e.selection.getNode())),t.setEnabled(e.selection.isEditable())};return n(),Pe(e,n)},Me=e=>t=>{const n=()=>{t.setEnabled(e.selection.isEditable())};return n(),Pe(e,n)},De=e=>t=>{const n=()=>t.setEnabled((e=>1===(e.selection.isCollapsed()?ne(e.dom.getParents(e.selection.getStart())):te(e.selection.getRng())).length)(e));return n(),Pe(e,n)},Be=e=>t=>{const n=e.dom.getParents(e.selection.getStart()),o=n=>{t.setEnabled((t=>{return oe(t)||(n=e.selection.getRng(),te(n).length>0);var n})(n)&&e.selection.isEditable())};return o(n),Pe(e,(e=>o(e.parents)))};e.add("link",(e=>{(e=>{const t=e.options.register;t("link_assume_external_targets",{processor:e=>{const t=o(e)||i(e);return t?!0===e?{value:1,valid:t}:"http"===e||"https"===e?{value:e,valid:t}:{value:0,valid:t}:{valid:!1,message:"Must be a string or a boolean."}},default:!1}),t("link_context_toolbar",{processor:"boolean",default:!1}),t("link_list",{processor:e=>o(e)||c(e)||u(e,r)}),t("link_default_target",{processor:"string"}),t("link_default_protocol",{processor:"string",default:"https"}),t("link_target_list",{processor:e=>i(e)||u(e,r),default:!0}),t("link_rel_list",{processor:"object[]",default:[]}),t("link_class_list",{processor:"object[]",default:[]}),t("link_title",{processor:"boolean",default:!0}),t("allow_unsafe_link_target",{processor:"boolean",default:!1}),t("link_quicklink",{processor:"boolean",default:!1})})(e),(e=>{e.ui.registry.addToggleButton("link",{icon:"link",tooltip:"Insert/edit link",onAction:Te(e),onSetup:Le(e)}),e.ui.registry.addButton("openlink",{icon:"new-tab",tooltip:"Open link",onAction:Re(e),onSetup:De(e)}),e.ui.registry.addButton("unlink",{icon:"unlink",tooltip:"Remove link",onAction:()=>ce(e),onSetup:Be(e)})})(e),(e=>{e.ui.registry.addMenuItem("openlink",{text:"Open link",icon:"new-tab",onAction:Re(e),onSetup:De(e)}),e.ui.registry.addMenuItem("link",{icon:"link",text:"Link...",shortcut:"Meta+K",onSetup:Me(e),onAction:Te(e)}),e.ui.registry.addMenuItem("unlink",{icon:"unlink",text:"Remove link",onAction:()=>ce(e),onSetup:Be(e)})})(e),(e=>{e.ui.registry.addContextMenu("link",{update:t=>e.dom.isEditable(t)?oe(e.dom.getParents(t,"a"))?"link unlink openlink":"link":""})})(e),(e=>{const t=t=>{const n=e.selection.getNode();return t.setEnabled(Z(e,n)),g};e.ui.registry.addContextForm("quicklink",{launch:{type:"contextformtogglebutton",icon:"link",tooltip:"Link",onSetup:Le(e)},label:"Link",predicate:t=>w(e)&&Z(e,t),initValue:()=>Y(e).fold((()=>""),Q),commands:[{type:"contextformtogglebutton",icon:"link",tooltip:"Link",primary:!0,onSetup:t=>{const n=e.selection.getNode();return t.setActive(Z(e,n)),Le(e)(t)},onAction:t=>{const n=t.getValue(),o=(t=>{const n=Y(e),o=re(e);if(n.isNone()&&o){const o=ee(e.selection,n);return x(0===o.length,t)}return m.none()})(n);se(e,{href:n,attach:g},{href:n,text:o,title:m.none(),rel:m.none(),target:m.none(),class:m.none()}),(e=>{e.selection.collapse(!1)})(e),t.hide()}},{type:"contextformbutton",icon:"unlink",tooltip:"Remove link",onSetup:t,onAction:t=>{ce(e),t.hide()}},{type:"contextformbutton",icon:"new-tab",tooltip:"Open link",onSetup:t,onAction:t=>{Re(e)(),t.hide()}}]})})(e),(e=>{e.on("click",(t=>{const n=Ae(e,t.target);n&&Ne.metaKeyPressed(t)&&(t.preventDefault(),Ee(e,n))})),e.on("keydown",(t=>{if(!t.isDefaultPrevented()&&13===t.keyCode&&(e=>!0===e.altKey&&!1===e.shiftKey&&!1===e.ctrlKey&&!1===e.metaKey)(t)){const n=Se(e);n&&(t.preventDefault(),Ee(e,n))}}))})(e),(e=>{e.addCommand("mceLink",((t,n)=>{!0!==(null==n?void 0:n.dialog)&&P(e)?e.dispatch("contexttoolbar-show",{toolbarKey:"quicklink"}):Oe(e)}))})(e),(e=>{e.addShortcut("Meta+K","",(()=>{e.execCommand("mceLink")}))})(e)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/lists/index.js b/deform/static/tinymce/plugins/lists/index.js new file mode 100644 index 00000000..c7d055ea --- /dev/null +++ b/deform/static/tinymce/plugins/lists/index.js @@ -0,0 +1,7 @@ +// Exports the "lists" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/lists') +// ES2015: +// import 'tinymce/plugins/lists' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/lists/plugin.js b/deform/static/tinymce/plugins/lists/plugin.js new file mode 100644 index 00000000..264ec7a0 --- /dev/null +++ b/deform/static/tinymce/plugins/lists/plugin.js @@ -0,0 +1,2092 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$7 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType$1 = type => value => typeOf(value) === type; + const isSimpleType = type => value => typeof value === type; + const isString = isType$1('string'); + const isObject = isType$1('object'); + const isArray = isType$1('array'); + const isBoolean = isSimpleType('boolean'); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + const isFunction = isSimpleType('function'); + const isNumber = isSimpleType('number'); + + const noop = () => { + }; + const constant = value => { + return () => { + return value; + }; + }; + const tripleEquals = (a, b) => { + return a === b; + }; + function curry(fn, ...initialArgs) { + return (...restArgs) => { + const all = initialArgs.concat(restArgs); + return fn.apply(null, all); + }; + } + const not = f => t => !f(t); + const never = constant(false); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const nativeSlice = Array.prototype.slice; + const nativeIndexOf = Array.prototype.indexOf; + const nativePush = Array.prototype.push; + const rawIndexOf = (ts, t) => nativeIndexOf.call(ts, t); + const contains$1 = (xs, x) => rawIndexOf(xs, x) > -1; + const exists = (xs, pred) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return true; + } + } + return false; + }; + const map = (xs, f) => { + const len = xs.length; + const r = new Array(len); + for (let i = 0; i < len; i++) { + const x = xs[i]; + r[i] = f(x, i); + } + return r; + }; + const each$1 = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const filter$1 = (xs, pred) => { + const r = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + r.push(x); + } + } + return r; + }; + const groupBy = (xs, f) => { + if (xs.length === 0) { + return []; + } else { + let wasType = f(xs[0]); + const r = []; + let group = []; + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + const type = f(x); + if (type !== wasType) { + r.push(group); + group = []; + } + wasType = type; + group.push(x); + } + if (group.length !== 0) { + r.push(group); + } + return r; + } + }; + const foldl = (xs, f, acc) => { + each$1(xs, (x, i) => { + acc = f(acc, x, i); + }); + return acc; + }; + const findUntil = (xs, pred, until) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (pred(x, i)) { + return Optional.some(x); + } else if (until(x, i)) { + break; + } + } + return Optional.none(); + }; + const find = (xs, pred) => { + return findUntil(xs, pred, never); + }; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + const bind = (xs, f) => flatten(map(xs, f)); + const reverse = xs => { + const r = nativeSlice.call(xs, 0); + r.reverse(); + return r; + }; + const get$1 = (xs, i) => i >= 0 && i < xs.length ? Optional.some(xs[i]) : Optional.none(); + const head = xs => get$1(xs, 0); + const last = xs => get$1(xs, xs.length - 1); + const unique = (xs, comparator) => { + const r = []; + const isDuplicated = isFunction(comparator) ? x => exists(r, i => comparator(i, x)) : x => contains$1(r, x); + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + if (!isDuplicated(x)) { + r.push(x); + } + } + return r; + }; + + const is$2 = (lhs, rhs, comparator = tripleEquals) => lhs.exists(left => comparator(left, rhs)); + const equals = (lhs, rhs, comparator = tripleEquals) => lift2(lhs, rhs, comparator).getOr(lhs.isNone() && rhs.isNone()); + const lift2 = (oa, ob, f) => oa.isSome() && ob.isSome() ? Optional.some(f(oa.getOrDie(), ob.getOrDie())) : Optional.none(); + + const COMMENT = 8; + const ELEMENT = 1; + + const fromHtml = (html, scope) => { + const doc = scope || document; + const div = doc.createElement('div'); + div.innerHTML = html; + if (!div.hasChildNodes() || div.childNodes.length > 1) { + const message = 'HTML does not have a single root node'; + console.error(message, html); + throw new Error(message); + } + return fromDom$1(div.childNodes[0]); + }; + const fromTag = (tag, scope) => { + const doc = scope || document; + const node = doc.createElement(tag); + return fromDom$1(node); + }; + const fromText = (text, scope) => { + const doc = scope || document; + const node = doc.createTextNode(text); + return fromDom$1(node); + }; + const fromDom$1 = node => { + if (node === null || node === undefined) { + throw new Error('Node cannot be null or undefined'); + } + return { dom: node }; + }; + const fromPoint = (docElm, x, y) => Optional.from(docElm.dom.elementFromPoint(x, y)).map(fromDom$1); + const SugarElement = { + fromHtml, + fromTag, + fromText, + fromDom: fromDom$1, + fromPoint + }; + + const is$1 = (element, selector) => { + const dom = element.dom; + if (dom.nodeType !== ELEMENT) { + return false; + } else { + const elem = dom; + if (elem.matches !== undefined) { + return elem.matches(selector); + } else if (elem.msMatchesSelector !== undefined) { + return elem.msMatchesSelector(selector); + } else if (elem.webkitMatchesSelector !== undefined) { + return elem.webkitMatchesSelector(selector); + } else if (elem.mozMatchesSelector !== undefined) { + return elem.mozMatchesSelector(selector); + } else { + throw new Error('Browser lacks native selectors'); + } + } + }; + + const eq = (e1, e2) => e1.dom === e2.dom; + const contains = (e1, e2) => { + const d1 = e1.dom; + const d2 = e2.dom; + return d1 === d2 ? false : d1.contains(d2); + }; + const is = is$1; + + var ClosestOrAncestor = (is, ancestor, scope, a, isRoot) => { + if (is(scope, a)) { + return Optional.some(scope); + } else if (isFunction(isRoot) && isRoot(scope)) { + return Optional.none(); + } else { + return ancestor(scope, a, isRoot); + } + }; + + typeof window !== 'undefined' ? window : Function('return this;')(); + + const name = element => { + const r = element.dom.nodeName; + return r.toLowerCase(); + }; + const type = element => element.dom.nodeType; + const isType = t => element => type(element) === t; + const isComment = element => type(element) === COMMENT || name(element) === '#comment'; + const isElement$1 = isType(ELEMENT); + const isTag = tag => e => isElement$1(e) && name(e) === tag; + + const parent = element => Optional.from(element.dom.parentNode).map(SugarElement.fromDom); + const parentElement = element => Optional.from(element.dom.parentElement).map(SugarElement.fromDom); + const nextSibling = element => Optional.from(element.dom.nextSibling).map(SugarElement.fromDom); + const children = element => map(element.dom.childNodes, SugarElement.fromDom); + const child = (element, index) => { + const cs = element.dom.childNodes; + return Optional.from(cs[index]).map(SugarElement.fromDom); + }; + const firstChild = element => child(element, 0); + const lastChild = element => child(element, element.dom.childNodes.length - 1); + + const ancestor$2 = (scope, predicate, isRoot) => { + let element = scope.dom; + const stop = isFunction(isRoot) ? isRoot : never; + while (element.parentNode) { + element = element.parentNode; + const el = SugarElement.fromDom(element); + if (predicate(el)) { + return Optional.some(el); + } else if (stop(el)) { + break; + } + } + return Optional.none(); + }; + const closest = (scope, predicate, isRoot) => { + const is = (s, test) => test(s); + return ClosestOrAncestor(is, ancestor$2, scope, predicate, isRoot); + }; + + const before$1 = (marker, element) => { + const parent$1 = parent(marker); + parent$1.each(v => { + v.dom.insertBefore(element.dom, marker.dom); + }); + }; + const after = (marker, element) => { + const sibling = nextSibling(marker); + sibling.fold(() => { + const parent$1 = parent(marker); + parent$1.each(v => { + append$1(v, element); + }); + }, v => { + before$1(v, element); + }); + }; + const prepend = (parent, element) => { + const firstChild$1 = firstChild(parent); + firstChild$1.fold(() => { + append$1(parent, element); + }, v => { + parent.dom.insertBefore(element.dom, v.dom); + }); + }; + const append$1 = (parent, element) => { + parent.dom.appendChild(element.dom); + }; + + const before = (marker, elements) => { + each$1(elements, x => { + before$1(marker, x); + }); + }; + const append = (parent, elements) => { + each$1(elements, x => { + append$1(parent, x); + }); + }; + + const empty = element => { + element.dom.textContent = ''; + each$1(children(element), rogue => { + remove(rogue); + }); + }; + const remove = element => { + const dom = element.dom; + if (dom.parentNode !== null) { + dom.parentNode.removeChild(dom); + } + }; + + var global$6 = tinymce.util.Tools.resolve('tinymce.dom.RangeUtils'); + + var global$5 = tinymce.util.Tools.resolve('tinymce.dom.TreeWalker'); + + var global$4 = tinymce.util.Tools.resolve('tinymce.util.VK'); + + const fromDom = nodes => map(nodes, SugarElement.fromDom); + + const keys = Object.keys; + const each = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + const objAcc = r => (x, i) => { + r[i] = x; + }; + const internalFilter = (obj, pred, onTrue, onFalse) => { + each(obj, (x, i) => { + (pred(x, i) ? onTrue : onFalse)(x, i); + }); + }; + const filter = (obj, pred) => { + const t = {}; + internalFilter(obj, pred, objAcc(t), noop); + return t; + }; + + const rawSet = (dom, key, value) => { + if (isString(value) || isBoolean(value) || isNumber(value)) { + dom.setAttribute(key, value + ''); + } else { + console.error('Invalid call to Attribute.set. Key ', key, ':: Value ', value, ':: Element ', dom); + throw new Error('Attribute value was not simple'); + } + }; + const setAll = (element, attrs) => { + const dom = element.dom; + each(attrs, (v, k) => { + rawSet(dom, k, v); + }); + }; + const clone$1 = element => foldl(element.dom.attributes, (acc, attr) => { + acc[attr.name] = attr.value; + return acc; + }, {}); + + const clone = (original, isDeep) => SugarElement.fromDom(original.dom.cloneNode(isDeep)); + const deep = original => clone(original, true); + const shallowAs = (original, tag) => { + const nu = SugarElement.fromTag(tag); + const attributes = clone$1(original); + setAll(nu, attributes); + return nu; + }; + const mutate = (original, tag) => { + const nu = shallowAs(original, tag); + after(original, nu); + const children$1 = children(original); + append(nu, children$1); + remove(original); + return nu; + }; + + var global$3 = tinymce.util.Tools.resolve('tinymce.dom.DOMUtils'); + + var global$2 = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const matchNodeName = name => node => isNonNullable(node) && node.nodeName.toLowerCase() === name; + const matchNodeNames = regex => node => isNonNullable(node) && regex.test(node.nodeName); + const isTextNode$1 = node => isNonNullable(node) && node.nodeType === 3; + const isElement = node => isNonNullable(node) && node.nodeType === 1; + const isListNode = matchNodeNames(/^(OL|UL|DL)$/); + const isOlUlNode = matchNodeNames(/^(OL|UL)$/); + const isOlNode = matchNodeName('ol'); + const isListItemNode = matchNodeNames(/^(LI|DT|DD)$/); + const isDlItemNode = matchNodeNames(/^(DT|DD)$/); + const isTableCellNode = matchNodeNames(/^(TH|TD)$/); + const isBr = matchNodeName('br'); + const isFirstChild = node => { + var _a; + return ((_a = node.parentNode) === null || _a === void 0 ? void 0 : _a.firstChild) === node; + }; + const isTextBlock = (editor, node) => isNonNullable(node) && node.nodeName in editor.schema.getTextBlockElements(); + const isBlock = (node, blockElements) => isNonNullable(node) && node.nodeName in blockElements; + const isVoid = (editor, node) => isNonNullable(node) && node.nodeName in editor.schema.getVoidElements(); + const isBogusBr = (dom, node) => { + if (!isBr(node)) { + return false; + } + return dom.isBlock(node.nextSibling) && !isBr(node.previousSibling); + }; + const isEmpty$2 = (dom, elm, keepBookmarks) => { + const empty = dom.isEmpty(elm); + if (keepBookmarks && dom.select('span[data-mce-type=bookmark]', elm).length > 0) { + return false; + } + return empty; + }; + const isChildOfBody = (dom, elm) => dom.isChildOf(elm, dom.getRoot()); + + const option = name => editor => editor.options.get(name); + const register$3 = editor => { + const registerOption = editor.options.register; + registerOption('lists_indent_on_tab', { + processor: 'boolean', + default: true + }); + }; + const shouldIndentOnTab = option('lists_indent_on_tab'); + const getForcedRootBlock = option('forced_root_block'); + const getForcedRootBlockAttrs = option('forced_root_block_attrs'); + + const createTextBlock = (editor, contentNode) => { + const dom = editor.dom; + const blockElements = editor.schema.getBlockElements(); + const fragment = dom.createFragment(); + const blockName = getForcedRootBlock(editor); + const blockAttrs = getForcedRootBlockAttrs(editor); + let node; + let textBlock; + let hasContentNode = false; + textBlock = dom.create(blockName, blockAttrs); + if (!isBlock(contentNode.firstChild, blockElements)) { + fragment.appendChild(textBlock); + } + while (node = contentNode.firstChild) { + const nodeName = node.nodeName; + if (!hasContentNode && (nodeName !== 'SPAN' || node.getAttribute('data-mce-type') !== 'bookmark')) { + hasContentNode = true; + } + if (isBlock(node, blockElements)) { + fragment.appendChild(node); + textBlock = null; + } else { + if (!textBlock) { + textBlock = dom.create(blockName, blockAttrs); + fragment.appendChild(textBlock); + } + textBlock.appendChild(node); + } + } + if (!hasContentNode && textBlock) { + textBlock.appendChild(dom.create('br', { 'data-mce-bogus': '1' })); + } + return fragment; + }; + + const DOM$2 = global$3.DOM; + const splitList = (editor, list, li) => { + const removeAndKeepBookmarks = targetNode => { + const parent = targetNode.parentNode; + if (parent) { + global$2.each(bookmarks, node => { + parent.insertBefore(node, li.parentNode); + }); + } + DOM$2.remove(targetNode); + }; + const bookmarks = DOM$2.select('span[data-mce-type="bookmark"]', list); + const newBlock = createTextBlock(editor, li); + const tmpRng = DOM$2.createRng(); + tmpRng.setStartAfter(li); + tmpRng.setEndAfter(list); + const fragment = tmpRng.extractContents(); + for (let node = fragment.firstChild; node; node = node.firstChild) { + if (node.nodeName === 'LI' && editor.dom.isEmpty(node)) { + DOM$2.remove(node); + break; + } + } + if (!editor.dom.isEmpty(fragment)) { + DOM$2.insertAfter(fragment, list); + } + DOM$2.insertAfter(newBlock, list); + const parent = li.parentElement; + if (parent && isEmpty$2(editor.dom, parent)) { + removeAndKeepBookmarks(parent); + } + DOM$2.remove(li); + if (isEmpty$2(editor.dom, list)) { + DOM$2.remove(list); + } + }; + + const isDescriptionDetail = isTag('dd'); + const isDescriptionTerm = isTag('dt'); + const outdentDlItem = (editor, item) => { + if (isDescriptionDetail(item)) { + mutate(item, 'dt'); + } else if (isDescriptionTerm(item)) { + parentElement(item).each(dl => splitList(editor, dl.dom, item.dom)); + } + }; + const indentDlItem = item => { + if (isDescriptionTerm(item)) { + mutate(item, 'dd'); + } + }; + const dlIndentation = (editor, indentation, dlItems) => { + if (indentation === 'Indent') { + each$1(dlItems, indentDlItem); + } else { + each$1(dlItems, item => outdentDlItem(editor, item)); + } + }; + + const getNormalizedPoint = (container, offset) => { + if (isTextNode$1(container)) { + return { + container, + offset + }; + } + const node = global$6.getNode(container, offset); + if (isTextNode$1(node)) { + return { + container: node, + offset: offset >= container.childNodes.length ? node.data.length : 0 + }; + } else if (node.previousSibling && isTextNode$1(node.previousSibling)) { + return { + container: node.previousSibling, + offset: node.previousSibling.data.length + }; + } else if (node.nextSibling && isTextNode$1(node.nextSibling)) { + return { + container: node.nextSibling, + offset: 0 + }; + } + return { + container, + offset + }; + }; + const normalizeRange = rng => { + const outRng = rng.cloneRange(); + const rangeStart = getNormalizedPoint(rng.startContainer, rng.startOffset); + outRng.setStart(rangeStart.container, rangeStart.offset); + const rangeEnd = getNormalizedPoint(rng.endContainer, rng.endOffset); + outRng.setEnd(rangeEnd.container, rangeEnd.offset); + return outRng; + }; + + const listNames = [ + 'OL', + 'UL', + 'DL' + ]; + const listSelector = listNames.join(','); + const getParentList = (editor, node) => { + const selectionStart = node || editor.selection.getStart(true); + return editor.dom.getParent(selectionStart, listSelector, getClosestListHost(editor, selectionStart)); + }; + const isParentListSelected = (parentList, selectedBlocks) => isNonNullable(parentList) && selectedBlocks.length === 1 && selectedBlocks[0] === parentList; + const findSubLists = parentList => filter$1(parentList.querySelectorAll(listSelector), isListNode); + const getSelectedSubLists = editor => { + const parentList = getParentList(editor); + const selectedBlocks = editor.selection.getSelectedBlocks(); + if (isParentListSelected(parentList, selectedBlocks)) { + return findSubLists(parentList); + } else { + return filter$1(selectedBlocks, elm => { + return isListNode(elm) && parentList !== elm; + }); + } + }; + const findParentListItemsNodes = (editor, elms) => { + const listItemsElms = global$2.map(elms, elm => { + const parentLi = editor.dom.getParent(elm, 'li,dd,dt', getClosestListHost(editor, elm)); + return parentLi ? parentLi : elm; + }); + return unique(listItemsElms); + }; + const getSelectedListItems = editor => { + const selectedBlocks = editor.selection.getSelectedBlocks(); + return filter$1(findParentListItemsNodes(editor, selectedBlocks), isListItemNode); + }; + const getSelectedDlItems = editor => filter$1(getSelectedListItems(editor), isDlItemNode); + const getClosestEditingHost = (editor, elm) => { + const parentTableCell = editor.dom.getParents(elm, 'TD,TH'); + return parentTableCell.length > 0 ? parentTableCell[0] : editor.getBody(); + }; + const isListHost = (schema, node) => !isListNode(node) && !isListItemNode(node) && exists(listNames, listName => schema.isValidChild(node.nodeName, listName)); + const getClosestListHost = (editor, elm) => { + const parentBlocks = editor.dom.getParents(elm, editor.dom.isBlock); + const parentBlock = find(parentBlocks, elm => isListHost(editor.schema, elm)); + return parentBlock.getOr(editor.getBody()); + }; + const isListInsideAnLiWithFirstAndLastNotListElement = list => parent(list).exists(parent => isListItemNode(parent.dom) && firstChild(parent).exists(firstChild => !isListNode(firstChild.dom)) && lastChild(parent).exists(lastChild => !isListNode(lastChild.dom))); + const findLastParentListNode = (editor, elm) => { + const parentLists = editor.dom.getParents(elm, 'ol,ul', getClosestListHost(editor, elm)); + return last(parentLists); + }; + const getSelectedLists = editor => { + const firstList = findLastParentListNode(editor, editor.selection.getStart()); + const subsequentLists = filter$1(editor.selection.getSelectedBlocks(), isOlUlNode); + return firstList.toArray().concat(subsequentLists); + }; + const getParentLists = editor => { + const elm = editor.selection.getStart(); + return editor.dom.getParents(elm, 'ol,ul', getClosestListHost(editor, elm)); + }; + const getSelectedListRoots = editor => { + const selectedLists = getSelectedLists(editor); + const parentLists = getParentLists(editor); + return find(parentLists, p => isListInsideAnLiWithFirstAndLastNotListElement(SugarElement.fromDom(p))).fold(() => getUniqueListRoots(editor, selectedLists), l => [l]); + }; + const getUniqueListRoots = (editor, lists) => { + const listRoots = map(lists, list => findLastParentListNode(editor, list).getOr(list)); + return unique(listRoots); + }; + + const isCustomList = list => /\btox\-/.test(list.className); + const inList = (parents, listName) => findUntil(parents, isListNode, isTableCellNode).exists(list => list.nodeName === listName && !isCustomList(list)); + const isWithinNonEditable = (editor, element) => element !== null && !editor.dom.isEditable(element); + const selectionIsWithinNonEditableList = editor => { + const parentList = getParentList(editor); + return isWithinNonEditable(editor, parentList); + }; + const isWithinNonEditableList = (editor, element) => { + const parentList = editor.dom.getParent(element, 'ol,ul,dl'); + return isWithinNonEditable(editor, parentList); + }; + const setNodeChangeHandler = (editor, nodeChangeHandler) => { + const initialNode = editor.selection.getNode(); + nodeChangeHandler({ + parents: editor.dom.getParents(initialNode), + element: initialNode + }); + editor.on('NodeChange', nodeChangeHandler); + return () => editor.off('NodeChange', nodeChangeHandler); + }; + + const fromElements = (elements, scope) => { + const doc = scope || document; + const fragment = doc.createDocumentFragment(); + each$1(elements, element => { + fragment.appendChild(element.dom); + }); + return SugarElement.fromDom(fragment); + }; + + const fireListEvent = (editor, action, element) => editor.dispatch('ListMutation', { + action, + element + }); + + const blank = r => s => s.replace(r, ''); + const trim = blank(/^\s+|\s+$/g); + const isNotEmpty = s => s.length > 0; + const isEmpty$1 = s => !isNotEmpty(s); + + const isSupported = dom => dom.style !== undefined && isFunction(dom.style.getPropertyValue); + + const internalSet = (dom, property, value) => { + if (!isString(value)) { + console.error('Invalid call to CSS.set. Property ', property, ':: Value ', value, ':: Element ', dom); + throw new Error('CSS value must be a string: ' + value); + } + if (isSupported(dom)) { + dom.style.setProperty(property, value); + } + }; + const set = (element, property, value) => { + const dom = element.dom; + internalSet(dom, property, value); + }; + + const isList = el => is(el, 'OL,UL'); + const hasFirstChildList = el => firstChild(el).exists(isList); + const hasLastChildList = el => lastChild(el).exists(isList); + + const isEntryList = entry => 'listAttributes' in entry; + const isEntryNoList = entry => 'isInPreviousLi' in entry; + const isEntryComment = entry => 'isComment' in entry; + const isIndented = entry => entry.depth > 0; + const isSelected = entry => entry.isSelected; + const cloneItemContent = li => { + const children$1 = children(li); + const content = hasLastChildList(li) ? children$1.slice(0, -1) : children$1; + return map(content, deep); + }; + const createEntry = (li, depth, isSelected) => parent(li).filter(isElement$1).map(list => ({ + depth, + dirty: false, + isSelected, + content: cloneItemContent(li), + itemAttributes: clone$1(li), + listAttributes: clone$1(list), + listType: name(list), + isInPreviousLi: false + })); + + const joinSegment = (parent, child) => { + append$1(parent.item, child.list); + }; + const joinSegments = segments => { + for (let i = 1; i < segments.length; i++) { + joinSegment(segments[i - 1], segments[i]); + } + }; + const appendSegments = (head$1, tail) => { + lift2(last(head$1), head(tail), joinSegment); + }; + const createSegment = (scope, listType) => { + const segment = { + list: SugarElement.fromTag(listType, scope), + item: SugarElement.fromTag('li', scope) + }; + append$1(segment.list, segment.item); + return segment; + }; + const createSegments = (scope, entry, size) => { + const segments = []; + for (let i = 0; i < size; i++) { + segments.push(createSegment(scope, entry.listType)); + } + return segments; + }; + const populateSegments = (segments, entry) => { + for (let i = 0; i < segments.length - 1; i++) { + set(segments[i].item, 'list-style-type', 'none'); + } + last(segments).each(segment => { + setAll(segment.list, entry.listAttributes); + setAll(segment.item, entry.itemAttributes); + append(segment.item, entry.content); + }); + }; + const normalizeSegment = (segment, entry) => { + if (name(segment.list) !== entry.listType) { + segment.list = mutate(segment.list, entry.listType); + } + setAll(segment.list, entry.listAttributes); + }; + const createItem = (scope, attr, content) => { + const item = SugarElement.fromTag('li', scope); + setAll(item, attr); + append(item, content); + return item; + }; + const appendItem = (segment, item) => { + append$1(segment.list, item); + segment.item = item; + }; + const createInPreviousLiItem = (scope, attr, content, tag) => { + const item = SugarElement.fromTag(tag, scope); + setAll(item, attr); + append(item, content); + return item; + }; + const writeShallow = (scope, cast, entry) => { + const newCast = cast.slice(0, entry.depth); + last(newCast).each(segment => { + if (isEntryList(entry)) { + const item = createItem(scope, entry.itemAttributes, entry.content); + appendItem(segment, item); + normalizeSegment(segment, entry); + } else if (isEntryNoList(entry)) { + if (entry.isInPreviousLi) { + const item = createInPreviousLiItem(scope, entry.attributes, entry.content, entry.type); + append$1(segment.item, item); + } + } else { + const item = SugarElement.fromHtml(``); + append$1(segment.list, item); + } + }); + return newCast; + }; + const writeDeep = (scope, cast, entry) => { + const segments = createSegments(scope, entry, entry.depth - cast.length); + joinSegments(segments); + populateSegments(segments, entry); + appendSegments(cast, segments); + return cast.concat(segments); + }; + const composeList = (scope, entries) => { + let firstCommentEntryOpt = Optional.none(); + const cast = foldl(entries, (cast, entry, i) => { + if (isEntryList(entry)) { + return entry.depth > cast.length ? writeDeep(scope, cast, entry) : writeShallow(scope, cast, entry); + } else { + if (i === 0 && isEntryComment(entry)) { + firstCommentEntryOpt = Optional.some(entry); + return cast; + } + return writeShallow(scope, cast, entry); + } + }, []); + firstCommentEntryOpt.each(firstCommentEntry => { + const item = SugarElement.fromHtml(``); + head(cast).each(fistCast => { + prepend(fistCast.list, item); + }); + }); + return head(cast).map(segment => segment.list); + }; + + const indentEntry = (indentation, entry) => { + switch (indentation) { + case 'Indent': + entry.depth++; + break; + case 'Outdent': + entry.depth--; + break; + case 'Flatten': + entry.depth = 0; + } + entry.dirty = true; + }; + + const cloneListProperties = (target, source) => { + if (isEntryList(target) && isEntryList(source)) { + target.listType = source.listType; + target.listAttributes = { ...source.listAttributes }; + } + }; + const cleanListProperties = entry => { + entry.listAttributes = filter(entry.listAttributes, (_value, key) => key !== 'start'); + }; + const closestSiblingEntry = (entries, start) => { + const depth = entries[start].depth; + const matches = entry => entry.depth === depth && !entry.dirty; + const until = entry => entry.depth < depth; + return findUntil(reverse(entries.slice(0, start)), matches, until).orThunk(() => findUntil(entries.slice(start + 1), matches, until)); + }; + const normalizeEntries = entries => { + each$1(entries, (entry, i) => { + closestSiblingEntry(entries, i).fold(() => { + if (entry.dirty && isEntryList(entry)) { + cleanListProperties(entry); + } + }, matchingEntry => cloneListProperties(entry, matchingEntry)); + }); + return entries; + }; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + const entryToEntryNoList = (entry, type, isInPreviousLi) => { + if (isEntryList(entry)) { + return { + depth: entry.depth, + dirty: entry.dirty, + content: entry.content, + isSelected: entry.isSelected, + type, + attributes: entry.itemAttributes, + isInPreviousLi + }; + } else { + return entry; + } + }; + const parseSingleItem = (depth, itemSelection, selectionState, item) => { + var _a; + if (isComment(item)) { + return [{ + depth: depth + 1, + content: (_a = item.dom.nodeValue) !== null && _a !== void 0 ? _a : '', + dirty: false, + isSelected: false, + isComment: true + }]; + } + itemSelection.each(selection => { + if (eq(selection.start, item)) { + selectionState.set(true); + } + }); + const currentItemEntry = createEntry(item, depth, selectionState.get()); + itemSelection.each(selection => { + if (eq(selection.end, item)) { + selectionState.set(false); + } + }); + const childListEntries = lastChild(item).filter(isList).map(list => parseList(depth, itemSelection, selectionState, list)).getOr([]); + return currentItemEntry.toArray().concat(childListEntries); + }; + const parseItem = (depth, itemSelection, selectionState, item) => firstChild(item).filter(isList).fold(() => parseSingleItem(depth, itemSelection, selectionState, item), list => { + const parsedSiblings = foldl(children(item), (acc, s, i) => { + if (i === 0) { + return acc; + } else { + const parsedSibling = parseSingleItem(depth, itemSelection, selectionState, s).map(e => entryToEntryNoList(e, s.dom.nodeName.toLowerCase(), true)); + return acc.concat(parsedSibling); + } + }, []); + return parseList(depth, itemSelection, selectionState, list).concat(parsedSiblings); + }); + const parseList = (depth, itemSelection, selectionState, list) => bind(children(list), element => { + const parser = isList(element) ? parseList : parseItem; + const newDepth = depth + 1; + return parser(newDepth, itemSelection, selectionState, element); + }); + const parseLists = (lists, itemSelection) => { + const selectionState = Cell(false); + const initialDepth = 0; + return map(lists, list => ({ + sourceList: list, + entries: parseList(initialDepth, itemSelection, selectionState, list) + })); + }; + + const outdentedComposer = (editor, entries) => { + const normalizedEntries = normalizeEntries(entries); + return map(normalizedEntries, entry => { + const content = !isEntryComment(entry) ? fromElements(entry.content) : fromElements([SugarElement.fromHtml(``)]); + return SugarElement.fromDom(createTextBlock(editor, content.dom)); + }); + }; + const indentedComposer = (editor, entries) => { + const normalizedEntries = normalizeEntries(entries); + return composeList(editor.contentDocument, normalizedEntries).toArray(); + }; + const composeEntries = (editor, entries) => bind(groupBy(entries, isIndented), entries => { + const groupIsIndented = head(entries).exists(isIndented); + return groupIsIndented ? indentedComposer(editor, entries) : outdentedComposer(editor, entries); + }); + const indentSelectedEntries = (entries, indentation) => { + each$1(filter$1(entries, isSelected), entry => indentEntry(indentation, entry)); + }; + const getItemSelection = editor => { + const selectedListItems = map(getSelectedListItems(editor), SugarElement.fromDom); + return lift2(find(selectedListItems, not(hasFirstChildList)), find(reverse(selectedListItems), not(hasFirstChildList)), (start, end) => ({ + start, + end + })); + }; + const listIndentation = (editor, lists, indentation) => { + const entrySets = parseLists(lists, getItemSelection(editor)); + each$1(entrySets, entrySet => { + indentSelectedEntries(entrySet.entries, indentation); + const composedLists = composeEntries(editor, entrySet.entries); + each$1(composedLists, composedList => { + fireListEvent(editor, indentation === 'Indent' ? 'IndentList' : 'OutdentList', composedList.dom); + }); + before(entrySet.sourceList, composedLists); + remove(entrySet.sourceList); + }); + }; + + const selectionIndentation = (editor, indentation) => { + const lists = fromDom(getSelectedListRoots(editor)); + const dlItems = fromDom(getSelectedDlItems(editor)); + let isHandled = false; + if (lists.length || dlItems.length) { + const bookmark = editor.selection.getBookmark(); + listIndentation(editor, lists, indentation); + dlIndentation(editor, indentation, dlItems); + editor.selection.moveToBookmark(bookmark); + editor.selection.setRng(normalizeRange(editor.selection.getRng())); + editor.nodeChanged(); + isHandled = true; + } + return isHandled; + }; + const handleIndentation = (editor, indentation) => !selectionIsWithinNonEditableList(editor) && selectionIndentation(editor, indentation); + const indentListSelection = editor => handleIndentation(editor, 'Indent'); + const outdentListSelection = editor => handleIndentation(editor, 'Outdent'); + const flattenListSelection = editor => handleIndentation(editor, 'Flatten'); + + const zeroWidth = '\uFEFF'; + const isZwsp = char => char === zeroWidth; + + const ancestor$1 = (scope, predicate, isRoot) => ancestor$2(scope, predicate, isRoot).isSome(); + + const ancestor = (element, target) => ancestor$1(element, curry(eq, target)); + + var global$1 = tinymce.util.Tools.resolve('tinymce.dom.BookmarkManager'); + + const DOM$1 = global$3.DOM; + const createBookmark = rng => { + const bookmark = {}; + const setupEndPoint = start => { + let container = rng[start ? 'startContainer' : 'endContainer']; + let offset = rng[start ? 'startOffset' : 'endOffset']; + if (isElement(container)) { + const offsetNode = DOM$1.create('span', { 'data-mce-type': 'bookmark' }); + if (container.hasChildNodes()) { + offset = Math.min(offset, container.childNodes.length - 1); + if (start) { + container.insertBefore(offsetNode, container.childNodes[offset]); + } else { + DOM$1.insertAfter(offsetNode, container.childNodes[offset]); + } + } else { + container.appendChild(offsetNode); + } + container = offsetNode; + offset = 0; + } + bookmark[start ? 'startContainer' : 'endContainer'] = container; + bookmark[start ? 'startOffset' : 'endOffset'] = offset; + }; + setupEndPoint(true); + if (!rng.collapsed) { + setupEndPoint(); + } + return bookmark; + }; + const resolveBookmark = bookmark => { + const restoreEndPoint = start => { + const nodeIndex = container => { + var _a; + let node = (_a = container.parentNode) === null || _a === void 0 ? void 0 : _a.firstChild; + let idx = 0; + while (node) { + if (node === container) { + return idx; + } + if (!isElement(node) || node.getAttribute('data-mce-type') !== 'bookmark') { + idx++; + } + node = node.nextSibling; + } + return -1; + }; + let container = bookmark[start ? 'startContainer' : 'endContainer']; + let offset = bookmark[start ? 'startOffset' : 'endOffset']; + if (!container) { + return; + } + if (isElement(container) && container.parentNode) { + const node = container; + offset = nodeIndex(container); + container = container.parentNode; + DOM$1.remove(node); + if (!container.hasChildNodes() && DOM$1.isBlock(container)) { + container.appendChild(DOM$1.create('br')); + } + } + bookmark[start ? 'startContainer' : 'endContainer'] = container; + bookmark[start ? 'startOffset' : 'endOffset'] = offset; + }; + restoreEndPoint(true); + restoreEndPoint(); + const rng = DOM$1.createRng(); + rng.setStart(bookmark.startContainer, bookmark.startOffset); + if (bookmark.endContainer) { + rng.setEnd(bookmark.endContainer, bookmark.endOffset); + } + return normalizeRange(rng); + }; + + const listToggleActionFromListName = listName => { + switch (listName) { + case 'UL': + return 'ToggleUlList'; + case 'OL': + return 'ToggleOlList'; + case 'DL': + return 'ToggleDLList'; + } + }; + + const updateListStyle = (dom, el, detail) => { + const type = detail['list-style-type'] ? detail['list-style-type'] : null; + dom.setStyle(el, 'list-style-type', type); + }; + const setAttribs = (elm, attrs) => { + global$2.each(attrs, (value, key) => { + elm.setAttribute(key, value); + }); + }; + const updateListAttrs = (dom, el, detail) => { + setAttribs(el, detail['list-attributes']); + global$2.each(dom.select('li', el), li => { + setAttribs(li, detail['list-item-attributes']); + }); + }; + const updateListWithDetails = (dom, el, detail) => { + updateListStyle(dom, el, detail); + updateListAttrs(dom, el, detail); + }; + const removeStyles = (dom, element, styles) => { + global$2.each(styles, style => dom.setStyle(element, style, '')); + }; + const isInline = (editor, node) => isNonNullable(node) && !isBlock(node, editor.schema.getBlockElements()); + const getEndPointNode = (editor, rng, start, root) => { + let container = rng[start ? 'startContainer' : 'endContainer']; + const offset = rng[start ? 'startOffset' : 'endOffset']; + if (isElement(container)) { + container = container.childNodes[Math.min(offset, container.childNodes.length - 1)] || container; + } + if (!start && isBr(container.nextSibling)) { + container = container.nextSibling; + } + const findBlockAncestor = node => { + while (!editor.dom.isBlock(node) && node.parentNode && root !== node) { + node = node.parentNode; + } + return node; + }; + const findBetterContainer = (container, forward) => { + var _a; + const walker = new global$5(container, findBlockAncestor(container)); + const dir = forward ? 'next' : 'prev'; + let node; + while (node = walker[dir]()) { + if (!(isVoid(editor, node) || isZwsp(node.textContent) || ((_a = node.textContent) === null || _a === void 0 ? void 0 : _a.length) === 0)) { + return Optional.some(node); + } + } + return Optional.none(); + }; + if (start && isTextNode$1(container)) { + if (isZwsp(container.textContent)) { + container = findBetterContainer(container, false).getOr(container); + } else { + if (container.parentNode !== null && isInline(editor, container.parentNode)) { + container = container.parentNode; + } + while (container.previousSibling !== null && (isInline(editor, container.previousSibling) || isTextNode$1(container.previousSibling))) { + container = container.previousSibling; + } + } + } + if (!start && isTextNode$1(container)) { + if (isZwsp(container.textContent)) { + container = findBetterContainer(container, true).getOr(container); + } else { + if (container.parentNode !== null && isInline(editor, container.parentNode)) { + container = container.parentNode; + } + while (container.nextSibling !== null && (isInline(editor, container.nextSibling) || isTextNode$1(container.nextSibling))) { + container = container.nextSibling; + } + } + } + while (container.parentNode !== root) { + const parent = container.parentNode; + if (isTextBlock(editor, container)) { + return container; + } + if (/^(TD|TH)$/.test(parent.nodeName)) { + return container; + } + container = parent; + } + return container; + }; + const getSelectedTextBlocks = (editor, rng, root) => { + const textBlocks = []; + const dom = editor.dom; + const startNode = getEndPointNode(editor, rng, true, root); + const endNode = getEndPointNode(editor, rng, false, root); + let block; + const siblings = []; + for (let node = startNode; node; node = node.nextSibling) { + siblings.push(node); + if (node === endNode) { + break; + } + } + global$2.each(siblings, node => { + var _a; + if (isTextBlock(editor, node)) { + textBlocks.push(node); + block = null; + return; + } + if (dom.isBlock(node) || isBr(node)) { + if (isBr(node)) { + dom.remove(node); + } + block = null; + return; + } + const nextSibling = node.nextSibling; + if (global$1.isBookmarkNode(node)) { + if (isListNode(nextSibling) || isTextBlock(editor, nextSibling) || !nextSibling && node.parentNode === root) { + block = null; + return; + } + } + if (!block) { + block = dom.create('p'); + (_a = node.parentNode) === null || _a === void 0 ? void 0 : _a.insertBefore(block, node); + textBlocks.push(block); + } + block.appendChild(node); + }); + return textBlocks; + }; + const hasCompatibleStyle = (dom, sib, detail) => { + const sibStyle = dom.getStyle(sib, 'list-style-type'); + let detailStyle = detail ? detail['list-style-type'] : ''; + detailStyle = detailStyle === null ? '' : detailStyle; + return sibStyle === detailStyle; + }; + const getRootSearchStart = (editor, range) => { + const start = editor.selection.getStart(true); + const startPoint = getEndPointNode(editor, range, true, editor.getBody()); + if (ancestor(SugarElement.fromDom(startPoint), SugarElement.fromDom(range.commonAncestorContainer))) { + return range.commonAncestorContainer; + } else { + return start; + } + }; + const applyList = (editor, listName, detail) => { + const rng = editor.selection.getRng(); + let listItemName = 'LI'; + const root = getClosestListHost(editor, getRootSearchStart(editor, rng)); + const dom = editor.dom; + if (dom.getContentEditable(editor.selection.getNode()) === 'false') { + return; + } + listName = listName.toUpperCase(); + if (listName === 'DL') { + listItemName = 'DT'; + } + const bookmark = createBookmark(rng); + const selectedTextBlocks = filter$1(getSelectedTextBlocks(editor, rng, root), editor.dom.isEditable); + global$2.each(selectedTextBlocks, block => { + let listBlock; + const sibling = block.previousSibling; + const parent = block.parentNode; + if (!isListItemNode(parent)) { + if (sibling && isListNode(sibling) && sibling.nodeName === listName && hasCompatibleStyle(dom, sibling, detail)) { + listBlock = sibling; + block = dom.rename(block, listItemName); + sibling.appendChild(block); + } else { + listBlock = dom.create(listName); + parent.insertBefore(listBlock, block); + listBlock.appendChild(block); + block = dom.rename(block, listItemName); + } + removeStyles(dom, block, [ + 'margin', + 'margin-right', + 'margin-bottom', + 'margin-left', + 'margin-top', + 'padding', + 'padding-right', + 'padding-bottom', + 'padding-left', + 'padding-top' + ]); + updateListWithDetails(dom, listBlock, detail); + mergeWithAdjacentLists(editor.dom, listBlock); + } + }); + editor.selection.setRng(resolveBookmark(bookmark)); + }; + const isValidLists = (list1, list2) => { + return isListNode(list1) && list1.nodeName === (list2 === null || list2 === void 0 ? void 0 : list2.nodeName); + }; + const hasSameListStyle = (dom, list1, list2) => { + const targetStyle = dom.getStyle(list1, 'list-style-type', true); + const style = dom.getStyle(list2, 'list-style-type', true); + return targetStyle === style; + }; + const hasSameClasses = (elm1, elm2) => { + return elm1.className === elm2.className; + }; + const shouldMerge = (dom, list1, list2) => { + return isValidLists(list1, list2) && hasSameListStyle(dom, list1, list2) && hasSameClasses(list1, list2); + }; + const mergeWithAdjacentLists = (dom, listBlock) => { + let node; + let sibling = listBlock.nextSibling; + if (shouldMerge(dom, listBlock, sibling)) { + const liSibling = sibling; + while (node = liSibling.firstChild) { + listBlock.appendChild(node); + } + dom.remove(liSibling); + } + sibling = listBlock.previousSibling; + if (shouldMerge(dom, listBlock, sibling)) { + const liSibling = sibling; + while (node = liSibling.lastChild) { + listBlock.insertBefore(node, listBlock.firstChild); + } + dom.remove(liSibling); + } + }; + const updateList$1 = (editor, list, listName, detail) => { + if (list.nodeName !== listName) { + const newList = editor.dom.rename(list, listName); + updateListWithDetails(editor.dom, newList, detail); + fireListEvent(editor, listToggleActionFromListName(listName), newList); + } else { + updateListWithDetails(editor.dom, list, detail); + fireListEvent(editor, listToggleActionFromListName(listName), list); + } + }; + const updateCustomList = (editor, list, listName, detail) => { + list.classList.forEach((cls, _, classList) => { + if (cls.startsWith('tox-')) { + classList.remove(cls); + if (classList.length === 0) { + list.removeAttribute('class'); + } + } + }); + if (list.nodeName !== listName) { + const newList = editor.dom.rename(list, listName); + updateListWithDetails(editor.dom, newList, detail); + fireListEvent(editor, listToggleActionFromListName(listName), newList); + } else { + updateListWithDetails(editor.dom, list, detail); + fireListEvent(editor, listToggleActionFromListName(listName), list); + } + }; + const toggleMultipleLists = (editor, parentList, lists, listName, detail) => { + const parentIsList = isListNode(parentList); + if (parentIsList && parentList.nodeName === listName && !hasListStyleDetail(detail) && !isCustomList(parentList)) { + flattenListSelection(editor); + } else { + applyList(editor, listName, detail); + const bookmark = createBookmark(editor.selection.getRng()); + const allLists = parentIsList ? [ + parentList, + ...lists + ] : lists; + const updateFunction = parentIsList && isCustomList(parentList) ? updateCustomList : updateList$1; + global$2.each(allLists, elm => { + updateFunction(editor, elm, listName, detail); + }); + editor.selection.setRng(resolveBookmark(bookmark)); + } + }; + const hasListStyleDetail = detail => { + return 'list-style-type' in detail; + }; + const toggleSingleList = (editor, parentList, listName, detail) => { + if (parentList === editor.getBody()) { + return; + } + if (parentList) { + if (parentList.nodeName === listName && !hasListStyleDetail(detail) && !isCustomList(parentList)) { + flattenListSelection(editor); + } else { + const bookmark = createBookmark(editor.selection.getRng()); + if (isCustomList(parentList)) { + parentList.classList.forEach((cls, _, classList) => { + if (cls.startsWith('tox-')) { + classList.remove(cls); + if (classList.length === 0) { + parentList.removeAttribute('class'); + } + } + }); + } + updateListWithDetails(editor.dom, parentList, detail); + const newList = editor.dom.rename(parentList, listName); + mergeWithAdjacentLists(editor.dom, newList); + editor.selection.setRng(resolveBookmark(bookmark)); + applyList(editor, listName, detail); + fireListEvent(editor, listToggleActionFromListName(listName), newList); + } + } else { + applyList(editor, listName, detail); + fireListEvent(editor, listToggleActionFromListName(listName), parentList); + } + }; + const toggleList = (editor, listName, _detail) => { + const parentList = getParentList(editor); + if (isWithinNonEditableList(editor, parentList)) { + return; + } + const selectedSubLists = getSelectedSubLists(editor); + const detail = isObject(_detail) ? _detail : {}; + if (selectedSubLists.length > 0) { + toggleMultipleLists(editor, parentList, selectedSubLists, listName, detail); + } else { + toggleSingleList(editor, parentList, listName, detail); + } + }; + + const DOM = global$3.DOM; + const normalizeList = (dom, list) => { + const parentNode = list.parentElement; + if (parentNode && parentNode.nodeName === 'LI' && parentNode.firstChild === list) { + const sibling = parentNode.previousSibling; + if (sibling && sibling.nodeName === 'LI') { + sibling.appendChild(list); + if (isEmpty$2(dom, parentNode)) { + DOM.remove(parentNode); + } + } else { + DOM.setStyle(parentNode, 'listStyleType', 'none'); + } + } + if (isListNode(parentNode)) { + const sibling = parentNode.previousSibling; + if (sibling && sibling.nodeName === 'LI') { + sibling.appendChild(list); + } + } + }; + const normalizeLists = (dom, element) => { + const lists = global$2.grep(dom.select('ol,ul', element)); + global$2.each(lists, list => { + normalizeList(dom, list); + }); + }; + + const findNextCaretContainer = (editor, rng, isForward, root) => { + let node = rng.startContainer; + const offset = rng.startOffset; + if (isTextNode$1(node) && (isForward ? offset < node.data.length : offset > 0)) { + return node; + } + const nonEmptyBlocks = editor.schema.getNonEmptyElements(); + if (isElement(node)) { + node = global$6.getNode(node, offset); + } + const walker = new global$5(node, root); + if (isForward) { + if (isBogusBr(editor.dom, node)) { + walker.next(); + } + } + const walkFn = isForward ? walker.next.bind(walker) : walker.prev2.bind(walker); + while (node = walkFn()) { + if (node.nodeName === 'LI' && !node.hasChildNodes()) { + return node; + } + if (nonEmptyBlocks[node.nodeName]) { + return node; + } + if (isTextNode$1(node) && node.data.length > 0) { + return node; + } + } + return null; + }; + const hasOnlyOneBlockChild = (dom, elm) => { + const childNodes = elm.childNodes; + return childNodes.length === 1 && !isListNode(childNodes[0]) && dom.isBlock(childNodes[0]); + }; + const unwrapSingleBlockChild = (dom, elm) => { + if (hasOnlyOneBlockChild(dom, elm)) { + dom.remove(elm.firstChild, true); + } + }; + const moveChildren = (dom, fromElm, toElm) => { + let node; + const targetElm = hasOnlyOneBlockChild(dom, toElm) ? toElm.firstChild : toElm; + unwrapSingleBlockChild(dom, fromElm); + if (!isEmpty$2(dom, fromElm, true)) { + while (node = fromElm.firstChild) { + targetElm.appendChild(node); + } + } + }; + const mergeLiElements = (dom, fromElm, toElm) => { + let listNode; + const ul = fromElm.parentNode; + if (!isChildOfBody(dom, fromElm) || !isChildOfBody(dom, toElm)) { + return; + } + if (isListNode(toElm.lastChild)) { + listNode = toElm.lastChild; + } + if (ul === toElm.lastChild) { + if (isBr(ul.previousSibling)) { + dom.remove(ul.previousSibling); + } + } + const node = toElm.lastChild; + if (node && isBr(node) && fromElm.hasChildNodes()) { + dom.remove(node); + } + if (isEmpty$2(dom, toElm, true)) { + empty(SugarElement.fromDom(toElm)); + } + moveChildren(dom, fromElm, toElm); + if (listNode) { + toElm.appendChild(listNode); + } + const contains$1 = contains(SugarElement.fromDom(toElm), SugarElement.fromDom(fromElm)); + const nestedLists = contains$1 ? dom.getParents(fromElm, isListNode, toElm) : []; + dom.remove(fromElm); + each$1(nestedLists, list => { + if (isEmpty$2(dom, list) && list !== dom.getRoot()) { + dom.remove(list); + } + }); + }; + const mergeIntoEmptyLi = (editor, fromLi, toLi) => { + empty(SugarElement.fromDom(toLi)); + mergeLiElements(editor.dom, fromLi, toLi); + editor.selection.setCursorLocation(toLi, 0); + }; + const mergeForward = (editor, rng, fromLi, toLi) => { + const dom = editor.dom; + if (dom.isEmpty(toLi)) { + mergeIntoEmptyLi(editor, fromLi, toLi); + } else { + const bookmark = createBookmark(rng); + mergeLiElements(dom, fromLi, toLi); + editor.selection.setRng(resolveBookmark(bookmark)); + } + }; + const mergeBackward = (editor, rng, fromLi, toLi) => { + const bookmark = createBookmark(rng); + mergeLiElements(editor.dom, fromLi, toLi); + const resolvedBookmark = resolveBookmark(bookmark); + editor.selection.setRng(resolvedBookmark); + }; + const backspaceDeleteFromListToListCaret = (editor, isForward) => { + const dom = editor.dom, selection = editor.selection; + const selectionStartElm = selection.getStart(); + const root = getClosestEditingHost(editor, selectionStartElm); + const li = dom.getParent(selection.getStart(), 'LI', root); + if (li) { + const ul = li.parentElement; + if (ul === editor.getBody() && isEmpty$2(dom, ul)) { + return true; + } + const rng = normalizeRange(selection.getRng()); + const otherLi = dom.getParent(findNextCaretContainer(editor, rng, isForward, root), 'LI', root); + if (otherLi && otherLi !== li) { + editor.undoManager.transact(() => { + if (isForward) { + mergeForward(editor, rng, otherLi, li); + } else { + if (isFirstChild(li)) { + outdentListSelection(editor); + } else { + mergeBackward(editor, rng, li, otherLi); + } + } + }); + return true; + } else if (!otherLi) { + if (!isForward && rng.startOffset === 0 && rng.endOffset === 0) { + editor.undoManager.transact(() => { + flattenListSelection(editor); + }); + return true; + } + } + } + return false; + }; + const removeBlock = (dom, block, root) => { + const parentBlock = dom.getParent(block.parentNode, dom.isBlock, root); + dom.remove(block); + if (parentBlock && dom.isEmpty(parentBlock)) { + dom.remove(parentBlock); + } + }; + const backspaceDeleteIntoListCaret = (editor, isForward) => { + const dom = editor.dom; + const selectionStartElm = editor.selection.getStart(); + const root = getClosestEditingHost(editor, selectionStartElm); + const block = dom.getParent(selectionStartElm, dom.isBlock, root); + if (block && dom.isEmpty(block)) { + const rng = normalizeRange(editor.selection.getRng()); + const otherLi = dom.getParent(findNextCaretContainer(editor, rng, isForward, root), 'LI', root); + if (otherLi) { + const findValidElement = element => contains$1([ + 'td', + 'th', + 'caption' + ], name(element)); + const findRoot = node => node.dom === root; + const otherLiCell = closest(SugarElement.fromDom(otherLi), findValidElement, findRoot); + const caretCell = closest(SugarElement.fromDom(rng.startContainer), findValidElement, findRoot); + if (!equals(otherLiCell, caretCell, eq)) { + return false; + } + editor.undoManager.transact(() => { + const parentNode = otherLi.parentNode; + removeBlock(dom, block, root); + mergeWithAdjacentLists(dom, parentNode); + editor.selection.select(otherLi, true); + editor.selection.collapse(isForward); + }); + return true; + } + } + return false; + }; + const backspaceDeleteCaret = (editor, isForward) => { + return backspaceDeleteFromListToListCaret(editor, isForward) || backspaceDeleteIntoListCaret(editor, isForward); + }; + const hasListSelection = editor => { + const selectionStartElm = editor.selection.getStart(); + const root = getClosestEditingHost(editor, selectionStartElm); + const startListParent = editor.dom.getParent(selectionStartElm, 'LI,DT,DD', root); + return startListParent || getSelectedListItems(editor).length > 0; + }; + const backspaceDeleteRange = editor => { + if (hasListSelection(editor)) { + editor.undoManager.transact(() => { + editor.execCommand('Delete'); + normalizeLists(editor.dom, editor.getBody()); + }); + return true; + } + return false; + }; + const backspaceDelete = (editor, isForward) => { + const selection = editor.selection; + return !isWithinNonEditableList(editor, selection.getNode()) && (selection.isCollapsed() ? backspaceDeleteCaret(editor, isForward) : backspaceDeleteRange(editor)); + }; + const setup$2 = editor => { + editor.on('ExecCommand', e => { + const cmd = e.command.toLowerCase(); + if ((cmd === 'delete' || cmd === 'forwarddelete') && hasListSelection(editor)) { + normalizeLists(editor.dom, editor.getBody()); + } + }); + editor.on('keydown', e => { + if (e.keyCode === global$4.BACKSPACE) { + if (backspaceDelete(editor, false)) { + e.preventDefault(); + } + } else if (e.keyCode === global$4.DELETE) { + if (backspaceDelete(editor, true)) { + e.preventDefault(); + } + } + }); + }; + + const get = editor => ({ + backspaceDelete: isForward => { + backspaceDelete(editor, isForward); + } + }); + + const updateList = (editor, update) => { + const parentList = getParentList(editor); + if (parentList === null || isWithinNonEditableList(editor, parentList)) { + return; + } + editor.undoManager.transact(() => { + if (isObject(update.styles)) { + editor.dom.setStyles(parentList, update.styles); + } + if (isObject(update.attrs)) { + each(update.attrs, (v, k) => editor.dom.setAttrib(parentList, k, v)); + } + }); + }; + + const parseAlphabeticBase26 = str => { + const chars = reverse(trim(str).split('')); + const values = map(chars, (char, i) => { + const charValue = char.toUpperCase().charCodeAt(0) - 'A'.charCodeAt(0) + 1; + return Math.pow(26, i) * charValue; + }); + return foldl(values, (sum, v) => sum + v, 0); + }; + const composeAlphabeticBase26 = value => { + value--; + if (value < 0) { + return ''; + } else { + const remainder = value % 26; + const quotient = Math.floor(value / 26); + const rest = composeAlphabeticBase26(quotient); + const char = String.fromCharCode('A'.charCodeAt(0) + remainder); + return rest + char; + } + }; + const isUppercase = str => /^[A-Z]+$/.test(str); + const isLowercase = str => /^[a-z]+$/.test(str); + const isNumeric = str => /^[0-9]+$/.test(str); + const deduceListType = start => { + if (isNumeric(start)) { + return 2; + } else if (isUppercase(start)) { + return 0; + } else if (isLowercase(start)) { + return 1; + } else if (isEmpty$1(start)) { + return 3; + } else { + return 4; + } + }; + const parseStartValue = start => { + switch (deduceListType(start)) { + case 2: + return Optional.some({ + listStyleType: Optional.none(), + start + }); + case 0: + return Optional.some({ + listStyleType: Optional.some('upper-alpha'), + start: parseAlphabeticBase26(start).toString() + }); + case 1: + return Optional.some({ + listStyleType: Optional.some('lower-alpha'), + start: parseAlphabeticBase26(start).toString() + }); + case 3: + return Optional.some({ + listStyleType: Optional.none(), + start: '' + }); + case 4: + return Optional.none(); + } + }; + const parseDetail = detail => { + const start = parseInt(detail.start, 10); + if (is$2(detail.listStyleType, 'upper-alpha')) { + return composeAlphabeticBase26(start); + } else if (is$2(detail.listStyleType, 'lower-alpha')) { + return composeAlphabeticBase26(start).toLowerCase(); + } else { + return detail.start; + } + }; + + const open = editor => { + const currentList = getParentList(editor); + if (!isOlNode(currentList) || isWithinNonEditableList(editor, currentList)) { + return; + } + editor.windowManager.open({ + title: 'List Properties', + body: { + type: 'panel', + items: [{ + type: 'input', + name: 'start', + label: 'Start list at number', + inputMode: 'numeric' + }] + }, + initialData: { + start: parseDetail({ + start: editor.dom.getAttrib(currentList, 'start', '1'), + listStyleType: Optional.from(editor.dom.getStyle(currentList, 'list-style-type')) + }) + }, + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + onSubmit: api => { + const data = api.getData(); + parseStartValue(data.start).each(detail => { + editor.execCommand('mceListUpdate', false, { + attrs: { start: detail.start === '1' ? '' : detail.start }, + styles: { 'list-style-type': detail.listStyleType.getOr('') } + }); + }); + api.close(); + } + }); + }; + + const queryListCommandState = (editor, listName) => () => { + const parentList = getParentList(editor); + return isNonNullable(parentList) && parentList.nodeName === listName; + }; + const registerDialog = editor => { + editor.addCommand('mceListProps', () => { + open(editor); + }); + }; + const register$2 = editor => { + editor.on('BeforeExecCommand', e => { + const cmd = e.command.toLowerCase(); + if (cmd === 'indent') { + indentListSelection(editor); + } else if (cmd === 'outdent') { + outdentListSelection(editor); + } + }); + editor.addCommand('InsertUnorderedList', (ui, detail) => { + toggleList(editor, 'UL', detail); + }); + editor.addCommand('InsertOrderedList', (ui, detail) => { + toggleList(editor, 'OL', detail); + }); + editor.addCommand('InsertDefinitionList', (ui, detail) => { + toggleList(editor, 'DL', detail); + }); + editor.addCommand('RemoveList', () => { + flattenListSelection(editor); + }); + registerDialog(editor); + editor.addCommand('mceListUpdate', (ui, detail) => { + if (isObject(detail)) { + updateList(editor, detail); + } + }); + editor.addQueryStateHandler('InsertUnorderedList', queryListCommandState(editor, 'UL')); + editor.addQueryStateHandler('InsertOrderedList', queryListCommandState(editor, 'OL')); + editor.addQueryStateHandler('InsertDefinitionList', queryListCommandState(editor, 'DL')); + }; + + var global = tinymce.util.Tools.resolve('tinymce.html.Node'); + + const isTextNode = node => node.type === 3; + const isEmpty = nodeBuffer => nodeBuffer.length === 0; + const wrapInvalidChildren = list => { + const insertListItem = (buffer, refNode) => { + const li = global.create('li'); + each$1(buffer, node => li.append(node)); + if (refNode) { + list.insert(li, refNode, true); + } else { + list.append(li); + } + }; + const reducer = (buffer, node) => { + if (isTextNode(node)) { + return [ + ...buffer, + node + ]; + } else if (!isEmpty(buffer) && !isTextNode(node)) { + insertListItem(buffer, node); + return []; + } else { + return buffer; + } + }; + const restBuffer = foldl(list.children(), reducer, []); + if (!isEmpty(restBuffer)) { + insertListItem(restBuffer); + } + }; + const setup$1 = editor => { + editor.on('PreInit', () => { + const {parser} = editor; + parser.addNodeFilter('ul,ol', nodes => each$1(nodes, wrapInvalidChildren)); + }); + }; + + const setupTabKey = editor => { + editor.on('keydown', e => { + if (e.keyCode !== global$4.TAB || global$4.metaKeyPressed(e)) { + return; + } + editor.undoManager.transact(() => { + if (e.shiftKey ? outdentListSelection(editor) : indentListSelection(editor)) { + e.preventDefault(); + } + }); + }); + }; + const setup = editor => { + if (shouldIndentOnTab(editor)) { + setupTabKey(editor); + } + setup$2(editor); + }; + + const setupToggleButtonHandler = (editor, listName) => api => { + const toggleButtonHandler = e => { + api.setActive(inList(e.parents, listName)); + api.setEnabled(!isWithinNonEditableList(editor, e.element) && editor.selection.isEditable()); + }; + api.setEnabled(editor.selection.isEditable()); + return setNodeChangeHandler(editor, toggleButtonHandler); + }; + const register$1 = editor => { + const exec = command => () => editor.execCommand(command); + if (!editor.hasPlugin('advlist')) { + editor.ui.registry.addToggleButton('numlist', { + icon: 'ordered-list', + active: false, + tooltip: 'Numbered list', + onAction: exec('InsertOrderedList'), + onSetup: setupToggleButtonHandler(editor, 'OL') + }); + editor.ui.registry.addToggleButton('bullist', { + icon: 'unordered-list', + active: false, + tooltip: 'Bullet list', + onAction: exec('InsertUnorderedList'), + onSetup: setupToggleButtonHandler(editor, 'UL') + }); + } + }; + + const setupMenuButtonHandler = (editor, listName) => api => { + const menuButtonHandler = e => api.setEnabled(inList(e.parents, listName) && !isWithinNonEditableList(editor, e.element)); + return setNodeChangeHandler(editor, menuButtonHandler); + }; + const register = editor => { + const listProperties = { + text: 'List properties...', + icon: 'ordered-list', + onAction: () => editor.execCommand('mceListProps'), + onSetup: setupMenuButtonHandler(editor, 'OL') + }; + editor.ui.registry.addMenuItem('listprops', listProperties); + editor.ui.registry.addContextMenu('lists', { + update: node => { + const parentList = getParentList(editor, node); + return isOlNode(parentList) ? ['listprops'] : []; + } + }); + }; + + var Plugin = () => { + global$7.add('lists', editor => { + register$3(editor); + setup$1(editor); + if (!editor.hasPlugin('rtc', true)) { + setup(editor); + register$2(editor); + } else { + registerDialog(editor); + } + register$1(editor); + register(editor); + return get(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/lists/plugin.min.js b/deform/static/tinymce/plugins/lists/plugin.min.js index 2f7c884e..b37860d6 100644 --- a/deform/static/tinymce/plugins/lists/plugin.min.js +++ b/deform/static/tinymce/plugins/lists/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("lists",function(e){var n=this;e.on("init",function(){function t(e){function n(n){var r,i,o;i=e[n?"startContainer":"endContainer"],o=e[n?"startOffset":"endOffset"],1==i.nodeType&&(r=L.create("span",{"data-mce-type":"bookmark"}),i.hasChildNodes()?(o=Math.min(o,i.childNodes.length-1),n?i.insertBefore(r,i.childNodes[o]):L.insertAfter(r,i.childNodes[o])):i.appendChild(r),i=r,o=0),t[n?"startContainer":"endContainer"]=i,t[n?"startOffset":"endOffset"]=o}var t={};return n(!0),e.collapsed||n(),t}function r(e){function n(n){function t(e){for(var n=e.parentNode.firstChild,t=0;n;){if(n==e)return t;(1!=n.nodeType||"bookmark"!=n.getAttribute("data-mce-type"))&&t++,n=n.nextSibling}return-1}var r,i,o;r=o=e[n?"startContainer":"endContainer"],i=e[n?"startOffset":"endOffset"],r&&(1==r.nodeType&&(i=t(r),r=r.parentNode,L.remove(o)),e[n?"startContainer":"endContainer"]=r,e[n?"startOffset":"endOffset"]=i)}n(!0),n();var t=L.createRng();t.setStart(e.startContainer,e.startOffset),e.endContainer&&t.setEnd(e.endContainer,e.endOffset),b.setRng(t)}function i(e){return e&&/^(OL|UL)$/.test(e.nodeName)}function o(e){return e.parentNode.firstChild==e}function a(e){return e.parentNode.lastChild==e}function d(n){return n&&!!e.schema.getTextBlockElements()[n.nodeName]}function f(e){return e&&"SPAN"===e.nodeName&&"bookmark"===e.getAttribute("data-mce-type")}function s(n,t){var r,i,o;if(e.settings.forced_root_block&&(t=t||e.settings.forced_root_block),i=t?L.create(t):L.createFragment(),n)for(;r=n.firstChild;)o||"SPAN"==r.nodeName&&"bookmark"==r.getAttribute("data-mce-type")||(o=!0),i.appendChild(r);return e.settings.forced_root_block?o||tinymce.Env.ie&&!(tinymce.Env.ie>10)||i.appendChild(L.create("br",{"data-mce-bogus":"1"})):i.appendChild(L.create("br")),i}function c(){return tinymce.grep(b.getSelectedBlocks(),function(e){return"LI"==e.nodeName})}function l(e,n,t){var r,i,o=L.select('span[data-mce-type="bookmark"]',e);t=t||s(n),r=L.createRng(),r.setStartAfter(n),r.setEndAfter(e),i=r.extractContents(),L.isEmpty(i)||L.insertAfter(i,e),L.insertAfter(t,e),L.isEmpty(n.parentNode)&&(tinymce.each(o,function(e){n.parentNode.parentNode.insertBefore(e,n.parentNode)}),L.remove(n.parentNode)),L.remove(n)}function u(e){var n,t;if(n=e.nextSibling,n&&i(n)&&n.nodeName==e.nodeName){for(;t=n.firstChild;)e.appendChild(t);L.remove(n)}if(n=e.previousSibling,n&&i(n)&&n.nodeName==e.nodeName){for(;t=n.firstChild;)e.insertBefore(t,e.firstChild);L.remove(n)}}function p(e){tinymce.each(tinymce.grep(L.select("ol,ul",e)),function(e){var n,t=e.parentNode;"LI"==t.nodeName&&t.firstChild==e&&(n=t.previousSibling,n&&"LI"==n.nodeName&&(n.appendChild(e),L.isEmpty(t)&&L.remove(t))),i(t)&&(n=t.previousSibling,n&&"LI"==n.nodeName&&n.appendChild(e))})}function m(e){function n(e){L.isEmpty(e)&&L.remove(e)}var t,r=e.parentNode,d=r.parentNode;if(o(e)&&a(e))if("LI"==d.nodeName)L.insertAfter(e,d),n(d),L.remove(r);else{if(!i(d))return d.insertBefore(s(e),r),L.remove(r),void 0;L.remove(r,!0)}else if(o(e))if("LI"==d.nodeName)L.insertAfter(e,d),t=L.create("LI"),t.appendChild(r),L.insertAfter(t,e),n(d);else{if(!i(d))return d.insertBefore(s(e),r),L.remove(e),void 0;d.insertBefore(e,r)}else if(a(e))if("LI"==d.nodeName)L.insertAfter(e,d);else{if(!i(d))return L.insertAfter(s(e),r),L.remove(e),void 0;L.insertAfter(e,r)}else"LI"==d.nodeName?(r=d,t=s(e,"LI")):t=i(d)?s(e,"LI"):s(e),l(r,e,t),p(r.parentNode);return!0}function v(e){var n,t;return n=e.previousSibling,n&&"UL"==n.nodeName?(n.appendChild(e),void 0):n&&"LI"==n.nodeName&&i(n.lastChild)?(n.lastChild.appendChild(e),void 0):(n=e.nextSibling,n&&"UL"==n.nodeName?(n.insertBefore(e,n.firstChild),void 0):n&&"LI"==n.nodeName&&i(e.lastChild)?void 0:(n=e.previousSibling,n&&"LI"==n.nodeName&&(t=L.create(e.parentNode.nodeName),n.appendChild(t),t.appendChild(e)),!0))}function N(){var e,n=t(b.getRng(!0));return tinymce.each(c(),function(n){v(n)&&(e=!0)}),r(n),e}function h(){var e,n=t(b.getRng(!0));return tinymce.each(c(),function(n){m(n)&&(e=!0)}),r(n),e}function C(n){function o(){function n(e){var n,t;for(n=a[e?"startContainer":"endContainer"],t=a[e?"startOffset":"endOffset"],1==n.nodeType&&(n=n.childNodes[Math.min(t,n.childNodes.length-1)]||n);n.parentNode!=i;){if(d(n))return n;if(/^(TD|TH)$/.test(n.parentNode.nodeName))return n;n=n.parentNode}return n}for(var t,r=[],i=e.getBody(),o=n(!0),s=n(),c=[],l=o;l&&(c.push(l),l!=s);l=l.nextSibling);return tinymce.each(c,function(e){if(d(e))return r.push(e),t=null,void 0;if(L.isBlock(e)||"BR"==e.nodeName)return"BR"==e.nodeName&&L.remove(e),t=null,void 0;var n=e.nextSibling;return f(e)&&(d(n)||!n&&e.parentNode==i)?(t=null,void 0):(t||(t=L.create("p"),e.parentNode.insertBefore(t,e),r.push(t)),t.appendChild(e),void 0)}),r}var a=b.getRng(!0),s=t(a),c=o();tinymce.each(c,function(e){var t,r;r=e.previousSibling,r&&i(r)&&r.nodeName==n?(t=r,e=L.rename(e,"LI"),r.appendChild(e)):(t=L.create(n),e.parentNode.insertBefore(t,e),t.appendChild(e),e=L.rename(e,"LI")),u(t)}),r(s)}function g(){var e=t(b.getRng(!0));tinymce.each(c(),function(e){var n,t;if(L.isEmpty(e))return m(e),void 0;for(n=e;n;n=n.parentNode)i(n)&&(t=n);l(t,e)}),r(e)}function y(e){var n=L.getParent(b.getStart(),"OL,UL");if(n)if(n.nodeName==e)g(e);else{var i=t(b.getRng(!0));u(L.rename(n,e)),r(i)}else C(e)}var L=e.dom,b=e.selection;n.backspaceDelete=function(e){function n(e,n){var t=e.startContainer,r=e.startOffset;if(3==t.nodeType&&(n?r0))return t;for(var i=new tinymce.dom.TreeWalker(e.startContainer);t=i[n?"next":"prev"]();)if(3==t.nodeType&&t.data.length>0)return t}function o(e,n){var t,r,o=e.parentNode;for(i(n.lastChild)&&(r=n.lastChild),t=n.lastChild,t&&"BR"==t.nodeName&&e.hasChildNodes()&&L.remove(t);t=e.firstChild;)n.appendChild(t);r&&n.appendChild(r),L.remove(e),L.isEmpty(o)&&L.remove(o)}if(b.isCollapsed()){var a=L.getParent(b.getStart(),"LI");if(a){var d=b.getRng(!0),f=L.getParent(n(d,e),"LI");if(f&&f!=a){var s=t(d);return e?o(f,a):o(a,f),r(s),!0}if(!f&&!e&&g(a.parentNode.nodeName))return!0}}},e.addCommand("Indent",function(){return N()?void 0:!0}),e.addCommand("Outdent",function(){return h()?void 0:!0}),e.addCommand("InsertUnorderedList",function(){y("UL")}),e.addCommand("InsertOrderedList",function(){y("OL")})}),e.on("keydown",function(e){e.keyCode==tinymce.util.VK.BACKSPACE?n.backspaceDelete()&&e.preventDefault():e.keyCode==tinymce.util.VK.DELETE&&n.backspaceDelete(!0)&&e.preventDefault()})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(n=o=e,(r=String).prototype.isPrototypeOf(n)||(null===(s=o.constructor)||void 0===s?void 0:s.name)===r.name)?"string":t;var n,o,r,s})(t)===e,n=e=>t=>typeof t===e,o=t("string"),r=t("object"),s=t("array"),i=n("boolean"),l=e=>!(e=>null==e)(e),a=n("function"),d=n("number"),c=()=>{},m=(e,t)=>e===t,u=e=>t=>!e(t),p=(!1,()=>false);class g{constructor(e,t){this.tag=e,this.value=t}static some(e){return new g(!0,e)}static none(){return g.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?g.some(e(this.value)):g.none()}bind(e){return this.tag?e(this.value):g.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:g.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return l(e)?g.some(e):g.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}g.singletonNone=new g(!1);const h=Array.prototype.slice,f=Array.prototype.indexOf,y=Array.prototype.push,v=(e,t)=>{return n=e,o=t,f.call(n,o)>-1;var n,o},C=(e,t)=>{for(let n=0,o=e.length;n{const n=e.length,o=new Array(n);for(let r=0;r{for(let n=0,o=e.length;n{const n=[];for(let o=0,r=e.length;o(S(e,((e,o)=>{n=t(n,e,o)})),n),O=(e,t,n)=>{for(let o=0,r=e.length;oO(e,t,p),x=(e,t)=>(e=>{const t=[];for(let n=0,o=e.length;n{const t=h.call(e,0);return t.reverse(),t},T=(e,t)=>t>=0&&tT(e,0),w=e=>T(e,e.length-1),D=(e,t)=>{const n=[],o=a(t)?e=>C(n,(n=>t(n,e))):e=>v(n,e);for(let t=0,r=e.length;te.exists((e=>n(e,t))),I=(e,t,n)=>e.isSome()&&t.isSome()?g.some(n(e.getOrDie(),t.getOrDie())):g.none(),P=e=>{if(null==e)throw new Error("Node cannot be null or undefined");return{dom:e}},M=(e,t)=>{const n=(t||document).createElement("div");if(n.innerHTML=e,!n.hasChildNodes()||n.childNodes.length>1){const t="HTML does not have a single root node";throw console.error(t,e),new Error(t)}return P(n.childNodes[0])},R=(e,t)=>{const n=(t||document).createElement(e);return P(n)},U=P,$=(e,t)=>e.dom===t.dom;"undefined"!=typeof window?window:Function("return this;")();const _=e=>e.dom.nodeName.toLowerCase(),H=e=>e.dom.nodeType,V=(1,e=>1===H(e));const F=e=>t=>V(t)&&_(t)===e,j=e=>g.from(e.dom.parentNode).map(U),K=e=>b(e.dom.childNodes,U),z=(e,t)=>{const n=e.dom.childNodes;return g.from(n[t]).map(U)},Q=e=>z(e,0),W=e=>z(e,e.dom.childNodes.length-1),q=(e,t,n)=>{let o=e.dom;const r=a(n)?n:p;for(;o.parentNode;){o=o.parentNode;const e=U(o);if(t(e))return g.some(e);if(r(e))break}return g.none()},Z=(e,t,n)=>((e,t,n,o,r)=>o(n)?g.some(n):a(r)&&r(n)?g.none():t(n,o,r))(0,q,e,t,n),G=(e,t)=>{j(e).each((n=>{n.dom.insertBefore(t.dom,e.dom)}))},J=(e,t)=>{e.dom.appendChild(t.dom)},X=(e,t)=>{S(t,(t=>{J(e,t)}))},Y=e=>{e.dom.textContent="",S(K(e),(e=>{ee(e)}))},ee=e=>{const t=e.dom;null!==t.parentNode&&t.parentNode.removeChild(t)};var te=tinymce.util.Tools.resolve("tinymce.dom.RangeUtils"),ne=tinymce.util.Tools.resolve("tinymce.dom.TreeWalker"),oe=tinymce.util.Tools.resolve("tinymce.util.VK");const re=e=>b(e,U),se=Object.keys,ie=(e,t)=>{const n=se(e);for(let o=0,r=n.length;o{const n=e.dom;ie(t,((e,t)=>{((e,t,n)=>{if(!(o(n)||i(n)||d(n)))throw console.error("Invalid call to Attribute.set. Key ",t,":: Value ",n,":: Element ",e),new Error("Attribute value was not simple");e.setAttribute(t,n+"")})(n,t,e)}))},ae=e=>L(e.dom.attributes,((e,t)=>(e[t.name]=t.value,e)),{}),de=e=>((e,t)=>U(e.dom.cloneNode(!0)))(e),ce=(e,t)=>{const n=((e,t)=>{const n=R(t),o=ae(e);return le(n,o),n})(e,t);var o,r;r=n,(e=>g.from(e.dom.nextSibling).map(U))(o=e).fold((()=>{j(o).each((e=>{J(e,r)}))}),(e=>{G(e,r)}));const s=K(e);return X(n,s),ee(e),n};var me=tinymce.util.Tools.resolve("tinymce.dom.DOMUtils"),ue=tinymce.util.Tools.resolve("tinymce.util.Tools");const pe=e=>t=>l(t)&&t.nodeName.toLowerCase()===e,ge=e=>t=>l(t)&&e.test(t.nodeName),he=e=>l(e)&&3===e.nodeType,fe=e=>l(e)&&1===e.nodeType,ye=ge(/^(OL|UL|DL)$/),ve=ge(/^(OL|UL)$/),Ce=pe("ol"),be=ge(/^(LI|DT|DD)$/),Se=ge(/^(DT|DD)$/),Ne=ge(/^(TH|TD)$/),Le=pe("br"),Oe=(e,t)=>l(t)&&t.nodeName in e.schema.getTextBlockElements(),Ae=(e,t)=>l(e)&&e.nodeName in t,xe=(e,t)=>l(t)&&t.nodeName in e.schema.getVoidElements(),ke=(e,t,n)=>{const o=e.isEmpty(t);return!(n&&e.select("span[data-mce-type=bookmark]",t).length>0)&&o},Te=(e,t)=>e.isChildOf(t,e.getRoot()),Ee=e=>t=>t.options.get(e),we=Ee("lists_indent_on_tab"),De=Ee("forced_root_block"),Be=Ee("forced_root_block_attrs"),Ie=(e,t)=>{const n=e.dom,o=e.schema.getBlockElements(),r=n.createFragment(),s=De(e),i=Be(e);let l,a,d=!1;for(a=n.create(s,i),Ae(t.firstChild,o)||r.appendChild(a);l=t.firstChild;){const e=l.nodeName;d||"SPAN"===e&&"bookmark"===l.getAttribute("data-mce-type")||(d=!0),Ae(l,o)?(r.appendChild(l),a=null):(a||(a=n.create(s,i),r.appendChild(a)),a.appendChild(l))}return!d&&a&&a.appendChild(n.create("br",{"data-mce-bogus":"1"})),r},Pe=me.DOM,Me=F("dd"),Re=F("dt"),Ue=(e,t)=>{var n;Me(t)?ce(t,"dt"):Re(t)&&(n=t,g.from(n.dom.parentElement).map(U)).each((n=>((e,t,n)=>{const o=Pe.select('span[data-mce-type="bookmark"]',t),r=Ie(e,n),s=Pe.createRng();s.setStartAfter(n),s.setEndAfter(t);const i=s.extractContents();for(let t=i.firstChild;t;t=t.firstChild)if("LI"===t.nodeName&&e.dom.isEmpty(t)){Pe.remove(t);break}e.dom.isEmpty(i)||Pe.insertAfter(i,t),Pe.insertAfter(r,t);const l=n.parentElement;l&&ke(e.dom,l)&&(e=>{const t=e.parentNode;t&&ue.each(o,(e=>{t.insertBefore(e,n.parentNode)})),Pe.remove(e)})(l),Pe.remove(n),ke(e.dom,t)&&Pe.remove(t)})(e,n.dom,t.dom)))},$e=e=>{Re(e)&&ce(e,"dd")},_e=(e,t)=>{if(he(e))return{container:e,offset:t};const n=te.getNode(e,t);return he(n)?{container:n,offset:t>=e.childNodes.length?n.data.length:0}:n.previousSibling&&he(n.previousSibling)?{container:n.previousSibling,offset:n.previousSibling.data.length}:n.nextSibling&&he(n.nextSibling)?{container:n.nextSibling,offset:0}:{container:e,offset:t}},He=e=>{const t=e.cloneRange(),n=_e(e.startContainer,e.startOffset);t.setStart(n.container,n.offset);const o=_e(e.endContainer,e.endOffset);return t.setEnd(o.container,o.offset),t},Ve=["OL","UL","DL"],Fe=Ve.join(","),je=(e,t)=>{const n=t||e.selection.getStart(!0);return e.dom.getParent(n,Fe,Qe(e,n))},Ke=e=>{const t=e.selection.getSelectedBlocks();return N(((e,t)=>{const n=ue.map(t,(t=>e.dom.getParent(t,"li,dd,dt",Qe(e,t))||t));return D(n)})(e,t),be)},ze=(e,t)=>{const n=e.dom.getParents(t,"TD,TH");return n.length>0?n[0]:e.getBody()},Qe=(e,t)=>{const n=e.dom.getParents(t,e.dom.isBlock),o=A(n,(t=>{return n=e.schema,!ye(o=t)&&!be(o)&&C(Ve,(e=>n.isValidChild(o.nodeName,e)));var n,o}));return o.getOr(e.getBody())},We=(e,t)=>{const n=e.dom.getParents(t,"ol,ul",Qe(e,t));return w(n)},qe=(e,t)=>{const n=b(t,(t=>We(e,t).getOr(t)));return D(n)},Ze=e=>/\btox\-/.test(e.className),Ge=(e,t)=>O(e,ye,Ne).exists((e=>e.nodeName===t&&!Ze(e))),Je=(e,t)=>null!==t&&!e.dom.isEditable(t),Xe=(e,t)=>{const n=e.dom.getParent(t,"ol,ul,dl");return Je(e,n)},Ye=(e,t)=>{const n=e.selection.getNode();return t({parents:e.dom.getParents(n),element:n}),e.on("NodeChange",t),()=>e.off("NodeChange",t)},et=(e,t)=>{const n=(t||document).createDocumentFragment();return S(e,(e=>{n.appendChild(e.dom)})),U(n)},tt=(e,t,n)=>e.dispatch("ListMutation",{action:t,element:n}),nt=(ot=/^\s+|\s+$/g,e=>e.replace(ot,""));var ot;const rt=(e,t,n)=>{((e,t,n)=>{if(!o(n))throw console.error("Invalid call to CSS.set. Property ",t,":: Value ",n,":: Element ",e),new Error("CSS value must be a string: "+n);(e=>void 0!==e.style&&a(e.style.getPropertyValue))(e)&&e.style.setProperty(t,n)})(e.dom,t,n)},st=e=>((e,t)=>{const n=e.dom;if(1!==n.nodeType)return!1;{const e=n;if(void 0!==e.matches)return e.matches(t);if(void 0!==e.msMatchesSelector)return e.msMatchesSelector(t);if(void 0!==e.webkitMatchesSelector)return e.webkitMatchesSelector(t);if(void 0!==e.mozMatchesSelector)return e.mozMatchesSelector(t);throw new Error("Browser lacks native selectors")}})(e,"OL,UL"),it=e=>Q(e).exists(st),lt=e=>"listAttributes"in e,at=e=>"isComment"in e,dt=e=>e.depth>0,ct=e=>e.isSelected,mt=e=>{const t=K(e),n=W(e).exists(st)?t.slice(0,-1):t;return b(n,de)},ut=(e,t)=>{J(e.item,t.list)},pt=(e,t)=>{const n={list:R(t,e),item:R("li",e)};return J(n.list,n.item),n},gt=(e,t,n)=>{const o=t.slice(0,n.depth);return w(o).each((t=>{if(lt(n)){const o=((e,t,n)=>{const o=R("li",e);return le(o,t),X(o,n),o})(e,n.itemAttributes,n.content);((e,t)=>{J(e.list,t),e.item=t})(t,o),((e,t)=>{_(e.list)!==t.listType&&(e.list=ce(e.list,t.listType)),le(e.list,t.listAttributes)})(t,n)}else if((e=>"isInPreviousLi"in e)(n)){if(n.isInPreviousLi){const o=((e,t,n,o)=>{const r=R(o,e);return le(r,t),X(r,n),r})(e,n.attributes,n.content,n.type);J(t.item,o)}}else{const e=M(`\x3c!--${n.content}--\x3e`);J(t.list,e)}})),o},ht=(e,t)=>{let n=g.none();const o=L(t,((t,o,r)=>lt(o)?o.depth>t.length?((e,t,n)=>{const o=((e,t,n)=>{const o=[];for(let r=0;r{for(let t=1;t{for(let t=0;t{le(e.list,t.listAttributes),le(e.item,t.itemAttributes),X(e.item,t.content)}))})(o,n),r=o,I(w(t),E(r),ut),t.concat(o)})(e,t,o):gt(e,t,o):0===r&&at(o)?(n=g.some(o),t):gt(e,t,o)),[]);return n.each((e=>{const t=M(`\x3c!--${e.content}--\x3e`);E(o).each((e=>{((e,t)=>{Q(e).fold((()=>{J(e,t)}),(n=>{e.dom.insertBefore(t.dom,n.dom)}))})(e.list,t)}))})),E(o).map((e=>e.list))},ft=e=>(S(e,((t,n)=>{((e,t)=>{const n=e[t].depth,o=e=>e.depth===n&&!e.dirty,r=e=>e.depthO(e.slice(t+1),o,r)))})(e,n).fold((()=>{t.dirty&<(t)&&(e=>{e.listAttributes=((e,t)=>{const n={};var o;return((e,t,n,o)=>{ie(e,((e,r)=>{(t(e,r)?n:o)(e,r)}))})(e,t,(o=n,(e,t)=>{o[t]=e}),c),n})(e.listAttributes,((e,t)=>"start"!==t))})(t)}),(e=>{return o=e,void(lt(n=t)&<(o)&&(n.listType=o.listType,n.listAttributes={...o.listAttributes}));var n,o}))})),e),yt=(e,t,n,o)=>{var r,s;if(8===H(s=o)||"#comment"===_(s))return[{depth:e+1,content:null!==(r=o.dom.nodeValue)&&void 0!==r?r:"",dirty:!1,isSelected:!1,isComment:!0}];t.each((e=>{$(e.start,o)&&n.set(!0)}));const i=((e,t,n)=>j(e).filter(V).map((o=>({depth:t,dirty:!1,isSelected:n,content:mt(e),itemAttributes:ae(e),listAttributes:ae(o),listType:_(o),isInPreviousLi:!1}))))(o,e,n.get());t.each((e=>{$(e.end,o)&&n.set(!1)}));const l=W(o).filter(st).map((o=>Ct(e,t,n,o))).getOr([]);return i.toArray().concat(l)},vt=(e,t,n,o)=>Q(o).filter(st).fold((()=>yt(e,t,n,o)),(r=>{const s=L(K(o),((o,r,s)=>{if(0===s)return o;{const s=yt(e,t,n,r).map((e=>((e,t,n)=>lt(e)?{depth:e.depth,dirty:e.dirty,content:e.content,isSelected:e.isSelected,type:t,attributes:e.itemAttributes,isInPreviousLi:!0}:e)(e,r.dom.nodeName.toLowerCase())));return o.concat(s)}}),[]);return Ct(e,t,n,r).concat(s)})),Ct=(e,t,n,o)=>x(K(o),(o=>(st(o)?Ct:vt)(e+1,t,n,o))),bt=(e,t,n)=>{const o=((e,t)=>{const n=(e=>{let t=!1;return{get:()=>t,set:e=>{t=e}}})();return b(e,(e=>({sourceList:e,entries:Ct(0,t,n,e)})))})(t,(e=>{const t=b(Ke(e),U);return I(A(t,u(it)),A(k(t),u(it)),((e,t)=>({start:e,end:t})))})(e));S(o,(t=>{((e,t)=>{S(N(e,ct),(e=>((e,t)=>{switch(e){case"Indent":t.depth++;break;case"Outdent":t.depth--;break;case"Flatten":t.depth=0}t.dirty=!0})(t,e)))})(t.entries,n);const o=((e,t)=>x(((e,t)=>{if(0===e.length)return[];{let n=t(e[0]);const o=[];let r=[];for(let s=0,i=e.length;sE(t).exists(dt)?((e,t)=>{const n=ft(t);return ht(e.contentDocument,n).toArray()})(e,t):((e,t)=>{const n=ft(t);return b(n,(t=>{const n=at(t)?et([M(`\x3c!--${t.content}--\x3e`)]):et(t.content);return U(Ie(e,n.dom))}))})(e,t))))(e,t.entries);var r;S(o,(t=>{tt(e,"Indent"===n?"IndentList":"OutdentList",t.dom)})),r=t.sourceList,S(o,(e=>{G(r,e)})),ee(t.sourceList)}))},St=(e,t)=>{const n=re((e=>{const t=(e=>{const t=We(e,e.selection.getStart()),n=N(e.selection.getSelectedBlocks(),ve);return t.toArray().concat(n)})(e),n=(e=>{const t=e.selection.getStart();return e.dom.getParents(t,"ol,ul",Qe(e,t))})(e);return A(n,(e=>{return t=U(e),j(t).exists((e=>be(e.dom)&&Q(e).exists((e=>!ye(e.dom)))&&W(e).exists((e=>!ye(e.dom)))));var t})).fold((()=>qe(e,t)),(e=>[e]))})(e)),o=re((e=>N(Ke(e),Se))(e));let r=!1;if(n.length||o.length){const s=e.selection.getBookmark();bt(e,n,t),((e,t,n)=>{S(n,"Indent"===t?$e:t=>Ue(e,t))})(e,t,o),e.selection.moveToBookmark(s),e.selection.setRng(He(e.selection.getRng())),e.nodeChanged(),r=!0}return r},Nt=(e,t)=>!(e=>{const t=je(e);return Je(e,t)})(e)&&St(e,t),Lt=e=>Nt(e,"Indent"),Ot=e=>Nt(e,"Outdent"),At=e=>Nt(e,"Flatten"),xt=e=>"\ufeff"===e;var kt=tinymce.util.Tools.resolve("tinymce.dom.BookmarkManager");const Tt=me.DOM,Et=e=>{const t={},n=n=>{let o=e[n?"startContainer":"endContainer"],r=e[n?"startOffset":"endOffset"];if(fe(o)){const e=Tt.create("span",{"data-mce-type":"bookmark"});o.hasChildNodes()?(r=Math.min(r,o.childNodes.length-1),n?o.insertBefore(e,o.childNodes[r]):Tt.insertAfter(e,o.childNodes[r])):o.appendChild(e),o=e,r=0}t[n?"startContainer":"endContainer"]=o,t[n?"startOffset":"endOffset"]=r};return n(!0),e.collapsed||n(),t},wt=e=>{const t=t=>{let n=e[t?"startContainer":"endContainer"],o=e[t?"startOffset":"endOffset"];if(n){if(fe(n)&&n.parentNode){const e=n;o=(e=>{var t;let n=null===(t=e.parentNode)||void 0===t?void 0:t.firstChild,o=0;for(;n;){if(n===e)return o;fe(n)&&"bookmark"===n.getAttribute("data-mce-type")||o++,n=n.nextSibling}return-1})(n),n=n.parentNode,Tt.remove(e),!n.hasChildNodes()&&Tt.isBlock(n)&&n.appendChild(Tt.create("br"))}e[t?"startContainer":"endContainer"]=n,e[t?"startOffset":"endOffset"]=o}};t(!0),t();const n=Tt.createRng();return n.setStart(e.startContainer,e.startOffset),e.endContainer&&n.setEnd(e.endContainer,e.endOffset),He(n)},Dt=e=>{switch(e){case"UL":return"ToggleUlList";case"OL":return"ToggleOlList";case"DL":return"ToggleDLList"}},Bt=(e,t)=>{ue.each(t,((t,n)=>{e.setAttribute(n,t)}))},It=(e,t,n)=>{((e,t,n)=>{const o=n["list-style-type"]?n["list-style-type"]:null;e.setStyle(t,"list-style-type",o)})(e,t,n),((e,t,n)=>{Bt(t,n["list-attributes"]),ue.each(e.select("li",t),(e=>{Bt(e,n["list-item-attributes"])}))})(e,t,n)},Pt=(e,t)=>l(t)&&!Ae(t,e.schema.getBlockElements()),Mt=(e,t,n,o)=>{let r=t[n?"startContainer":"endContainer"];const s=t[n?"startOffset":"endOffset"];fe(r)&&(r=r.childNodes[Math.min(s,r.childNodes.length-1)]||r),!n&&Le(r.nextSibling)&&(r=r.nextSibling);const i=(t,n)=>{var r;const s=new ne(t,(t=>{for(;!e.dom.isBlock(t)&&t.parentNode&&o!==t;)t=t.parentNode;return t})(t)),i=n?"next":"prev";let l;for(;l=s[i]();)if(!xe(e,l)&&!xt(l.textContent)&&0!==(null===(r=l.textContent)||void 0===r?void 0:r.length))return g.some(l);return g.none()};if(n&&he(r))if(xt(r.textContent))r=i(r,!1).getOr(r);else for(null!==r.parentNode&&Pt(e,r.parentNode)&&(r=r.parentNode);null!==r.previousSibling&&(Pt(e,r.previousSibling)||he(r.previousSibling));)r=r.previousSibling;if(!n&&he(r))if(xt(r.textContent))r=i(r,!0).getOr(r);else for(null!==r.parentNode&&Pt(e,r.parentNode)&&(r=r.parentNode);null!==r.nextSibling&&(Pt(e,r.nextSibling)||he(r.nextSibling));)r=r.nextSibling;for(;r.parentNode!==o;){const t=r.parentNode;if(Oe(e,r))return r;if(/^(TD|TH)$/.test(t.nodeName))return r;r=t}return r},Rt=(e,t,n)=>{const o=e.selection.getRng();let r="LI";const s=Qe(e,((e,t)=>{const n=e.selection.getStart(!0),o=Mt(e,t,!0,e.getBody());return r=U(o),s=U(t.commonAncestorContainer),i=r,l=function(e,...t){return(...n)=>{const o=t.concat(n);return e.apply(null,o)}}($,s),q(i,l,void 0).isSome()?t.commonAncestorContainer:n;var r,s,i,l})(e,o)),i=e.dom;if("false"===i.getContentEditable(e.selection.getNode()))return;"DL"===(t=t.toUpperCase())&&(r="DT");const l=Et(o),a=N(((e,t,n)=>{const o=[],r=e.dom,s=Mt(e,t,!0,n),i=Mt(e,t,!1,n);let l;const a=[];for(let e=s;e&&(a.push(e),e!==i);e=e.nextSibling);return ue.each(a,(t=>{var s;if(Oe(e,t))return o.push(t),void(l=null);if(r.isBlock(t)||Le(t))return Le(t)&&r.remove(t),void(l=null);const i=t.nextSibling;kt.isBookmarkNode(t)&&(ye(i)||Oe(e,i)||!i&&t.parentNode===n)?l=null:(l||(l=r.create("p"),null===(s=t.parentNode)||void 0===s||s.insertBefore(l,t),o.push(l)),l.appendChild(t))})),o})(e,o,s),e.dom.isEditable);ue.each(a,(o=>{let s;const l=o.previousSibling,a=o.parentNode;be(a)||(l&&ye(l)&&l.nodeName===t&&((e,t,n)=>{const o=e.getStyle(t,"list-style-type");let r=n?n["list-style-type"]:"";return r=null===r?"":r,o===r})(i,l,n)?(s=l,o=i.rename(o,r),l.appendChild(o)):(s=i.create(t),a.insertBefore(s,o),s.appendChild(o),o=i.rename(o,r)),((e,t,n)=>{ue.each(["margin","margin-right","margin-bottom","margin-left","margin-top","padding","padding-right","padding-bottom","padding-left","padding-top"],(n=>e.setStyle(t,n,"")))})(i,o),It(i,s,n),$t(e.dom,s))})),e.selection.setRng(wt(l))},Ut=(e,t,n)=>{return((e,t)=>ye(e)&&e.nodeName===(null==t?void 0:t.nodeName))(t,n)&&((e,t,n)=>e.getStyle(t,"list-style-type",!0)===e.getStyle(n,"list-style-type",!0))(e,t,n)&&(o=n,t.className===o.className);var o},$t=(e,t)=>{let n,o=t.nextSibling;if(Ut(e,t,o)){const r=o;for(;n=r.firstChild;)t.appendChild(n);e.remove(r)}if(o=t.previousSibling,Ut(e,t,o)){const r=o;for(;n=r.lastChild;)t.insertBefore(n,t.firstChild);e.remove(r)}},_t=(e,t,n,o)=>{if(t.nodeName!==n){const r=e.dom.rename(t,n);It(e.dom,r,o),tt(e,Dt(n),r)}else It(e.dom,t,o),tt(e,Dt(n),t)},Ht=(e,t,n,o)=>{if(t.classList.forEach(((e,n,o)=>{e.startsWith("tox-")&&(o.remove(e),0===o.length&&t.removeAttribute("class"))})),t.nodeName!==n){const r=e.dom.rename(t,n);It(e.dom,r,o),tt(e,Dt(n),r)}else It(e.dom,t,o),tt(e,Dt(n),t)},Vt=e=>"list-style-type"in e,Ft=(e,t,n)=>{const o=je(e);if(Xe(e,o))return;const s=(e=>{const t=je(e),n=e.selection.getSelectedBlocks();return((e,t)=>l(e)&&1===t.length&&t[0]===e)(t,n)?(e=>N(e.querySelectorAll(Fe),ye))(t):N(n,(e=>ye(e)&&t!==e))})(e),i=r(n)?n:{};s.length>0?((e,t,n,o,r)=>{const s=ye(t);if(!s||t.nodeName!==o||Vt(r)||Ze(t)){Rt(e,o,r);const i=Et(e.selection.getRng()),l=s?[t,...n]:n,a=s&&Ze(t)?Ht:_t;ue.each(l,(t=>{a(e,t,o,r)})),e.selection.setRng(wt(i))}else At(e)})(e,o,s,t,i):((e,t,n,o)=>{if(t!==e.getBody())if(t)if(t.nodeName!==n||Vt(o)||Ze(t)){const r=Et(e.selection.getRng());Ze(t)&&t.classList.forEach(((e,n,o)=>{e.startsWith("tox-")&&(o.remove(e),0===o.length&&t.removeAttribute("class"))})),It(e.dom,t,o);const s=e.dom.rename(t,n);$t(e.dom,s),e.selection.setRng(wt(r)),Rt(e,n,o),tt(e,Dt(n),s)}else At(e);else Rt(e,n,o),tt(e,Dt(n),t)})(e,o,t,i)},jt=me.DOM,Kt=(e,t)=>{const n=ue.grep(e.select("ol,ul",t));ue.each(n,(t=>{((e,t)=>{const n=t.parentElement;if(n&&"LI"===n.nodeName&&n.firstChild===t){const o=n.previousSibling;o&&"LI"===o.nodeName?(o.appendChild(t),ke(e,n)&&jt.remove(n)):jt.setStyle(n,"listStyleType","none")}if(ye(n)){const e=n.previousSibling;e&&"LI"===e.nodeName&&e.appendChild(t)}})(e,t)}))},zt=(e,t,n,o)=>{let r=t.startContainer;const s=t.startOffset;if(he(r)&&(n?s0))return r;const i=e.schema.getNonEmptyElements();fe(r)&&(r=te.getNode(r,s));const l=new ne(r,o);n&&((e,t)=>!!Le(t)&&e.isBlock(t.nextSibling)&&!Le(t.previousSibling))(e.dom,r)&&l.next();const a=n?l.next.bind(l):l.prev2.bind(l);for(;r=a();){if("LI"===r.nodeName&&!r.hasChildNodes())return r;if(i[r.nodeName])return r;if(he(r)&&r.data.length>0)return r}return null},Qt=(e,t)=>{const n=t.childNodes;return 1===n.length&&!ye(n[0])&&e.isBlock(n[0])},Wt=(e,t,n)=>{let o;const r=t.parentNode;if(!Te(e,t)||!Te(e,n))return;ye(n.lastChild)&&(o=n.lastChild),r===n.lastChild&&Le(r.previousSibling)&&e.remove(r.previousSibling);const s=n.lastChild;s&&Le(s)&&t.hasChildNodes()&&e.remove(s),ke(e,n,!0)&&Y(U(n)),((e,t,n)=>{let o;const r=Qt(e,n)?n.firstChild:n;if(((e,t)=>{Qt(e,t)&&e.remove(t.firstChild,!0)})(e,t),!ke(e,t,!0))for(;o=t.firstChild;)r.appendChild(o)})(e,t,n),o&&n.appendChild(o);const i=((e,t)=>{const n=e.dom,o=t.dom;return n!==o&&n.contains(o)})(U(n),U(t))?e.getParents(t,ye,n):[];e.remove(t),S(i,(t=>{ke(e,t)&&t!==e.getRoot()&&e.remove(t)}))},qt=(e,t)=>{const n=e.dom,o=e.selection,r=o.getStart(),s=ze(e,r),i=n.getParent(o.getStart(),"LI",s);if(i){const r=i.parentElement;if(r===e.getBody()&&ke(n,r))return!0;const l=He(o.getRng()),a=n.getParent(zt(e,l,t,s),"LI",s);if(a&&a!==i)return e.undoManager.transact((()=>{var n,o;t?((e,t,n,o)=>{const r=e.dom;if(r.isEmpty(o))((e,t,n)=>{Y(U(n)),Wt(e.dom,t,n),e.selection.setCursorLocation(n,0)})(e,n,o);else{const s=Et(t);Wt(r,n,o),e.selection.setRng(wt(s))}})(e,l,a,i):(null===(o=(n=i).parentNode)||void 0===o?void 0:o.firstChild)===n?Ot(e):((e,t,n,o)=>{const r=Et(t);Wt(e.dom,n,o);const s=wt(r);e.selection.setRng(s)})(e,l,i,a)})),!0;if(!a&&!t&&0===l.startOffset&&0===l.endOffset)return e.undoManager.transact((()=>{At(e)})),!0}return!1},Zt=e=>{const t=e.selection.getStart(),n=ze(e,t);return e.dom.getParent(t,"LI,DT,DD",n)||Ke(e).length>0},Gt=(e,t)=>{const n=e.selection;return!Xe(e,n.getNode())&&(n.isCollapsed()?((e,t)=>qt(e,t)||((e,t)=>{const n=e.dom,o=e.selection.getStart(),r=ze(e,o),s=n.getParent(o,n.isBlock,r);if(s&&n.isEmpty(s)){const o=He(e.selection.getRng()),i=n.getParent(zt(e,o,t,r),"LI",r);if(i){const l=e=>v(["td","th","caption"],_(e)),a=e=>e.dom===r;return!!((e,t,n=m)=>I(e,t,n).getOr(e.isNone()&&t.isNone()))(Z(U(i),l,a),Z(U(o.startContainer),l,a),$)&&(e.undoManager.transact((()=>{const o=i.parentNode;((e,t,n)=>{const o=e.getParent(t.parentNode,e.isBlock,n);e.remove(t),o&&e.isEmpty(o)&&e.remove(o)})(n,s,r),$t(n,o),e.selection.select(i,!0),e.selection.collapse(t)})),!0)}}return!1})(e,t))(e,t):(e=>!!Zt(e)&&(e.undoManager.transact((()=>{e.execCommand("Delete"),Kt(e.dom,e.getBody())})),!0))(e))},Jt=e=>{const t=k(nt(e).split("")),n=b(t,((e,t)=>{const n=e.toUpperCase().charCodeAt(0)-"A".charCodeAt(0)+1;return Math.pow(26,t)*n}));return L(n,((e,t)=>e+t),0)},Xt=e=>{if(--e<0)return"";{const t=e%26,n=Math.floor(e/26);return Xt(n)+String.fromCharCode("A".charCodeAt(0)+t)}},Yt=e=>{const t=parseInt(e.start,10);return B(e.listStyleType,"upper-alpha")?Xt(t):B(e.listStyleType,"lower-alpha")?Xt(t).toLowerCase():e.start},en=(e,t)=>()=>{const n=je(e);return l(n)&&n.nodeName===t},tn=e=>{e.addCommand("mceListProps",(()=>{(e=>{const t=je(e);Ce(t)&&!Xe(e,t)&&e.windowManager.open({title:"List Properties",body:{type:"panel",items:[{type:"input",name:"start",label:"Start list at number",inputMode:"numeric"}]},initialData:{start:Yt({start:e.dom.getAttrib(t,"start","1"),listStyleType:g.from(e.dom.getStyle(t,"list-style-type"))})},buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],onSubmit:t=>{(e=>{switch((e=>/^[0-9]+$/.test(e)?2:/^[A-Z]+$/.test(e)?0:/^[a-z]+$/.test(e)?1:e.length>0?4:3)(e)){case 2:return g.some({listStyleType:g.none(),start:e});case 0:return g.some({listStyleType:g.some("upper-alpha"),start:Jt(e).toString()});case 1:return g.some({listStyleType:g.some("lower-alpha"),start:Jt(e).toString()});case 3:return g.some({listStyleType:g.none(),start:""});case 4:return g.none()}})(t.getData().start).each((t=>{e.execCommand("mceListUpdate",!1,{attrs:{start:"1"===t.start?"":t.start},styles:{"list-style-type":t.listStyleType.getOr("")}})})),t.close()}})})(e)}))};var nn=tinymce.util.Tools.resolve("tinymce.html.Node");const on=e=>3===e.type,rn=e=>0===e.length,sn=e=>{const t=(t,n)=>{const o=nn.create("li");S(t,(e=>o.append(e))),n?e.insert(o,n,!0):e.append(o)},n=L(e.children(),((e,n)=>on(n)?[...e,n]:rn(e)||on(n)?e:(t(e,n),[])),[]);rn(n)||t(n)},ln=(e,t)=>n=>(n.setEnabled(e.selection.isEditable()),Ye(e,(o=>{n.setActive(Ge(o.parents,t)),n.setEnabled(!Xe(e,o.element)&&e.selection.isEditable())}))),an=(e,t)=>n=>Ye(e,(o=>n.setEnabled(Ge(o.parents,t)&&!Xe(e,o.element))));e.add("lists",(e=>((e=>{(0,e.options.register)("lists_indent_on_tab",{processor:"boolean",default:!0})})(e),(e=>{e.on("PreInit",(()=>{const{parser:t}=e;t.addNodeFilter("ul,ol",(e=>S(e,sn)))}))})(e),e.hasPlugin("rtc",!0)?tn(e):((e=>{we(e)&&(e=>{e.on("keydown",(t=>{t.keyCode!==oe.TAB||oe.metaKeyPressed(t)||e.undoManager.transact((()=>{(t.shiftKey?Ot(e):Lt(e))&&t.preventDefault()}))}))})(e),(e=>{e.on("ExecCommand",(t=>{const n=t.command.toLowerCase();"delete"!==n&&"forwarddelete"!==n||!Zt(e)||Kt(e.dom,e.getBody())})),e.on("keydown",(t=>{t.keyCode===oe.BACKSPACE?Gt(e,!1)&&t.preventDefault():t.keyCode===oe.DELETE&&Gt(e,!0)&&t.preventDefault()}))})(e)})(e),(e=>{e.on("BeforeExecCommand",(t=>{const n=t.command.toLowerCase();"indent"===n?Lt(e):"outdent"===n&&Ot(e)})),e.addCommand("InsertUnorderedList",((t,n)=>{Ft(e,"UL",n)})),e.addCommand("InsertOrderedList",((t,n)=>{Ft(e,"OL",n)})),e.addCommand("InsertDefinitionList",((t,n)=>{Ft(e,"DL",n)})),e.addCommand("RemoveList",(()=>{At(e)})),tn(e),e.addCommand("mceListUpdate",((t,n)=>{r(n)&&((e,t)=>{const n=je(e);null===n||Xe(e,n)||e.undoManager.transact((()=>{r(t.styles)&&e.dom.setStyles(n,t.styles),r(t.attrs)&&ie(t.attrs,((t,o)=>e.dom.setAttrib(n,o,t)))}))})(e,n)})),e.addQueryStateHandler("InsertUnorderedList",en(e,"UL")),e.addQueryStateHandler("InsertOrderedList",en(e,"OL")),e.addQueryStateHandler("InsertDefinitionList",en(e,"DL"))})(e)),(e=>{const t=t=>()=>e.execCommand(t);e.hasPlugin("advlist")||(e.ui.registry.addToggleButton("numlist",{icon:"ordered-list",active:!1,tooltip:"Numbered list",onAction:t("InsertOrderedList"),onSetup:ln(e,"OL")}),e.ui.registry.addToggleButton("bullist",{icon:"unordered-list",active:!1,tooltip:"Bullet list",onAction:t("InsertUnorderedList"),onSetup:ln(e,"UL")}))})(e),(e=>{const t={text:"List properties...",icon:"ordered-list",onAction:()=>e.execCommand("mceListProps"),onSetup:an(e,"OL")};e.ui.registry.addMenuItem("listprops",t),e.ui.registry.addContextMenu("lists",{update:t=>{const n=je(e,t);return Ce(n)?["listprops"]:[]}})})(e),(e=>({backspaceDelete:t=>{Gt(e,t)}}))(e))))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/media/index.js b/deform/static/tinymce/plugins/media/index.js new file mode 100644 index 00000000..b69a10dc --- /dev/null +++ b/deform/static/tinymce/plugins/media/index.js @@ -0,0 +1,7 @@ +// Exports the "media" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/media') +// ES2015: +// import 'tinymce/plugins/media' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/media/moxieplayer.swf b/deform/static/tinymce/plugins/media/moxieplayer.swf deleted file mode 100644 index 19c771be..00000000 Binary files a/deform/static/tinymce/plugins/media/moxieplayer.swf and /dev/null differ diff --git a/deform/static/tinymce/plugins/media/plugin.js b/deform/static/tinymce/plugins/media/plugin.js new file mode 100644 index 00000000..c0be3e14 --- /dev/null +++ b/deform/static/tinymce/plugins/media/plugin.js @@ -0,0 +1,1215 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$6 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const hasProto = (v, constructor, predicate) => { + var _a; + if (predicate(v, constructor.prototype)) { + return true; + } else { + return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; + } + }; + const typeOf = x => { + const t = typeof x; + if (x === null) { + return 'null'; + } else if (t === 'object' && Array.isArray(x)) { + return 'array'; + } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { + return 'string'; + } else { + return t; + } + }; + const isType = type => value => typeOf(value) === type; + const isString = isType('string'); + const isObject = isType('object'); + const isArray = isType('array'); + const isNullable = a => a === null || a === undefined; + const isNonNullable = a => !isNullable(a); + + class Optional { + constructor(tag, value) { + this.tag = tag; + this.value = value; + } + static some(value) { + return new Optional(true, value); + } + static none() { + return Optional.singletonNone; + } + fold(onNone, onSome) { + if (this.tag) { + return onSome(this.value); + } else { + return onNone(); + } + } + isSome() { + return this.tag; + } + isNone() { + return !this.tag; + } + map(mapper) { + if (this.tag) { + return Optional.some(mapper(this.value)); + } else { + return Optional.none(); + } + } + bind(binder) { + if (this.tag) { + return binder(this.value); + } else { + return Optional.none(); + } + } + exists(predicate) { + return this.tag && predicate(this.value); + } + forall(predicate) { + return !this.tag || predicate(this.value); + } + filter(predicate) { + if (!this.tag || predicate(this.value)) { + return this; + } else { + return Optional.none(); + } + } + getOr(replacement) { + return this.tag ? this.value : replacement; + } + or(replacement) { + return this.tag ? this : replacement; + } + getOrThunk(thunk) { + return this.tag ? this.value : thunk(); + } + orThunk(thunk) { + return this.tag ? this : thunk(); + } + getOrDie(message) { + if (!this.tag) { + throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); + } else { + return this.value; + } + } + static from(value) { + return isNonNullable(value) ? Optional.some(value) : Optional.none(); + } + getOrNull() { + return this.tag ? this.value : null; + } + getOrUndefined() { + return this.value; + } + each(worker) { + if (this.tag) { + worker(this.value); + } + } + toArray() { + return this.tag ? [this.value] : []; + } + toString() { + return this.tag ? `some(${ this.value })` : 'none()'; + } + } + Optional.singletonNone = new Optional(false); + + const nativePush = Array.prototype.push; + const each$1 = (xs, f) => { + for (let i = 0, len = xs.length; i < len; i++) { + const x = xs[i]; + f(x, i); + } + }; + const flatten = xs => { + const r = []; + for (let i = 0, len = xs.length; i < len; ++i) { + if (!isArray(xs[i])) { + throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); + } + nativePush.apply(r, xs[i]); + } + return r; + }; + + const Cell = initial => { + let value = initial; + const get = () => { + return value; + }; + const set = v => { + value = v; + }; + return { + get, + set + }; + }; + + const keys = Object.keys; + const hasOwnProperty = Object.hasOwnProperty; + const each = (obj, f) => { + const props = keys(obj); + for (let k = 0, len = props.length; k < len; k++) { + const i = props[k]; + const x = obj[i]; + f(x, i); + } + }; + const get$1 = (obj, key) => { + return has(obj, key) ? Optional.from(obj[key]) : Optional.none(); + }; + const has = (obj, key) => hasOwnProperty.call(obj, key); + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('audio_template_callback', { processor: 'function' }); + registerOption('video_template_callback', { processor: 'function' }); + registerOption('iframe_template_callback', { processor: 'function' }); + registerOption('media_live_embeds', { + processor: 'boolean', + default: true + }); + registerOption('media_filter_html', { + processor: 'boolean', + default: true + }); + registerOption('media_url_resolver', { processor: 'function' }); + registerOption('media_alt_source', { + processor: 'boolean', + default: true + }); + registerOption('media_poster', { + processor: 'boolean', + default: true + }); + registerOption('media_dimensions', { + processor: 'boolean', + default: true + }); + }; + const getAudioTemplateCallback = option('audio_template_callback'); + const getVideoTemplateCallback = option('video_template_callback'); + const getIframeTemplateCallback = option('iframe_template_callback'); + const hasLiveEmbeds = option('media_live_embeds'); + const shouldFilterHtml = option('media_filter_html'); + const getUrlResolver = option('media_url_resolver'); + const hasAltSource = option('media_alt_source'); + const hasPoster = option('media_poster'); + const hasDimensions = option('media_dimensions'); + + var global$5 = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + var global$4 = tinymce.util.Tools.resolve('tinymce.dom.DOMUtils'); + + var global$3 = tinymce.util.Tools.resolve('tinymce.html.DomParser'); + + const DOM$1 = global$4.DOM; + const trimPx = value => value.replace(/px$/, ''); + const getEphoxEmbedData = node => { + const style = node.attr('style'); + const styles = style ? DOM$1.parseStyle(style) : {}; + return { + type: 'ephox-embed-iri', + source: node.attr('data-ephox-embed-iri'), + altsource: '', + poster: '', + width: get$1(styles, 'max-width').map(trimPx).getOr(''), + height: get$1(styles, 'max-height').map(trimPx).getOr('') + }; + }; + const htmlToData = (html, schema) => { + let data = {}; + const parser = global$3({ + validate: false, + forced_root_block: false + }, schema); + const rootNode = parser.parse(html); + for (let node = rootNode; node; node = node.walk()) { + if (node.type === 1) { + const name = node.name; + if (node.attr('data-ephox-embed-iri')) { + data = getEphoxEmbedData(node); + break; + } else { + if (!data.source && name === 'param') { + data.source = node.attr('movie'); + } + if (name === 'iframe' || name === 'object' || name === 'embed' || name === 'video' || name === 'audio') { + if (!data.type) { + data.type = name; + } + data = global$5.extend(node.attributes.map, data); + } + if (name === 'source') { + if (!data.source) { + data.source = node.attr('src'); + } else if (!data.altsource) { + data.altsource = node.attr('src'); + } + } + if (name === 'img' && !data.poster) { + data.poster = node.attr('src'); + } + } + } + } + data.source = data.source || data.src || ''; + data.altsource = data.altsource || ''; + data.poster = data.poster || ''; + return data; + }; + + const guess = url => { + var _a; + const mimes = { + mp3: 'audio/mpeg', + m4a: 'audio/x-m4a', + wav: 'audio/wav', + mp4: 'video/mp4', + webm: 'video/webm', + ogg: 'video/ogg', + swf: 'application/x-shockwave-flash' + }; + const fileEnd = (_a = url.toLowerCase().split('.').pop()) !== null && _a !== void 0 ? _a : ''; + return get$1(mimes, fileEnd).getOr(''); + }; + + var global$2 = tinymce.util.Tools.resolve('tinymce.html.Node'); + + var global$1 = tinymce.util.Tools.resolve('tinymce.html.Serializer'); + + const Parser = (schema, settings = {}) => global$3({ + forced_root_block: false, + validate: false, + allow_conditional_comments: true, + ...settings + }, schema); + + const DOM = global$4.DOM; + const addPx = value => /^[0-9.]+$/.test(value) ? value + 'px' : value; + const updateEphoxEmbed = (data, node) => { + const style = node.attr('style'); + const styleMap = style ? DOM.parseStyle(style) : {}; + if (isNonNullable(data.width)) { + styleMap['max-width'] = addPx(data.width); + } + if (isNonNullable(data.height)) { + styleMap['max-height'] = addPx(data.height); + } + node.attr('style', DOM.serializeStyle(styleMap)); + }; + const sources = [ + 'source', + 'altsource' + ]; + const updateHtml = (html, data, updateAll, schema) => { + let numSources = 0; + let sourceCount = 0; + const parser = Parser(schema); + parser.addNodeFilter('source', nodes => numSources = nodes.length); + const rootNode = parser.parse(html); + for (let node = rootNode; node; node = node.walk()) { + if (node.type === 1) { + const name = node.name; + if (node.attr('data-ephox-embed-iri')) { + updateEphoxEmbed(data, node); + break; + } else { + switch (name) { + case 'video': + case 'object': + case 'embed': + case 'img': + case 'iframe': + if (data.height !== undefined && data.width !== undefined) { + node.attr('width', data.width); + node.attr('height', data.height); + } + break; + } + if (updateAll) { + switch (name) { + case 'video': + node.attr('poster', data.poster); + node.attr('src', null); + for (let index = numSources; index < 2; index++) { + if (data[sources[index]]) { + const source = new global$2('source', 1); + source.attr('src', data[sources[index]]); + source.attr('type', data[sources[index] + 'mime'] || null); + node.append(source); + } + } + break; + case 'iframe': + node.attr('src', data.source); + break; + case 'object': + const hasImage = node.getAll('img').length > 0; + if (data.poster && !hasImage) { + node.attr('src', data.poster); + const img = new global$2('img', 1); + img.attr('src', data.poster); + img.attr('width', data.width); + img.attr('height', data.height); + node.append(img); + } + break; + case 'source': + if (sourceCount < 2) { + node.attr('src', data[sources[sourceCount]]); + node.attr('type', data[sources[sourceCount] + 'mime'] || null); + if (!data[sources[sourceCount]]) { + node.remove(); + continue; + } + } + sourceCount++; + break; + case 'img': + if (!data.poster) { + node.remove(); + } + break; + } + } + } + } + } + return global$1({}, schema).serialize(rootNode); + }; + + const urlPatterns = [ + { + regex: /youtu\.be\/([\w\-_\?&=.]+)/i, + type: 'iframe', + w: 560, + h: 314, + url: 'www.youtube.com/embed/$1', + allowFullscreen: true + }, + { + regex: /youtube\.com(.+)v=([^&]+)(&([a-z0-9&=\-_]+))?/i, + type: 'iframe', + w: 560, + h: 314, + url: 'www.youtube.com/embed/$2?$4', + allowFullscreen: true + }, + { + regex: /youtube.com\/embed\/([a-z0-9\?&=\-_]+)/i, + type: 'iframe', + w: 560, + h: 314, + url: 'www.youtube.com/embed/$1', + allowFullscreen: true + }, + { + regex: /vimeo\.com\/([0-9]+)\?h=(\w+)/, + type: 'iframe', + w: 425, + h: 350, + url: 'player.vimeo.com/video/$1?h=$2&title=0&byline=0&portrait=0&color=8dc7dc', + allowFullscreen: true + }, + { + regex: /vimeo\.com\/(.*)\/([0-9]+)\?h=(\w+)/, + type: 'iframe', + w: 425, + h: 350, + url: 'player.vimeo.com/video/$2?h=$3&title=0&byline=0', + allowFullscreen: true + }, + { + regex: /vimeo\.com\/([0-9]+)/, + type: 'iframe', + w: 425, + h: 350, + url: 'player.vimeo.com/video/$1?title=0&byline=0&portrait=0&color=8dc7dc', + allowFullscreen: true + }, + { + regex: /vimeo\.com\/(.*)\/([0-9]+)/, + type: 'iframe', + w: 425, + h: 350, + url: 'player.vimeo.com/video/$2?title=0&byline=0', + allowFullscreen: true + }, + { + regex: /maps\.google\.([a-z]{2,3})\/maps\/(.+)msid=(.+)/, + type: 'iframe', + w: 425, + h: 350, + url: 'maps.google.com/maps/ms?msid=$2&output=embed"', + allowFullscreen: false + }, + { + regex: /dailymotion\.com\/video\/([^_]+)/, + type: 'iframe', + w: 480, + h: 270, + url: 'www.dailymotion.com/embed/video/$1', + allowFullscreen: true + }, + { + regex: /dai\.ly\/([^_]+)/, + type: 'iframe', + w: 480, + h: 270, + url: 'www.dailymotion.com/embed/video/$1', + allowFullscreen: true + } + ]; + const getProtocol = url => { + const protocolMatches = url.match(/^(https?:\/\/|www\.)(.+)$/i); + if (protocolMatches && protocolMatches.length > 1) { + return protocolMatches[1] === 'www.' ? 'https://' : protocolMatches[1]; + } else { + return 'https://'; + } + }; + const getUrl = (pattern, url) => { + const protocol = getProtocol(url); + const match = pattern.regex.exec(url); + let newUrl = protocol + pattern.url; + if (isNonNullable(match)) { + for (let i = 0; i < match.length; i++) { + newUrl = newUrl.replace('$' + i, () => match[i] ? match[i] : ''); + } + } + return newUrl.replace(/\?$/, ''); + }; + const matchPattern = url => { + const patterns = urlPatterns.filter(pattern => pattern.regex.test(url)); + if (patterns.length > 0) { + return global$5.extend({}, patterns[0], { url: getUrl(patterns[0], url) }); + } else { + return null; + } + }; + + const getIframeHtml = (data, iframeTemplateCallback) => { + if (iframeTemplateCallback) { + return iframeTemplateCallback(data); + } else { + const allowFullscreen = data.allowfullscreen ? ' allowFullscreen="1"' : ''; + return ''; + } + }; + const getFlashHtml = data => { + let html = ''; + if (data.poster) { + html += ''; + } + html += ''; + return html; + }; + const getAudioHtml = (data, audioTemplateCallback) => { + if (audioTemplateCallback) { + return audioTemplateCallback(data); + } else { + return ''; + } + }; + const getVideoHtml = (data, videoTemplateCallback) => { + if (videoTemplateCallback) { + return videoTemplateCallback(data); + } else { + return ''; + } + }; + const dataToHtml = (editor, dataIn) => { + var _a; + const data = global$5.extend({}, dataIn); + if (!data.source) { + global$5.extend(data, htmlToData((_a = data.embed) !== null && _a !== void 0 ? _a : '', editor.schema)); + if (!data.source) { + return ''; + } + } + if (!data.altsource) { + data.altsource = ''; + } + if (!data.poster) { + data.poster = ''; + } + data.source = editor.convertURL(data.source, 'source'); + data.altsource = editor.convertURL(data.altsource, 'source'); + data.sourcemime = guess(data.source); + data.altsourcemime = guess(data.altsource); + data.poster = editor.convertURL(data.poster, 'poster'); + const pattern = matchPattern(data.source); + if (pattern) { + data.source = pattern.url; + data.type = pattern.type; + data.allowfullscreen = pattern.allowFullscreen; + data.width = data.width || String(pattern.w); + data.height = data.height || String(pattern.h); + } + if (data.embed) { + return updateHtml(data.embed, data, true, editor.schema); + } else { + const audioTemplateCallback = getAudioTemplateCallback(editor); + const videoTemplateCallback = getVideoTemplateCallback(editor); + const iframeTemplateCallback = getIframeTemplateCallback(editor); + data.width = data.width || '300'; + data.height = data.height || '150'; + global$5.each(data, (value, key) => { + data[key] = editor.dom.encode('' + value); + }); + if (data.type === 'iframe') { + return getIframeHtml(data, iframeTemplateCallback); + } else if (data.sourcemime === 'application/x-shockwave-flash') { + return getFlashHtml(data); + } else if (data.sourcemime.indexOf('audio') !== -1) { + return getAudioHtml(data, audioTemplateCallback); + } else { + return getVideoHtml(data, videoTemplateCallback); + } + } + }; + + const isMediaElement = element => element.hasAttribute('data-mce-object') || element.hasAttribute('data-ephox-embed-iri'); + const setup$2 = editor => { + editor.on('click keyup touchend', () => { + const selectedNode = editor.selection.getNode(); + if (selectedNode && editor.dom.hasClass(selectedNode, 'mce-preview-object')) { + if (editor.dom.getAttrib(selectedNode, 'data-mce-selected')) { + selectedNode.setAttribute('data-mce-selected', '2'); + } + } + }); + editor.on('ObjectResized', e => { + const target = e.target; + if (target.getAttribute('data-mce-object')) { + let html = target.getAttribute('data-mce-html'); + if (html) { + html = unescape(html); + target.setAttribute('data-mce-html', escape(updateHtml(html, { + width: String(e.width), + height: String(e.height) + }, false, editor.schema))); + } + } + }); + }; + + const cache = {}; + const embedPromise = (data, dataToHtml, handler) => { + return new Promise((res, rej) => { + const wrappedResolve = response => { + if (response.html) { + cache[data.source] = response; + } + return res({ + url: data.source, + html: response.html ? response.html : dataToHtml(data) + }); + }; + if (cache[data.source]) { + wrappedResolve(cache[data.source]); + } else { + handler({ url: data.source }, wrappedResolve, rej); + } + }); + }; + const defaultPromise = (data, dataToHtml) => Promise.resolve({ + html: dataToHtml(data), + url: data.source + }); + const loadedData = editor => data => dataToHtml(editor, data); + const getEmbedHtml = (editor, data) => { + const embedHandler = getUrlResolver(editor); + return embedHandler ? embedPromise(data, loadedData(editor), embedHandler) : defaultPromise(data, loadedData(editor)); + }; + const isCached = url => has(cache, url); + + const extractMeta = (sourceInput, data) => get$1(data, sourceInput).bind(mainData => get$1(mainData, 'meta')); + const getValue = (data, metaData, sourceInput) => prop => { + const getFromData = () => get$1(data, prop); + const getFromMetaData = () => get$1(metaData, prop); + const getNonEmptyValue = c => get$1(c, 'value').bind(v => v.length > 0 ? Optional.some(v) : Optional.none()); + const getFromValueFirst = () => getFromData().bind(child => isObject(child) ? getNonEmptyValue(child).orThunk(getFromMetaData) : getFromMetaData().orThunk(() => Optional.from(child))); + const getFromMetaFirst = () => getFromMetaData().orThunk(() => getFromData().bind(child => isObject(child) ? getNonEmptyValue(child) : Optional.from(child))); + return { [prop]: (prop === sourceInput ? getFromValueFirst() : getFromMetaFirst()).getOr('') }; + }; + const getDimensions = (data, metaData) => { + const dimensions = {}; + get$1(data, 'dimensions').each(dims => { + each$1([ + 'width', + 'height' + ], prop => { + get$1(metaData, prop).orThunk(() => get$1(dims, prop)).each(value => dimensions[prop] = value); + }); + }); + return dimensions; + }; + const unwrap = (data, sourceInput) => { + const metaData = sourceInput && sourceInput !== 'dimensions' ? extractMeta(sourceInput, data).getOr({}) : {}; + const get = getValue(data, metaData, sourceInput); + return { + ...get('source'), + ...get('altsource'), + ...get('poster'), + ...get('embed'), + ...getDimensions(data, metaData) + }; + }; + const wrap = data => { + const wrapped = { + ...data, + source: { value: get$1(data, 'source').getOr('') }, + altsource: { value: get$1(data, 'altsource').getOr('') }, + poster: { value: get$1(data, 'poster').getOr('') } + }; + each$1([ + 'width', + 'height' + ], prop => { + get$1(data, prop).each(value => { + const dimensions = wrapped.dimensions || {}; + dimensions[prop] = value; + wrapped.dimensions = dimensions; + }); + }); + return wrapped; + }; + const handleError = editor => error => { + const errorMessage = error && error.msg ? 'Media embed handler error: ' + error.msg : 'Media embed handler threw unknown error.'; + editor.notificationManager.open({ + type: 'error', + text: errorMessage + }); + }; + const getEditorData = editor => { + const element = editor.selection.getNode(); + const snippet = isMediaElement(element) ? editor.serializer.serialize(element, { selection: true }) : ''; + const data = htmlToData(snippet, editor.schema); + const getDimensionsOfElement = () => { + if (isEmbedIframe(data.source, data.type)) { + const rect = editor.dom.getRect(element); + return { + width: rect.w.toString().replace(/px$/, ''), + height: rect.h.toString().replace(/px$/, '') + }; + } else { + return {}; + } + }; + const dimensions = getDimensionsOfElement(); + return { + embed: snippet, + ...data, + ...dimensions + }; + }; + const addEmbedHtml = (api, editor) => response => { + if (isString(response.url) && response.url.trim().length > 0) { + const html = response.html; + const snippetData = htmlToData(html, editor.schema); + const nuData = { + ...snippetData, + source: response.url, + embed: html + }; + api.setData(wrap(nuData)); + } + }; + const selectPlaceholder = (editor, beforeObjects) => { + const afterObjects = editor.dom.select('*[data-mce-object]'); + for (let i = 0; i < beforeObjects.length; i++) { + for (let y = afterObjects.length - 1; y >= 0; y--) { + if (beforeObjects[i] === afterObjects[y]) { + afterObjects.splice(y, 1); + } + } + } + editor.selection.select(afterObjects[0]); + }; + const handleInsert = (editor, html) => { + const beforeObjects = editor.dom.select('*[data-mce-object]'); + editor.insertContent(html); + selectPlaceholder(editor, beforeObjects); + editor.nodeChanged(); + }; + const isEmbedIframe = (url, mediaDataType) => isNonNullable(mediaDataType) && mediaDataType === 'ephox-embed-iri' && isNonNullable(matchPattern(url)); + const shouldInsertAsNewIframe = (prevData, newData) => { + const hasDimensionsChanged = (prevData, newData) => prevData.width !== newData.width || prevData.height !== newData.height; + return hasDimensionsChanged(prevData, newData) && isEmbedIframe(newData.source, prevData.type); + }; + const submitForm = (prevData, newData, editor) => { + var _a; + newData.embed = shouldInsertAsNewIframe(prevData, newData) && hasDimensions(editor) ? dataToHtml(editor, { + ...newData, + embed: '' + }) : updateHtml((_a = newData.embed) !== null && _a !== void 0 ? _a : '', newData, false, editor.schema); + if (newData.embed && (prevData.source === newData.source || isCached(newData.source))) { + handleInsert(editor, newData.embed); + } else { + getEmbedHtml(editor, newData).then(response => { + handleInsert(editor, response.html); + }).catch(handleError(editor)); + } + }; + const showDialog = editor => { + const editorData = getEditorData(editor); + const currentData = Cell(editorData); + const initialData = wrap(editorData); + const handleSource = (prevData, api) => { + const serviceData = unwrap(api.getData(), 'source'); + if (prevData.source !== serviceData.source) { + addEmbedHtml(win, editor)({ + url: serviceData.source, + html: '' + }); + getEmbedHtml(editor, serviceData).then(addEmbedHtml(win, editor)).catch(handleError(editor)); + } + }; + const handleEmbed = api => { + var _a; + const data = unwrap(api.getData()); + const dataFromEmbed = htmlToData((_a = data.embed) !== null && _a !== void 0 ? _a : '', editor.schema); + api.setData(wrap(dataFromEmbed)); + }; + const handleUpdate = (api, sourceInput, prevData) => { + const dialogData = unwrap(api.getData(), sourceInput); + const data = shouldInsertAsNewIframe(prevData, dialogData) && hasDimensions(editor) ? { + ...dialogData, + embed: '' + } : dialogData; + const embed = dataToHtml(editor, data); + api.setData(wrap({ + ...data, + embed + })); + }; + const mediaInput = [{ + name: 'source', + type: 'urlinput', + filetype: 'media', + label: 'Source' + }]; + const sizeInput = !hasDimensions(editor) ? [] : [{ + type: 'sizeinput', + name: 'dimensions', + label: 'Constrain proportions', + constrain: true + }]; + const generalTab = { + title: 'General', + name: 'general', + items: flatten([ + mediaInput, + sizeInput + ]) + }; + const embedTextarea = { + type: 'textarea', + name: 'embed', + label: 'Paste your embed code below:' + }; + const embedTab = { + title: 'Embed', + items: [embedTextarea] + }; + const advancedFormItems = []; + if (hasAltSource(editor)) { + advancedFormItems.push({ + name: 'altsource', + type: 'urlinput', + filetype: 'media', + label: 'Alternative source URL' + }); + } + if (hasPoster(editor)) { + advancedFormItems.push({ + name: 'poster', + type: 'urlinput', + filetype: 'image', + label: 'Media poster (Image URL)' + }); + } + const advancedTab = { + title: 'Advanced', + name: 'advanced', + items: advancedFormItems + }; + const tabs = [ + generalTab, + embedTab + ]; + if (advancedFormItems.length > 0) { + tabs.push(advancedTab); + } + const body = { + type: 'tabpanel', + tabs + }; + const win = editor.windowManager.open({ + title: 'Insert/Edit Media', + size: 'normal', + body, + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + onSubmit: api => { + const serviceData = unwrap(api.getData()); + submitForm(currentData.get(), serviceData, editor); + api.close(); + }, + onChange: (api, detail) => { + switch (detail.name) { + case 'source': + handleSource(currentData.get(), api); + break; + case 'embed': + handleEmbed(api); + break; + case 'dimensions': + case 'altsource': + case 'poster': + handleUpdate(api, detail.name, currentData.get()); + break; + } + currentData.set(unwrap(api.getData())); + }, + initialData + }); + }; + + const get = editor => { + const showDialog$1 = () => { + showDialog(editor); + }; + return { showDialog: showDialog$1 }; + }; + + const register$1 = editor => { + const showDialog$1 = () => { + showDialog(editor); + }; + editor.addCommand('mceMedia', showDialog$1); + }; + + const checkRange = (str, substr, start) => substr === '' || str.length >= substr.length && str.substr(start, start + substr.length) === substr; + const startsWith = (str, prefix) => { + return checkRange(str, prefix, 0); + }; + + var global = tinymce.util.Tools.resolve('tinymce.Env'); + + const isLiveEmbedNode = node => { + const name = node.name; + return name === 'iframe' || name === 'video' || name === 'audio'; + }; + const getDimension = (node, styles, dimension, defaultValue = null) => { + const value = node.attr(dimension); + if (isNonNullable(value)) { + return value; + } else if (!has(styles, dimension)) { + return defaultValue; + } else { + return null; + } + }; + const setDimensions = (node, previewNode, styles) => { + const useDefaults = previewNode.name === 'img' || node.name === 'video'; + const defaultWidth = useDefaults ? '300' : null; + const fallbackHeight = node.name === 'audio' ? '30' : '150'; + const defaultHeight = useDefaults ? fallbackHeight : null; + previewNode.attr({ + width: getDimension(node, styles, 'width', defaultWidth), + height: getDimension(node, styles, 'height', defaultHeight) + }); + }; + const appendNodeContent = (editor, nodeName, previewNode, html) => { + const newNode = Parser(editor.schema).parse(html, { context: nodeName }); + while (newNode.firstChild) { + previewNode.append(newNode.firstChild); + } + }; + const createPlaceholderNode = (editor, node) => { + const name = node.name; + const placeHolder = new global$2('img', 1); + retainAttributesAndInnerHtml(editor, node, placeHolder); + setDimensions(node, placeHolder, {}); + placeHolder.attr({ + 'style': node.attr('style'), + 'src': global.transparentSrc, + 'data-mce-object': name, + 'class': 'mce-object mce-object-' + name + }); + return placeHolder; + }; + const createPreviewNode = (editor, node) => { + var _a; + const name = node.name; + const previewWrapper = new global$2('span', 1); + previewWrapper.attr({ + 'contentEditable': 'false', + 'style': node.attr('style'), + 'data-mce-object': name, + 'class': 'mce-preview-object mce-object-' + name + }); + retainAttributesAndInnerHtml(editor, node, previewWrapper); + const styles = editor.dom.parseStyle((_a = node.attr('style')) !== null && _a !== void 0 ? _a : ''); + const previewNode = new global$2(name, 1); + setDimensions(node, previewNode, styles); + previewNode.attr({ + src: node.attr('src'), + style: node.attr('style'), + class: node.attr('class') + }); + if (name === 'iframe') { + previewNode.attr({ + allowfullscreen: node.attr('allowfullscreen'), + frameborder: '0' + }); + } else { + const attrs = [ + 'controls', + 'crossorigin', + 'currentTime', + 'loop', + 'muted', + 'poster', + 'preload' + ]; + each$1(attrs, attrName => { + previewNode.attr(attrName, node.attr(attrName)); + }); + const sanitizedHtml = previewWrapper.attr('data-mce-html'); + if (isNonNullable(sanitizedHtml)) { + appendNodeContent(editor, name, previewNode, unescape(sanitizedHtml)); + } + } + const shimNode = new global$2('span', 1); + shimNode.attr('class', 'mce-shim'); + previewWrapper.append(previewNode); + previewWrapper.append(shimNode); + return previewWrapper; + }; + const retainAttributesAndInnerHtml = (editor, sourceNode, targetNode) => { + var _a; + const attribs = (_a = sourceNode.attributes) !== null && _a !== void 0 ? _a : []; + let ai = attribs.length; + while (ai--) { + const attrName = attribs[ai].name; + let attrValue = attribs[ai].value; + if (attrName !== 'width' && attrName !== 'height' && attrName !== 'style' && !startsWith(attrName, 'data-mce-')) { + if (attrName === 'data' || attrName === 'src') { + attrValue = editor.convertURL(attrValue, attrName); + } + targetNode.attr('data-mce-p-' + attrName, attrValue); + } + } + const serializer = global$1({ inner: true }, editor.schema); + const tempNode = new global$2('div', 1); + each$1(sourceNode.children(), child => tempNode.append(child)); + const innerHtml = serializer.serialize(tempNode); + if (innerHtml) { + targetNode.attr('data-mce-html', escape(innerHtml)); + targetNode.empty(); + } + }; + const isPageEmbedWrapper = node => { + const nodeClass = node.attr('class'); + return isString(nodeClass) && /\btiny-pageembed\b/.test(nodeClass); + }; + const isWithinEmbedWrapper = node => { + let tempNode = node; + while (tempNode = tempNode.parent) { + if (tempNode.attr('data-ephox-embed-iri') || isPageEmbedWrapper(tempNode)) { + return true; + } + } + return false; + }; + const placeHolderConverter = editor => nodes => { + let i = nodes.length; + let node; + while (i--) { + node = nodes[i]; + if (!node.parent) { + continue; + } + if (node.parent.attr('data-mce-object')) { + continue; + } + if (isLiveEmbedNode(node) && hasLiveEmbeds(editor)) { + if (!isWithinEmbedWrapper(node)) { + node.replace(createPreviewNode(editor, node)); + } + } else { + if (!isWithinEmbedWrapper(node)) { + node.replace(createPlaceholderNode(editor, node)); + } + } + } + }; + + const parseAndSanitize = (editor, context, html) => { + const getEditorOption = editor.options.get; + const sanitize = getEditorOption('xss_sanitization'); + const validate = shouldFilterHtml(editor); + return Parser(editor.schema, { + sanitize, + validate + }).parse(html, { context }); + }; + + const setup$1 = editor => { + editor.on('PreInit', () => { + const {schema, serializer, parser} = editor; + const boolAttrs = schema.getBoolAttrs(); + each$1('webkitallowfullscreen mozallowfullscreen'.split(' '), name => { + boolAttrs[name] = {}; + }); + each({ embed: ['wmode'] }, (attrs, name) => { + const rule = schema.getElementRule(name); + if (rule) { + each$1(attrs, attr => { + rule.attributes[attr] = {}; + rule.attributesOrder.push(attr); + }); + } + }); + parser.addNodeFilter('iframe,video,audio,object,embed', placeHolderConverter(editor)); + serializer.addAttributeFilter('data-mce-object', (nodes, name) => { + var _a; + let i = nodes.length; + while (i--) { + const node = nodes[i]; + if (!node.parent) { + continue; + } + const realElmName = node.attr(name); + const realElm = new global$2(realElmName, 1); + if (realElmName !== 'audio') { + const className = node.attr('class'); + if (className && className.indexOf('mce-preview-object') !== -1 && node.firstChild) { + realElm.attr({ + width: node.firstChild.attr('width'), + height: node.firstChild.attr('height') + }); + } else { + realElm.attr({ + width: node.attr('width'), + height: node.attr('height') + }); + } + } + realElm.attr({ style: node.attr('style') }); + const attribs = (_a = node.attributes) !== null && _a !== void 0 ? _a : []; + let ai = attribs.length; + while (ai--) { + const attrName = attribs[ai].name; + if (attrName.indexOf('data-mce-p-') === 0) { + realElm.attr(attrName.substr(11), attribs[ai].value); + } + } + const innerHtml = node.attr('data-mce-html'); + if (innerHtml) { + const fragment = parseAndSanitize(editor, realElmName, unescape(innerHtml)); + each$1(fragment.children(), child => realElm.append(child)); + } + node.replace(realElm); + } + }); + }); + editor.on('SetContent', () => { + const dom = editor.dom; + each$1(dom.select('span.mce-preview-object'), elm => { + if (dom.select('span.mce-shim', elm).length === 0) { + dom.add(elm, 'span', { class: 'mce-shim' }); + } + }); + }); + }; + + const setup = editor => { + editor.on('ResolveName', e => { + let name; + if (e.target.nodeType === 1 && (name = e.target.getAttribute('data-mce-object'))) { + e.name = name; + } + }); + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const onAction = () => editor.execCommand('mceMedia'); + editor.ui.registry.addToggleButton('media', { + tooltip: 'Insert/edit media', + icon: 'embed', + onAction, + onSetup: buttonApi => { + const selection = editor.selection; + buttonApi.setActive(isMediaElement(selection.getNode())); + const unbindSelectorChanged = selection.selectorChangedWithUnbind('img[data-mce-object],span[data-mce-object],div[data-ephox-embed-iri]', buttonApi.setActive).unbind; + const unbindEditable = onSetupEditable(editor)(buttonApi); + return () => { + unbindSelectorChanged(); + unbindEditable(); + }; + } + }); + editor.ui.registry.addMenuItem('media', { + icon: 'embed', + text: 'Media...', + onAction, + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$6.add('media', editor => { + register$2(editor); + register$1(editor); + register(editor); + setup(editor); + setup$1(editor); + setup$2(editor); + return get(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/media/plugin.min.js b/deform/static/tinymce/plugins/media/plugin.min.js index ce8cd0ee..8576e088 100644 --- a/deform/static/tinymce/plugins/media/plugin.min.js +++ b/deform/static/tinymce/plugins/media/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("media",function(e,t){function n(e){return-1!=e.indexOf(".mp3")?"audio/mpeg":-1!=e.indexOf(".wav")?"audio/wav":-1!=e.indexOf(".mp4")?"video/mp4":-1!=e.indexOf(".webm")?"video/webm":-1!=e.indexOf(".ogg")?"video/ogg":-1!=e.indexOf(".swf")?"application/x-shockwave-flash":""}function i(){function t(e){var t,r,a,o;t=n.find("#width")[0],r=n.find("#height")[0],a=t.value(),o=r.value(),n.find("#constrain")[0].checked()&&i&&c&&a&&o&&(e.control==t?(o=Math.round(a/i*o),r.value(o)):(a=Math.round(o/c*a),t.value(a))),i=a,c=o}var n,i,c,l;l=s(e.selection.getNode()),i=l.width,c=l.height,n=e.windowManager.open({title:"Insert/edit video",data:l,bodyType:"tabpanel",body:[{title:"General",type:"form",onShowTab:function(){this.fromJSON(o(this.next().find("#embed").value()))},items:[{name:"source1",type:"filepicker",filetype:"media",size:40,autofocus:!0,label:"Source"},{name:"source2",type:"filepicker",filetype:"media",size:40,label:"Alternative source"},{name:"poster",type:"filepicker",filetype:"image",size:40,label:"Poster"},{type:"container",label:"Dimensions",layout:"flex",direction:"row",align:"center",spacing:5,items:[{name:"width",type:"textbox",maxLength:3,size:3,onchange:t},{type:"label",text:"x"},{name:"height",type:"textbox",maxLength:3,size:3,onchange:t},{name:"constrain",type:"checkbox",checked:!0,text:"Constrain proportions"}]}]},{title:"Embed",type:"panel",layout:"flex",direction:"column",align:"stretch",padding:10,spacing:10,onShowTab:function(){this.find("#embed").value(a(this.parent().toJSON()))},items:[{type:"label",text:"Paste your embed code below:"},{type:"textbox",flex:1,name:"embed",value:r(),multiline:!0,label:"Source"}]}],onSubmit:function(){e.insertContent(a(this.toJSON()))}})}function r(){var t=e.selection.getNode();return t.getAttribute("data-mce-object")?e.selection.getContent():void 0}function a(i){var r="";return i.source1||(tinymce.extend(i,o(i.embed)),i.source1)?(i.source1=e.convertURL(i.source1,"source"),i.source2=e.convertURL(i.source2,"source"),i.source1mime=n(i.source1),i.source2mime=n(i.source2),i.poster=e.convertURL(i.poster,"poster"),i.flashPlayerUrl=e.convertURL(t+"/moxieplayer.swf","movie"),i.embed?r=c(i.embed,i,!0):(tinymce.each(l,function(e){var t,n,r;if(t=e.regex.exec(i.source1)){for(r=e.url,n=0;t[n];n++)r=r.replace("$"+n,function(){return t[n]});i.source1=r,i.type=e.type,i.width=e.w,i.height=e.h}}),i.width=i.width||300,i.height=i.height||150,tinymce.each(i,function(t,n){i[n]=e.dom.encode(t)}),"iframe"==i.type?r+='':"application/x-shockwave-flash"==i.source1mime?(r+='',i.poster&&(r+=''),r+=""):-1!=i.source1mime.indexOf("audio")?e.settings.audio_template_callback?r=e.settings.audio_template_callback(i):r+='":r=e.settings.video_template_callback?e.settings.video_template_callback(i):'"),r):""}function o(e){var t={};return new tinymce.html.SaxParser({validate:!1,special:"script,noscript",start:function(e,n){t.source1||"param"!=e||(t.source1=n.map.movie),("iframe"==e||"object"==e||"embed"==e||"video"==e||"audio"==e)&&(t=tinymce.extend(n.map,t)),"source"==e&&(t.source1?t.source2||(t.source2=n.map.src):t.source1=n.map.src),"img"!=e||t.poster||(t.poster=n.map.src)}}).parse(e),t.source1=t.source1||t.src||t.data,t.source2=t.source2||"",t.poster=t.poster||"",t}function s(t){return t.getAttribute("data-mce-object")?o(e.serializer.serialize(t,{selection:!0})):{}}function c(e,t,n){function i(e,t){var n,i,r,a;for(n in t)if(r=""+t[n],e.map[n])for(i=e.length;i--;)a=e[i],a.name==n&&(r?(e.map[n]=r,a.value=r):(delete e.map[n],e.splice(i,1)));else r&&(e.push({name:n,value:r}),e.map[n]=r)}var r,a=new tinymce.html.Writer,o=0;return new tinymce.html.SaxParser({validate:!1,special:"script,noscript",comment:function(e){a.comment(e)},cdata:function(e){a.cdata(e)},text:function(e,t){a.text(e,t)},start:function(e,s,c){switch(e){case"video":case"object":case"img":case"iframe":i(s,{width:t.width,height:t.height})}if(n)switch(e){case"video":i(s,{poster:t.poster,src:""}),t.source2&&i(s,{src:""});break;case"iframe":i(s,{src:t.source1});break;case"source":if(o++,2>=o&&(i(s,{src:t["source"+o],type:t["source"+o+"mime"]}),!t["source"+o]))return;break;case"img":if(!t.poster)return;r=!0}a.start(e,s,c)},end:function(e){if("video"==e&&n)for(var s=1;2>=s;s++)if(t["source"+s]){var c=[];c.map={},s>o&&(i(c,{src:t["source"+s],type:t["source"+s+"mime"]}),a.start("source",c,!0))}if(t.poster&&"object"==e&&n&&!r){var l=[];l.map={},i(l,{src:t.poster,width:t.width,height:t.height}),a.start("img",l,!0)}a.end(e)}},new tinymce.html.Schema({})).parse(e),a.getContent()}var l=[{regex:/youtu\.be\/([a-z1-9.-_]+)/,type:"iframe",w:425,h:350,url:"http://www.youtube.com/embed/$1"},{regex:/youtube\.com(.+)v=([^&]+)/,type:"iframe",w:425,h:350,url:"http://www.youtube.com/embed/$2"},{regex:/vimeo\.com\/([0-9]+)/,type:"iframe",w:425,h:350,url:"http://player.vimeo.com/video/$1?title=0&byline=0&portrait=0&color=8dc7dc"},{regex:/maps\.google\.([a-z]{2,3})\/maps\/(.+)msid=(.+)/,type:"iframe",w:425,h:350,url:'http://maps.google.com/maps/ms?msid=$2&output=embed"'}];e.on("ResolveName",function(e){var t;1==e.target.nodeType&&(t=e.target.getAttribute("data-mce-object"))&&(e.name=t)}),e.on("preInit",function(){var t=e.schema.getSpecialElements();tinymce.each("video audio iframe object".split(" "),function(e){t[e]=new RegExp("]*>","gi")}),e.schema.addValidElements("object[id|style|width|height|classid|codebase|*],embed[id|style|width|height|type|src|*],video[*],audio[*]");var n=e.schema.getBoolAttrs();tinymce.each("webkitallowfullscreen mozallowfullscreen allowfullscreen".split(" "),function(e){n[e]={}}),e.parser.addNodeFilter("iframe,video,audio,object,embed",function(t,n){for(var i,r,a,o,s,c,l,d=t.length;d--;){for(r=t[d],a=new tinymce.html.Node("img",1),a.shortEnded=!0,c=r.attributes,i=c.length;i--;)o=c[i].name,s=c[i].value,"width"!==o&&"height"!==o&&"style"!==o&&(("data"==o||"src"==o)&&(s=e.convertURL(s,o)),a.attr("data-mce-p-"+o,s));l=r.firstChild&&r.firstChild.value,l&&(a.attr("data-mce-html",escape(l)),a.firstChild=null),a.attr({width:r.attr("width")||"300",height:r.attr("height")||("audio"==n?"30":"150"),style:r.attr("style"),src:tinymce.Env.transparentSrc,"data-mce-object":n,"class":"mce-object mce-object-"+n}),r.replace(a)}}),e.serializer.addAttributeFilter("data-mce-object",function(e,t){for(var n,i,r,a,o,s,c=e.length;c--;){for(n=e[c],i=new tinymce.html.Node(n.attr(t),1),"audio"!=n.attr(t)&&i.attr({width:n.attr("width"),height:n.attr("height")}),i.attr({style:n.attr("style")}),a=n.attributes,r=a.length;r--;){var l=a[r].name;0===l.indexOf("data-mce-p-")&&i.attr(l.substr(11),a[r].value)}o=n.attr("data-mce-html"),o&&(s=new tinymce.html.Node("#text",3),s.raw=!0,s.value=unescape(o),i.append(s)),n.replace(i)}})}),e.on("ObjectSelected",function(e){"audio"==e.target.getAttribute("data-mce-object")&&e.preventDefault()}),e.on("objectResized",function(e){var t,n=e.target;n.getAttribute("data-mce-object")&&(t=n.getAttribute("data-mce-html"),t&&(t=unescape(t),n.setAttribute("data-mce-html",escape(c(t,{width:e.width,height:e.height})))))}),e.addButton("media",{tooltip:"Insert/edit video",onclick:i,stateSelector:"img[data-mce-object=video]"}),e.addMenuItem("media",{icon:"media",text:"Insert video",onclick:i,context:"insert",prependToContext:!0})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(r=o=e,(a=String).prototype.isPrototypeOf(r)||(null===(s=o.constructor)||void 0===s?void 0:s.name)===a.name)?"string":t;var r,o,a,s})(t)===e,r=t("string"),o=t("object"),a=t("array"),s=e=>!(e=>null==e)(e);class i{constructor(e,t){this.tag=e,this.value=t}static some(e){return new i(!0,e)}static none(){return i.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?i.some(e(this.value)):i.none()}bind(e){return this.tag?e(this.value):i.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:i.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return s(e)?i.some(e):i.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}i.singletonNone=new i(!1);const n=Array.prototype.push,l=(e,t)=>{for(let r=0,o=e.length;r{const t=[];for(let r=0,o=e.length;rh(e,t)?i.from(e[t]):i.none(),h=(e,t)=>u.call(e,t),p=e=>t=>t.options.get(e),g=p("audio_template_callback"),b=p("video_template_callback"),w=p("iframe_template_callback"),v=p("media_live_embeds"),f=p("media_filter_html"),y=p("media_url_resolver"),x=p("media_alt_source"),_=p("media_poster"),k=p("media_dimensions");var j=tinymce.util.Tools.resolve("tinymce.util.Tools"),O=tinymce.util.Tools.resolve("tinymce.dom.DOMUtils"),A=tinymce.util.Tools.resolve("tinymce.html.DomParser");const S=O.DOM,$=e=>e.replace(/px$/,""),C=e=>{const t=e.attr("style"),r=t?S.parseStyle(t):{};return{type:"ephox-embed-iri",source:e.attr("data-ephox-embed-iri"),altsource:"",poster:"",width:d(r,"max-width").map($).getOr(""),height:d(r,"max-height").map($).getOr("")}},T=(e,t)=>{let r={};for(let o=A({validate:!1,forced_root_block:!1},t).parse(e);o;o=o.walk())if(1===o.type){const e=o.name;if(o.attr("data-ephox-embed-iri")){r=C(o);break}r.source||"param"!==e||(r.source=o.attr("movie")),"iframe"!==e&&"object"!==e&&"embed"!==e&&"video"!==e&&"audio"!==e||(r.type||(r.type=e),r=j.extend(o.attributes.map,r)),"source"===e&&(r.source?r.altsource||(r.altsource=o.attr("src")):r.source=o.attr("src")),"img"!==e||r.poster||(r.poster=o.attr("src"))}return r.source=r.source||r.src||"",r.altsource=r.altsource||"",r.poster=r.poster||"",r},z=e=>{var t;const r=null!==(t=e.toLowerCase().split(".").pop())&&void 0!==t?t:"";return d({mp3:"audio/mpeg",m4a:"audio/x-m4a",wav:"audio/wav",mp4:"video/mp4",webm:"video/webm",ogg:"video/ogg",swf:"application/x-shockwave-flash"},r).getOr("")};var D=tinymce.util.Tools.resolve("tinymce.html.Node"),F=tinymce.util.Tools.resolve("tinymce.html.Serializer");const M=(e,t={})=>A({forced_root_block:!1,validate:!1,allow_conditional_comments:!0,...t},e),N=O.DOM,R=e=>/^[0-9.]+$/.test(e)?e+"px":e,E=(e,t)=>{const r=t.attr("style"),o=r?N.parseStyle(r):{};s(e.width)&&(o["max-width"]=R(e.width)),s(e.height)&&(o["max-height"]=R(e.height)),t.attr("style",N.serializeStyle(o))},U=["source","altsource"],P=(e,t,r,o)=>{let a=0,s=0;const i=M(o);i.addNodeFilter("source",(e=>a=e.length));const n=i.parse(e);for(let e=n;e;e=e.walk())if(1===e.type){const o=e.name;if(e.attr("data-ephox-embed-iri")){E(t,e);break}switch(o){case"video":case"object":case"embed":case"img":case"iframe":void 0!==t.height&&void 0!==t.width&&(e.attr("width",t.width),e.attr("height",t.height))}if(r)switch(o){case"video":e.attr("poster",t.poster),e.attr("src",null);for(let r=a;r<2;r++)if(t[U[r]]){const o=new D("source",1);o.attr("src",t[U[r]]),o.attr("type",t[U[r]+"mime"]||null),e.append(o)}break;case"iframe":e.attr("src",t.source);break;case"object":const r=e.getAll("img").length>0;if(t.poster&&!r){e.attr("src",t.poster);const r=new D("img",1);r.attr("src",t.poster),r.attr("width",t.width),r.attr("height",t.height),e.append(r)}break;case"source":if(s<2&&(e.attr("src",t[U[s]]),e.attr("type",t[U[s]+"mime"]||null),!t[U[s]])){e.remove();continue}s++;break;case"img":t.poster||e.remove()}}return F({},o).serialize(n)},L=[{regex:/youtu\.be\/([\w\-_\?&=.]+)/i,type:"iframe",w:560,h:314,url:"www.youtube.com/embed/$1",allowFullscreen:!0},{regex:/youtube\.com(.+)v=([^&]+)(&([a-z0-9&=\-_]+))?/i,type:"iframe",w:560,h:314,url:"www.youtube.com/embed/$2?$4",allowFullscreen:!0},{regex:/youtube.com\/embed\/([a-z0-9\?&=\-_]+)/i,type:"iframe",w:560,h:314,url:"www.youtube.com/embed/$1",allowFullscreen:!0},{regex:/vimeo\.com\/([0-9]+)\?h=(\w+)/,type:"iframe",w:425,h:350,url:"player.vimeo.com/video/$1?h=$2&title=0&byline=0&portrait=0&color=8dc7dc",allowFullscreen:!0},{regex:/vimeo\.com\/(.*)\/([0-9]+)\?h=(\w+)/,type:"iframe",w:425,h:350,url:"player.vimeo.com/video/$2?h=$3&title=0&byline=0",allowFullscreen:!0},{regex:/vimeo\.com\/([0-9]+)/,type:"iframe",w:425,h:350,url:"player.vimeo.com/video/$1?title=0&byline=0&portrait=0&color=8dc7dc",allowFullscreen:!0},{regex:/vimeo\.com\/(.*)\/([0-9]+)/,type:"iframe",w:425,h:350,url:"player.vimeo.com/video/$2?title=0&byline=0",allowFullscreen:!0},{regex:/maps\.google\.([a-z]{2,3})\/maps\/(.+)msid=(.+)/,type:"iframe",w:425,h:350,url:'maps.google.com/maps/ms?msid=$2&output=embed"',allowFullscreen:!1},{regex:/dailymotion\.com\/video\/([^_]+)/,type:"iframe",w:480,h:270,url:"www.dailymotion.com/embed/video/$1",allowFullscreen:!0},{regex:/dai\.ly\/([^_]+)/,type:"iframe",w:480,h:270,url:"www.dailymotion.com/embed/video/$1",allowFullscreen:!0}],I=(e,t)=>{const r=(e=>{const t=e.match(/^(https?:\/\/|www\.)(.+)$/i);return t&&t.length>1?"www."===t[1]?"https://":t[1]:"https://"})(t),o=e.regex.exec(t);let a=r+e.url;if(s(o))for(let e=0;eo[e]?o[e]:""));return a.replace(/\?$/,"")},B=e=>{const t=L.filter((t=>t.regex.test(e)));return t.length>0?j.extend({},t[0],{url:I(t[0],e)}):null},G=(e,t)=>{var r;const o=j.extend({},t);if(!o.source&&(j.extend(o,T(null!==(r=o.embed)&&void 0!==r?r:"",e.schema)),!o.source))return"";o.altsource||(o.altsource=""),o.poster||(o.poster=""),o.source=e.convertURL(o.source,"source"),o.altsource=e.convertURL(o.altsource,"source"),o.sourcemime=z(o.source),o.altsourcemime=z(o.altsource),o.poster=e.convertURL(o.poster,"poster");const a=B(o.source);if(a&&(o.source=a.url,o.type=a.type,o.allowfullscreen=a.allowFullscreen,o.width=o.width||String(a.w),o.height=o.height||String(a.h)),o.embed)return P(o.embed,o,!0,e.schema);{const t=g(e),r=b(e),a=w(e);return o.width=o.width||"300",o.height=o.height||"150",j.each(o,((t,r)=>{o[r]=e.dom.encode(""+t)})),"iframe"===o.type?((e,t)=>{if(t)return t(e);{const t=e.allowfullscreen?' allowFullscreen="1"':"";return'"}})(o,a):"application/x-shockwave-flash"===o.sourcemime?(e=>{let t='';return e.poster&&(t+=''),t+="",t})(o):-1!==o.sourcemime.indexOf("audio")?((e,t)=>t?t(e):'")(o,t):((e,t)=>t?t(e):'")(o,r)}},W=e=>e.hasAttribute("data-mce-object")||e.hasAttribute("data-ephox-embed-iri"),q={},H=e=>t=>G(e,t),J=(e,t)=>{const r=y(e);return r?((e,t,r)=>new Promise(((o,a)=>{const s=r=>(r.html&&(q[e.source]=r),o({url:e.source,html:r.html?r.html:t(e)}));q[e.source]?s(q[e.source]):r({url:e.source},s,a)})))(t,H(e),r):((e,t)=>Promise.resolve({html:t(e),url:e.source}))(t,H(e))},K=(e,t)=>{const r={};return d(e,"dimensions").each((e=>{l(["width","height"],(o=>{d(t,o).orThunk((()=>d(e,o))).each((e=>r[o]=e))}))})),r},Q=(e,t)=>{const r=t&&"dimensions"!==t?((e,t)=>d(t,e).bind((e=>d(e,"meta"))))(t,e).getOr({}):{},a=((e,t,r)=>a=>{const s=()=>d(e,a),n=()=>d(t,a),l=e=>d(e,"value").bind((e=>e.length>0?i.some(e):i.none()));return{[a]:(a===r?s().bind((e=>o(e)?l(e).orThunk(n):n().orThunk((()=>i.from(e))))):n().orThunk((()=>s().bind((e=>o(e)?l(e):i.from(e)))))).getOr("")}})(e,r,t);return{...a("source"),...a("altsource"),...a("poster"),...a("embed"),...K(e,r)}},V=e=>{const t={...e,source:{value:d(e,"source").getOr("")},altsource:{value:d(e,"altsource").getOr("")},poster:{value:d(e,"poster").getOr("")}};return l(["width","height"],(r=>{d(e,r).each((e=>{const o=t.dimensions||{};o[r]=e,t.dimensions=o}))})),t},X=e=>t=>{const r=t&&t.msg?"Media embed handler error: "+t.msg:"Media embed handler threw unknown error.";e.notificationManager.open({type:"error",text:r})},Y=(e,t)=>o=>{if(r(o.url)&&o.url.trim().length>0){const r=o.html,a={...T(r,t.schema),source:o.url,embed:r};e.setData(V(a))}},Z=(e,t)=>{const r=e.dom.select("*[data-mce-object]");e.insertContent(t),((e,t)=>{const r=e.dom.select("*[data-mce-object]");for(let e=0;e=0;o--)t[e]===r[o]&&r.splice(o,1);e.selection.select(r[0])})(e,r),e.nodeChanged()},ee=(e,t)=>s(t)&&"ephox-embed-iri"===t&&s(B(e)),te=(e,t)=>((e,t)=>e.width!==t.width||e.height!==t.height)(e,t)&&ee(t.source,e.type),re=e=>{const t=(e=>{const t=e.selection.getNode(),r=W(t)?e.serializer.serialize(t,{selection:!0}):"",o=T(r,e.schema),a=(()=>{if(ee(o.source,o.type)){const r=e.dom.getRect(t);return{width:r.w.toString().replace(/px$/,""),height:r.h.toString().replace(/px$/,"")}}return{}})();return{embed:r,...o,...a}})(e),r=(e=>{let t=e;return{get:()=>t,set:e=>{t=e}}})(t),o=V(t),a=k(e)?[{type:"sizeinput",name:"dimensions",label:"Constrain proportions",constrain:!0}]:[],s={title:"General",name:"general",items:c([[{name:"source",type:"urlinput",filetype:"media",label:"Source"}],a])},i=[];x(e)&&i.push({name:"altsource",type:"urlinput",filetype:"media",label:"Alternative source URL"}),_(e)&&i.push({name:"poster",type:"urlinput",filetype:"image",label:"Media poster (Image URL)"});const n={title:"Advanced",name:"advanced",items:i},l=[s,{title:"Embed",items:[{type:"textarea",name:"embed",label:"Paste your embed code below:"}]}];i.length>0&&l.push(n);const m={type:"tabpanel",tabs:l},u=e.windowManager.open({title:"Insert/Edit Media",size:"normal",body:m,buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],onSubmit:t=>{const o=Q(t.getData());((e,t,r)=>{var o,a;t.embed=te(e,t)&&k(r)?G(r,{...t,embed:""}):P(null!==(o=t.embed)&&void 0!==o?o:"",t,!1,r.schema),t.embed&&(e.source===t.source||(a=t.source,h(q,a)))?Z(r,t.embed):J(r,t).then((e=>{Z(r,e.html)})).catch(X(r))})(r.get(),o,e),t.close()},onChange:(t,o)=>{switch(o.name){case"source":((t,r)=>{const o=Q(r.getData(),"source");t.source!==o.source&&(Y(u,e)({url:o.source,html:""}),J(e,o).then(Y(u,e)).catch(X(e)))})(r.get(),t);break;case"embed":(t=>{var r;const o=Q(t.getData()),a=T(null!==(r=o.embed)&&void 0!==r?r:"",e.schema);t.setData(V(a))})(t);break;case"dimensions":case"altsource":case"poster":((t,r,o)=>{const a=Q(t.getData(),r),s=te(o,a)&&k(e)?{...a,embed:""}:a,i=G(e,s);t.setData(V({...s,embed:i}))})(t,o.name,r.get())}r.set(Q(t.getData()))},initialData:o})};var oe=tinymce.util.Tools.resolve("tinymce.Env");const ae=e=>{const t=e.name;return"iframe"===t||"video"===t||"audio"===t},se=(e,t,r,o=null)=>{const a=e.attr(r);return s(a)?a:h(t,r)?null:o},ie=(e,t,r)=>{const o="img"===t.name||"video"===e.name,a=o?"300":null,s="audio"===e.name?"30":"150",i=o?s:null;t.attr({width:se(e,r,"width",a),height:se(e,r,"height",i)})},ne=(e,t)=>{const r=t.name,o=new D("img",1);return ce(e,t,o),ie(t,o,{}),o.attr({style:t.attr("style"),src:oe.transparentSrc,"data-mce-object":r,class:"mce-object mce-object-"+r}),o},le=(e,t)=>{var r;const o=t.name,a=new D("span",1);a.attr({contentEditable:"false",style:t.attr("style"),"data-mce-object":o,class:"mce-preview-object mce-object-"+o}),ce(e,t,a);const i=e.dom.parseStyle(null!==(r=t.attr("style"))&&void 0!==r?r:""),n=new D(o,1);if(ie(t,n,i),n.attr({src:t.attr("src"),style:t.attr("style"),class:t.attr("class")}),"iframe"===o)n.attr({allowfullscreen:t.attr("allowfullscreen"),frameborder:"0"});else{l(["controls","crossorigin","currentTime","loop","muted","poster","preload"],(e=>{n.attr(e,t.attr(e))}));const r=a.attr("data-mce-html");s(r)&&((e,t,r,o)=>{const a=M(e.schema).parse(o,{context:t});for(;a.firstChild;)r.append(a.firstChild)})(e,o,n,unescape(r))}const c=new D("span",1);return c.attr("class","mce-shim"),a.append(n),a.append(c),a},ce=(e,t,r)=>{var o;const a=null!==(o=t.attributes)&&void 0!==o?o:[];let s=a.length;for(;s--;){const t=a[s].name;let o=a[s].value;"width"===t||"height"===t||"style"===t||(n="data-mce-",(i=t).length>=9&&i.substr(0,9)===n)||("data"!==t&&"src"!==t||(o=e.convertURL(o,t)),r.attr("data-mce-p-"+t,o))}var i,n;const c=F({inner:!0},e.schema),m=new D("div",1);l(t.children(),(e=>m.append(e)));const u=c.serialize(m);u&&(r.attr("data-mce-html",escape(u)),r.empty())},me=e=>{const t=e.attr("class");return r(t)&&/\btiny-pageembed\b/.test(t)},ue=e=>{let t=e;for(;t=t.parent;)if(t.attr("data-ephox-embed-iri")||me(t))return!0;return!1},de=(e,t,r)=>{const o=(0,e.options.get)("xss_sanitization"),a=f(e);return M(e.schema,{sanitize:o,validate:a}).parse(r,{context:t})},he=e=>t=>{const r=()=>{t.setEnabled(e.selection.isEditable())};return e.on("NodeChange",r),r(),()=>{e.off("NodeChange",r)}};e.add("media",(e=>((e=>{const t=e.options.register;t("audio_template_callback",{processor:"function"}),t("video_template_callback",{processor:"function"}),t("iframe_template_callback",{processor:"function"}),t("media_live_embeds",{processor:"boolean",default:!0}),t("media_filter_html",{processor:"boolean",default:!0}),t("media_url_resolver",{processor:"function"}),t("media_alt_source",{processor:"boolean",default:!0}),t("media_poster",{processor:"boolean",default:!0}),t("media_dimensions",{processor:"boolean",default:!0})})(e),(e=>{e.addCommand("mceMedia",(()=>{re(e)}))})(e),(e=>{const t=()=>e.execCommand("mceMedia");e.ui.registry.addToggleButton("media",{tooltip:"Insert/edit media",icon:"embed",onAction:t,onSetup:t=>{const r=e.selection;t.setActive(W(r.getNode()));const o=r.selectorChangedWithUnbind("img[data-mce-object],span[data-mce-object],div[data-ephox-embed-iri]",t.setActive).unbind,a=he(e)(t);return()=>{o(),a()}}}),e.ui.registry.addMenuItem("media",{icon:"embed",text:"Media...",onAction:t,onSetup:he(e)})})(e),(e=>{e.on("ResolveName",(e=>{let t;1===e.target.nodeType&&(t=e.target.getAttribute("data-mce-object"))&&(e.name=t)}))})(e),(e=>{e.on("PreInit",(()=>{const{schema:t,serializer:r,parser:o}=e,a=t.getBoolAttrs();l("webkitallowfullscreen mozallowfullscreen".split(" "),(e=>{a[e]={}})),((e,t)=>{const r=m(e);for(let o=0,a=r.length;o{const o=t.getElementRule(r);o&&l(e,(e=>{o.attributes[e]={},o.attributesOrder.push(e)}))})),o.addNodeFilter("iframe,video,audio,object,embed",(e=>t=>{let r,o=t.length;for(;o--;)r=t[o],r.parent&&(r.parent.attr("data-mce-object")||(ae(r)&&v(e)?ue(r)||r.replace(le(e,r)):ue(r)||r.replace(ne(e,r))))})(e)),r.addAttributeFilter("data-mce-object",((t,r)=>{var o;let a=t.length;for(;a--;){const s=t[a];if(!s.parent)continue;const i=s.attr(r),n=new D(i,1);if("audio"!==i){const e=s.attr("class");e&&-1!==e.indexOf("mce-preview-object")&&s.firstChild?n.attr({width:s.firstChild.attr("width"),height:s.firstChild.attr("height")}):n.attr({width:s.attr("width"),height:s.attr("height")})}n.attr({style:s.attr("style")});const c=null!==(o=s.attributes)&&void 0!==o?o:[];let m=c.length;for(;m--;){const e=c[m].name;0===e.indexOf("data-mce-p-")&&n.attr(e.substr(11),c[m].value)}const u=s.attr("data-mce-html");if(u){const t=de(e,i,unescape(u));l(t.children(),(e=>n.append(e)))}s.replace(n)}}))})),e.on("SetContent",(()=>{const t=e.dom;l(t.select("span.mce-preview-object"),(e=>{0===t.select("span.mce-shim",e).length&&t.add(e,"span",{class:"mce-shim"})}))}))})(e),(e=>{e.on("click keyup touchend",(()=>{const t=e.selection.getNode();t&&e.dom.hasClass(t,"mce-preview-object")&&e.dom.getAttrib(t,"data-mce-selected")&&t.setAttribute("data-mce-selected","2")})),e.on("ObjectResized",(t=>{const r=t.target;if(r.getAttribute("data-mce-object")){let o=r.getAttribute("data-mce-html");o&&(o=unescape(o),r.setAttribute("data-mce-html",escape(P(o,{width:String(t.width),height:String(t.height)},!1,e.schema))))}}))})(e),(e=>({showDialog:()=>{re(e)}}))(e))))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/nonbreaking/index.js b/deform/static/tinymce/plugins/nonbreaking/index.js new file mode 100644 index 00000000..b38ef5ef --- /dev/null +++ b/deform/static/tinymce/plugins/nonbreaking/index.js @@ -0,0 +1,7 @@ +// Exports the "nonbreaking" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/nonbreaking') +// ES2015: +// import 'tinymce/plugins/nonbreaking' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/nonbreaking/plugin.js b/deform/static/tinymce/plugins/nonbreaking/plugin.js new file mode 100644 index 00000000..365b31b1 --- /dev/null +++ b/deform/static/tinymce/plugins/nonbreaking/plugin.js @@ -0,0 +1,123 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$1 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + const isSimpleType = type => value => typeof value === type; + const isBoolean = isSimpleType('boolean'); + const isNumber = isSimpleType('number'); + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('nonbreaking_force_tab', { + processor: value => { + if (isBoolean(value)) { + return { + value: value ? 3 : 0, + valid: true + }; + } else if (isNumber(value)) { + return { + value, + valid: true + }; + } else { + return { + valid: false, + message: 'Must be a boolean or number.' + }; + } + }, + default: false + }); + registerOption('nonbreaking_wrap', { + processor: 'boolean', + default: true + }); + }; + const getKeyboardSpaces = option('nonbreaking_force_tab'); + const wrapNbsps = option('nonbreaking_wrap'); + + const stringRepeat = (string, repeats) => { + let str = ''; + for (let index = 0; index < repeats; index++) { + str += string; + } + return str; + }; + const isVisualCharsEnabled = editor => editor.plugins.visualchars ? editor.plugins.visualchars.isEnabled() : false; + const insertNbsp = (editor, times) => { + const classes = () => isVisualCharsEnabled(editor) ? 'mce-nbsp-wrap mce-nbsp' : 'mce-nbsp-wrap'; + const nbspSpan = () => `${ stringRepeat(' ', times) }`; + const shouldWrap = wrapNbsps(editor); + const html = shouldWrap || editor.plugins.visualchars ? nbspSpan() : stringRepeat(' ', times); + editor.undoManager.transact(() => editor.insertContent(html)); + }; + + const register$1 = editor => { + editor.addCommand('mceNonBreaking', () => { + insertNbsp(editor, 1); + }); + }; + + var global = tinymce.util.Tools.resolve('tinymce.util.VK'); + + const setup = editor => { + const spaces = getKeyboardSpaces(editor); + if (spaces > 0) { + editor.on('keydown', e => { + if (e.keyCode === global.TAB && !e.isDefaultPrevented()) { + if (e.shiftKey) { + return; + } + e.preventDefault(); + e.stopImmediatePropagation(); + insertNbsp(editor, spaces); + } + }); + } + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const onAction = () => editor.execCommand('mceNonBreaking'); + editor.ui.registry.addButton('nonbreaking', { + icon: 'non-breaking', + tooltip: 'Nonbreaking space', + onAction, + onSetup: onSetupEditable(editor) + }); + editor.ui.registry.addMenuItem('nonbreaking', { + icon: 'non-breaking', + text: 'Nonbreaking space', + onAction, + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$1.add('nonbreaking', editor => { + register$2(editor); + register$1(editor); + register(editor); + setup(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/nonbreaking/plugin.min.js b/deform/static/tinymce/plugins/nonbreaking/plugin.min.js index 866339c7..0c121b9e 100644 --- a/deform/static/tinymce/plugins/nonbreaking/plugin.min.js +++ b/deform/static/tinymce/plugins/nonbreaking/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("nonbreaking",function(e){var t=e.getParam("nonbreaking_force_tab");if(e.addCommand("mceNonBreaking",function(){e.insertContent(e.plugins.visualchars&&e.plugins.visualchars.state?' ':" ")}),e.addButton("nonbreaking",{title:"Insert nonbreaking space",cmd:"mceNonBreaking"}),e.addMenuItem("nonbreaking",{text:"Nonbreaking space",cmd:"mceNonBreaking",context:"insert"}),t){var n=+t>1?+t:3;e.on("keydown",function(t){if(9==t.keyCode){if(t.shiftKey)return;t.preventDefault();for(var i=0;n>i;i++)e.execCommand("mceNonBreaking")}})}}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var n=tinymce.util.Tools.resolve("tinymce.PluginManager");const e=n=>e=>typeof e===n,o=e("boolean"),a=e("number"),t=n=>e=>e.options.get(n),i=t("nonbreaking_force_tab"),s=t("nonbreaking_wrap"),r=(n,e)=>{let o="";for(let a=0;a{const o=s(n)||n.plugins.visualchars?`${r(" ",e)}`:r(" ",e);n.undoManager.transact((()=>n.insertContent(o)))};var l=tinymce.util.Tools.resolve("tinymce.util.VK");const u=n=>e=>{const o=()=>{e.setEnabled(n.selection.isEditable())};return n.on("NodeChange",o),o(),()=>{n.off("NodeChange",o)}};n.add("nonbreaking",(n=>{(n=>{const e=n.options.register;e("nonbreaking_force_tab",{processor:n=>o(n)?{value:n?3:0,valid:!0}:a(n)?{value:n,valid:!0}:{valid:!1,message:"Must be a boolean or number."},default:!1}),e("nonbreaking_wrap",{processor:"boolean",default:!0})})(n),(n=>{n.addCommand("mceNonBreaking",(()=>{c(n,1)}))})(n),(n=>{const e=()=>n.execCommand("mceNonBreaking");n.ui.registry.addButton("nonbreaking",{icon:"non-breaking",tooltip:"Nonbreaking space",onAction:e,onSetup:u(n)}),n.ui.registry.addMenuItem("nonbreaking",{icon:"non-breaking",text:"Nonbreaking space",onAction:e,onSetup:u(n)})})(n),(n=>{const e=i(n);e>0&&n.on("keydown",(o=>{if(o.keyCode===l.TAB&&!o.isDefaultPrevented()){if(o.shiftKey)return;o.preventDefault(),o.stopImmediatePropagation(),c(n,e)}}))})(n)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/noneditable/plugin.min.js b/deform/static/tinymce/plugins/noneditable/plugin.min.js deleted file mode 100644 index dd15d59e..00000000 --- a/deform/static/tinymce/plugins/noneditable/plugin.min.js +++ /dev/null @@ -1 +0,0 @@ -tinymce.PluginManager.add("noneditable",function(e){function t(){function t(e){var t;if(1===e.nodeType){if(t=e.getAttribute(s),t&&"inherit"!==t)return t;if(t=e.contentEditable,"inherit"!==t)return t}return null}function n(e){for(var n;e;){if(n=t(e))return"false"===n?e:null;e=e.parentNode}}function i(e){for(;e;){if(e.id===g)return e;e=e.parentNode}}function o(e){var t;if(e)for(t=new r(e,e),e=t.current();e;e=t.next())if(3===e.nodeType)return e}function a(n,i){var o,a;return"false"===t(n)&&m.isBlock(n)?(f.select(n),void 0):(a=m.createRng(),"true"===t(n)&&(n.firstChild||n.appendChild(e.getDoc().createTextNode(" ")),n=n.firstChild,i=!0),o=m.create("span",{id:g,"data-mce-bogus":!0},p),i?n.parentNode.insertBefore(o,n):m.insertAfter(o,n),a.setStart(o.firstChild,1),a.collapse(!0),f.setRng(a),o)}function l(e){var t,n,a,r;if(e)t=f.getRng(!0),t.setStartBefore(e),t.setEndBefore(e),n=o(e),n&&n.nodeValue.charAt(0)==p&&(n=n.deleteData(0,1)),m.remove(e,!0),f.setRng(t);else for(a=i(f.getStart());(e=m.get(g))&&e!==r;)a!==e&&(n=o(e),n&&n.nodeValue.charAt(0)==p&&(n=n.deleteData(0,1)),m.remove(e,!0)),r=e}function d(){function e(e,n){var i,o,a,l,s;if(i=c.startContainer,o=c.startOffset,3==i.nodeType){if(s=i.nodeValue.length,o>0&&s>o||(n?o==s:0===o))return}else{if(!(o0?o-1:o;i=i.childNodes[d],i.hasChildNodes()&&(i=i.firstChild)}for(a=new r(i,e);l=a[n?"prev":"next"]();){if(3===l.nodeType&&l.nodeValue.length>0)return;if("true"===t(l))return l}return e}var i,o,s,c,d;l(),s=f.isCollapsed(),i=n(f.getStart()),o=n(f.getEnd()),(i||o)&&(c=f.getRng(!0),s?(i=i||o,(d=e(i,!0))?a(d,!0):(d=e(i,!1))?a(d,!1):f.select(i)):(c=f.getRng(!0),i&&c.setStartBefore(i),o&&c.setEndAfter(o),f.setRng(c)))}function u(o){function a(e,t){for(;e=e[t?"previousSibling":"nextSibling"];)if(3!==e.nodeType||e.nodeValue.length>0)return e}function s(e,t){f.select(e),f.collapse(t)}function u(o){function a(e){for(var t=s;t;){if(t===e)return;t=t.parentNode}m.remove(e),d()}function r(){var i,r,l=e.schema.getNonEmptyElements();for(r=new tinymce.dom.TreeWalker(s,e.getBody());(i=o?r.prev():r.next())&&!l[i.nodeName.toLowerCase()]&&!(3===i.nodeType&&tinymce.trim(i.nodeValue).length>0);)if("false"===t(i))return a(i),!0;return n(i)?!0:!1}var l,s,c,u;if(f.isCollapsed()){if(l=f.getRng(!0),s=l.startContainer,c=l.startOffset,s=i(s)||s,u=n(s))return a(u),!1;if(3==s.nodeType&&(o?c>0:cv||v>124)&&v!=c.DELETE&&v!=c.BACKSPACE){if((tinymce.isMac?o.metaKey:o.ctrlKey)&&(67==v||88==v||86==v))return;if(o.preventDefault(),v==c.LEFT||v==c.RIGHT){var b=v==c.LEFT;if(e.dom.isBlock(g)){var x=b?g.previousSibling:g.nextSibling,w=new r(x,x),C=b?w.prev():w.next();s(C,!b)}else s(g,b)}}else if(v==c.LEFT||v==c.RIGHT||v==c.BACKSPACE||v==c.DELETE){if(p=i(h)){if(v==c.LEFT||v==c.BACKSPACE)if(g=a(p,!0),g&&"false"===t(g)){if(o.preventDefault(),v!=c.LEFT)return m.remove(g),void 0;s(g,!0)}else l(p);if(v==c.RIGHT||v==c.DELETE)if(g=a(p),g&&"false"===t(g)){if(o.preventDefault(),v!=c.RIGHT)return m.remove(g),void 0;s(g,!1)}else l(p)}if((v==c.BACKSPACE||v==c.DELETE)&&!u(v==c.BACKSPACE))return o.preventDefault(),!1}}var m=e.dom,f=e.selection,g="mce_noneditablecaret",p="";e.on("mousedown",function(n){var i=e.selection.getNode();"false"===t(i)&&i==n.target&&d()}),e.on("mouseup keyup",d),e.on("keydown",u)}function n(t){var n=a.length,i=t.content,r=tinymce.trim(o);if("raw"!=t.format){for(;n--;)i=i.replace(a[n],function(t){var n=arguments,o=n[n.length-2];return o>0&&'"'==i.charAt(o-1)?t:''+e.dom.encode("string"==typeof n[1]?n[1]:n[0])+""});t.content=i}}var i,o,a,r=tinymce.dom.TreeWalker,l="contenteditable",s="data-mce-"+l,c=tinymce.util.VK;i=" "+tinymce.trim(e.getParam("noneditable_editable_class","mceEditable"))+" ",o=" "+tinymce.trim(e.getParam("noneditable_noneditable_class","mceNonEditable"))+" ",a=e.getParam("noneditable_regexp"),a&&!a.length&&(a=[a]),e.on("PreInit",function(){t(),a&&e.on("BeforeSetContent",n),e.parser.addAttributeFilter("class",function(e){for(var t,n,a=e.length;a--;)n=e[a],t=" "+n.attr("class")+" ",-1!==t.indexOf(i)?n.attr(s,"true"):-1!==t.indexOf(o)&&n.attr(s,"false")}),e.serializer.addAttributeFilter(s,function(e){for(var t,n=e.length;n--;)t=e[n],a&&t.attr("data-mce-content")?(t.name="#text",t.type=3,t.raw=!0,t.value=t.attr("data-mce-content")):(t.attr(l,null),t.attr(s,null))}),e.parser.addAttributeFilter(l,function(e){for(var t,n=e.length;n--;)t=e[n],t.attr(s,t.attr(l)),t.attr(l,null)})})}); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/pagebreak/index.js b/deform/static/tinymce/plugins/pagebreak/index.js new file mode 100644 index 00000000..0ff61626 --- /dev/null +++ b/deform/static/tinymce/plugins/pagebreak/index.js @@ -0,0 +1,7 @@ +// Exports the "pagebreak" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/pagebreak') +// ES2015: +// import 'tinymce/plugins/pagebreak' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/pagebreak/plugin.js b/deform/static/tinymce/plugins/pagebreak/plugin.js new file mode 100644 index 00000000..c3d62136 --- /dev/null +++ b/deform/static/tinymce/plugins/pagebreak/plugin.js @@ -0,0 +1,117 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$1 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + var global = tinymce.util.Tools.resolve('tinymce.Env'); + + const option = name => editor => editor.options.get(name); + const register$2 = editor => { + const registerOption = editor.options.register; + registerOption('pagebreak_separator', { + processor: 'string', + default: '' + }); + registerOption('pagebreak_split_block', { + processor: 'boolean', + default: false + }); + }; + const getSeparatorHtml = option('pagebreak_separator'); + const shouldSplitBlock = option('pagebreak_split_block'); + + const pageBreakClass = 'mce-pagebreak'; + const getPlaceholderHtml = shouldSplitBlock => { + const html = ``; + return shouldSplitBlock ? `

    ${ html }

    ` : html; + }; + const setup$1 = editor => { + const separatorHtml = getSeparatorHtml(editor); + const shouldSplitBlock$1 = () => shouldSplitBlock(editor); + const pageBreakSeparatorRegExp = new RegExp(separatorHtml.replace(/[\?\.\*\[\]\(\)\{\}\+\^\$\:]/g, a => { + return '\\' + a; + }), 'gi'); + editor.on('BeforeSetContent', e => { + e.content = e.content.replace(pageBreakSeparatorRegExp, getPlaceholderHtml(shouldSplitBlock$1())); + }); + editor.on('PreInit', () => { + editor.serializer.addNodeFilter('img', nodes => { + let i = nodes.length, node, className; + while (i--) { + node = nodes[i]; + className = node.attr('class'); + if (className && className.indexOf(pageBreakClass) !== -1) { + const parentNode = node.parent; + if (parentNode && editor.schema.getBlockElements()[parentNode.name] && shouldSplitBlock$1()) { + parentNode.type = 3; + parentNode.value = separatorHtml; + parentNode.raw = true; + node.remove(); + continue; + } + node.type = 3; + node.value = separatorHtml; + node.raw = true; + } + } + }); + }); + }; + + const register$1 = editor => { + editor.addCommand('mcePageBreak', () => { + editor.insertContent(getPlaceholderHtml(shouldSplitBlock(editor))); + }); + }; + + const setup = editor => { + editor.on('ResolveName', e => { + if (e.target.nodeName === 'IMG' && editor.dom.hasClass(e.target, pageBreakClass)) { + e.name = 'pagebreak'; + } + }); + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const onAction = () => editor.execCommand('mcePageBreak'); + editor.ui.registry.addButton('pagebreak', { + icon: 'page-break', + tooltip: 'Page break', + onAction, + onSetup: onSetupEditable(editor) + }); + editor.ui.registry.addMenuItem('pagebreak', { + text: 'Page break', + icon: 'page-break', + onAction, + onSetup: onSetupEditable(editor) + }); + }; + + var Plugin = () => { + global$1.add('pagebreak', editor => { + register$2(editor); + register$1(editor); + register(editor); + setup$1(editor); + setup(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/pagebreak/plugin.min.js b/deform/static/tinymce/plugins/pagebreak/plugin.min.js index 8f535fa1..fe22f243 100644 --- a/deform/static/tinymce/plugins/pagebreak/plugin.min.js +++ b/deform/static/tinymce/plugins/pagebreak/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("pagebreak",function(e){var t,n="mce-pagebreak",i=e.getParam("pagebreak_separator",""),a='';t=new RegExp(i.replace(/[\?\.\*\[\]\(\)\{\}\+\^\$\:]/g,function(e){return"\\"+e}),"gi"),e.addCommand("mcePageBreak",function(){e.execCommand("mceInsertContent",0,a)}),e.addButton("pagebreak",{title:"Page break",cmd:"mcePageBreak"}),e.addMenuItem("pagebreak",{text:"Page break",icon:"pagebreak",cmd:"mcePageBreak",context:"insert"}),e.on("ResolveName",function(t){"IMG"==t.target.nodeName&&e.dom.hasClass(t.target,n)&&(t.name="pagebreak")}),e.on("click",function(t){t=t.target,"IMG"===t.nodeName&&e.dom.hasClass(t,n)&&e.selection.select(t)}),e.on("BeforeSetContent",function(e){e.content=e.content.replace(t,a)}),e.on("PreInit",function(){e.serializer.addNodeFilter("img",function(e){for(var t,n,a=e.length;a--;)t=e[a],n=t.attr("class"),n&&-1!==n.indexOf("mce-pagebreak")&&(t.type=3,t.value=i,t.raw=!0)})})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager"),a=tinymce.util.Tools.resolve("tinymce.Env");const t=e=>a=>a.options.get(e),n=t("pagebreak_separator"),o=t("pagebreak_split_block"),r="mce-pagebreak",s=e=>{const t=``;return e?`

    ${t}

    `:t},c=e=>a=>{const t=()=>{a.setEnabled(e.selection.isEditable())};return e.on("NodeChange",t),t(),()=>{e.off("NodeChange",t)}};e.add("pagebreak",(e=>{(e=>{const a=e.options.register;a("pagebreak_separator",{processor:"string",default:"\x3c!-- pagebreak --\x3e"}),a("pagebreak_split_block",{processor:"boolean",default:!1})})(e),(e=>{e.addCommand("mcePageBreak",(()=>{e.insertContent(s(o(e)))}))})(e),(e=>{const a=()=>e.execCommand("mcePageBreak");e.ui.registry.addButton("pagebreak",{icon:"page-break",tooltip:"Page break",onAction:a,onSetup:c(e)}),e.ui.registry.addMenuItem("pagebreak",{text:"Page break",icon:"page-break",onAction:a,onSetup:c(e)})})(e),(e=>{const a=n(e),t=()=>o(e),c=new RegExp(a.replace(/[\?\.\*\[\]\(\)\{\}\+\^\$\:]/g,(e=>"\\"+e)),"gi");e.on("BeforeSetContent",(e=>{e.content=e.content.replace(c,s(t()))})),e.on("PreInit",(()=>{e.serializer.addNodeFilter("img",(n=>{let o,s,c=n.length;for(;c--;)if(o=n[c],s=o.attr("class"),s&&-1!==s.indexOf(r)){const n=o.parent;if(n&&e.schema.getBlockElements()[n.name]&&t()){n.type=3,n.value=a,n.raw=!0,o.remove();continue}o.type=3,o.value=a,o.raw=!0}}))}))})(e),(e=>{e.on("ResolveName",(a=>{"IMG"===a.target.nodeName&&e.dom.hasClass(a.target,r)&&(a.name="pagebreak")}))})(e)}))}(); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/paste/plugin.min.js b/deform/static/tinymce/plugins/paste/plugin.min.js deleted file mode 100644 index e660199b..00000000 --- a/deform/static/tinymce/plugins/paste/plugin.min.js +++ /dev/null @@ -1 +0,0 @@ -!function(e,t){"use strict";function n(e,t){for(var n,r=[],i=0;i]+>/g,"")),(i.settings.paste_remove_styles||i.settings.paste_remove_styles_if_webkit!==!1&&e.webkit)&&(t=t.replace(/ style=\"[^\"]+\"/g,"")),n.isDefaultPrevented()||i.insertContent(t)}function d(e){e=i.dom.encode(e).replace(/\r\n/g,"\n");var t=i.dom.getParent(i.selection.getStart(),i.dom.isBlock);e=t&&/^(PRE|DIV)$/.test(t.nodeName)||!i.settings.forced_root_block?c(e,[[/\n/g,"
    "]]):c(e,[[/\n\n/g,"

    "],[/^(.*<\/p>)(

    )$/,"

    $1"],[/\n/g,"
    "]]);var n=i.fire("PastePreProcess",{content:e});n.isDefaultPrevented()||i.insertContent(n.content)}function f(){var e=i.dom.getViewPort().y,t=i.dom.add(i.getBody(),"div",{contentEditable:!1,"data-mce-bogus":"1",style:"position: absolute; top: "+e+"px; left: 0; width: 1px; height: 1px; overflow: hidden"},'

    X
    ');return i.dom.bind(t,"beforedeactivate focusin focusout",function(e){e.stopPropagation()}),t}function p(e){i.dom.unbind(e),i.dom.remove(e)}var m=this,h;if(i.on("keydown",function(e){n.metaKeyPressed(e)&&e.shiftKey&&86==e.keyCode&&(h=o())}),r())i.on("paste",function(e){function t(e,t){for(var r=0;r100){var n,r=f();t.preventDefault(),e.bind(r,"paste",function(e){e.stopPropagation(),n=!0});var a=i.selection.getRng(),c=e.doc.body.createTextRange();if(c.moveToElementText(r.firstChild),c.execCommand("Paste"),p(r),!n)return i.windowManager.alert("Please use Ctrl+V/Cmd+V keyboard shortcuts to paste contents."),void 0;i.selection.setRng(a),l()?d(s(r.firstChild)):u(r.firstChild.innerHTML)}})})}else i.on("init",function(){i.dom.bind(i.getBody(),"paste",function(e){var t=i.getDoc();return e.preventDefault(),e.clipboardData||t.dataTransfer?(d((e.clipboardData||t.dataTransfer).getData("Text")),void 0):(e.preventDefault(),i.windowManager.alert("Please use Ctrl+V/Cmd+V keyboard shortcuts to paste contents."),void 0)})}),i.on("keydown",function(t){if(a(t)&&!t.isDefaultPrevented()){t.stopImmediatePropagation();var n=f(),r=i.selection.getRng();e.webkit&&i.inline&&(n.contentEditable=!0),i.selection.select(n,!0),i.dom.bind(n,"paste",function(e){e.stopPropagation(),setTimeout(function(){p(n),i.lastRng=r,i.selection.setRng(r);var e=n.firstChild;e.lastChild&&"BR"==e.lastChild.nodeName&&e.removeChild(e.lastChild),l()?d(s(e)):u(e.innerHTML)},0)})}});i.settings.paste_data_images||i.on("drop",function(e){var t=e.dataTransfer;t&&t.files&&t.files.length>0&&e.preventDefault()})}i.paste_block_drop&&i.on("dragend dragover draggesture dragdrop drop drag",function(e){e.preventDefault(),e.stopPropagation()}),this.paste=u,this.pasteText=d}}),r(f,[u,p,m,h,g],function(e,t,n,r,i){return function(o){var a=e.each;o.on("PastePreProcess",function(s){function l(e){a(e,function(e){d=e.constructor==RegExp?d.replace(e,""):d.replace(e[0],e[1])})}function c(e){function t(e,t,a,s){var l=e._listLevel||o;l!=o&&(o>l?n&&(n=n.parent.parent):(r=n,n=null)),n&&n.name==a?n.append(e):(r=r||n,n=new i(a,1),s>1&&n.attr("start",""+s),e.wrap(n)),e.name="li",t.value="";var c=t.next;c&&3==c.type&&(c.value=c.value.replace(/^\u00a0+/,"")),l>o&&r&&r.lastChild.append(n),o=l}for(var n,r,o=1,a=e.getAll("p"),s=0;s/gi,/<(!|script[^>]*>.*?<\/script(?=[>\s])|\/?(\?xml(:\w+)?|img|meta|link|style|\w:\w+)(?=[\s\/>]))[^>]*>/gi,[/<(\/?)s>/gi,"<$1strike>"],[/ /gi,"\xa0"],[/([\s\u00a0]*)<\/span>/gi,function(e,t){return t.length>0?t.replace(/./," ").slice(Math.floor(t.length/2)).split("").join("\xa0"):""}]]);var m=new n({valid_elements:"@[style],-strong/b,-em/i,-span,-p,-ol,-ul,-li,-h1,-h2,-h3,-h4,-h5,-h6,-table,-tr,-td[colspan|rowspan],-th,-thead,-tfoot,-tbody,-a[!href],sub,sup,strike"}),h=new t({},m);h.addAttributeFilter("style",function(e){for(var t=e.length,n;t--;)n=e[t],n.attr("style",u(n,n.attr("style"))),"span"!=n.name||n.attributes.length||n.unwrap()});var g=h.parse(d);c(g),s.content=new r({},m).serialize(g)}})}}),r(v,[c,u],function(e,t){return function(n){function r(e){n.on("PastePreProcess",function(t){t.content=e(t.content)})}function i(e,n){return t.each(n,function(t){e=t.constructor==RegExp?e.replace(t,""):e.replace(t[0],t[1])}),e}function o(e){return e=i(e,[/^[\s\S]*|[\s\S]*$/g,[/\u00a0<\/span>/g,"\xa0"],/
    $/])}function a(e){if(!s){var r=[];t.each(n.schema.getBlockElements(),function(e,t){r.push(t)}),s=new RegExp("(?:
     [\\s\\r\\n]+|
    )*(<\\/?("+r.join("|")+")[^>]*>)(?:
     [\\s\\r\\n]+|
    )*","g")}return e=i(e,[[s,"$1"]]),e=i(e,[[/

    /g,"

    "],[/
    /g," "],[/

    /g,"
    "]])}var s;e.webkit&&r(o),e.ie&&r(a)}}),r(y,[b,l,f,v],function(e,t,n,r){var i;e.add("paste",function(e){function o(){"text"==s.pasteFormat?(this.active(!1),s.pasteFormat="html"):(s.pasteFormat="text",this.active(!0),i||(e.windowManager.alert("Paste is now in plain text mode. Contents will now be pasted as plain text until you toggle this option off."),i=!0))}var a=this,s;a.clipboard=s=new t(e),a.quirks=new r(e),a.wordFilter=new n(e),e.settings.paste_as_text&&(a.clipboard.pasteFormat="text"),e.addCommand("mceInsertClipboardContent",function(e,t){t.content&&a.clipboard.paste(t.content),t.text&&a.clipboard.pasteText(t.text)}),e.addButton("pastetext",{icon:"pastetext",tooltip:"Paste as text",onclick:o,active:"text"==a.clipboard.pasteFormat}),e.addMenuItem("pastetext",{text:"Paste as text",selectable:!0,active:s.pasteFormat,onclick:o})})}),a([l,f,v,y])}(this); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/preview/index.js b/deform/static/tinymce/plugins/preview/index.js new file mode 100644 index 00000000..4e8e817b --- /dev/null +++ b/deform/static/tinymce/plugins/preview/index.js @@ -0,0 +1,7 @@ +// Exports the "preview" plugin for usage with module loaders +// Usage: +// CommonJS: +// require('tinymce/plugins/preview') +// ES2015: +// import 'tinymce/plugins/preview' +require('./plugin.js'); \ No newline at end of file diff --git a/deform/static/tinymce/plugins/preview/plugin.js b/deform/static/tinymce/plugins/preview/plugin.js new file mode 100644 index 00000000..506cb9db --- /dev/null +++ b/deform/static/tinymce/plugins/preview/plugin.js @@ -0,0 +1,97 @@ +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ + +(function () { + 'use strict'; + + var global$2 = tinymce.util.Tools.resolve('tinymce.PluginManager'); + + var global$1 = tinymce.util.Tools.resolve('tinymce.Env'); + + var global = tinymce.util.Tools.resolve('tinymce.util.Tools'); + + const option = name => editor => editor.options.get(name); + const getContentStyle = option('content_style'); + const shouldUseContentCssCors = option('content_css_cors'); + const getBodyClass = option('body_class'); + const getBodyId = option('body_id'); + + const getPreviewHtml = editor => { + var _a; + let headHtml = ''; + const encode = editor.dom.encode; + const contentStyle = (_a = getContentStyle(editor)) !== null && _a !== void 0 ? _a : ''; + headHtml += ''; + const cors = shouldUseContentCssCors(editor) ? ' crossorigin="anonymous"' : ''; + global.each(editor.contentCSS, url => { + headHtml += ''; + }); + if (contentStyle) { + headHtml += ''; + } + const bodyId = getBodyId(editor); + const bodyClass = getBodyClass(editor); + const isMetaKeyPressed = global$1.os.isMacOS() || global$1.os.isiOS() ? 'e.metaKey' : 'e.ctrlKey && !e.altKey'; + const preventClicksOnLinksScript = ' '; + const directionality = editor.getBody().dir; + const dirAttr = directionality ? ' dir="' + encode(directionality) + '"' : ''; + const previewHtml = '' + '' + '' + headHtml + '' + '' + editor.getContent() + preventClicksOnLinksScript + '' + ''; + return previewHtml; + }; + + const open = editor => { + const content = getPreviewHtml(editor); + const dataApi = editor.windowManager.open({ + title: 'Preview', + size: 'large', + body: { + type: 'panel', + items: [{ + name: 'preview', + type: 'iframe', + sandboxed: true, + transparent: false + }] + }, + buttons: [{ + type: 'cancel', + name: 'close', + text: 'Close', + primary: true + }], + initialData: { preview: content } + }); + dataApi.focus('close'); + }; + + const register$1 = editor => { + editor.addCommand('mcePreview', () => { + open(editor); + }); + }; + + const register = editor => { + const onAction = () => editor.execCommand('mcePreview'); + editor.ui.registry.addButton('preview', { + icon: 'preview', + tooltip: 'Preview', + onAction + }); + editor.ui.registry.addMenuItem('preview', { + icon: 'preview', + text: 'Preview', + onAction + }); + }; + + var Plugin = () => { + global$2.add('preview', editor => { + register$1(editor); + register(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/preview/plugin.min.js b/deform/static/tinymce/plugins/preview/plugin.min.js index b8430c64..3671f573 100644 --- a/deform/static/tinymce/plugins/preview/plugin.min.js +++ b/deform/static/tinymce/plugins/preview/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("preview",function(e){var t=e.settings;e.addCommand("mcePreview",function(){e.windowManager.open({title:"Preview",width:parseInt(e.getParam("plugin_preview_width","650"),10),height:parseInt(e.getParam("plugin_preview_height","500"),10),html:'',buttons:{text:"Close",onclick:function(){this.parent().parent().close()}},onPostRender:function(){var n,i=this.getEl("body").firstChild.contentWindow.document,a="";tinymce.each(e.contentCSS,function(t){a+=''});var r=t.body_id||"tinymce";-1!=r.indexOf("=")&&(r=e.getParam("body_id","","hash"),r=r[e.id]||r);var o=t.body_class||"";-1!=o.indexOf("=")&&(o=e.getParam("body_class","","hash"),o=o[e.id]||""),n=""+a+""+''+e.getContent()+""+"",i.open(),i.write(n),i.close()}})}),e.addButton("preview",{title:"Preview",cmd:"mcePreview"}),e.addMenuItem("preview",{text:"Preview",cmd:"mcePreview",context:"view"})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager"),t=tinymce.util.Tools.resolve("tinymce.Env"),o=tinymce.util.Tools.resolve("tinymce.util.Tools");const n=e=>t=>t.options.get(e),i=n("content_style"),s=n("content_css_cors"),c=n("body_class"),r=n("body_id");e.add("preview",(e=>{(e=>{e.addCommand("mcePreview",(()=>{(e=>{const n=(e=>{var n;let l="";const a=e.dom.encode,d=null!==(n=i(e))&&void 0!==n?n:"";l+='';const m=s(e)?' crossorigin="anonymous"':"";o.each(e.contentCSS,(t=>{l+='"})),d&&(l+='");const y=r(e),u=c(e),v=' '; + const directionality = editor.getBody().dir; + const dirAttr = directionality ? ' dir="' + encode(directionality) + '"' : ''; + previewHtml = '' + '' + '' + '' + contentCssEntries + preventClicksOnLinksScript + '' + '' + previewHtml + '' + ''; + } + return replaceTemplateValues(previewHtml, getPreviewReplaceValues(editor)); + }; + const open = (editor, templateList) => { + const createTemplates = () => { + if (!templateList || templateList.length === 0) { + const message = editor.translate('No templates defined.'); + editor.notificationManager.open({ + text: message, + type: 'info' + }); + return Optional.none(); + } + return Optional.from(global$2.map(templateList, (template, index) => { + const isUrlTemplate = t => t.url !== undefined; + return { + selected: index === 0, + text: template.title, + value: { + url: isUrlTemplate(template) ? Optional.from(template.url) : Optional.none(), + content: !isUrlTemplate(template) ? Optional.from(template.content) : Optional.none(), + description: template.description + } + }; + })); + }; + const createSelectBoxItems = templates => map(templates, t => ({ + text: t.text, + value: t.text + })); + const findTemplate = (templates, templateTitle) => find(templates, t => t.text === templateTitle); + const loadFailedAlert = api => { + editor.windowManager.alert('Could not load the specified template.', () => api.focus('template')); + }; + const getTemplateContent = t => t.value.url.fold(() => Promise.resolve(t.value.content.getOr('')), url => fetch(url).then(res => res.ok ? res.text() : Promise.reject())); + const onChange = (templates, updateDialog) => (api, change) => { + if (change.name === 'template') { + const newTemplateTitle = api.getData().template; + findTemplate(templates, newTemplateTitle).each(t => { + api.block('Loading...'); + getTemplateContent(t).then(previewHtml => { + updateDialog(api, t, previewHtml); + }).catch(() => { + updateDialog(api, t, ''); + api.setEnabled('save', false); + loadFailedAlert(api); + }); + }); + } + }; + const onSubmit = templates => api => { + const data = api.getData(); + findTemplate(templates, data.template).each(t => { + getTemplateContent(t).then(previewHtml => { + editor.execCommand('mceInsertTemplate', false, previewHtml); + api.close(); + }).catch(() => { + api.setEnabled('save', false); + loadFailedAlert(api); + }); + }); + }; + const openDialog = templates => { + const selectBoxItems = createSelectBoxItems(templates); + const buildDialogSpec = (bodyItems, initialData) => ({ + title: 'Insert Template', + size: 'large', + body: { + type: 'panel', + items: bodyItems + }, + initialData, + buttons: [ + { + type: 'cancel', + name: 'cancel', + text: 'Cancel' + }, + { + type: 'submit', + name: 'save', + text: 'Save', + primary: true + } + ], + onSubmit: onSubmit(templates), + onChange: onChange(templates, updateDialog) + }); + const updateDialog = (dialogApi, template, previewHtml) => { + const content = getPreviewContent(editor, previewHtml); + const bodyItems = [ + { + type: 'listbox', + name: 'template', + label: 'Templates', + items: selectBoxItems + }, + { + type: 'htmlpanel', + html: `

    ${ htmlEscape(template.value.description) }

    ` + }, + { + label: 'Preview', + type: 'iframe', + name: 'preview', + sandboxed: false, + transparent: false + } + ]; + const initialData = { + template: template.text, + preview: content + }; + dialogApi.unblock(); + dialogApi.redial(buildDialogSpec(bodyItems, initialData)); + dialogApi.focus('template'); + }; + const dialogApi = editor.windowManager.open(buildDialogSpec([], { + template: '', + preview: '' + })); + dialogApi.block('Loading...'); + getTemplateContent(templates[0]).then(previewHtml => { + updateDialog(dialogApi, templates[0], previewHtml); + }).catch(() => { + updateDialog(dialogApi, templates[0], ''); + dialogApi.setEnabled('save', false); + loadFailedAlert(dialogApi); + }); + }; + const optTemplates = createTemplates(); + optTemplates.each(openDialog); + }; + + const showDialog = editor => templates => { + open(editor, templates); + }; + const register$1 = editor => { + editor.addCommand('mceInsertTemplate', curry(insertTemplate, editor)); + editor.addCommand('mceTemplate', createTemplateList(editor, showDialog(editor))); + }; + + const setup = editor => { + editor.on('PreProcess', o => { + const dom = editor.dom, dateFormat = getMdateFormat(editor); + global$2.each(dom.select('div', o.node), e => { + if (dom.hasClass(e, 'mceTmpl')) { + global$2.each(dom.select('*', e), e => { + if (hasAnyClasses(dom, e, getModificationDateClasses(editor))) { + e.innerHTML = getDateTime(editor, dateFormat); + } + }); + replaceVals(editor, e); + } + }); + }); + }; + + const onSetupEditable = editor => api => { + const nodeChanged = () => { + api.setEnabled(editor.selection.isEditable()); + }; + editor.on('NodeChange', nodeChanged); + nodeChanged(); + return () => { + editor.off('NodeChange', nodeChanged); + }; + }; + const register = editor => { + const onAction = () => editor.execCommand('mceTemplate'); + editor.ui.registry.addButton('template', { + icon: 'template', + tooltip: 'Insert template', + onSetup: onSetupEditable(editor), + onAction + }); + editor.ui.registry.addMenuItem('template', { + icon: 'template', + text: 'Insert template...', + onSetup: onSetupEditable(editor), + onAction + }); + }; + + var Plugin = () => { + global$3.add('template', editor => { + register$2(editor); + register(editor); + register$1(editor); + setup(editor); + }); + }; + + Plugin(); + +})(); diff --git a/deform/static/tinymce/plugins/template/plugin.min.js b/deform/static/tinymce/plugins/template/plugin.min.js index 47acf74b..00553e97 100644 --- a/deform/static/tinymce/plugins/template/plugin.min.js +++ b/deform/static/tinymce/plugins/template/plugin.min.js @@ -1 +1,4 @@ -tinymce.PluginManager.add("template",function(e){function t(){function t(t){function r(t){if(-1==t.indexOf("")){var n="";tinymce.each(e.contentCSS,function(t){n+=''}),t=""+n+""+""+t+""+""}t=l(t,"template_preview_replace_values");var r=a.find("iframe")[0].getEl().contentWindow.document;r.open(),r.write(t),r.close()}var c=t.control.value();c.url?tinymce.util.XHR.send({url:c.url,success:function(e){n=e,r(n)}}):(n=c.content,r(n)),a.find("#description")[0].text(t.control.value().description)}var a,n,c=[];return e.settings.templates?(tinymce.each(e.settings.templates,function(e){c.push({selected:!c.length,text:e.title,value:{url:e.url,content:e.content,description:e.description}})}),a=e.windowManager.open({title:"Insert template",body:[{type:"container",label:"Templates",items:{type:"listbox",name:"template",values:c,onselect:t}},{type:"label",name:"description",label:"Description",text:" "},{type:"iframe",minWidth:600,minHeight:400,border:1}],onsubmit:function(){r(!1,n)}}),a.find("listbox")[0].fire("select"),void 0):(e.windowManager.alert("No templates defined"),void 0)}function a(t,a){function n(e,t){if(e=""+e,e.length0&&(s=m.create("div",null),s.appendChild(i[0].cloneNode(!0))),c(m.select("*",s),function(t){o(t,e.getParam("template_cdate_classes","cdate").replace(/\s+/g,"|"))&&(t.innerHTML=a(e.getParam("template_cdate_format",e.getLang("template.cdate_format")))),o(t,e.getParam("template_mdate_classes","mdate").replace(/\s+/g,"|"))&&(t.innerHTML=a(e.getParam("template_mdate_format",e.getLang("template.mdate_format")))),o(t,e.getParam("template_selected_content_classes","selcontent").replace(/\s+/g,"|"))&&(t.innerHTML=p)}),n(s),e.execCommand("mceInsertContent",!1,s.innerHTML),e.addVisual()}var c=tinymce.each;e.addCommand("mceInsertTemplate",r),e.addButton("template",{title:"Insert template",onclick:t}),e.addMenuItem("template",{text:"Insert template",onclick:t,context:"insert"}),e.on("PreProcess",function(t){var l=e.dom;c(l.select("div",t.node),function(t){l.hasClass(t,"mceTmpl")&&(c(l.select("*",t),function(t){l.hasClass(t,e.getParam("template_mdate_classes","mdate").replace(/\s+/g,"|"))&&(t.innerHTML=a(e.getParam("template_mdate_format",e.getLang("template.mdate_format"))))}),n(t))})})}); \ No newline at end of file +/** + * TinyMCE version 6.7.3 (2023-11-15) + */ +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(a=n=e,(r=String).prototype.isPrototypeOf(a)||(null===(s=n.constructor)||void 0===s?void 0:s.name)===r.name)?"string":t;var a,n,r,s})(t)===e,a=t("string"),n=t("object"),r=t("array"),s=("function",e=>"function"==typeof e);const l=(!1,()=>false);var o=tinymce.util.Tools.resolve("tinymce.util.Tools");const c=e=>t=>t.options.get(e),i=c("template_cdate_classes"),u=c("template_mdate_classes"),m=c("template_selected_content_classes"),p=c("template_preview_replace_values"),d=c("template_replace_values"),h=c("templates"),g=c("template_cdate_format"),v=c("template_mdate_format"),f=c("content_style"),y=c("content_css_cors"),b=c("body_class"),_=(e,t)=>{if((e=""+e).length{const n="Sun Mon Tue Wed Thu Fri Sat Sun".split(" "),r="Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sunday".split(" "),s="Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec".split(" "),l="January February March April May June July August September October November December".split(" ");return(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=(t=t.replace("%D","%m/%d/%Y")).replace("%r","%I:%M:%S %p")).replace("%Y",""+a.getFullYear())).replace("%y",""+a.getYear())).replace("%m",_(a.getMonth()+1,2))).replace("%d",_(a.getDate(),2))).replace("%H",""+_(a.getHours(),2))).replace("%M",""+_(a.getMinutes(),2))).replace("%S",""+_(a.getSeconds(),2))).replace("%I",""+((a.getHours()+11)%12+1))).replace("%p",a.getHours()<12?"AM":"PM")).replace("%B",""+e.translate(l[a.getMonth()]))).replace("%b",""+e.translate(s[a.getMonth()]))).replace("%A",""+e.translate(r[a.getDay()]))).replace("%a",""+e.translate(n[a.getDay()]))).replace("%%","%")};class T{constructor(e,t){this.tag=e,this.value=t}static some(e){return new T(!0,e)}static none(){return T.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?T.some(e(this.value)):T.none()}bind(e){return this.tag?e(this.value):T.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:T.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return null==e?T.none():T.some(e)}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}T.singletonNone=new T(!1);const S=Object.hasOwnProperty;var x=tinymce.util.Tools.resolve("tinymce.html.Serializer");const C={'"':""","<":"<",">":">","&":"&","'":"'"},w=e=>e.replace(/["'<>&]/g,(e=>{return(t=C,a=e,((e,t)=>S.call(e,t))(t,a)?T.from(t[a]):T.none()).getOr(e);var t,a})),O=(e,t,a)=>((a,n)=>{for(let n=0,s=a.length;nx({validate:!0},e.schema).serialize(e.parser.parse(t,{insert:!0})),D=(e,t)=>(o.each(t,((t,a)=>{s(t)&&(t=t(a)),e=e.replace(new RegExp("\\{\\$"+a.replace(/[.*+?^${}()|[\]\\]/g,"\\$&")+"\\}","g"),t)})),e),N=(e,t)=>{const a=e.dom,n=d(e);o.each(a.select("*",t),(e=>{o.each(n,((t,n)=>{a.hasClass(e,n)&&s(t)&&t(e)}))}))},I=(e,t,a)=>{const n=e.dom,r=e.selection.getContent();a=D(a,d(e));let s=n.create("div",{},A(e,a));const l=n.select(".mceTmpl",s);l&&l.length>0&&(s=n.create("div"),s.appendChild(l[0].cloneNode(!0))),o.each(n.select("*",s),(t=>{O(n,t,i(e))&&(t.innerHTML=M(e,g(e))),O(n,t,u(e))&&(t.innerHTML=M(e,v(e))),O(n,t,m(e))&&(t.innerHTML=r)})),N(e,s),e.execCommand("mceInsertContent",!1,s.innerHTML),e.addVisual()};var E=tinymce.util.Tools.resolve("tinymce.Env");const k=(e,t)=>{const a=(e,t)=>((e,t,a)=>{for(let n=0,r=e.length;ne.text===t),l),n=t=>{e.windowManager.alert("Could not load the specified template.",(()=>t.focus("template")))},r=e=>e.value.url.fold((()=>Promise.resolve(e.value.content.getOr(""))),(e=>fetch(e).then((e=>e.ok?e.text():Promise.reject())))),s=(e,t)=>(s,l)=>{if("template"===l.name){const l=s.getData().template;a(e,l).each((e=>{s.block("Loading..."),r(e).then((a=>{t(s,e,a)})).catch((()=>{t(s,e,""),s.setEnabled("save",!1),n(s)}))}))}},c=t=>s=>{const l=s.getData();a(t,l.template).each((t=>{r(t).then((t=>{e.execCommand("mceInsertTemplate",!1,t),s.close()})).catch((()=>{s.setEnabled("save",!1),n(s)}))}))};(()=>{if(!t||0===t.length){const t=e.translate("No templates defined.");return e.notificationManager.open({text:t,type:"info"}),T.none()}return T.from(o.map(t,((e,t)=>{const a=e=>void 0!==e.url;return{selected:0===t,text:e.title,value:{url:a(e)?T.from(e.url):T.none(),content:a(e)?T.none():T.from(e.content),description:e.description}}})))})().each((t=>{const a=(e=>((e,t)=>{const a=e.length,n=new Array(a);for(let t=0;t({title:"Insert Template",size:"large",body:{type:"panel",items:e},initialData:a,buttons:[{type:"cancel",name:"cancel",text:"Cancel"},{type:"submit",name:"save",text:"Save",primary:!0}],onSubmit:c(t),onChange:s(t,i)}),i=(t,n,r)=>{const s=((e,t)=>{var a;let n=A(e,t);if(-1===t.indexOf("")){let t="";const r=null!==(a=f(e))&&void 0!==a?a:"",s=y(e)?' crossorigin="anonymous"':"";o.each(e.contentCSS,(a=>{t+='"})),r&&(t+='");const l=b(e),c=e.dom.encode,i=' -
    + diff --git a/deform/templates/checkbox.pt b/deform/templates/checkbox.pt index c627d948..bd5537c7 100644 --- a/deform/templates/checkbox.pt +++ b/deform/templates/checkbox.pt @@ -1,23 +1,22 @@ -
    -