1
0
mirror of https://git.tt-rss.org/git/tt-rss.git synced 2025-12-13 20:15:55 +00:00

dojo: remove uncompressed files

This commit is contained in:
Andrew Dolgov
2012-08-14 19:04:32 +04:00
parent 973c4a649f
commit 0181c01109
724 changed files with 0 additions and 137570 deletions

File diff suppressed because it is too large Load Diff

View File

@@ -1,294 +0,0 @@
define("dijit/_editor/_Plugin", [
"dojo/_base/connect", // connect.connect
"dojo/_base/declare", // declare
"dojo/_base/lang", // lang.mixin, lang.hitch
"../form/Button"
], function(connect, declare, lang, Button){
// module:
// dijit/_editor/_Plugin
// summary:
// Base class for a "plugin" to the editor, which is usually
// a single button on the Toolbar and some associated code
var _Plugin = declare("dijit._editor._Plugin", null, {
// summary:
// Base class for a "plugin" to the editor, which is usually
// a single button on the Toolbar and some associated code
constructor: function(/*Object?*/args){
this.params = args || {};
lang.mixin(this, this.params);
this._connects=[];
this._attrPairNames = {};
},
// editor: [const] dijit.Editor
// Points to the parent editor
editor: null,
// iconClassPrefix: [const] String
// The CSS class name for the button node is formed from `iconClassPrefix` and `command`
iconClassPrefix: "dijitEditorIcon",
// button: dijit._Widget?
// Pointer to `dijit.form.Button` or other widget (ex: `dijit.form.FilteringSelect`)
// that is added to the toolbar to control this plugin.
// If not specified, will be created on initialization according to `buttonClass`
button: null,
// command: String
// String like "insertUnorderedList", "outdent", "justifyCenter", etc. that represents an editor command.
// Passed to editor.execCommand() if `useDefaultCommand` is true.
command: "",
// useDefaultCommand: Boolean
// If true, this plugin executes by calling Editor.execCommand() with the argument specified in `command`.
useDefaultCommand: true,
// buttonClass: Widget Class
// Class of widget (ex: dijit.form.Button or dijit.form.FilteringSelect)
// that is added to the toolbar to control this plugin.
// This is used to instantiate the button, unless `button` itself is specified directly.
buttonClass: Button,
// disabled: Boolean
// Flag to indicate if this plugin has been disabled and should do nothing
// helps control button state, among other things. Set via the setter api.
disabled: false,
getLabel: function(/*String*/key){
// summary:
// Returns the label to use for the button
// tags:
// private
return this.editor.commands[key]; // String
},
_initButton: function(){
// summary:
// Initialize the button or other widget that will control this plugin.
// This code only works for plugins controlling built-in commands in the editor.
// tags:
// protected extension
if(this.command.length){
var label = this.getLabel(this.command),
editor = this.editor,
className = this.iconClassPrefix+" "+this.iconClassPrefix + this.command.charAt(0).toUpperCase() + this.command.substr(1);
if(!this.button){
var props = lang.mixin({
label: label,
dir: editor.dir,
lang: editor.lang,
showLabel: false,
iconClass: className,
dropDown: this.dropDown,
tabIndex: "-1"
}, this.params || {});
this.button = new this.buttonClass(props);
}
}
if(this.get("disabled") && this.button){
this.button.set("disabled", this.get("disabled"));
}
},
destroy: function(){
// summary:
// Destroy this plugin
var h;
while(h = this._connects.pop()){ h.remove(); }
if(this.dropDown){
this.dropDown.destroyRecursive();
}
},
connect: function(o, f, tf){
// summary:
// Make a connect.connect() that is automatically disconnected when this plugin is destroyed.
// Similar to `dijit._Widget.connect`.
// tags:
// protected
this._connects.push(connect.connect(o, f, this, tf));
},
updateState: function(){
// summary:
// Change state of the plugin to respond to events in the editor.
// description:
// This is called on meaningful events in the editor, such as change of selection
// or caret position (but not simple typing of alphanumeric keys). It gives the
// plugin a chance to update the CSS of its button.
//
// For example, the "bold" plugin will highlight/unhighlight the bold button depending on whether the
// characters next to the caret are bold or not.
//
// Only makes sense when `useDefaultCommand` is true, as it calls Editor.queryCommandEnabled(`command`).
var e = this.editor,
c = this.command,
checked, enabled;
if(!e || !e.isLoaded || !c.length){ return; }
var disabled = this.get("disabled");
if(this.button){
try{
enabled = !disabled && e.queryCommandEnabled(c);
if(this.enabled !== enabled){
this.enabled = enabled;
this.button.set('disabled', !enabled);
}
if(typeof this.button.checked == 'boolean'){
checked = e.queryCommandState(c);
if(this.checked !== checked){
this.checked = checked;
this.button.set('checked', e.queryCommandState(c));
}
}
}catch(e){
console.log(e); // FIXME: we shouldn't have debug statements in our code. Log as an error?
}
}
},
setEditor: function(/*dijit.Editor*/ editor){
// summary:
// Tell the plugin which Editor it is associated with.
// TODO: refactor code to just pass editor to constructor.
// FIXME: detach from previous editor!!
this.editor = editor;
// FIXME: prevent creating this if we don't need to (i.e., editor can't handle our command)
this._initButton();
// Processing for buttons that execute by calling editor.execCommand()
if(this.button && this.useDefaultCommand){
if(this.editor.queryCommandAvailable(this.command)){
this.connect(this.button, "onClick",
lang.hitch(this.editor, "execCommand", this.command, this.commandArg)
);
}else{
// hide button because editor doesn't support command (due to browser limitations)
this.button.domNode.style.display = "none";
}
}
this.connect(this.editor, "onNormalizedDisplayChanged", "updateState");
},
setToolbar: function(/*dijit.Toolbar*/ toolbar){
// summary:
// Tell the plugin to add it's controller widget (often a button)
// to the toolbar. Does nothing if there is no controller widget.
// TODO: refactor code to just pass toolbar to constructor.
if(this.button){
toolbar.addChild(this.button);
}
// console.debug("adding", this.button, "to:", toolbar);
},
set: function(/* attribute */ name, /* anything */ value){
// summary:
// Set a property on a plugin
// name:
// The property to set.
// value:
// The value to set in the property.
// description:
// Sets named properties on a plugin which may potentially be handled by a
// setter in the plugin.
// For example, if the plugin has a properties "foo"
// and "bar" and a method named "_setFooAttr", calling:
// | plugin.set("foo", "Howdy!");
// would be equivalent to writing:
// | plugin._setFooAttr("Howdy!");
// and:
// | plugin.set("bar", 3);
// would be equivalent to writing:
// | plugin.bar = 3;
//
// set() may also be called with a hash of name/value pairs, ex:
// | plugin.set({
// | foo: "Howdy",
// | bar: 3
// | })
// This is equivalent to calling set(foo, "Howdy") and set(bar, 3)
if(typeof name === "object"){
for(var x in name){
this.set(x, name[x]);
}
return this;
}
var names = this._getAttrNames(name);
if(this[names.s]){
// use the explicit setter
var result = this[names.s].apply(this, Array.prototype.slice.call(arguments, 1));
}else{
this._set(name, value);
}
return result || this;
},
get: function(name){
// summary:
// Get a property from a plugin.
// name:
// The property to get.
// description:
// Get a named property from a plugin. The property may
// potentially be retrieved via a getter method. If no getter is defined, this
// just retrieves the object's property.
// For example, if the plugin has a properties "foo"
// and "bar" and a method named "_getFooAttr", calling:
// | plugin.get("foo");
// would be equivalent to writing:
// | plugin._getFooAttr();
// and:
// | plugin.get("bar");
// would be equivalent to writing:
// | plugin.bar;
var names = this._getAttrNames(name);
return this[names.g] ? this[names.g]() : this[name];
},
_setDisabledAttr: function(disabled){
// summary:
// Function to set the plugin state and call updateState to make sure the
// button is updated appropriately.
this.disabled = disabled;
this.updateState();
},
_getAttrNames: function(name){
// summary:
// Helper function for get() and set().
// Caches attribute name values so we don't do the string ops every time.
// tags:
// private
var apn = this._attrPairNames;
if(apn[name]){ return apn[name]; }
var uc = name.charAt(0).toUpperCase() + name.substr(1);
return (apn[name] = {
s: "_set"+uc+"Attr",
g: "_get"+uc+"Attr"
});
},
_set: function(/*String*/ name, /*anything*/ value){
// summary:
// Helper function to set new value for specified attribute
this[name] = value;
}
});
// Hash mapping plugin name to factory, used for registering plugins
_Plugin.registry = {};
return _Plugin;
});

View File

@@ -1,194 +0,0 @@
define("dijit/_editor/html", [
"dojo/_base/lang", // lang.isString
"dojo/_base/sniff", // has("ie")
".." // for exporting symbols to dijit._editor (remove for 2.0)
], function(lang, has, dijit){
// module:
// dijit/_editor/html
// summary:
// Utility functions used by editor
lang.getObject("_editor", true, dijit);
dijit._editor.escapeXml=function(/*String*/str, /*Boolean?*/noSingleQuotes){
// summary:
// Adds escape sequences for special characters in XML: &<>"'
// Optionally skips escapes for single quotes
str = str.replace(/&/gm, "&amp;").replace(/</gm, "&lt;").replace(/>/gm, "&gt;").replace(/"/gm, "&quot;");
if(!noSingleQuotes){
str = str.replace(/'/gm, "&#39;");
}
return str; // string
};
dijit._editor.getNodeHtml=function(/* DomNode */node){
var output;
switch(node.nodeType){
case 1: //element node
var lName = node.nodeName.toLowerCase();
if(!lName || lName.charAt(0) == "/"){
// IE does some strange things with malformed HTML input, like
// treating a close tag </span> without an open tag <span>, as
// a new tag with tagName of /span. Corrupts output HTML, remove
// them. Other browsers don't prefix tags that way, so will
// never show up.
return "";
}
output = '<' + lName;
//store the list of attributes and sort it to have the
//attributes appear in the dictionary order
var attrarray = [];
var attr;
if(has("ie") && node.outerHTML){
var s = node.outerHTML;
s = s.substr(0, s.indexOf('>'))
.replace(/(['"])[^"']*\1/g, ''); //to make the following regexp safe
var reg = /(\b\w+)\s?=/g;
var m, key;
while((m = reg.exec(s))){
key = m[1];
if(key.substr(0,3) != '_dj'){
if(key == 'src' || key == 'href'){
if(node.getAttribute('_djrealurl')){
attrarray.push([key,node.getAttribute('_djrealurl')]);
continue;
}
}
var val, match;
switch(key){
case 'style':
val = node.style.cssText.toLowerCase();
break;
case 'class':
val = node.className;
break;
case 'width':
if(lName === "img"){
// This somehow gets lost on IE for IMG tags and the like
// and we have to find it in outerHTML, known IE oddity.
match=/width=(\S+)/i.exec(s);
if(match){
val = match[1];
}
break;
}
case 'height':
if(lName === "img"){
// This somehow gets lost on IE for IMG tags and the like
// and we have to find it in outerHTML, known IE oddity.
match=/height=(\S+)/i.exec(s);
if(match){
val = match[1];
}
break;
}
default:
val = node.getAttribute(key);
}
if(val != null){
attrarray.push([key, val.toString()]);
}
}
}
}else{
var i = 0;
while((attr = node.attributes[i++])){
//ignore all attributes starting with _dj which are
//internal temporary attributes used by the editor
var n = attr.name;
if(n.substr(0,3) != '_dj' /*&&
(attr.specified == undefined || attr.specified)*/){
var v = attr.value;
if(n == 'src' || n == 'href'){
if(node.getAttribute('_djrealurl')){
v = node.getAttribute('_djrealurl');
}
}
attrarray.push([n,v]);
}
}
}
attrarray.sort(function(a,b){
return a[0] < b[0] ? -1 : (a[0] == b[0] ? 0 : 1);
});
var j = 0;
while((attr = attrarray[j++])){
output += ' ' + attr[0] + '="' +
(lang.isString(attr[1]) ? dijit._editor.escapeXml(attr[1], true) : attr[1]) + '"';
}
if(lName === "script"){
// Browsers handle script tags differently in how you get content,
// but innerHTML always seems to work, so insert its content that way
// Yes, it's bad to allow script tags in the editor code, but some people
// seem to want to do it, so we need to at least return them right.
// other plugins/filters can strip them.
output += '>' + node.innerHTML +'</' + lName + '>';
}else{
if(node.childNodes.length){
output += '>' + dijit._editor.getChildrenHtml(node)+'</' + lName +'>';
}else{
switch(lName){
case 'br':
case 'hr':
case 'img':
case 'input':
case 'base':
case 'meta':
case 'area':
case 'basefont':
// These should all be singly closed
output += ' />';
break;
default:
// Assume XML style separate closure for everything else.
output += '></' + lName + '>';
}
}
}
break;
case 4: // cdata
case 3: // text
// FIXME:
output = dijit._editor.escapeXml(node.nodeValue, true);
break;
case 8: //comment
// FIXME:
output = '<!--' + dijit._editor.escapeXml(node.nodeValue, true) + '-->';
break;
default:
output = "<!-- Element not recognized - Type: " + node.nodeType + " Name: " + node.nodeName + "-->";
}
return output;
};
dijit._editor.getChildrenHtml = function(/* DomNode */dom){
// summary:
// Returns the html content of a DomNode and children
var out = "";
if(!dom){ return out; }
var nodes = dom["childNodes"] || dom;
//IE issue.
//If we have an actual node we can check parent relationships on for IE,
//We should check, as IE sometimes builds invalid DOMS. If no parent, we can't check
//And should just process it and hope for the best.
var checkParent = !has("ie") || nodes !== dom;
var node, i = 0;
while((node = nodes[i++])){
//IE is broken. DOMs are supposed to be a tree. But in the case of malformed HTML, IE generates a graph
//meaning one node ends up with multiple references (multiple parents). This is totally wrong and invalid, but
//such is what it is. We have to keep track and check for this because otherise the source output HTML will have dups.
//No other browser generates a graph. Leave it to IE to break a fundamental DOM rule. So, we check the parent if we can
//If we can't, nothing more we can do other than walk it.
if(!checkParent || node.parentNode == dom){
out += dijit._editor.getNodeHtml(node);
}
}
return out; // String
};
return dijit._editor;
});

View File

@@ -1,62 +0,0 @@
define("dijit/_editor/nls/FontChoice", { root:
//begin v1.x content
({
fontSize: "Size",
fontName: "Font",
formatBlock: "Format",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "None",
p: "Paragraph",
h1: "Heading",
h2: "Subheading",
h3: "Sub-subheading",
pre: "Pre-formatted",
1: "xx-small",
2: "x-small",
3: "small",
4: "medium",
5: "large",
6: "x-large",
7: "xx-large"
})
//end v1.x content
,
"zh": true,
"zh-tw": true,
"tr": true,
"th": true,
"sv": true,
"sl": true,
"sk": true,
"ru": true,
"ro": true,
"pt": true,
"pt-pt": true,
"pl": true,
"nl": true,
"nb": true,
"ko": true,
"kk": true,
"ja": true,
"it": true,
"hu": true,
"hr": true,
"he": true,
"fr": true,
"fi": true,
"es": true,
"el": true,
"de": true,
"da": true,
"cs": true,
"ca": true,
"az": true,
"ar": true
});

View File

@@ -1,48 +0,0 @@
define("dijit/_editor/nls/LinkDialog", { root:
//begin v1.x content
({
createLinkTitle: "Link Properties",
insertImageTitle: "Image Properties",
url: "URL:",
text: "Description:",
target: "Target:",
set: "Set",
currentWindow: "Current Window",
parentWindow: "Parent Window",
topWindow: "Topmost Window",
newWindow: "New Window"
})
//end v1.x content
,
"zh": true,
"zh-tw": true,
"tr": true,
"th": true,
"sv": true,
"sl": true,
"sk": true,
"ru": true,
"ro": true,
"pt": true,
"pt-pt": true,
"pl": true,
"nl": true,
"nb": true,
"ko": true,
"kk": true,
"ja": true,
"it": true,
"hu": true,
"hr": true,
"he": true,
"fr": true,
"fi": true,
"es": true,
"el": true,
"de": true,
"da": true,
"cs": true,
"ca": true,
"az": true,
"ar": true
});

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/ar/FontChoice", //begin v1.x content
({
fontSize: "الحجم",
fontName: "طاقم طباعة",
formatBlock: "النسق",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "أحادي المسافة",
cursive: "كتابة بحروف متصلة",
fantasy: "خيالي",
noFormat: "‏لا شيء‏",
p: "فقرة",
h1: "عنوان",
h2: "عنوان فرعي",
h3: "فرعي-عنوان فرعي",
pre: "منسق بصفة مسبقة",
1: "صغير جدا جدا",
2: "صغير جدا",
3: "صغير",
4: "متوسط",
5: "كبير",
6: "كبير جدا",
7: "كبير جدا جدا"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/ar/LinkDialog", //begin v1.x content
({
createLinkTitle: "خصائص الوصلة",
insertImageTitle: "خصائص الصورة",
url: "‏عنوان URL:",
text: "الوصف:",
target: "الهدف:",
set: "تحديد",
currentWindow: "النافذة الحالية",
parentWindow: "النافذة الرئيسية",
topWindow: "النافذة العلوية",
newWindow: "‏نافذة جديدة‏"
})
//end v1.x content
);

View File

@@ -1,54 +0,0 @@
define(
"dijit/_editor/nls/ar/commands", //begin v1.x content
({
'bold': 'عري~ض',
'copy': 'نسخ',
'cut': 'قص',
'delete': 'حذف',
'indent': 'ازاحة للداخل',
'insertHorizontalRule': 'مسطرة أفقية',
'insertOrderedList': '‏كشف مرقم‏',
'insertUnorderedList': 'كشف نقطي',
'italic': '~مائل',
'justifyCenter': 'محاذاة في الوسط',
'justifyFull': 'ضبط',
'justifyLeft': 'محاذاة الى اليسار',
'justifyRight': 'محاذاة الى اليمين',
'outdent': 'ازاحة للخارج',
'paste': 'لصق',
'redo': '‏اعادة‏',
'removeFormat': 'ازالة النسق',
'selectAll': '‏اختيار كل‏',
'strikethrough': 'تشطيب',
'subscript': 'رمز سفلي',
'superscript': 'رمز علوي',
'underline': '~تسطير',
'undo': 'تراجع',
'unlink': 'ازالة وصلة',
'createLink': 'تكوين وصلة',
'toggleDir': 'تبديل الاتجاه',
'insertImage': 'ادراج صورة',
'insertTable': 'ادراج/تحرير جدول',
'toggleTableBorder': 'تبديل حدود الجدول',
'deleteTable': 'حذف جدول',
'tableProp': 'خصائص الجدول',
'htmlToggle': 'مصدر HTML',
'foreColor': 'لون الواجهة الأمامية',
'hiliteColor': '‏لون الخلفية‏',
'plainFormatBlock': 'نمط الفقرة',
'formatBlock': 'نمط الفقرة',
'fontSize': 'حجم طاقم الطباعة',
'fontName': 'اسم طاقم الطباعة',
'tabIndent': 'ازاحة علامة الجدولة للداخل',
"fullScreen": "تبديل الشاشة الكاملة",
"viewSource": "مشاهدة مصدر HTML",
"print": "طباعة",
"newPage": "صفحة جديدة",
/* Error messages */
'systemShortcut': 'يكون التصرف "${0}" متاحا فقط ببرنامج الاستعراض الخاص بك باستخدام المسار المختصر للوحة المفاتيح. استخدم ${1}.',
'ctrlKey':'ctrl+${0}',
'appleKey':'\u2318${0}' // "command" or open-apple key on Macintosh
})
//end v1.x content
);

View File

@@ -1,27 +0,0 @@
define(
"dijit/_editor/nls/az/FontChoice", //begin v1.x content
({
"1" : "xx-kiçik",
"2" : "x-kiçik",
"formatBlock" : "Format",
"3" : "kiçik",
"4" : "orta",
"5" : "böyük",
"6" : "çox-böyük",
"7" : "ən böyük",
"fantasy" : "fantaziya",
"serif" : "serif",
"p" : "Abzas",
"pre" : "Əvvəldən düzəldilmiş",
"sans-serif" : "sans-serif",
"fontName" : "Şrift",
"h1" : "Başlıq",
"h2" : "Alt Başlıq",
"h3" : "Alt Alt Başlıq",
"monospace" : "Tək aralıqlı",
"fontSize" : "Ölçü",
"cursive" : "Əl yazısı",
"noFormat" : "Heç biri"
})
//end v1.x content
);

View File

@@ -1,16 +0,0 @@
define(
"dijit/_editor/nls/az/LinkDialog", //begin v1.x content
({
"text" : "Yazı:",
"insertImageTitle" : "Şəkil başlığı əlavə et",
"set" : "Yönəlt",
"newWindow" : "Yeni pəncərə",
"topWindow" : "Üst pəncərə",
"target" : "Hədəf:",
"createLinkTitle" : "Köprü başlığı yarat",
"parentWindow" : "Ana pəncərə",
"currentWindow" : "Hazırki pəncərə",
"url" : "URL:"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/az/commands", //begin v1.x content
({
"removeFormat" : "Formatı Sil",
"copy" :"Köçür",
"paste" :"Yapışdır",
"selectAll" :"Hamısını seç",
"insertOrderedList" :"Nömrəli siyahı",
"insertTable" :"Cədvəl əlavə et",
"print" :"Yazdır",
"underline" :"Altıxətli",
"foreColor" :"Ön plan rəngi",
"htmlToggle" :"HTML kodu",
"formatBlock" :"Abzas stili",
"newPage" :"Yeni səhifə",
"insertHorizontalRule" :"Üfüqi qayda",
"delete" :"Sil",
"insertUnorderedList" :"İşarələnmiş siyahı",
"tableProp" :"Cədvəl xüsusiyyətləri",
"insertImage" :"Şəkil əlavə et",
"superscript" :"Üst işarə",
"subscript" :"Alt işarə",
"createLink" :"Körpü yarat",
"undo" :"Geriyə al",
"fullScreen" :"Tam ekran aç",
"italic" :"İtalik",
"fontName" :"Yazı tipi",
"justifyLeft" :"Sol tərəfə Doğrult",
"unlink" :"Körpünü sil",
"toggleTableBorder" :"Cədvəl kənarlarını göstər/Gizlət",
"viewSource" :"HTML qaynaq kodunu göstər",
"fontSize" :"Yazı tipi böyüklüğü",
"systemShortcut" :"\"${0}\" prosesi yalnız printerinizdə klaviatura qısayolu ilə istifadə oluna bilər. Bundan istifadə edin",
"indent" :"Girinti",
"redo" :"Yenilə",
"strikethrough" :"Üstündən xətt çəkilmiş",
"justifyFull" :"Doğrult",
"justifyCenter" :"Ortaya doğrult",
"hiliteColor" :"Arxa plan rəngi",
"deleteTable" :"Cədvəli sil",
"outdent" :ıxıntı",
"cut" :"Kəs",
"plainFormatBlock" :"Abzas stili",
"toggleDir" :"İstiqaməti dəyişdir",
"bold" :"Qalın",
"tabIndent" :"Qulp girintisi",
"justifyRight" :"Sağa doğrult",
"appleKey" : "⌘${0}",
"ctrlKey" : "ctrl+${0}"
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/ca/FontChoice", //begin v1.x content
({
fontSize: "Mida",
fontName: "Tipus de lletra",
formatBlock: "Format",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monoespai",
cursive: "Cursiva",
fantasy: "Fantasia",
noFormat: "Cap",
p: "Paràgraf",
h1: "Títol",
h2: "Subtítol",
h3: "Subsubtítol",
pre: "Format previ",
1: "xx-petit",
2: "x-petit",
3: "petit",
4: "mitjà",
5: "gran",
6: "x-gran",
7: "xx-gran"
})
//end v1.x content
);

View File

@@ -1,16 +0,0 @@
define(
"dijit/_editor/nls/ca/LinkDialog", //begin v1.x content
({
createLinkTitle: "Propietats de l\'enllaç",
insertImageTitle: "Propietats de la imatge",
url: "URL:",
text: "Descripció:",
target: "Destinació:",
set: "Defineix",
currentWindow: "Finestra actual",
parentWindow: "Finestra pare",
topWindow: "Finestra superior",
newWindow: "Finestra nova"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/ca/commands", //begin v1.x content
({
'bold': 'Negreta',
'copy': 'Copia',
'cut': 'Retalla',
'delete': 'Suprimeix',
'indent': 'Sagnat',
'insertHorizontalRule': 'Regla horitzontal',
'insertOrderedList': 'Llista numerada',
'insertUnorderedList': 'Llista de vinyetes',
'italic': 'Cursiva',
'justifyCenter': 'Centra',
'justifyFull': 'Justifica',
'justifyLeft': 'Alinea a l\'esquerra',
'justifyRight': 'Alinea a la dreta',
'outdent': 'Sagna a l\'esquerra',
'paste': 'Enganxa',
'redo': 'Refés',
'removeFormat': 'Elimina el format',
'selectAll': 'Selecciona-ho tot',
'strikethrough': 'Ratllat',
'subscript': 'Subíndex',
'superscript': 'Superíndex',
'underline': 'Subratllat',
'undo': 'Desfés',
'unlink': 'Elimina l\'enllaç',
'createLink': 'Crea un enllaç',
'toggleDir': 'Inverteix la direcció',
'insertImage': 'Insereix imatge',
'insertTable': 'Insereix/edita la taula',
'toggleTableBorder': 'Inverteix els contorns de taula',
'deleteTable': 'Suprimeix la taula',
'tableProp': 'Propietat de taula',
'htmlToggle': 'Font HTML',
'foreColor': 'Color de primer pla',
'hiliteColor': 'Color de fons',
'plainFormatBlock': 'Estil de paràgraf',
'formatBlock': 'Estil de paràgraf',
'fontSize': 'Cos de la lletra',
'fontName': 'Nom del tipus de lletra',
'tabIndent': 'Sagnat',
"fullScreen": "Commuta pantalla completa",
"viewSource": "Visualitza font HTML",
"print": "Imprimeix",
"newPage": "Pàgina nova",
/* Error messages */
'systemShortcut': 'L\'acció "${0}" és l\'única disponible al navegador utilitzant una drecera del teclat. Utilitzeu ${1}.',
'ctrlKey':'control+${0}'
})
//end v1.x content
);

View File

@@ -1,85 +0,0 @@
define("dijit/_editor/nls/commands", { root:
//begin v1.x content
({
'bold': 'Bold',
'copy': 'Copy',
'cut': 'Cut',
'delete': 'Delete',
'indent': 'Indent',
'insertHorizontalRule': 'Horizontal Rule',
'insertOrderedList': 'Numbered List',
'insertUnorderedList': 'Bullet List',
'italic': 'Italic',
'justifyCenter': 'Align Center',
'justifyFull': 'Justify',
'justifyLeft': 'Align Left',
'justifyRight': 'Align Right',
'outdent': 'Outdent',
'paste': 'Paste',
'redo': 'Redo',
'removeFormat': 'Remove Format',
'selectAll': 'Select All',
'strikethrough': 'Strikethrough',
'subscript': 'Subscript',
'superscript': 'Superscript',
'underline': 'Underline',
'undo': 'Undo',
'unlink': 'Remove Link',
'createLink': 'Create Link',
'toggleDir': 'Toggle Direction',
'insertImage': 'Insert Image',
'insertTable': 'Insert/Edit Table',
'toggleTableBorder': 'Toggle Table Border',
'deleteTable': 'Delete Table',
'tableProp': 'Table Property',
'htmlToggle': 'HTML Source',
'foreColor': 'Foreground Color',
'hiliteColor': 'Background Color',
'plainFormatBlock': 'Paragraph Style',
'formatBlock': 'Paragraph Style',
'fontSize': 'Font Size',
'fontName': 'Font Name',
'tabIndent': 'Tab Indent',
"fullScreen": "Toggle Full Screen",
"viewSource": "View HTML Source",
"print": "Print",
"newPage": "New Page",
/* Error messages */
'systemShortcut': 'The "${0}" action is only available in your browser using a keyboard shortcut. Use ${1}.',
'ctrlKey':'ctrl+${0}',
'appleKey':'\u2318${0}' // "command" or open-apple key on Macintosh
})
//end v1.x content
,
"zh": true,
"zh-tw": true,
"tr": true,
"th": true,
"sv": true,
"sl": true,
"sk": true,
"ru": true,
"ro": true,
"pt": true,
"pt-pt": true,
"pl": true,
"nl": true,
"nb": true,
"ko": true,
"kk": true,
"ja": true,
"it": true,
"hu": true,
"hr": true,
"he": true,
"fr": true,
"fi": true,
"es": true,
"el": true,
"de": true,
"da": true,
"cs": true,
"ca": true,
"az": true,
"ar": true
});

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/cs/FontChoice", //begin v1.x content
({
fontSize: "Velikost",
fontName: "Písmo",
formatBlock: "Formát",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "Žádný",
p: "Odstavec",
h1: "Nadpis",
h2: "Podnadpis",
h3: "Podnadpis 2",
pre: "Předformátované",
1: "extra malé",
2: "velmi malé",
3: "malé",
4: "střední",
5: "velké",
6: "velmi velké",
7: "extra velké"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/cs/LinkDialog", //begin v1.x content
({
createLinkTitle: "Vlastnosti odkazu",
insertImageTitle: "Vlastnosti obrázku",
url: "Adresa URL:",
text: "Popis:",
target: "Cíl:",
set: "Nastavit",
currentWindow: "Aktuální okno",
parentWindow: "Nadřízené okno",
topWindow: "Okno nejvyšší úrovně",
newWindow: "Nové okno"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/cs/commands", //begin v1.x content
({
'bold': 'Tučné',
'copy': 'Kopírovat',
'cut': 'Vyjmout',
'delete': 'Odstranit',
'indent': 'Odsadit',
'insertHorizontalRule': 'Vodorovná čára',
'insertOrderedList': 'Číslovaný seznam',
'insertUnorderedList': 'Seznam s odrážkami',
'italic': 'Kurzíva',
'justifyCenter': 'Zarovnat na střed',
'justifyFull': 'Do bloku',
'justifyLeft': 'Zarovnat vlevo',
'justifyRight': 'Zarovnat vpravo',
'outdent': 'Předsadit',
'paste': 'Vložit',
'redo': 'Opakovat',
'removeFormat': 'Odebrat formát',
'selectAll': 'Vybrat vše',
'strikethrough': 'Přeškrtnutí',
'subscript': 'Dolní index',
'superscript': 'Horní index',
'underline': 'Podtržení',
'undo': 'Zpět',
'unlink': 'Odebrat odkaz',
'createLink': 'Vytvořit odkaz',
'toggleDir': 'Přepnout směr',
'insertImage': 'Vložit obrázek',
'insertTable': 'Vložit/upravit tabulku',
'toggleTableBorder': 'Přepnout ohraničení tabulky',
'deleteTable': 'Odstranit tabulku',
'tableProp': 'Vlastnost tabulky',
'htmlToggle': 'Zdroj HTML',
'foreColor': 'Barva popředí',
'hiliteColor': 'Barva pozadí',
'plainFormatBlock': 'Styl odstavce',
'formatBlock': 'Styl odstavce',
'fontSize': 'Velikost písma',
'fontName': 'Název písma',
'tabIndent': 'Odsazení tabulátoru',
"fullScreen": "Přepnout celou obrazovku",
"viewSource": "Zobrazit zdroj HTML",
"print": "Tisk",
"newPage": "Nová stránka",
/* Error messages */
'systemShortcut': 'Akce "${0}" je v prohlížeči dostupná pouze prostřednictvím klávesové zkratky. Použijte klávesovou zkratku ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/da/FontChoice", //begin v1.x content
({
fontSize: "Størrelse",
fontName: "Skrifttype",
formatBlock: "Format",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "kursiv",
fantasy: "fantasy",
noFormat: "Ingen",
p: "Afsnit",
h1: "Overskrift",
h2: "Underoverskrift",
h3: "Underunderoverskrift",
pre: "Forudformateret",
1: "xx-small",
2: "x-small",
3: "small",
4: "medium",
5: "large",
6: "x-large",
7: "xx-large"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/da/LinkDialog", //begin v1.x content
({
createLinkTitle: "Linkegenskaber",
insertImageTitle: "Billedegenskaber",
url: "URL:",
text: "Beskrivelse:",
target: "Mål:",
set: "Definér",
currentWindow: "Aktuelt vindue",
parentWindow: "Overordnet vindue",
topWindow: "Øverste vindue",
newWindow: "Nyt vindue"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/da/commands", //begin v1.x content
({
'bold': 'Fed',
'copy': 'Kopiér',
'cut': 'Klip',
'delete': 'Slet',
'indent': 'Indrykning',
'insertHorizontalRule': 'Vandret linje',
'insertOrderedList': 'Nummereret liste',
'insertUnorderedList': 'Punktliste',
'italic': 'Kursiv',
'justifyCenter': 'Centreret',
'justifyFull': 'Lige margener',
'justifyLeft': 'Venstrejusteret',
'justifyRight': 'Højrejusteret',
'outdent': 'Udrykning',
'paste': 'Sæt ind',
'redo': 'Annullér Fortryd',
'removeFormat': 'Fjern format',
'selectAll': 'Markér alle',
'strikethrough': 'Gennemstreget',
'subscript': 'Sænket skrift',
'superscript': 'Hævet skrift',
'underline': 'Understreget',
'undo': 'Fortryd',
'unlink': 'Fjern link',
'createLink': 'Opret link',
'toggleDir': 'Skift retning',
'insertImage': 'Indsæt billede',
'insertTable': 'Indsæt/redigér tabel',
'toggleTableBorder': 'Skift tabelramme',
'deleteTable': 'Slet tabel',
'tableProp': 'Tabelegenskab',
'htmlToggle': 'HTML-kilde',
'foreColor': 'Forgrundsfarve',
'hiliteColor': 'Baggrundsfarve',
'plainFormatBlock': 'Afsnitstypografi',
'formatBlock': 'Afsnitstypografi',
'fontSize': 'Skriftstørrelse',
'fontName': 'Skriftnavn',
'tabIndent': 'Indrykning med tabulator',
"fullScreen": "Aktivér/deaktivér fuldskærm",
"viewSource": "Vis HTML-kilde",
"print": "Udskriv",
"newPage": "Ny side",
/* Error messages */
'systemShortcut': 'Funktionen "${0}" kan kun bruges i din browser med en tastaturgenvej. Brug ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/de/FontChoice", //begin v1.x content
({
fontSize: "Größe",
fontName: "Schriftart",
formatBlock: "Format",
serif: "Serife",
"sans-serif": "Serifenlos",
monospace: "Monospaceschrift",
cursive: "Kursiv",
fantasy: "Fantasie",
noFormat: "Keine Angabe",
p: "Absatz",
h1: "Überschrift",
h2: "Unterüberschrift",
h3: "Unterunterüberschrift",
pre: "Vorformatiert",
1: "XXS",
2: "XS",
3: "S",
4: "M",
5: "L",
6: "XL",
7: "XXL"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/de/LinkDialog", //begin v1.x content
({
createLinkTitle: "Linkeigenschaften",
insertImageTitle: "Grafikeigenschaften",
url: "URL:",
text: "Beschreibung:",
target: "Ziel:",
set: "Festlegen",
currentWindow: "Aktuelles Fenster",
parentWindow: "Übergeordnetes Fenster",
topWindow: "Aktives Fenster",
newWindow: "Neues Fenster"
})
//end v1.x content
);

View File

@@ -1,53 +0,0 @@
define(
"dijit/_editor/nls/de/commands", //begin v1.x content
({
'bold': 'Fett',
'copy': 'Kopieren',
'cut': 'Ausschneiden',
'delete': 'Löschen',
'indent': 'Einrücken',
'insertHorizontalRule': 'Horizontaler Strich',
'insertOrderedList': 'Nummerierung',
'insertUnorderedList': 'Aufzählungszeichen',
'italic': 'Kursiv',
'justifyCenter': 'Zentriert',
'justifyFull': 'Blocksatz',
'justifyLeft': 'Linksbündig',
'justifyRight': 'Rechtsbündig',
'outdent': 'Ausrücken',
'paste': 'Einfügen',
'redo': 'Wiederherstellen',
'removeFormat': 'Formatierung entfernen',
'selectAll': 'Alles auswählen',
'strikethrough': 'Durchgestrichen',
'subscript': 'Tiefgestellt',
'superscript': 'Hochgestellt',
'underline': 'Unterstrichen',
'undo': 'Rückgängig',
'unlink': 'Link entfernen',
'createLink': 'Link erstellen',
'toggleDir': 'Wechselrichtung',
'insertImage': 'Grafik einfügen',
'insertTable': 'Tabelle einfügen/bearbeiten',
'toggleTableBorder': 'Tabellenumrandung ein-/ausschalten',
'deleteTable': 'Tabelle löschen',
'tableProp': 'Tabelleneigenschaft',
'htmlToggle': 'HTML-Quelltext',
'foreColor': 'Vordergrundfarbe',
'hiliteColor': 'Hintergrundfarbe',
'plainFormatBlock': 'Absatzstil',
'formatBlock': 'Absatzstil',
'fontSize': 'Schriftgröße',
'fontName': 'Schriftartname',
'tabIndent': 'Tabulatoreinrückung',
"fullScreen": "Gesamtanzeige",
"viewSource": "HTML-Quelle",
"print": "Drucken",
"newPage": "Neue Seite",
/* Error messages */
'systemShortcut': 'Die Aktion "${0}" ist nur über einen Direktaufruf in Ihrem Browser verfügbar. Verwenden Sie ${1}.',
'ctrlKey':'Strg+${0}'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/el/FontChoice", //begin v1.x content
({
fontSize: "Μέγεθος",
fontName: "Γραμματοσειρά",
formatBlock: "Μορφή",
serif: "με πατούρες (serif)",
"sans-serif": "χωρίς πατούρες (sans-serif)",
monospace: "σταθερού πλάτους",
cursive: "πλάγιοι",
fantasy: "φαντασίας",
noFormat: "Χωρίς",
p: "Παράγραφος",
h1: "Επικεφαλίδα",
h2: "Δευτερεύουσα επικεφαλίδα",
h3: "Δευτερεύουσα επικεφαλίδα τρίτου επιπέδου",
pre: "Προ-μορφοποιημένο",
1: "xx-μικρά",
2: "x-μικρά",
3: "μικρά",
4: "μεσαία",
5: "μεγάλα",
6: "x-μεγάλα",
7: "xx-μεγάλα"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/el/LinkDialog", //begin v1.x content
({
createLinkTitle: "Ιδιότητες σύνδεσης",
insertImageTitle: "Ιδιότητες εικόνας",
url: "Διεύθυνση URL:",
text: "Περιγραφή:",
target: "Προορισμός:",
set: "Ορισμός",
currentWindow: "Τρέχον παράθυρο",
parentWindow: "Γονικό παράθυρο",
topWindow: "Παράθυρο σε πρώτο πλάνο",
newWindow: "Νέο παράθυρο"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/el/commands", //begin v1.x content
({
'bold': 'Έντονα',
'copy': 'Αντιγραφή',
'cut': 'Αποκοπή',
'delete': 'Διαγραφή',
'indent': 'Εσοχή',
'insertHorizontalRule': 'Οριζόντια γραμμή',
'insertOrderedList': 'Αριθμημένη λίστα',
'insertUnorderedList': 'Λίστα με κουκίδες',
'italic': 'Πλάγια',
'justifyCenter': 'Στοίχιση στο κέντρο',
'justifyFull': 'Πλήρης στοίχιση',
'justifyLeft': 'Στοίχιση αριστερά',
'justifyRight': 'Στοίχιση δεξιά',
'outdent': 'Μείωση περιθωρίου',
'paste': 'Επικόλληση',
'redo': 'Ακύρωση αναίρεσης',
'removeFormat': 'Αφαίρεση μορφοποίησης',
'selectAll': 'Επιλογή όλων',
'strikethrough': 'Διαγράμμιση',
'subscript': 'Δείκτης',
'superscript': 'Εκθέτης',
'underline': 'Υπογράμμιση',
'undo': 'Αναίρεση',
'unlink': 'Αφαίρεση σύνδεσης',
'createLink': 'Δημιουργία σύνδεσης',
'toggleDir': 'Εναλλαγή κατεύθυνσης',
'insertImage': 'Εισαγωγή εικόνας',
'insertTable': 'Εισαγωγή/Τροποποίηση πίνακα',
'toggleTableBorder': 'Εναλλαγή εμφάνισης περιγράμματος πίνακα',
'deleteTable': 'Διαγραφή πίνακα',
'tableProp': 'Ιδιότητα πίνακα',
'htmlToggle': 'Πρωτογενής κώδικας HTML',
'foreColor': 'Χρώμα προσκηνίου',
'hiliteColor': 'Χρώμα φόντου',
'plainFormatBlock': 'Στυλ παραγράφου',
'formatBlock': 'Στυλ παραγράφου',
'fontSize': 'Μέγεθος γραμματοσειράς',
'fontName': 'Όνομα γραμματοσειράς',
'tabIndent': 'Εσοχή με το πλήκτρο Tab',
"fullScreen": "Εναλλαγή κατάστασης πλήρους οθόνης",
"viewSource": "Προβολή προέλευσης HTML",
"print": "Εκτύπωση",
"newPage": "Νέα σελίδα",
/* Error messages */
'systemShortcut': 'Σε αυτό το πρόγραμμα πλοήγησης, η ενέργεια "${0}" είναι διαθέσιμη μόνο με τη χρήση μιας συντόμευσης πληκτρολογίου. Χρησιμοποιήστε τη συντόμευση ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/es/FontChoice", //begin v1.x content
({
fontSize: "Tamaño",
fontName: "Font",
formatBlock: "Formato",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "espacio sencillo",
cursive: "cursiva",
fantasy: "fantasía",
noFormat: "Ninguno",
p: "Párrafo",
h1: "Cabecera",
h2: "Subcabecera",
h3: "Sub-subcabecera",
pre: "Preformateado",
1: "xx-pequeño",
2: "x-pequeño",
3: "pequeño",
4: "medio",
5: "grande",
6: "x-grande",
7: "xx-grande"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/es/LinkDialog", //begin v1.x content
({
createLinkTitle: "Propiedades del enlace",
insertImageTitle: "Propiedades de la imagen",
url: "URL:",
text: "Descripción:",
target: "Destino:",
set: "Establecer",
currentWindow: "Ventana actual",
parentWindow: "Ventana padre",
topWindow: "Ventana superior",
newWindow: "Nueva ventana"
})
//end v1.x content
);

View File

@@ -1,53 +0,0 @@
define(
"dijit/_editor/nls/es/commands", //begin v1.x content
({
'bold': 'Negrita',
'copy': 'Copiar',
'cut': 'Cortar',
'delete': 'Suprimir',
'indent': 'Sangría',
'insertHorizontalRule': 'Regla horizontal',
'insertOrderedList': 'Lista numerada',
'insertUnorderedList': 'Lista con viñetas',
'italic': 'Cursiva',
'justifyCenter': 'Alinear centro',
'justifyFull': 'Justificar',
'justifyLeft': 'Alinear izquierda',
'justifyRight': 'Alinear derecha',
'outdent': 'Anular sangría',
'paste': 'Pegar',
'redo': 'Rehacer',
'removeFormat': 'Eliminar formato',
'selectAll': 'Seleccionar todo',
'strikethrough': 'Tachado',
'subscript': 'Subíndice',
'superscript': 'Superíndice',
'underline': 'Subrayado',
'undo': 'Deshacer',
'unlink': 'Eliminar enlace',
'createLink': 'Crear enlace',
'toggleDir': 'Conmutar dirección',
'insertImage': 'Insertar imagen',
'insertTable': 'Insertar/Editar tabla',
'toggleTableBorder': 'Conmutar borde de tabla',
'deleteTable': 'Suprimir tabla',
'tableProp': 'Propiedad de tabla',
'htmlToggle': 'Fuente HTML',
'foreColor': 'Color de primer plano',
'hiliteColor': 'Color de segundo plano',
'plainFormatBlock': 'Estilo de párrafo',
'formatBlock': 'Estilo de párrafo',
'fontSize': 'Tamaño de font',
'fontName': 'Nombre de font',
'tabIndent': 'Sangría de tabulador',
"fullScreen": "Conmutar pantalla completa",
"viewSource": "Ver fuente HTML",
"print": "Imprimir",
"newPage": "Nueva página",
/* Error messages */
'systemShortcut': 'La acción "${0}" sólo está disponible en su navegador mediante un atajo de teclado. Utilice ${1}.',
'ctrlKey':'control+${0}'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/fi/FontChoice", //begin v1.x content
({
fontSize: "Koko",
fontName: "Fontti",
formatBlock: "Muoto",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "Ei mitään",
p: "Kappale",
h1: "Otsikko",
h2: "Alatason otsikko",
h3: "Alimman tason otsikko",
pre: "Esimuotoiltu",
1: "xx-small",
2: "x-small",
3: "small",
4: "medium",
5: "large",
6: "x-large",
7: "xx-large"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/fi/LinkDialog", //begin v1.x content
({
createLinkTitle: "Linkin ominaisuudet",
insertImageTitle: "Kuvan ominaisuudet",
url: "URL-osoite:",
text: "Kuvaus:",
target: "Kohde:",
set: "Aseta",
currentWindow: "Nykyinen ikkuna",
parentWindow: "Pääikkuna",
topWindow: "Päällimmäinen ikkuna",
newWindow: "Uusi ikkuna"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/fi/commands", //begin v1.x content
({
'bold': 'Lihavointi',
'copy': 'Kopioi',
'cut': 'Leikkaa',
'delete': 'Poista',
'indent': 'Sisennä',
'insertHorizontalRule': 'Vaakasuuntainen viiva',
'insertOrderedList': 'Numeroitu luettelo',
'insertUnorderedList': 'Numeroimaton luettelo',
'italic': 'Kursivointi',
'justifyCenter': 'Tasaus keskelle',
'justifyFull': 'Tasaus',
'justifyLeft': 'Tasaus vasemmalle',
'justifyRight': 'Tasaus oikealle',
'outdent': 'Ulonna',
'paste': 'Liitä',
'redo': 'Tee uudelleen',
'removeFormat': 'Poista muotoilu',
'selectAll': 'Valitse kaikki',
'strikethrough': 'Yliviivaus',
'subscript': 'Alaindeksi',
'superscript': 'Yläindeksi',
'underline': 'Alleviivaus',
'undo': 'Kumoa',
'unlink': 'Poista linkki',
'createLink': 'Luo linkki',
'toggleDir': 'Vaihda suuntaa',
'insertImage': 'Lisää kuva',
'insertTable': 'Lisää taulukko/muokkaa taulukkoa',
'toggleTableBorder': 'Ota taulukon kehys käyttöön/poista kehys käytöstä',
'deleteTable': 'Poista taulukko',
'tableProp': 'Taulukon ominaisuudet',
'htmlToggle': 'HTML-lähde',
'foreColor': 'Edustaväri',
'hiliteColor': 'Taustaväri',
'plainFormatBlock': 'Kappaletyyli',
'formatBlock': 'Kappaletyyli',
'fontSize': 'Fontin koko',
'fontName': 'Fontin nimi',
'tabIndent': 'Sarkainsisennys',
"fullScreen": "Vaihda koko näyttö",
"viewSource": "Näytä HTML-lähde",
"print": "Tulosta",
"newPage": "Uusi sivu",
/* Error messages */
'systemShortcut': 'Toiminto "${0}" on käytettävissä selaimessa vain näppäimistön pikatoiminnolla. Käytä seuraavaa: ${1}.'
})
//end v1.x content
);

View File

@@ -1,25 +0,0 @@
define(
"dijit/_editor/nls/fr/FontChoice", ({
fontSize: "Taille",
fontName: "Police",
formatBlock: "Mise en forme",
serif: "serif",
"sans-serif": "sans serif",
monospace: "espacement fixe",
cursive: "cursive",
fantasy: "fantaisie",
noFormat: "Néant",
p: "Paragraphe",
h1: "En-tête",
h2: "Sous-en-tête",
h3: "Sous-sous-en-tête",
pre: "Pré-mise en forme",
1: "très très petite",
2: "très petite",
3: "petite",
4: "moyenne",
5: "grande",
6: "très grande",
7: "très très grande"
})
);

View File

@@ -1,16 +0,0 @@
define(
"dijit/_editor/nls/fr/LinkDialog", //begin v1.x content
({
createLinkTitle: "Propriétés du lien",
insertImageTitle: "Propriétés de l'image",
url: "URL :",
text: "Description :",
target: "Cible :",
set: "Définir",
currentWindow: "Fenêtre actuelle",
parentWindow: "Fenêtre parent",
topWindow: "Fenêtre supérieure",
newWindow: "Nouvelle fenêtre"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/fr/commands", //begin v1.x content
({
'bold': 'Gras',
'copy': 'Copier',
'cut': 'Couper',
'delete': 'Supprimer',
'indent': 'Retrait',
'insertHorizontalRule': 'Règle horizontale',
'insertOrderedList': 'Liste numérotée',
'insertUnorderedList': 'Liste à puces',
'italic': 'Italique',
'justifyCenter': 'Aligner au centre',
'justifyFull': 'Justifier',
'justifyLeft': 'Aligner à gauche',
'justifyRight': 'Aligner à droite',
'outdent': 'Retrait négatif',
'paste': 'Coller',
'redo': 'Rétablir',
'removeFormat': 'Supprimer la mise en forme',
'selectAll': 'Sélectionner tout',
'strikethrough': 'Barrer',
'subscript': 'Indice',
'superscript': 'Exposant',
'underline': 'Souligner',
'undo': 'Annuler',
'unlink': 'Supprimer le lien',
'createLink': 'Créer un lien',
'toggleDir': 'Changer de sens',
'insertImage': 'Insérer une image',
'insertTable': 'Insérer/Modifier un tableau',
'toggleTableBorder': 'Afficher/Masquer la bordure du tableau',
'deleteTable': 'Supprimer le tableau',
'tableProp': 'Propriété du tableau',
'htmlToggle': 'Source HTML',
'foreColor': 'Couleur d\'avant-plan',
'hiliteColor': 'Couleur d\'arrière-plan',
'plainFormatBlock': 'Style de paragraphe',
'formatBlock': 'Style de paragraphe',
'fontSize': 'Taille de police',
'fontName': 'Nom de police',
'tabIndent': 'Retrait de tabulation',
"fullScreen": "Basculer en plein écran",
"viewSource": "Afficher la source HTML",
"print": "Imprimer",
"newPage": "Nouvelle page",
/* Error messages */
'systemShortcut': 'L\'action "${0}" est disponible dans votre navigateur uniquement, par le biais d\'un raccourci-clavier. Utilisez ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/he/FontChoice", //begin v1.x content
({
fontSize: "גודל",
fontName: "גופן",
formatBlock: "עיצוב",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "ללא ",
p: "פיסקה",
h1: "כותרת",
h2: "תת-כותרת",
h3: "תת-תת-כותרת",
pre: "מעוצב מראש",
1: "קטן ביות",
2: "קטן מאוד",
3: "קטן",
4: "בינוני",
5: "גדול",
6: "גדול מאוד",
7: "גדול ביותר"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/he/LinkDialog", //begin v1.x content
({
createLinkTitle: "תכונות קישור",
insertImageTitle: "תכונות תמונה",
url: "URL:",
text: "תיאור:",
target: "יעד:",
set: "הגדרה",
currentWindow: "חלון נוכחי",
parentWindow: "חלון אב",
topWindow: "חלון עליון",
newWindow: "חלון חדש"
})
//end v1.x content
);

View File

@@ -1,53 +0,0 @@
define(
"dijit/_editor/nls/he/commands", //begin v1.x content
({
'bold': 'מודגש',
'copy': 'עותק',
'cut': 'גזירה',
'delete': 'מחיקה',
'indent': 'הגדלת כניסה',
'insertHorizontalRule': 'קו אופקי',
'insertOrderedList': 'רשימה ממוספרת',
'insertUnorderedList': 'רשימה עם תבליטים',
'italic': 'נטוי',
'justifyCenter': 'יישור למרכז',
'justifyFull': 'יישור דו-צדדי',
'justifyLeft': 'יישור לשמאל',
'justifyRight': 'יישור לימין',
'outdent': 'הקטנת כניסה',
'paste': 'הדבקה',
'redo': 'שחזור פעולה',
'removeFormat': 'סילוק עיצוב',
'selectAll': 'בחירת הכל',
'strikethrough': 'קו חוצה',
'subscript': 'כתב תחתי',
'superscript': 'כתב עילי',
'underline': 'קו תחתי',
'undo': 'ביטול פעולה',
'unlink': 'סילוק הקישור',
'createLink': 'יצירת קישור',
'toggleDir': 'מיתוג כיוון',
'insertImage': 'הוספת תמונה',
'insertTable': 'הוספת/עריכת טבלה',
'toggleTableBorder': 'מיתוג גבול טבלה',
'deleteTable': 'מחיקת טבלה',
'tableProp': 'תכונת טבלה',
'htmlToggle': 'מקור HTML',
'foreColor': 'צבע חזית',
'hiliteColor': 'צבע רקע',
'plainFormatBlock': 'סגנון פיסקה',
'formatBlock': 'סגנון פיסקה',
'fontSize': 'גופן יחסי',
'fontName': 'שם גופן',
'tabIndent': 'כניסת טאב',
"fullScreen": "מיתוג מסך מלא",
"viewSource": "הצגת מקור HTML",
"print": "הדפסה",
"newPage": "דף חדש",
/* Error messages */
'systemShortcut': 'הפעולה "${0}" זמינה בדפדפן רק באמצעות קיצור דרך במקלדת. השתמשו בקיצור ${1}.',
'ctrlKey':'ctrl+${0}',
'appleKey':'\u2318${0}' // "command" or open-apple key on Macintosh
})
//end v1.x content
);

View File

@@ -1,25 +0,0 @@
define(
"dijit/_editor/nls/hr/FontChoice", ({
fontSize: "Veličina",
fontName: "Font",
formatBlock: "Oblikovanje",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "jednaki razmak",
cursive: "rukopisni",
fantasy: "fantastika",
noFormat: "Nijedan",
p: "Odlomak",
h1: "Naslov",
h2: "Podnaslov",
h3: "Pod-podnaslov",
pre: "Prethodno formatirano",
1: "vrlo vrlo malo",
2: "vrlo malo",
3: "malo",
4: "srednje",
5: "veliko",
6: "vrlo veliko",
7: "vrlo vrlo veliko"
})
);

View File

@@ -1,14 +0,0 @@
define(
"dijit/_editor/nls/hr/LinkDialog", ({
createLinkTitle: "Svojstva veze",
insertImageTitle: "Svojstva slike",
url: "URL:",
text: "Opis:",
target: "Cilj:",
set: "Postavi",
currentWindow: "Aktivni prozor",
parentWindow: "Nadređeni prozor",
topWindow: "Najviši prozor",
newWindow: "Novi prozor"
})
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/hr/commands", ({
'bold': 'Podebljaj',
'copy': 'Kopiraj',
'cut': 'Izreži',
'delete': 'Izbriši',
'indent': 'Uvuci',
'insertHorizontalRule': 'Vodoravno ravnalo',
'insertOrderedList': 'Numerirani popis',
'insertUnorderedList': 'Popis s grafičkim oznakama',
'italic': 'Kurziv',
'justifyCenter': 'Centriraj',
'justifyFull': 'Poravnaj',
'justifyLeft': 'Poravnaj lijevo',
'justifyRight': 'Poravnaj desno',
'outdent': 'Izvuci',
'paste': 'Zalijepi',
'redo': 'Ponovno napravi',
'removeFormat': 'Ukloni oblikovanje',
'selectAll': 'Izaberi sve',
'strikethrough': 'Precrtaj',
'subscript': 'Indeks',
'superscript': 'Superskript',
'underline': 'Podcrtaj',
'undo': 'Poništi',
'unlink': 'Ukloni vezu',
'createLink': 'Kreiraj vezu',
'toggleDir': 'Prebaci smjer',
'insertImage': 'Umetni sliku',
'insertTable': 'Umetni/Uredi tablicu',
'toggleTableBorder': 'Prebaci rub tablice',
'deleteTable': 'Izbriši tablicu',
'tableProp': 'Svojstvo tablice',
'htmlToggle': 'HTML izvor',
'foreColor': 'Boja prednjeg plana',
'hiliteColor': 'Boja pozadine',
'plainFormatBlock': 'Stil odlomka',
'formatBlock': 'Stil odlomka',
'fontSize': 'Veličina fonta',
'fontName': 'Ime fonta',
'tabIndent': 'Tabulator uvlačenja',
"fullScreen": "Prebaci na potpun ekran",
"viewSource": "Pogledaj HTML izvor",
"print": "Ispis",
"newPage": "Nova stranica",
/* Error messages */
'systemShortcut': '"${0}" akcija je dostupna jedino u vašem pregledniku upotrebom prečice tipkovnice. Koristite ${1}.',
'ctrlKey':'ctrl+${0}',
'appleKey':'\u2318${0}' // "command" or open-apple key on Macintosh
})
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/hu/FontChoice", //begin v1.x content
({
fontSize: "Méret",
fontName: "Betűtípus",
formatBlock: "Formátum",
serif: "talpas",
"sans-serif": "talpatlan",
monospace: "rögzített szélességű",
cursive: "kurzív",
fantasy: "fantázia",
noFormat: "Nincs",
p: "Bekezdés",
h1: "Címsor",
h2: "Alcím",
h3: "Al-alcím",
pre: "Előformázott",
1: "xx-kicsi",
2: "x-kicsi",
3: "kicsi",
4: "közepes",
5: "nagy",
6: "x-nagy",
7: "xx-nagy"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/hu/LinkDialog", //begin v1.x content
({
createLinkTitle: "Hivatkozás tulajdonságai",
insertImageTitle: "Kép tulajdonságai",
url: "URL:",
text: "Leírás:",
target: "Cél:",
set: "Beállítás",
currentWindow: "Aktuális ablak",
parentWindow: "Szülő ablak",
topWindow: "Legfelső szintű ablak",
newWindow: "Új ablak"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/hu/commands", //begin v1.x content
({
'bold': 'Félkövér',
'copy': 'Másolás',
'cut': 'Kivágás',
'delete': 'Törlés',
'indent': 'Behúzás',
'insertHorizontalRule': 'Vízszintes vonalzó',
'insertOrderedList': 'Számozott lista',
'insertUnorderedList': 'Felsorolásjeles lista',
'italic': 'Dőlt',
'justifyCenter': 'Középre igazítás',
'justifyFull': 'Sorkizárás',
'justifyLeft': 'Balra igazítás',
'justifyRight': 'Jobbra igazítás',
'outdent': 'Negatív behúzás',
'paste': 'Beillesztés',
'redo': 'Újra',
'removeFormat': 'Formázás eltávolítása',
'selectAll': 'Összes kijelölése',
'strikethrough': 'Áthúzott',
'subscript': 'Alsó index',
'superscript': 'Felső index',
'underline': 'Aláhúzott',
'undo': 'Visszavonás',
'unlink': 'Hivatkozás eltávolítása',
'createLink': 'Hivatkozás létrehozása',
'toggleDir': 'Irány váltókapcsoló',
'insertImage': 'Kép beszúrása',
'insertTable': 'Táblázat beszúrása/szerkesztése',
'toggleTableBorder': 'Táblázatszegély ki-/bekapcsolása',
'deleteTable': 'Táblázat törlése',
'tableProp': 'Táblázat tulajdonságai',
'htmlToggle': 'HTML forrás',
'foreColor': 'Előtérszín',
'hiliteColor': 'Háttérszín',
'plainFormatBlock': 'Bekezdés stílusa',
'formatBlock': 'Bekezdés stílusa',
'fontSize': 'Betűméret',
'fontName': 'Betűtípus',
'tabIndent': 'Tab behúzás',
"fullScreen": "Váltás teljes képernyőre",
"viewSource": "HTML forrás megjelenítése",
"print": "Nyomtatás",
"newPage": "Új oldal",
/* Error messages */
'systemShortcut': 'A(z) "${0}" művelet a böngészőben csak billentyűparancs használatával érhető el. Használja a következőt: ${1}.'
})
//end v1.x content
);

View File

@@ -1,25 +0,0 @@
define(
"dijit/_editor/nls/it/FontChoice", ({
fontSize: "Dimensione",
fontName: "Carattere",
formatBlock: "Formato",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "spaziatura fissa",
cursive: "corsivo",
fantasy: "fantasy",
noFormat: "Nessuna",
p: "Paragrafo",
h1: "Intestazione",
h2: "Sottointestazione",
h3: "Sottointestazione secondaria",
pre: "Preformattato",
1: "piccolissimo",
2: "molto piccolo",
3: "piccolo",
4: "medio",
5: "grande",
6: "molto grande",
7: "grandissimo"
})
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/it/LinkDialog", //begin v1.x content
({
createLinkTitle: "Proprietà collegamento",
insertImageTitle: "Proprietà immagine",
url: "URL:",
text: "Descrizione:",
target: "Destinazione:",
set: "Imposta",
currentWindow: "Finestra corrente",
parentWindow: "Finestra parent",
topWindow: "Finestra in primo piano",
newWindow: "Nuova finestra"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/it/commands", //begin v1.x content
({
'bold': 'Grassetto',
'copy': 'Copia',
'cut': 'Taglia',
'delete': 'Elimina',
'indent': 'Rientra',
'insertHorizontalRule': 'Righello orizzontale',
'insertOrderedList': 'Elenco numerato',
'insertUnorderedList': 'Elenco puntato',
'italic': 'Corsivo',
'justifyCenter': 'Allinea al centro',
'justifyFull': 'Giustifica',
'justifyLeft': 'Allinea a sinistra',
'justifyRight': 'Allinea a destra',
'outdent': 'Rimuovi rientro',
'paste': 'Incolla',
'redo': 'Ripristina',
'removeFormat': 'Rimuovi formato',
'selectAll': 'Seleziona tutto',
'strikethrough': 'Barrato',
'subscript': 'Pedice',
'superscript': 'Apice',
'underline': 'Sottolineato',
'undo': 'Annulla',
'unlink': 'Rimuovi collegamento',
'createLink': 'Crea collegamento',
'toggleDir': 'Inverti direzione',
'insertImage': 'Inserisci immagine',
'insertTable': 'Inserisci/Modifica tabella',
'toggleTableBorder': 'Mostra/Nascondi margine tabella',
'deleteTable': 'Elimina tabella',
'tableProp': 'Proprietà tabella',
'htmlToggle': 'Origine HTML',
'foreColor': 'Colore primo piano',
'hiliteColor': 'Colore sfondo',
'plainFormatBlock': 'Stile paragrafo',
'formatBlock': 'Stile paragrafo',
'fontSize': 'Dimensione carattere',
'fontName': 'Nome carattere',
'tabIndent': 'Rientranza tabulazione',
"fullScreen": "Attiva/Disattiva schermo intero",
"viewSource": "Visualizza origine HTML",
"print": "Stampa",
"newPage": "Nuova pagina",
/* Error messages */
'systemShortcut': 'Azione "${0}" disponibile sul proprio browser solo mediante i tasti di scelta rapida della tastiera. Utilizzare ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/ja/FontChoice", //begin v1.x content
({
fontSize: "サイズ",
fontName: "フォント",
formatBlock: "フォーマット",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "なし",
p: "段落",
h1: "見出し",
h2: "副見出し",
h3: "副見出しの副見出し",
pre: "事前フォーマット済み",
1: "超極小",
2: "極小",
3: "小",
4: "標準",
5: "大",
6: "特大",
7: "超特大"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/ja/LinkDialog", //begin v1.x content
({
createLinkTitle: "リンク・プロパティー",
insertImageTitle: "イメージ・プロパティー",
url: "URL:",
text: "説明:",
target: "ターゲット:",
set: "設定",
currentWindow: "現行ウィンドウ",
parentWindow: "親ウィンドウ",
topWindow: "最上位ウィンドウ",
newWindow: "新規ウィンドウ"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/ja/commands", //begin v1.x content
({
'bold': '太字',
'copy': 'コピー',
'cut': '切り取り',
'delete': '削除',
'indent': 'インデント',
'insertHorizontalRule': '水平罫線',
'insertOrderedList': '番号付きリスト',
'insertUnorderedList': '黒丸付きリスト',
'italic': 'イタリック',
'justifyCenter': '中央揃え',
'justifyFull': '両端揃え',
'justifyLeft': '左揃え',
'justifyRight': '右揃え',
'outdent': 'アウトデント',
'paste': '貼り付け',
'redo': 'やり直し',
'removeFormat': '書式のクリア',
'selectAll': 'すべて選択',
'strikethrough': '取り消し線',
'subscript': '下付き文字',
'superscript': '上付き文字',
'underline': '下線',
'undo': '元に戻す',
'unlink': 'リンクの削除',
'createLink': 'リンクの作成',
'toggleDir': '方向の切り替え',
'insertImage': 'イメージの挿入',
'insertTable': 'テーブルの挿入/編集',
'toggleTableBorder': 'テーブル・ボーダーの切り替え',
'deleteTable': 'テーブルの削除',
'tableProp': 'テーブル・プロパティー',
'htmlToggle': 'HTML ソース',
'foreColor': '前景色',
'hiliteColor': 'マーカー',
'plainFormatBlock': '段落スタイル',
'formatBlock': '段落スタイル',
'fontSize': 'フォント・サイズ',
'fontName': 'フォント名',
'tabIndent': 'タブ・インデント',
"fullScreen": "全画面表示に切り替え",
"viewSource": "HTML ソースの表示",
"print": "印刷",
"newPage": "新規ページ",
/* Error messages */
'systemShortcut': '"${0}" アクションを使用できるのは、ブラウザーでキーボード・ショートカットを使用する場合のみです。${1} を使用してください。',
'ctrlKey':'Ctrl+${0}'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/kk/FontChoice", //begin v1.x content
({
fontSize: "Өлшемі",
fontName: "Қаріп",
formatBlock: "Пішім",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "көлбеу",
fantasy: "қиял-ғажайып",
noFormat: "Ешбір",
p: "Еже",
h1: "Үстіңгі деректеме",
h2: "Ішкі тақырып",
h3: "Ішкі-ішкі тақырып",
pre: "Алдын ала пішімделген",
1: "xx-кіші",
2: "x-кіші",
3: "кіші",
4: "орташа",
5: "үлкен",
6: "x-үлкен",
7: "xx-үлкен"
})
//end v1.x content
);

View File

@@ -1,16 +0,0 @@
define(
"dijit/_editor/nls/kk/LinkDialog", //begin v1.x content
({
createLinkTitle: "Сілтеме сипаттары",
insertImageTitle: "Сурет сипаттары",
url: "URL мекенжайы:",
text: "Сипаттама:",
target: "Мақсат:",
set: "Орнату",
currentWindow: "Ағымдағы терезе",
parentWindow: "Басты терезе",
topWindow: "Ең жоғарғы терезе",
newWindow: "Жаңа терезе"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/kk/commands", //begin v1.x content
({
'bold': 'Қалың',
'copy': 'Көшіру',
'cut': 'Қиып алу',
'delete': 'Жою',
'indent': 'Шегіндіру',
'insertHorizontalRule': 'Көлденең сызғыш',
'insertOrderedList': 'Нөмірленген тізім',
'insertUnorderedList': 'Таңбалауыш тізім',
'italic': 'Көлбеу',
'justifyCenter': 'Ортасы бойынша туралау',
'justifyFull': 'Туралау',
'justifyLeft': 'Сол жақ бойынша туралау',
'justifyRight': 'Оң жақ бойынша туралау',
'outdent': 'Шығыңқы',
'paste': 'Қою',
'redo': 'Қайтару',
'removeFormat': 'Пішімді алып тастау',
'selectAll': 'Барлығын таңдау',
'strikethrough': 'Сызылған',
'subscript': 'Жоласты',
'superscript': 'Жолүсті',
'underline': 'Асты сызылған',
'undo': 'Болдырмау ',
'unlink': 'Сілтемені жою',
'createLink': 'Сілтеме жасау',
'toggleDir': 'Бағытты қосу',
'insertImage': 'Сурет кірістіру',
'insertTable': 'Кестені кірістіру/өңдеу',
'toggleTableBorder': 'Кесте жиегін қосу',
'deleteTable': 'Кестені жою',
'tableProp': 'Кесте сипаты',
'htmlToggle': 'HTML көзі',
'foreColor': 'Алды түсі',
'hiliteColor': 'Өң түсі',
'plainFormatBlock': 'Еже мәнері',
'formatBlock': 'Еже мәнері',
'fontSize': 'Қаріп өлшемі',
'fontName': 'Қаріп атауы',
'tabIndent': 'Қойынды шегінісі',
"fullScreen": "Толық экранды қосу",
"viewSource": "HTML көзін қарау",
"print": "Басып шығару",
"newPage": "Жаңа бет",
/* Error messages */
'systemShortcut': '"${0}" әрекеті шолғышта тек пернелер тіркесімі арқылы қол жетімді. ${1} пайдаланыңыз.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/ko/FontChoice", //begin v1.x content
({
fontSize: "크기",
fontName: "글꼴",
formatBlock: "서식",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "없음",
p: "단락",
h1: "제목",
h2: "부제목",
h3: "하위 부제목",
pre: "서식이 지정됨",
1: "가장 작게",
2: "조금 작게",
3: "작게",
4: "중간",
5: "크게",
6: "조금 크게",
7: "가장 크게"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/ko/LinkDialog", //begin v1.x content
({
createLinkTitle: "링크 등록 정보",
insertImageTitle: "이미지 등록 정보",
url: "URL:",
text: "설명:",
target: "대상",
set: "설정",
currentWindow: "현재 창",
parentWindow: "상위 창",
topWindow: "최상위 창",
newWindow: "새 창"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/ko/commands", //begin v1.x content
({
'bold': '굵게',
'copy': '복사',
'cut': '잘라내기',
'delete': '삭제',
'indent': '들여쓰기',
'insertHorizontalRule': '수평 자',
'insertOrderedList': '번호 목록',
'insertUnorderedList': '글머리표 목록',
'italic': '기울임꼴',
'justifyCenter': '가운데 맞춤',
'justifyFull': '양쪽 맞춤',
'justifyLeft': '왼쪽 맞춤',
'justifyRight': '오른쪽 맞춤',
'outdent': '내어쓰기',
'paste': '붙여넣기',
'redo': '다시 실행',
'removeFormat': '형식 제거',
'selectAll': '모두 선택',
'strikethrough': '취소선',
'subscript': '아래첨자',
'superscript': '위첨자',
'underline': '밑줄',
'undo': '실행 취소',
'unlink': '링크 제거',
'createLink': '링크 작성',
'toggleDir': '방향 토글',
'insertImage': '이미지 삽입',
'insertTable': '테이블 삽입/편집',
'toggleTableBorder': '테이블 외곽선 토글',
'deleteTable': '테이블 삭제',
'tableProp': '테이블 특성',
'htmlToggle': 'HTML 소스',
'foreColor': '전경색',
'hiliteColor': '배경색',
'plainFormatBlock': '단락 양식',
'formatBlock': '단락 양식',
'fontSize': '글꼴 크기',
'fontName': '글꼴 이름',
'tabIndent': '탭 들여쓰기',
"fullScreen": "전체 화면 토글",
"viewSource": "HTML 소스 보기",
"print": "인쇄",
"newPage": "새 페이지",
/* Error messages */
'systemShortcut': '"${0}" 조치는 브라우저에서 키보드 단축키를 통해서만 사용 가능합니다. ${1}을(를) 사용하십시오.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/nb/FontChoice", //begin v1.x content
({
fontSize: "Størrelse",
fontName: "Skrift",
formatBlock: "Format",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "kursiv",
fantasy: "fantasi",
noFormat: "Ingen",
p: "Avsnitt",
h1: "Overskrift",
h2: "Undertittel",
h3: "Under-undertittel",
pre: "Forhåndsformatert",
1: "xx-liten",
2: "x-liten",
3: "liten",
4: "middels",
5: "stor",
6: "x-stor",
7: "xx-stor"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/nb/LinkDialog", //begin v1.x content
({
createLinkTitle: "Koblingsegenskaper",
insertImageTitle: "Bildeegenskaper",
url: "URL:",
text: "Beskrivelse:",
target: "Mål:",
set: "Definer",
currentWindow: "Gjeldende vindu",
parentWindow: "Overordnet vindu",
topWindow: "Øverste vindu",
newWindow: "Nytt vindu"
})
//end v1.x content
);

View File

@@ -1,53 +0,0 @@
define(
"dijit/_editor/nls/nb/commands", //begin v1.x content
({
'bold': 'Fet',
'copy': 'Kopier',
'cut': 'Klipp ut',
'delete': 'Slett',
'indent': 'Innrykk',
'insertHorizontalRule': 'Vannrett strek',
'insertOrderedList': 'Nummerert liste',
'insertUnorderedList': 'Punktliste',
'italic': 'Kursiv',
'justifyCenter': 'Midtstill',
'justifyFull': 'Juster',
'justifyLeft': 'Venstrejuster',
'justifyRight': 'Høyrejuster',
'outdent': 'Fjern innrykk',
'paste': 'Lim inn',
'redo': 'Gjør om',
'removeFormat': 'Fjern format',
'selectAll': 'Velg alle',
'strikethrough': 'Gjennomstreking',
'subscript': 'Senket skrift',
'superscript': 'Hevet skrift',
'underline': 'Understreking',
'undo': 'Angre',
'unlink': 'Fjern kobling',
'createLink': 'Opprett kobling',
'toggleDir': 'Bytt retning',
'insertImage': 'Sett inn bilde',
'insertTable': 'Sett inn/rediger tabell',
'toggleTableBorder': 'Bytt tabellkant',
'deleteTable': 'Slett tabell',
'tableProp': 'Tabellegenskap',
'htmlToggle': 'HTML-kilde',
'foreColor': 'Forgrunnsfarge',
'hiliteColor': 'Bakgrunnsfarge',
'plainFormatBlock': 'Avsnittsstil',
'formatBlock': 'Avsnittsstil',
'fontSize': 'Skriftstørrelse',
'fontName': 'Skriftnavn',
'tabIndent': 'Tabulatorinnrykk',
"fullScreen": "Slå på/av full skjerm",
"viewSource": "Vis HTML-kilde",
"print": "Skriv ut",
"newPage": "Ny side",
/* Error messages */
'systemShortcut': 'Handlingen "${0}" er bare tilgjengelig i nettleseren ved hjelp av en tastatursnarvei. Bruk ${1}.',
'ctrlKey':'ctrl+${0}',
'appleKey':'\u2318${0}' // "command" or open-apple key on Macintosh
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/nl/FontChoice", //begin v1.x content
({
fontSize: "Grootte",
fontName: "Lettertype",
formatBlock: "Opmaak",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursief",
fantasy: "fantasy",
noFormat: "Geen",
p: "Alinea",
h1: "Kop",
h2: "Subkop",
h3: "Sub-subkop",
pre: "Vooraf opgemaakt",
1: "xx-klein",
2: "x-klein",
3: "klein",
4: "gemiddeld",
5: "groot",
6: "x-groot",
7: "xx-groot"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/nl/LinkDialog", //begin v1.x content
({
createLinkTitle: "Linkeigenschappen",
insertImageTitle: "Afbeeldingseigenschappen",
url: "URL:",
text: "Beschrijving:",
target: "Doel:",
set: "Instellen",
currentWindow: "Huidig venster",
parentWindow: "Hoofdvenster",
topWindow: "Bovenste venster",
newWindow: "Nieuw venster"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/nl/commands", //begin v1.x content
({
'bold': 'Vet',
'copy': 'Kopiëren',
'cut': 'Knippen',
'delete': 'Wissen',
'indent': 'Inspringen',
'insertHorizontalRule': 'Horizontale liniaal',
'insertOrderedList': 'Genummerde lijst',
'insertUnorderedList': 'Lijst met opsommingstekens',
'italic': 'Cursief',
'justifyCenter': 'Centreren',
'justifyFull': 'Uitvullen',
'justifyLeft': 'Links uitlijnen',
'justifyRight': 'Rechts uitlijnen',
'outdent': 'Uitspringen',
'paste': 'Plakken',
'redo': 'Opnieuw',
'removeFormat': 'Opmaak verwijderen',
'selectAll': 'Alles selecteren',
'strikethrough': 'Doorhalen',
'subscript': 'Subscript',
'superscript': 'Superscript',
'underline': 'Onderstrepen',
'undo': 'Ongedaan maken',
'unlink': 'Link verwijderen',
'createLink': 'Link maken',
'toggleDir': 'Schrijfrichting wijzigen',
'insertImage': 'Afbeelding invoegen',
'insertTable': 'Tabel invoegen/bewerken',
'toggleTableBorder': 'Tabelkader wijzigen',
'deleteTable': 'Tabel wissen',
'tableProp': 'Tabeleigenschap',
'htmlToggle': 'HTML-bron',
'foreColor': 'Voorgrondkleur',
'hiliteColor': 'Achtergrondkleur',
'plainFormatBlock': 'Alineastijl',
'formatBlock': 'Alineastijl',
'fontSize': 'Lettergrootte',
'fontName': 'Lettertype',
'tabIndent': 'Inspringen',
"fullScreen": "Volledig scherm in-/uitschakelen",
"viewSource": "HTML-bron bekijken",
"print": "Afdrukken",
"newPage": "Nieuwe pagina",
/* Error messages */
'systemShortcut': 'De actie "${0}" is alleen beschikbaar in uw browser via een sneltoetscombinatie. Gebruik ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/pl/FontChoice", //begin v1.x content
({
fontSize: "Wielkość",
fontName: "Czcionka",
formatBlock: "Format",
serif: "szeryfowa",
"sans-serif": "bezszeryfowa",
monospace: "czcionka o stałej szerokości",
cursive: "kursywa",
fantasy: "fantazyjna",
noFormat: "Brak",
p: "Akapit",
h1: "Nagłówek",
h2: "Nagłówek 2-go poziomu",
h3: "Nagłówek 3-go poziomu",
pre: "Wstępnie sformatowane",
1: "najmniejsza",
2: "mniejsza",
3: "mała",
4: "średnia",
5: "duża",
6: "większa",
7: "największa"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/pl/LinkDialog", //begin v1.x content
({
createLinkTitle: "Właściwości odsyłacza",
insertImageTitle: "Właściwości obrazu",
url: "Adres URL:",
text: "Opis:",
target: "Cel:",
set: "Ustaw",
currentWindow: "Bieżące okno",
parentWindow: "Okno macierzyste",
topWindow: "Okno najwyższego poziomu",
newWindow: "Nowe okno"
})
//end v1.x content
);

View File

@@ -1,53 +0,0 @@
define(
"dijit/_editor/nls/pl/commands", //begin v1.x content
({
'bold': 'Pogrubienie',
'copy': 'Kopiuj',
'cut': 'Wytnij',
'delete': 'Usuń',
'indent': 'Wcięcie',
'insertHorizontalRule': 'Linia pozioma',
'insertOrderedList': 'Lista numerowana',
'insertUnorderedList': 'Lista wypunktowana',
'italic': 'Kursywa',
'justifyCenter': 'Wyrównaj do środka',
'justifyFull': 'Wyrównaj do lewej i prawej',
'justifyLeft': 'Wyrównaj do lewej',
'justifyRight': 'Wyrównaj do prawej',
'outdent': 'Usuń wcięcie',
'paste': 'Wklej',
'redo': 'Ponów',
'removeFormat': 'Usuń formatowanie',
'selectAll': 'Wybierz wszystko',
'strikethrough': 'Przekreślenie',
'subscript': 'Indeks dolny',
'superscript': 'Indeks górny',
'underline': 'Podkreślenie',
'undo': 'Cofnij',
'unlink': 'Usuń odsyłacz',
'createLink': 'Utwórz odsyłacz',
'toggleDir': 'Przełącz kierunek',
'insertImage': 'Wstaw obraz',
'insertTable': 'Wstaw/edytuj tabelę',
'toggleTableBorder': 'Przełącz ramkę tabeli',
'deleteTable': 'Usuń tabelę',
'tableProp': 'Właściwość tabeli',
'htmlToggle': 'Kod źródłowy HTML',
'foreColor': 'Kolor pierwszego planu',
'hiliteColor': 'Kolor tła',
'plainFormatBlock': 'Styl akapitu',
'formatBlock': 'Styl akapitu',
'fontSize': 'Wielkość czcionki',
'fontName': 'Nazwa czcionki',
'tabIndent': 'Wcięcie o tabulator',
"fullScreen": "Przełącz pełny ekran",
"viewSource": "Wyświetl kod źródłowy HTML",
"print": "Drukuj",
"newPage": "Nowa strona",
/* Error messages */
'systemShortcut': 'Działanie ${0} jest dostępne w tej przeglądarce wyłącznie przy użyciu skrótu klawiaturowego. Należy użyć klawiszy ${1}.',
'ctrlKey':'Ctrl+${0}'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/pt-pt/FontChoice", //begin v1.x content
({
fontSize: "Tamanho",
fontName: "Tipo de letra",
formatBlock: "Formato",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "Nenhum",
p: "Parágrafo",
h1: "Título",
h2: "Sub-título",
h3: "Sub-subtítulo",
pre: "Pré-formatado",
1: "xxs",
2: "xs",
3: "small",
4: "medium",
5: "large",
6: "xl",
7: "xxl"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/pt-pt/LinkDialog", //begin v1.x content
({
createLinkTitle: "Propriedades da ligação",
insertImageTitle: "Propriedades da imagem",
url: "URL:",
text: "Descrição:",
target: "Destino:",
set: "Definir",
currentWindow: "Janela actual",
parentWindow: "Janela ascendente",
topWindow: "Janela superior",
newWindow: "Nova janela"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/pt-pt/commands", //begin v1.x content
({
'bold': 'Negrito',
'copy': 'Copiar',
'cut': 'Cortar',
'delete': 'Eliminar',
'indent': 'Indentar',
'insertHorizontalRule': 'Régua horizontal',
'insertOrderedList': 'Lista numerada',
'insertUnorderedList': 'Lista marcada',
'italic': 'Itálico',
'justifyCenter': 'Alinhar ao centro',
'justifyFull': 'Justificar',
'justifyLeft': 'Alinhar à esquerda',
'justifyRight': 'Alinhar à direita',
'outdent': 'Recuar',
'paste': 'Colar',
'redo': 'Repetir',
'removeFormat': 'Remover formato',
'selectAll': 'Seleccionar tudo',
'strikethrough': 'Rasurado',
'subscript': 'Inferior à linha',
'superscript': 'Superior à linha',
'underline': 'Sublinhado',
'undo': 'Anular',
'unlink': 'Remover ligação',
'createLink': 'Criar ligação',
'toggleDir': 'Alternar direcção',
'insertImage': 'Inserir imagem',
'insertTable': 'Inserir/Editar tabela',
'toggleTableBorder': 'Alternar contorno da tabela',
'deleteTable': 'Eliminar tabela',
'tableProp': 'Propriedades da tabela',
'htmlToggle': 'Código-fonte de HTML',
'foreColor': 'Cor de primeiro plano',
'hiliteColor': 'Cor de segundo plano',
'plainFormatBlock': 'Estilo de parágrafo',
'formatBlock': 'Estilo de parágrafo',
'fontSize': 'Tamanho do tipo de letra',
'fontName': 'Nome do tipo de letra',
'tabIndent': 'Indentar com a tecla Tab',
"fullScreen": "Alternar ecrã completo",
"viewSource": "Ver origem HTML",
"print": "Imprimir",
"newPage": "Nova página",
/* Error messages */
'systemShortcut': 'A acção "${0}" apenas está disponível no navegador utilizando um atalho de teclado. Utilize ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/pt/FontChoice", //begin v1.x content
({
fontSize: "Tamanho",
fontName: "Fonte",
formatBlock: "Formatar",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "espaço simples",
cursive: "cursiva",
fantasy: "fantasy",
noFormat: "Nenhuma",
p: "Parágrafo",
h1: "Título",
h2: "Subtítulo",
h3: "Sub-subtítulo",
pre: "Pré-formatado",
1: "extra-extra-pequeno",
2: "extra-pequeno",
3: "pequena",
4: "médio",
5: "grande",
6: "extra-grande",
7: "extra-extra-grande"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/pt/LinkDialog", //begin v1.x content
({
createLinkTitle: "Propriedades de Link",
insertImageTitle: "Propriedades de Imagem",
url: "URL:",
text: "Descrição:",
target: "Destino:",
set: "Definir",
currentWindow: "Janela Atual",
parentWindow: "Janela Pai",
topWindow: "Primeira Janela",
newWindow: "Nova Janela"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/pt/commands", //begin v1.x content
({
'bold': 'Negrito',
'copy': 'Copiar',
'cut': 'Recortar',
'delete': 'Excluir',
'indent': 'Recuar',
'insertHorizontalRule': 'Régua Horizontal',
'insertOrderedList': 'Lista Numerada',
'insertUnorderedList': 'Lista com Marcadores',
'italic': 'Itálico',
'justifyCenter': 'Alinhar pelo Centro',
'justifyFull': 'Justificar',
'justifyLeft': 'Alinhar à Esquerda',
'justifyRight': 'Alinhar à Direita',
'outdent': 'Não chanfrado',
'paste': 'Colar',
'redo': 'Refazer',
'removeFormat': 'Remover Formato',
'selectAll': 'Selecionar Todos',
'strikethrough': 'Tachado',
'subscript': 'Subscrito',
'superscript': 'Sobrescrito',
'underline': 'Sublinhado',
'undo': 'Desfazer',
'unlink': 'Remover Link',
'createLink': 'Criar Link',
'toggleDir': 'Comutar Direção',
'insertImage': 'Inserir Imagem',
'insertTable': 'Inserir/Editar Tabela',
'toggleTableBorder': 'Alternar Moldura da Tabela',
'deleteTable': 'Excluir Tabela',
'tableProp': 'Propriedade da Tabela',
'htmlToggle': 'Origem HTML',
'foreColor': 'Cor do Primeiro Plano',
'hiliteColor': 'Cor do Segundo Plano',
'plainFormatBlock': 'Estilo de Parágrafo',
'formatBlock': 'Estilo de Parágrafo',
'fontSize': 'Tamanho da Fonte',
'fontName': 'Nome da Fonte',
'tabIndent': 'Recuo de Guia',
"fullScreen": "Comutar Tela Cheia",
"viewSource": "Visualizar Origem HTML",
"print": "Imprimir",
"newPage": "Nova Página",
/* Error messages */
'systemShortcut': 'A ação "${0}" está disponível em seu navegador apenas usando um atalho de teclado. Use ${1}.'
})
//end v1.x content
);

View File

@@ -1,31 +0,0 @@
define(
"dijit/_editor/nls/ro/FontChoice", //begin v1.x content
({
fontSize: "Dimensiune",
fontName: "Font",
formatBlock: "Format",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "Fără",
p: "Paragraf",
h1: "Titlu",
h2: "Subtitlu",
h3: "Sub-subtitlu",
pre: "Preformatat",
1: "xxs (xx-small)",
2: "xs (x-small)",
3: "s (small)",
4: "m (medium)",
5: "l (large)",
6: "xl (x-large)",
7: "xxl (xx-large)"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/ro/LinkDialog", //begin v1.x content
({
createLinkTitle: "Proprietăţi legătură",
insertImageTitle: "Proprietăţi imagine",
url: "URL:",
text: "Descriere:",
target: "Destinaţie:",
set: "Setare",
currentWindow: "Fereastra curentă",
parentWindow: "Fereastra părinte",
topWindow: "Fereastra cea mai de sus",
newWindow: "Fereastra nouă"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/ro/commands", //begin v1.x content
({
'bold': 'Aldin',
'copy': 'Copiere',
'cut': 'Tăiere',
'delete': 'Ştergere',
'indent': 'Micşorare indent',
'insertHorizontalRule': 'Linie delimitatoare',
'insertOrderedList': 'Listă numerotată',
'insertUnorderedList': 'Listă cu marcator',
'italic': 'Cursiv',
'justifyCenter': 'Aliniere centru',
'justifyFull': 'Aliniere stânga-dreapta',
'justifyLeft': 'Aliniere stânga',
'justifyRight': 'Aliniere dreapta',
'outdent': 'Mărire indent',
'paste': 'Lipire',
'redo': 'Refacere acţiune',
'removeFormat': 'Înlăturare format',
'selectAll': 'Selectează tot',
'strikethrough': 'Tăiere text cu o linie',
'subscript': 'Scriere indice inferior',
'superscript': 'Scriere indice superior',
'underline': 'Subliniere',
'undo': 'Anulare acţiune',
'unlink': 'Înlăturare legătură',
'createLink': 'Creare legătură',
'toggleDir': 'Comutare direcţie',
'insertImage': 'Inserare imagine',
'insertTable': 'Inserare/Editare tabelă',
'toggleTableBorder': 'Comutare bordură tabelă',
'deleteTable': 'Ştergere tabelă',
'tableProp': 'Proprietate tabelă',
'htmlToggle': 'Sursă HTML',
'foreColor': 'Culoare de prim-plan',
'hiliteColor': 'Culoare de fundal',
'plainFormatBlock': 'Stil paragraf',
'formatBlock': 'Stil paragraf',
'fontSize': 'Dimensiune font',
'fontName': 'Nume font',
'tabIndent': 'Indentare Tab',
"fullScreen": "Comutare ecran complet",
"viewSource": "Vizualizara sursă HTML",
"print": "Tipărire",
"newPage": "Pagină nouă",
/* Error messages */
'systemShortcut': 'Acţiunea "${0}" este disponibilă în browser doar utilizând o comandă rapidă de la tastatură. Utilizaţi ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/ru/FontChoice", //begin v1.x content
({
fontSize: "Размер",
fontName: "Шрифт",
formatBlock: "Формат",
serif: "с засечками",
"sans-serif": "без засечек",
monospace: "непропорциональный",
cursive: "курсив",
fantasy: "артистический",
noFormat: "Нет",
p: "Абзац",
h1: "Заголовок",
h2: "Подзаголовок",
h3: "Вложенный подзаголовок",
pre: "Заранее отформатированный",
1: "самый маленький",
2: "очень маленький",
3: "маленький",
4: "средний",
5: "большой",
6: "очень большой",
7: "самый большой"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/ru/LinkDialog", //begin v1.x content
({
createLinkTitle: "Свойства ссылки",
insertImageTitle: "Свойства изображения",
url: "URL:",
text: "Описание:",
target: "Целевой объект:",
set: "Задать",
currentWindow: "Текущее окно",
parentWindow: "Родительское окно",
topWindow: "Верхнее окно",
newWindow: "Новое окно"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/ru/commands", //begin v1.x content
({
'bold': 'Полужирный',
'copy': 'Копировать',
'cut': 'Вырезать',
'delete': 'Удалить',
'indent': 'Отступ',
'insertHorizontalRule': 'Горизонтальная линейка',
'insertOrderedList': 'Нумерованный список',
'insertUnorderedList': 'Список с маркерами',
'italic': 'Курсив',
'justifyCenter': 'По центру',
'justifyFull': 'По ширине',
'justifyLeft': 'По левому краю',
'justifyRight': 'По правому краю',
'outdent': 'Втяжка',
'paste': 'Вставить',
'redo': 'Повторить',
'removeFormat': 'Удалить формат',
'selectAll': 'Выбрать все',
'strikethrough': 'Перечеркивание',
'subscript': 'Нижний индекс',
'superscript': 'Верхний индекс',
'underline': 'Подчеркивание',
'undo': 'Отменить',
'unlink': 'Удалить ссылку',
'createLink': 'Создать ссылку',
'toggleDir': 'Изменить направление',
'insertImage': 'Вставить изображение',
'insertTable': 'Вставить/изменить таблицу',
'toggleTableBorder': 'Переключить рамку таблицы',
'deleteTable': 'Удалить таблицу',
'tableProp': 'Свойства таблицы',
'htmlToggle': 'Код HTML',
'foreColor': 'Цвет текста',
'hiliteColor': 'Цвет фона',
'plainFormatBlock': 'Стиль абзаца',
'formatBlock': 'Стиль абзаца',
'fontSize': 'Размер шрифта',
'fontName': 'Название шрифта',
'tabIndent': 'Табуляция',
"fullScreen": "Переключить полноэкранный режим",
"viewSource": "Показать исходный код HTML",
"print": "Печать",
"newPage": "Создать страницу",
/* Error messages */
'systemShortcut': 'Действие "${0}" можно выполнить в браузере только путем нажатия клавиш ${1}.'
})
//end v1.x content
);

View File

@@ -1,31 +0,0 @@
define(
"dijit/_editor/nls/sk/FontChoice", //begin v1.x content
({
fontSize: "Veľkosť",
fontName: "Písmo",
formatBlock: "Formát",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "Žiadny",
p: "Odsek",
h1: "Hlavička",
h2: "Podhlavička",
h3: "Pod-podhlavička",
pre: "Predformátované",
1: "xx-small",
2: "x-small",
3: "small",
4: "medium",
5: "large",
6: "x-large",
7: "xx-large"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/sk/LinkDialog", //begin v1.x content
({
createLinkTitle: "Pripojiť vlastnosti",
insertImageTitle: "Vlastnosti obrázka ",
url: "URL:",
text: "Opis:",
target: "Cieľ:",
set: "Nastaviť",
currentWindow: "Aktuálne okno ",
parentWindow: "Rodičovské okno ",
topWindow: "Najvrchnejšie okno ",
newWindow: "Nové okno "
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/sk/commands", //begin v1.x content
({
'bold': 'Tučné písmo',
'copy': 'Kopírovať',
'cut': 'Vystrihnúť',
'delete': 'Vymazať',
'indent': 'Odsadiť',
'insertHorizontalRule': 'Horizontálna čiara',
'insertOrderedList': 'Číslovaný zoznam',
'insertUnorderedList': 'Zoznam s odrážkami',
'italic': 'Kurzíva',
'justifyCenter': 'Zarovnať na stred',
'justifyFull': 'Zarovnať podľa okraja',
'justifyLeft': 'Zarovnať doľava',
'justifyRight': 'Zarovnať doprava',
'outdent': 'Predsadiť',
'paste': 'Nalepiť',
'redo': 'Znova vykonať',
'removeFormat': 'Odstrániť formát',
'selectAll': 'Vybrať všetko',
'strikethrough': 'Prečiarknuť',
'subscript': 'Dolný index',
'superscript': 'Horný index',
'underline': 'Podčiarknuť',
'undo': 'Vrátiť späť',
'unlink': 'Odstrániť prepojenie',
'createLink': 'Vytvoriť prepojenie',
'toggleDir': 'Prepnúť smer',
'insertImage': 'Vložiť obrázok',
'insertTable': 'Vložiť/upraviť tabuľku',
'toggleTableBorder': 'Prepnúť rámček tabuľky',
'deleteTable': 'Vymazať tabuľku',
'tableProp': 'Vlastnosť tabuľky',
'htmlToggle': 'Zdroj HTML',
'foreColor': 'Farba popredia',
'hiliteColor': 'Farba pozadia',
'plainFormatBlock': 'Štýl odseku',
'formatBlock': 'Štýl odseku',
'fontSize': 'Veľkosť písma',
'fontName': 'Názov písma',
'tabIndent': 'Odsadenie tabulátora',
"fullScreen": "Zobraziť na celú obrazovku",
"viewSource": "Zobraziť zdrojový kód HTML ",
"print": "Tlačiť",
"newPage": "Nová stránka ",
/* Error messages */
'systemShortcut': 'Akcia "${0}" je vo vašom prehliadači dostupná len s použitím klávesovej skratky. Použite ${1}.'
})
//end v1.x content
);

View File

@@ -1,31 +0,0 @@
define(
"dijit/_editor/nls/sl/FontChoice", //begin v1.x content
({
fontSize: "Velikost",
fontName: "Pisava",
formatBlock: "Oblika",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "Brez",
p: "Odstavek",
h1: "Naslovni slog",
h2: "Podnaslovni slog",
h3: "Pod-podnaslovni slog",
pre: "Vnaprej oblikovan",
1: "xx-majhno",
2: "x-majhno",
3: "majhno",
4: "srednje",
5: "veliko",
6: "x-veliko",
7: "xx-veliko"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/sl/LinkDialog", //begin v1.x content
({
createLinkTitle: "Lastnosti povezave",
insertImageTitle: "Lastnosti slike",
url: "URL:",
text: "Opis:",
target: "Cilj:",
set: "Nastavi",
currentWindow: "Trenutno okno",
parentWindow: "Nadrejeno okno",
topWindow: "Okno na vrhu",
newWindow: "Novo okno"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/sl/commands", //begin v1.x content
({
'bold': 'Krepko',
'copy': 'Prekopiraj',
'cut': 'Izreži',
'delete': 'Izbriši',
'indent': 'Zamik',
'insertHorizontalRule': 'Vodoravno ravnilo',
'insertOrderedList': 'Oštevilčen seznam',
'insertUnorderedList': 'Naštevni seznam',
'italic': 'Ležeče',
'justifyCenter': 'Poravnaj na sredino',
'justifyFull': 'Poravnaj obojestransko',
'justifyLeft': 'Poravnaj levo',
'justifyRight': 'Poravnaj desno',
'outdent': 'Primakni',
'paste': 'Prilepi',
'redo': 'Znova uveljavi',
'removeFormat': 'Odstrani oblikovanje',
'selectAll': 'Izberi vse',
'strikethrough': 'Prečrtano',
'subscript': 'Podpisano',
'superscript': 'Nadpisano',
'underline': 'Podčrtano',
'undo': 'Razveljavi',
'unlink': 'Odstrani povezavo',
'createLink': 'Ustvari povezavo',
'toggleDir': 'Preklopi smer',
'insertImage': 'Vstavi sliko',
'insertTable': 'Vstavi/uredi tabelo',
'toggleTableBorder': 'Preklopi na rob tabele',
'deleteTable': 'Izbriši tabelo',
'tableProp': 'Lastnost tabele',
'htmlToggle': 'Izvorna koda HTML',
'foreColor': 'Barva ospredja',
'hiliteColor': 'Barva ozadja',
'plainFormatBlock': 'Slog odstavka',
'formatBlock': 'Slog odstavka',
'fontSize': 'Velikost pisave',
'fontName': 'Ime pisave',
'tabIndent': 'Zamik tabulatorja',
"fullScreen": "Preklopi na celozaslonski način",
"viewSource": "Prikaži izvorno kodo HTML",
"print": "Natisni",
"newPage": "Nova stran",
/* Error messages */
'systemShortcut': 'Dejanje "${0}" lahko v vašem brskalniku uporabite samo z bližnjico na tipkovnici. Uporabite ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/sv/FontChoice", //begin v1.x content
({
fontSize: "Storlek",
fontName: "Teckensnitt",
formatBlock: "Format",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "kursivt",
fantasy: "fantasy",
noFormat: "Ingen",
p: "Stycke",
h1: "Rubrik",
h2: "Underrubrik",
h3: "Underunderrubrik",
pre: "Förformaterat",
1: "mycket, mycket litet",
2: "mycket litet",
3: "litet",
4: "medelstort",
5: "stort",
6: "extra stort",
7: "extra extra stort"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/sv/LinkDialog", //begin v1.x content
({
createLinkTitle: "Länkegenskaper",
insertImageTitle: "Bildegenskaper",
url: "URL-adress:",
text: "Beskrivning:",
target: "Mål:",
set: "Ange",
currentWindow: "aktuellt fönster",
parentWindow: "överordnat fönster",
topWindow: "översta fönstret",
newWindow: "nytt fönster"
})
//end v1.x content
);

View File

@@ -1,54 +0,0 @@
define(
"dijit/_editor/nls/sv/commands", //begin v1.x content
({
'bold': 'Fetstil',
'copy': 'Kopiera',
'cut': 'Klipp ut',
'delete': 'Ta bort',
'indent': 'Indrag',
'insertHorizontalRule': 'Horisontell linjal',
'insertOrderedList': 'Numrerad lista',
'insertUnorderedList': 'Punktlista',
'italic': 'Kursiv',
'justifyCenter': 'Centrera',
'justifyFull': 'Marginaljustera',
'justifyLeft': 'Vänsterjustera',
'justifyRight': 'Högerjustera',
'outdent': 'Utdrag',
'paste': 'Klistra in',
'redo': 'Gör om',
'removeFormat': 'Ta bort format',
'selectAll': 'Markera allt',
'strikethrough': 'Genomstruken',
'subscript': 'Nedsänkt',
'superscript': 'Upphöjt',
'underline': 'Understrykning',
'undo': 'Ångra',
'unlink': 'Ta bort länk',
'createLink': 'Skapa länk',
'toggleDir': 'Växla riktning',
'insertImage': 'Infoga bild',
'insertTable': 'Infoga/redigera tabell',
'toggleTableBorder': 'Aktivera/avaktivera tabellram',
'deleteTable': 'Ta bort tabell',
'tableProp': 'Tabellegenskap',
'htmlToggle': 'HTML-källkod',
'foreColor': 'Förgrundsfärg',
'hiliteColor': 'Bakgrundsfärg',
'plainFormatBlock': 'Styckeformat',
'formatBlock': 'Styckeformat',
'fontSize': 'Teckenstorlek',
'fontName': 'Teckensnittsnamn',
'tabIndent': 'Tabbindrag',
"fullScreen": "Växla helskärm",
"viewSource": "Visa HTML-kod",
"print": "Skriv ut",
"newPage": "Ny sida",
/* Error messages */
'systemShortcut': 'Åtgärden "${0}" är endast tillgänglig i webbläsaren med hjälp av ett kortkommando. Använd ${1}.',
'ctrlKey':'Ctrl+${0}',
'appleKey':'\u2318+${0}' // "command" or open-apple key on Macintosh
})
//end v1.x content
);

View File

@@ -1,31 +0,0 @@
define(
"dijit/_editor/nls/th/FontChoice", //begin v1.x content
({
fontSize: "ขนาด",
fontName: "ฟอนต์",
formatBlock: "รูปแบบ",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "monospace",
cursive: "cursive",
fantasy: "fantasy",
noFormat: "ไม่มี",
p: "ย่อหน้า",
h1: "ส่วนหัว",
h2: "ส่วนหัวย่อย",
h3: "ส่วนย่อยของส่วนหัวย่อย",
pre: "การกำหนดรูปแบบล่วงหน้า",
1: "xx-small",
2: "x-small",
3: "small",
4: "medium",
5: "large",
6: "x-large",
7: "xx-large"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/th/LinkDialog", //begin v1.x content
({
createLinkTitle: "คุณสมบัติลิงก์",
insertImageTitle: "คุณสมบัติอิมเมจ",
url: "URL:",
text: "รายละเอียด:",
target: "เป้าหมาย:",
set: "ตั้งค่า",
currentWindow: "หน้าต่างปัจจุบัน",
parentWindow: "หน้าต่างหลัก",
topWindow: "หน้าต่างบนสุด",
newWindow: "หน้าต่างใหม่"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/th/commands", //begin v1.x content
({
'bold': 'ตัวหนา',
'copy': 'คัดลอก',
'cut': 'ตัด',
'delete': 'ลบ',
'indent': 'เพิ่มการเยื้อง',
'insertHorizontalRule': 'ไม้บรรทัดแนวนอน',
'insertOrderedList': 'ลำดับเลข',
'insertUnorderedList': 'หัวข้อย่อย',
'italic': 'ตัวเอียง',
'justifyCenter': 'จัดกึ่งกลาง',
'justifyFull': 'จัดชิดขอบ',
'justifyLeft': 'จัดชิดซ้าย',
'justifyRight': 'จัดชิดขวา',
'outdent': 'ลดการเยื้อง',
'paste': 'วาง',
'redo': 'ทำซ้ำ',
'removeFormat': 'ลบรูปแบบออก',
'selectAll': 'เลือกทั้งหมด',
'strikethrough': 'ขีดทับ',
'subscript': 'ตัวห้อย',
'superscript': 'ตัวยก',
'underline': 'ขีดเส้นใต้',
'undo': 'เลิกทำ',
'unlink': 'ลบลิงก์ออก',
'createLink': 'สร้างลิงก์',
'toggleDir': 'สลับทิศทาง',
'insertImage': 'แทรกอิมเมจ',
'insertTable': 'แทรก/แก้ไขตาราง',
'toggleTableBorder': 'สลับเส้นขอบตาราง',
'deleteTable': 'ลบตาราง',
'tableProp': 'คุณสมบัติตาราง',
'htmlToggle': 'ซอร์ส HTML',
'foreColor': 'สีพื้นหน้า',
'hiliteColor': 'สีพื้นหลัง',
'plainFormatBlock': 'ลักษณะย่อหน้า',
'formatBlock': 'ลักษณะย่อหน้า',
'fontSize': 'ขนาดฟอนต์',
'fontName': 'ชื่อฟอนต์',
'tabIndent': 'เยื้องแท็บ',
"fullScreen": "สลับจอภาพแบบเต็ม",
"viewSource": "ดูซอร์ส HTML",
"print": "พิมพ์",
"newPage": "หน้าใหม่",
/* Error messages */
'systemShortcut': 'การดำเนินการ"${0}" ใช้งานได้เฉพาะกับเบราว์เซอร์ของคุณโดยใช้แป้นพิมพ์ลัด ใช้ ${1}'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/tr/FontChoice", //begin v1.x content
({
fontSize: "Boyut",
fontName: "Yazı Tipi",
formatBlock: "Biçim",
serif: "serif",
"sans-serif": "sans-serif",
monospace: "tek aralıklı",
cursive: "el yazısı",
fantasy: "fantazi",
noFormat: "Yok",
p: "Paragraf",
h1: "Başlık",
h2: "Alt Başlık",
h3: "Alt Alt Başlık",
pre: "Önceden Biçimlendirilmiş",
1: "xx-küçük",
2: "x-küçük",
3: "küçük",
4: "orta",
5: "büyük",
6: "x-büyük",
7: "xx-büyük"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/tr/LinkDialog", //begin v1.x content
({
createLinkTitle: "Bağlantı Özellikleri",
insertImageTitle: "Resim Özellikleri",
url: "URL:",
text: "Açıklama:",
target: "Hedef:",
set: "Ayarla",
currentWindow: "Geçerli Pencere",
parentWindow: "Üst Pencere",
topWindow: "En Üst Pencere",
newWindow: "Yeni Pencere"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/tr/commands", //begin v1.x content
({
'bold': 'Kalın',
'copy': 'Kopyala',
'cut': 'Kes',
'delete': 'Sil',
'indent': 'Girinti',
'insertHorizontalRule': 'Yatay Kural',
'insertOrderedList': 'Numaralı Liste',
'insertUnorderedList': 'Madde İşaretli Liste',
'italic': 'İtalik',
'justifyCenter': 'Ortaya Hizala',
'justifyFull': 'Yasla',
'justifyLeft': 'Sola Hizala',
'justifyRight': 'Sağa Hizala',
'outdent': ıkıntı',
'paste': 'Yapıştır',
'redo': 'Yinele',
'removeFormat': 'Biçimi Kaldır',
'selectAll': 'Tümünü Seç',
'strikethrough': 'Üstü Çizili',
'subscript': 'Alt Simge',
'superscript': 'Üst Simge',
'underline': 'Altı Çizili',
'undo': 'Geri Al',
'unlink': 'Bağlantıyı Kaldır',
'createLink': 'Bağlantı Oluştur',
'toggleDir': 'Yönü Değiştir',
'insertImage': 'Resim Ekle',
'insertTable': 'Tablo Ekle/Düzenle',
'toggleTableBorder': 'Tablo Kenarlığını Göster/Gizle',
'deleteTable': 'Tabloyu Sil',
'tableProp': 'Tablo Özelliği',
'htmlToggle': 'HTML Kaynağı',
'foreColor': 'Ön Plan Rengi',
'hiliteColor': 'Arka Plan Rengi',
'plainFormatBlock': 'Paragraf Stili',
'formatBlock': 'Paragraf Stili',
'fontSize': 'Yazı Tipi Boyutu',
'fontName': 'Yazı Tipi Adı',
'tabIndent': 'Sekme Girintisi',
"fullScreen": "Tam Ekranı Aç/Kapat",
"viewSource": "HTML Kaynağını Görüntüle",
"print": "Yazdır",
"newPage": "Yeni Sayfa",
/* Error messages */
'systemShortcut': '"${0}" işlemi yalnızca tarayıcınızda bir klavye kısayoluyla birlikte kullanılabilir. Şunu kullanın: ${1}.'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/zh-tw/FontChoice", //begin v1.x content
({
fontSize: "大小",
fontName: "字型",
formatBlock: "格式",
serif: "新細明體",
"sans-serif": "新細明體",
monospace: "等寬",
cursive: "Cursive",
fantasy: "Fantasy",
noFormat: "無",
p: "段落",
h1: "標題",
h2: "子標題",
h3: "次子標題",
pre: "預先格式化",
1: "最小",
2: "較小",
3: "小",
4: "中",
5: "大",
6: "較大",
7: "最大"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/zh-tw/LinkDialog", //begin v1.x content
({
createLinkTitle: "鏈結內容",
insertImageTitle: "影像內容",
url: "URL",
text: "說明:",
target: "目標:",
set: "設定",
currentWindow: "現行視窗",
parentWindow: "上層視窗",
topWindow: "最上面的視窗",
newWindow: "新視窗"
})
//end v1.x content
);

View File

@@ -1,51 +0,0 @@
define(
"dijit/_editor/nls/zh-tw/commands", //begin v1.x content
({
'bold': '粗體',
'copy': '複製',
'cut': '剪下',
'delete': '刪除',
'indent': '縮排',
'insertHorizontalRule': '水平尺規',
'insertOrderedList': '編號清單',
'insertUnorderedList': '項目符號清單',
'italic': '斜體',
'justifyCenter': '置中對齊',
'justifyFull': '對齊',
'justifyLeft': '靠左對齊',
'justifyRight': '靠右對齊',
'outdent': '凸排',
'paste': '貼上',
'redo': '重做',
'removeFormat': '移除格式',
'selectAll': '全選',
'strikethrough': '刪除線',
'subscript': '下標',
'superscript': '上標',
'underline': '底線',
'undo': '復原',
'unlink': '移除鏈結',
'createLink': '建立鏈結',
'toggleDir': '切換方向',
'insertImage': '插入影像',
'insertTable': '插入/編輯表格',
'toggleTableBorder': '切換表格邊框',
'deleteTable': '刪除表格',
'tableProp': '表格內容',
'htmlToggle': 'HTML 原始檔',
'foreColor': '前景顏色',
'hiliteColor': '背景顏色',
'plainFormatBlock': '段落樣式',
'formatBlock': '段落樣式',
'fontSize': '字型大小',
'fontName': '字型名稱',
'tabIndent': '標籤縮排',
"fullScreen": "切換全螢幕",
"viewSource": "檢視 HTML 原始檔",
"print": "列印",
"newPage": "新頁面",
/* Error messages */
'systemShortcut': '"${0}" 動作在您的瀏覽器中,只能使用鍵盤快速鍵。請使用 ${1}。'
})
//end v1.x content
);

View File

@@ -1,30 +0,0 @@
define(
"dijit/_editor/nls/zh/FontChoice", //begin v1.x content
({
fontSize: "大小",
fontName: "字体",
formatBlock: "格式",
serif: "有衬线",
"sans-serif": "无衬线",
monospace: "等宽字体",
cursive: "草书",
fantasy: "虚线",
noFormat: "无",
p: "段落",
h1: "标题",
h2: "子标题",
h3: "二级子标题",
pre: "预设有格式的",
1: "XXS 号",
2: "XS 号",
3: "S 号",
4: "M 号",
5: "L 号",
6: "XL 号",
7: "XXL 号"
})
//end v1.x content
);

View File

@@ -1,17 +0,0 @@
define(
"dijit/_editor/nls/zh/LinkDialog", //begin v1.x content
({
createLinkTitle: "链接属性",
insertImageTitle: "图像属性",
url: "URL",
text: "描述:",
target: "目标:",
set: "设置",
currentWindow: "当前窗口",
parentWindow: "父窗口",
topWindow: "顶层窗口",
newWindow: "新建窗口"
})
//end v1.x content
);

View File

@@ -1,52 +0,0 @@
define(
"dijit/_editor/nls/zh/commands", //begin v1.x content
({
'bold': '粗体',
'copy': '复制',
'cut': '剪切',
'delete': '删除',
'indent': '增加缩进',
'insertHorizontalRule': '水平线',
'insertOrderedList': '编号列表',
'insertUnorderedList': '符号列表',
'italic': '斜体',
'justifyCenter': '居中',
'justifyFull': '对齐',
'justifyLeft': '左对齐',
'justifyRight': '右对齐',
'outdent': '减少缩进',
'paste': '粘贴',
'redo': '重做',
'removeFormat': '除去格式',
'selectAll': '全选',
'strikethrough': '删除线',
'subscript': '下标',
'superscript': '上标',
'underline': '下划线',
'undo': '撤销',
'unlink': '除去链接',
'createLink': '创建链接',
'toggleDir': '固定方向',
'insertImage': '插入图像',
'insertTable': '插入/编辑表',
'toggleTableBorder': '切换表边框',
'deleteTable': '删除表',
'tableProp': '表属性',
'htmlToggle': 'HTML 源代码',
'foreColor': '前景色',
'hiliteColor': '背景色',
'plainFormatBlock': '段落样式',
'formatBlock': '段落样式',
'fontSize': '字体大小',
'fontName': '字体名称',
'tabIndent': '制表符缩进',
"fullScreen": "切换全屏幕",
"viewSource": "查看 HTML 源代码",
"print": "打印",
"newPage": "新建页面",
/* Error messages */
'systemShortcut': '只能在浏览器中通过键盘快捷方式执行“${0}”操作。使用 ${1}。'
})
//end v1.x content
);

View File

@@ -1,199 +0,0 @@
define("dijit/_editor/plugins/AlwaysShowToolbar", [
"dojo/_base/declare", // declare
"dojo/dom-class", // domClass.add domClass.remove
"dojo/dom-construct", // domConstruct.place
"dojo/dom-geometry",
"dojo/_base/lang", // lang.hitch
"dojo/_base/sniff", // has("ie") has("opera")
"dojo/_base/window", // win.body
"../_Plugin"
], function(declare, domClass, domConstruct, domGeometry, lang, has, win, _Plugin){
/*=====
var _Plugin = dijit._editor._Plugin;
=====*/
// module:
// dijit/_editor/plugins/AlwaysShowToolbar
// summary:
// This plugin is required for Editors in auto-expand mode.
// It handles the auto-expansion as the user adds/deletes text,
// and keeps the editor's toolbar visible even when the top of the editor
// has scrolled off the top of the viewport (usually when editing a long
// document).
return declare("dijit._editor.plugins.AlwaysShowToolbar", _Plugin, {
// summary:
// This plugin is required for Editors in auto-expand mode.
// It handles the auto-expansion as the user adds/deletes text,
// and keeps the editor's toolbar visible even when the top of the editor
// has scrolled off the top of the viewport (usually when editing a long
// document).
// description:
// Specify this in extraPlugins (or plugins) parameter and also set
// height to "".
// example:
// | <div data-dojo-type="dijit.Editor" height=""
// | data-dojo-props="extraPlugins: [dijit._editor.plugins.AlwaysShowToolbar]">
// _handleScroll: Boolean
// Enables/disables the handler for scroll events
_handleScroll: true,
setEditor: function(e){
// Overrides _Plugin.setEditor().
if(!e.iframe){
console.log('Port AlwaysShowToolbar plugin to work with Editor without iframe');
return;
}
this.editor = e;
e.onLoadDeferred.addCallback(lang.hitch(this, this.enable));
},
enable: function(d){
// summary:
// Enable plugin. Called when Editor has finished initializing.
// tags:
// private
this._updateHeight();
this.connect(window, 'onscroll', "globalOnScrollHandler");
this.connect(this.editor, 'onNormalizedDisplayChanged', "_updateHeight");
return d;
},
_updateHeight: function(){
// summary:
// Updates the height of the editor area to fit the contents.
var e = this.editor;
if(!e.isLoaded){ return; }
if(e.height){ return; }
var height = domGeometry.getMarginSize(e.editNode).h;
if(has("opera")){
height = e.editNode.scrollHeight;
}
// console.debug('height',height);
// alert(this.editNode);
//height maybe zero in some cases even though the content is not empty,
//we try the height of body instead
if(!height){
height = domGeometry.getMarginSize(e.document.body).h;
}
if(height == 0){
console.debug("Can not figure out the height of the editing area!");
return; //prevent setting height to 0
}
if(has("ie") <= 7 && this.editor.minHeight){
var min = parseInt(this.editor.minHeight);
if(height < min){ height = min; }
}
if(height != this._lastHeight){
this._lastHeight = height;
// this.editorObject.style.height = this._lastHeight + "px";
domGeometry.setMarginBox(e.iframe, { h: this._lastHeight });
}
},
// _lastHeight: Integer
// Height in px of the editor at the last time we did sizing
_lastHeight: 0,
globalOnScrollHandler: function(){
// summary:
// Handler for scroll events that bubbled up to <html>
// tags:
// private
var isIE6 = has("ie") < 7;
if(!this._handleScroll){ return; }
var tdn = this.editor.header;
if(!this._scrollSetUp){
this._scrollSetUp = true;
this._scrollThreshold = domGeometry.position(tdn, true).y;
// var db = win.body;
// console.log("threshold:", this._scrollThreshold);
//what's this for?? comment out for now
// if((isIE6)&&(db)&&(domStyle.set or get TODO(db, "backgroundIimage")=="none")){
// db.style.backgroundImage = "url(" + dojo.uri.moduleUri("dijit", "templates/blank.gif") + ")";
// db.style.backgroundAttachment = "fixed";
// }
}
var scrollPos = domGeometry.docScroll().y;
var s = tdn.style;
if(scrollPos > this._scrollThreshold && scrollPos < this._scrollThreshold+this._lastHeight){
// dojo.debug(scrollPos);
if(!this._fixEnabled){
var tdnbox = domGeometry.getMarginSize(tdn);
this.editor.iframe.style.marginTop = tdnbox.h+"px";
if(isIE6){
s.left = domGeometry.position(tdn).x;
if(tdn.previousSibling){
this._IEOriginalPos = ['after',tdn.previousSibling];
}else if(tdn.nextSibling){
this._IEOriginalPos = ['before',tdn.nextSibling];
}else{
this._IEOriginalPos = ['last',tdn.parentNode];
}
win.body().appendChild(tdn);
domClass.add(tdn,'dijitIEFixedToolbar');
}else{
s.position = "fixed";
s.top = "0px";
}
domGeometry.setMarginBox(tdn, { w: tdnbox.w });
s.zIndex = 2000;
this._fixEnabled = true;
}
// if we're showing the floating toolbar, make sure that if
// we've scrolled past the bottom of the editor that we hide
// the toolbar for this instance of the editor.
// TODO: when we get multiple editor toolbar support working
// correctly, ensure that we check this against the scroll
// position of the bottom-most editor instance.
var eHeight = (this.height) ? parseInt(this.editor.height) : this.editor._lastHeight;
s.display = (scrollPos > this._scrollThreshold+eHeight) ? "none" : "";
}else if(this._fixEnabled){
this.editor.iframe.style.marginTop = '';
s.position = "";
s.top = "";
s.zIndex = "";
s.display = "";
if(isIE6){
s.left = "";
domClass.remove(tdn,'dijitIEFixedToolbar');
if(this._IEOriginalPos){
domConstruct.place(tdn, this._IEOriginalPos[1], this._IEOriginalPos[0]);
this._IEOriginalPos = null;
}else{
domConstruct.place(tdn, this.editor.iframe, 'before');
}
}
s.width = "";
this._fixEnabled = false;
}
},
destroy: function(){
// Overrides _Plugin.destroy(). TODO: call this.inherited() rather than repeating code.
this._IEOriginalPos = null;
this._handleScroll = false;
this.inherited(arguments);
if(has("ie") < 7){
domClass.remove(this.editor.header, 'dijitIEFixedToolbar');
}
}
});
});

Some files were not shown because too many files have changed in this diff Show More