update dojo to 1.7.3

This commit is contained in:
Andrew Dolgov
2012-08-14 18:59:10 +04:00
parent d04f8c826f
commit 1354d17270
1616 changed files with 135064 additions and 97680 deletions

File diff suppressed because one or more lines are too long

File diff suppressed because it is too large Load Diff

View File

@@ -1,289 +1,2 @@
/*
Copyright (c) 2004-2011, The Dojo Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
if(!dojo._hasResource["dijit._editor._Plugin"]){ //_hasResource checks added by build. Do not use _hasResource directly in your code.
dojo._hasResource["dijit._editor._Plugin"] = true;
dojo.provide("dijit._editor._Plugin");
dojo.require("dijit._Widget");
dojo.require("dijit.form.Button");
dojo.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, /*DomNode?*/node){
this.params = args || {};
dojo.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: dijit.form.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 = dojo.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
dojo.forEach(this._connects, dojo.disconnect);
if(this.dropDown){
this.dropDown.destroyRecursive();
}
},
connect: function(o, f, tf){
// summary:
// Make a dojo.connect() that is automatically disconnected when this plugin is destroyed.
// Similar to `dijit._Widget.connect`.
// tags:
// protected
this._connects.push(dojo.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",
dojo.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
var oldValue = this[name];
this[name] = value;
}
});
}
//>>built
define("dijit/_editor/_Plugin",["dojo/_base/connect","dojo/_base/declare","dojo/_base/lang","../form/Button"],function(_1,_2,_3,_4){var _5=_2("dijit._editor._Plugin",null,{constructor:function(_6){this.params=_6||{};_3.mixin(this,this.params);this._connects=[];this._attrPairNames={};},editor:null,iconClassPrefix:"dijitEditorIcon",button:null,command:"",useDefaultCommand:true,buttonClass:_4,disabled:false,getLabel:function(_7){return this.editor.commands[_7];},_initButton:function(){if(this.command.length){var _8=this.getLabel(this.command),_9=this.editor,_a=this.iconClassPrefix+" "+this.iconClassPrefix+this.command.charAt(0).toUpperCase()+this.command.substr(1);if(!this.button){var _b=_3.mixin({label:_8,dir:_9.dir,lang:_9.lang,showLabel:false,iconClass:_a,dropDown:this.dropDown,tabIndex:"-1"},this.params||{});this.button=new this.buttonClass(_b);}}if(this.get("disabled")&&this.button){this.button.set("disabled",this.get("disabled"));}},destroy:function(){var h;while(h=this._connects.pop()){h.remove();}if(this.dropDown){this.dropDown.destroyRecursive();}},connect:function(o,f,tf){this._connects.push(_1.connect(o,f,this,tf));},updateState:function(){var e=this.editor,c=this.command,_c,_d;if(!e||!e.isLoaded||!c.length){return;}var _e=this.get("disabled");if(this.button){try{_d=!_e&&e.queryCommandEnabled(c);if(this.enabled!==_d){this.enabled=_d;this.button.set("disabled",!_d);}if(typeof this.button.checked=="boolean"){_c=e.queryCommandState(c);if(this.checked!==_c){this.checked=_c;this.button.set("checked",e.queryCommandState(c));}}}catch(e){}}},setEditor:function(_f){this.editor=_f;this._initButton();if(this.button&&this.useDefaultCommand){if(this.editor.queryCommandAvailable(this.command)){this.connect(this.button,"onClick",_3.hitch(this.editor,"execCommand",this.command,this.commandArg));}else{this.button.domNode.style.display="none";}}this.connect(this.editor,"onNormalizedDisplayChanged","updateState");},setToolbar:function(_10){if(this.button){_10.addChild(this.button);}},set:function(_11,_12){if(typeof _11==="object"){for(var x in _11){this.set(x,_11[x]);}return this;}var _13=this._getAttrNames(_11);if(this[_13.s]){var _14=this[_13.s].apply(this,Array.prototype.slice.call(arguments,1));}else{this._set(_11,_12);}return _14||this;},get:function(_15){var _16=this._getAttrNames(_15);return this[_16.g]?this[_16.g]():this[_15];},_setDisabledAttr:function(_17){this.disabled=_17;this.updateState();},_getAttrNames:function(_18){var apn=this._attrPairNames;if(apn[_18]){return apn[_18];}var uc=_18.charAt(0).toUpperCase()+_18.substr(1);return (apn[_18]={s:"_set"+uc+"Attr",g:"_get"+uc+"Attr"});},_set:function(_19,_1a){this[_19]=_1a;}});_5.registry={};return _5;});

View File

@@ -0,0 +1,294 @@
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,193 +1,2 @@
/*
Copyright (c) 2004-2011, The Dojo Foundation All Rights Reserved.
Available via Academic Free License >= 2.1 OR the modified BSD license.
see: http://dojotoolkit.org/license for details
*/
if(!dojo._hasResource["dijit._editor.html"]){ //_hasResource checks added by build. Do not use _hasResource directly in your code.
dojo._hasResource["dijit._editor.html"] = true;
dojo.provide("dijit._editor.html");
dojo.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(dojo.isIE && 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] + '="' +
(dojo.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 = !dojo.isIE || 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
};
}
//>>built
define("dijit/_editor/html",["dojo/_base/lang","dojo/_base/sniff",".."],function(_1,_2,_3){_1.getObject("_editor",true,_3);_3._editor.escapeXml=function(_4,_5){_4=_4.replace(/&/gm,"&amp;").replace(/</gm,"&lt;").replace(/>/gm,"&gt;").replace(/"/gm,"&quot;");if(!_5){_4=_4.replace(/'/gm,"&#39;");}return _4;};_3._editor.getNodeHtml=function(_6){var _7;switch(_6.nodeType){case 1:var _8=_6.nodeName.toLowerCase();if(!_8||_8.charAt(0)=="/"){return "";}_7="<"+_8;var _9=[];var _a;if(_2("ie")&&_6.outerHTML){var s=_6.outerHTML;s=s.substr(0,s.indexOf(">")).replace(/(['"])[^"']*\1/g,"");var _b=/(\b\w+)\s?=/g;var m,_c;while((m=_b.exec(s))){_c=m[1];if(_c.substr(0,3)!="_dj"){if(_c=="src"||_c=="href"){if(_6.getAttribute("_djrealurl")){_9.push([_c,_6.getAttribute("_djrealurl")]);continue;}}var _d,_e;switch(_c){case "style":_d=_6.style.cssText.toLowerCase();break;case "class":_d=_6.className;break;case "width":if(_8==="img"){_e=/width=(\S+)/i.exec(s);if(_e){_d=_e[1];}break;}case "height":if(_8==="img"){_e=/height=(\S+)/i.exec(s);if(_e){_d=_e[1];}break;}default:_d=_6.getAttribute(_c);}if(_d!=null){_9.push([_c,_d.toString()]);}}}}else{var i=0;while((_a=_6.attributes[i++])){var n=_a.name;if(n.substr(0,3)!="_dj"){var v=_a.value;if(n=="src"||n=="href"){if(_6.getAttribute("_djrealurl")){v=_6.getAttribute("_djrealurl");}}_9.push([n,v]);}}}_9.sort(function(a,b){return a[0]<b[0]?-1:(a[0]==b[0]?0:1);});var j=0;while((_a=_9[j++])){_7+=" "+_a[0]+"=\""+(_1.isString(_a[1])?_3._editor.escapeXml(_a[1],true):_a[1])+"\"";}if(_8==="script"){_7+=">"+_6.innerHTML+"</"+_8+">";}else{if(_6.childNodes.length){_7+=">"+_3._editor.getChildrenHtml(_6)+"</"+_8+">";}else{switch(_8){case "br":case "hr":case "img":case "input":case "base":case "meta":case "area":case "basefont":_7+=" />";break;default:_7+="></"+_8+">";}}}break;case 4:case 3:_7=_3._editor.escapeXml(_6.nodeValue,true);break;case 8:_7="<!--"+_3._editor.escapeXml(_6.nodeValue,true)+"-->";break;default:_7="<!-- Element not recognized - Type: "+_6.nodeType+" Name: "+_6.nodeName+"-->";}return _7;};_3._editor.getChildrenHtml=function(_f){var out="";if(!_f){return out;}var _10=_f["childNodes"]||_f;var _11=!_2("ie")||_10!==_f;var _12,i=0;while((_12=_10[i++])){if(!_11||_12.parentNode==_f){out+=_3._editor.getNodeHtml(_12);}}return out;};return _3._editor;});

View File

@@ -0,0 +1,194 @@
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 +1,2 @@
({"noFormat":"None","1":"xx-small","2":"x-small","formatBlock":"Format","3":"small","4":"medium","5":"large","6":"x-large","7":"xx-large","fantasy":"fantasy","serif":"serif","p":"Paragraph","pre":"Pre-formatted","sans-serif":"sans-serif","fontName":"Font","h1":"Heading","h2":"Subheading","h3":"Sub-subheading","monospace":"monospace","fontSize":"Size","cursive":"cursive"})
//>>built
define("dijit/_editor/nls/FontChoice",{root:({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"}),"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

@@ -0,0 +1,62 @@
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 +1,2 @@
({"text":"Description:","insertImageTitle":"Image Properties","set":"Set","newWindow":"New Window","topWindow":"Topmost Window","target":"Target:","createLinkTitle":"Link Properties","parentWindow":"Parent Window","currentWindow":"Current Window","url":"URL:"})
//>>built
define("dijit/_editor/nls/LinkDialog",{root:({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"}),"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

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"الوصف:","insertImageTitle":"خصائص الصورة","set":"تحديد","newWindow":"‏نافذة جديدة‏","topWindow":"النافذة العلوية","target":"الهدف:","createLinkTitle":"خصائص الوصلة","parentWindow":"النافذة الرئيسية","currentWindow":"النافذة الحالية","url":"‏عنوان URL:"})
//>>built
define("dijit/_editor/nls/ar/LinkDialog",({createLinkTitle:"خصائص الوصلة",insertImageTitle:"خصائص الصورة",url:"عنوان URL:",text:"الوصف:",target:"الهدف:",set:"تحديد",currentWindow:"النافذة الحالية",parentWindow:"النافذة الرئيسية",topWindow:"النافذة العلوية",newWindow:"نافذة جديدة"}));

View File

@@ -0,0 +1,17 @@
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 +1,2 @@
({"removeFormat":"ازالة النسق","copy":"نسخ","paste":"لصق","selectAll":"‏اختيار كل‏","insertOrderedList":"‏كشف مرقم‏","insertTable":"ادراج/تحرير جدول","print":"طباعة","underline":"~تسطير","foreColor":"لون الواجهة الأمامية","htmlToggle":"مصدر HTML","formatBlock":"نمط الفقرة","newPage":"صفحة جديدة","insertHorizontalRule":"مسطرة أفقية","delete":"حذف","appleKey":"⌘${0}","insertUnorderedList":"كشف نقطي","tableProp":"خصائص الجدول","insertImage":"ادراج صورة","superscript":"رمز علوي","subscript":"رمز سفلي","createLink":"تكوين وصلة","undo":"تراجع","fullScreen":"تبديل الشاشة الكاملة","italic":"~مائل","fontName":"اسم طاقم الطباعة","justifyLeft":"محاذاة الى اليسار","unlink":"ازالة وصلة","toggleTableBorder":"تبديل حدود الجدول","viewSource":"مشاهدة مصدر HTML","ctrlKey":"ctrl+${0}","fontSize":"حجم طاقم الطباعة","systemShortcut":"يكون التصرف \"${0}\" متاحا فقط ببرنامج الاستعراض الخاص بك باستخدام المسار المختصر للوحة المفاتيح. استخدم ${1}.","indent":"ازاحة للداخل","redo":"‏اعادة‏","strikethrough":"تشطيب","justifyFull":"ضبط","justifyCenter":"محاذاة في الوسط","hiliteColor":"‏لون الخلفية‏","deleteTable":"حذف جدول","outdent":"ازاحة للخارج","cut":"قص","plainFormatBlock":"نمط الفقرة","toggleDir":"تبديل الاتجاه","bold":"عري~ض","tabIndent":"ازاحة علامة الجدولة للداخل","justifyRight":"محاذاة الى اليمين"})
//>>built
define("dijit/_editor/nls/ar/commands",({"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":"صفحة جديدة","systemShortcut":"يكون التصرف \"${0}\" متاحا فقط ببرنامج الاستعراض الخاص بك باستخدام المسار المختصر للوحة المفاتيح. استخدم ${1}.","ctrlKey":"ctrl+${0}","appleKey":"⌘${0}"}));

View File

@@ -0,0 +1,54 @@
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

@@ -0,0 +1,2 @@
//>>built
define("dijit/_editor/nls/az/FontChoice",({"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"}));

View File

@@ -0,0 +1,27 @@
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

@@ -0,0 +1,2 @@
//>>built
define("dijit/_editor/nls/az/LinkDialog",({"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:"}));

View File

@@ -0,0 +1,16 @@
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

@@ -0,0 +1,2 @@
//>>built
define("dijit/_editor/nls/az/commands",({"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}"}));

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Descripció:","insertImageTitle":"Propietats de la imatge","set":"Defineix","newWindow":"Finestra nova","topWindow":"Finestra superior","target":"Destinació:","createLinkTitle":"Propietats de l'enllaç","parentWindow":"Finestra pare","currentWindow":"Finestra actual","url":"URL:"})
//>>built
define("dijit/_editor/nls/ca/LinkDialog",({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"}));

View File

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

View File

@@ -0,0 +1,52 @@
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 +1,2 @@
({"removeFormat":"Remove Format","copy":"Copy","paste":"Paste","selectAll":"Select All","insertOrderedList":"Numbered List","insertTable":"Insert/Edit Table","print":"Print","underline":"Underline","foreColor":"Foreground Color","htmlToggle":"HTML Source","formatBlock":"Paragraph Style","newPage":"New Page","insertHorizontalRule":"Horizontal Rule","delete":"Delete","appleKey":"⌘${0}","insertUnorderedList":"Bullet List","tableProp":"Table Property","insertImage":"Insert Image","superscript":"Superscript","subscript":"Subscript","createLink":"Create Link","undo":"Undo","fullScreen":"Toggle Full Screen","italic":"Italic","fontName":"Font Name","justifyLeft":"Align Left","unlink":"Remove Link","toggleTableBorder":"Toggle Table Border","viewSource":"View HTML Source","ctrlKey":"ctrl+${0}","fontSize":"Font Size","systemShortcut":"The \"${0}\" action is only available in your browser using a keyboard shortcut. Use ${1}.","indent":"Indent","redo":"Redo","strikethrough":"Strikethrough","justifyFull":"Justify","justifyCenter":"Align Center","hiliteColor":"Background Color","deleteTable":"Delete Table","outdent":"Outdent","cut":"Cut","plainFormatBlock":"Paragraph Style","toggleDir":"Toggle Direction","bold":"Bold","tabIndent":"Tab Indent","justifyRight":"Align Right"})
//>>built
define("dijit/_editor/nls/commands",{root:({"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","systemShortcut":"The \"${0}\" action is only available in your browser using a keyboard shortcut. Use ${1}.","ctrlKey":"ctrl+${0}","appleKey":"⌘${0}"}),"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

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Popis:","insertImageTitle":"Vlastnosti obrázku","set":"Nastavit","newWindow":"Nové okno","topWindow":"Okno nejvyšší úrovně","target":"Cíl:","createLinkTitle":"Vlastnosti odkazu","parentWindow":"Nadřízené okno","currentWindow":"Aktuální okno","url":"Adresa URL:"})
//>>built
define("dijit/_editor/nls/cs/LinkDialog",({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"}));

View File

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

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Beskrivelse:","insertImageTitle":"Billedegenskaber","set":"Definér","newWindow":"Nyt vindue","topWindow":"Øverste vindue","target":"Mål:","createLinkTitle":"Linkegenskaber","parentWindow":"Overordnet vindue","currentWindow":"Aktuelt vindue","url":"URL:"})
//>>built
define("dijit/_editor/nls/da/LinkDialog",({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"}));

View File

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

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Beschreibung:","insertImageTitle":"Grafikeigenschaften","set":"Festlegen","newWindow":"Neues Fenster","topWindow":"Aktives Fenster","target":"Ziel:","createLinkTitle":"Linkeigenschaften","parentWindow":"Übergeordnetes Fenster","currentWindow":"Aktuelles Fenster","url":"URL:"})
//>>built
define("dijit/_editor/nls/de/LinkDialog",({createLinkTitle:"Linkeigenschaften",insertImageTitle:"Grafikeigenschaften",url:"URL:",text:"Beschreibung:",target:"Ziel:",set:"Festlegen",currentWindow:"Aktuelles Fenster",parentWindow:"Übergeordnetes Fenster",topWindow:"Aktives Fenster",newWindow:"Neues Fenster"}));

View File

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

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Περιγραφή:","insertImageTitle":"Ιδιότητες εικόνας","set":"Ορισμός","newWindow":"Νέο παράθυρο","topWindow":"Παράθυρο σε πρώτο πλάνο","target":"Προορισμός:","createLinkTitle":"Ιδιότητες σύνδεσης","parentWindow":"Γονικό παράθυρο","currentWindow":"Τρέχον παράθυρο","url":"Διεύθυνση URL:"})
//>>built
define("dijit/_editor/nls/el/LinkDialog",({createLinkTitle:"Ιδιότητες σύνδεσης",insertImageTitle:"Ιδιότητες εικόνας",url:"Διεύθυνση URL:",text:"Περιγραφή:",target:"Προορισμός:",set:"Ορισμός",currentWindow:"Τρέχον παράθυρο",parentWindow:"Γονικό παράθυρο",topWindow:"Παράθυρο σε πρώτο πλάνο",newWindow:"Νέο παράθυρο"}));

View File

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

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Descripción:","insertImageTitle":"Propiedades de la imagen","set":"Establecer","newWindow":"Nueva ventana","topWindow":"Ventana superior","target":"Destino:","createLinkTitle":"Propiedades del enlace","parentWindow":"Ventana padre","currentWindow":"Ventana actual","url":"URL:"})
//>>built
define("dijit/_editor/nls/es/LinkDialog",({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"}));

View File

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

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Kuvaus:","insertImageTitle":"Kuvan ominaisuudet","set":"Aseta","newWindow":"Uusi ikkuna","topWindow":"Päällimmäinen ikkuna","target":"Kohde:","createLinkTitle":"Linkin ominaisuudet","parentWindow":"Pääikkuna","currentWindow":"Nykyinen ikkuna","url":"URL-osoite:"})
//>>built
define("dijit/_editor/nls/fi/LinkDialog",({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"}));

View File

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

View File

@@ -0,0 +1,52 @@
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 +1,2 @@
({"noFormat":"Néant","1":"xxs","2":"xs","formatBlock":"Mise en forme","3":"s","4":"m","5":"l","6":"xl","7":"xxl","fantasy":"fantaisie","serif":"serif","p":"Paragraphe","pre":"Pré-mise en forme","sans-serif":"sans serif","fontName":"Police","h1":"En-tête","h2":"Sous-en-tête","h3":"Sous-sous-en-tête","monospace":"espacement fixe","fontSize":"Taille","cursive":"cursive"})
//>>built
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

@@ -0,0 +1,25 @@
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 +1,2 @@
({"text":"Description :","insertImageTitle":"Propriétés de l'image","set":"Définir","newWindow":"Nouvelle fenêtre","topWindow":"Fenêtre supérieure","target":"Cible :","createLinkTitle":"Propriétés du lien","parentWindow":"Fenêtre parent","currentWindow":"Fenêtre actuelle","url":"URL :"})
//>>built
define("dijit/_editor/nls/fr/LinkDialog",({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"}));

View File

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

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"תיאור:","insertImageTitle":"תכונות תמונה","set":"הגדרה","newWindow":"חלון חדש","topWindow":"חלון עליון","target":"יעד:","createLinkTitle":"תכונות קישור","parentWindow":"חלון אב","currentWindow":"חלון נוכחי","url":"URL:"})
//>>built
define("dijit/_editor/nls/he/LinkDialog",({createLinkTitle:"תכונות קישור",insertImageTitle:"תכונות תמונה",url:"URL:",text:"תיאור:",target:"יעד:",set:"הגדרה",currentWindow:"חלון נוכחי",parentWindow:"חלון אב",topWindow:"חלון עליון",newWindow:"חלון חדש"}));

View File

@@ -0,0 +1,17 @@
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 +1,2 @@
({"removeFormat":"סילוק עיצוב","copy":"עותק","paste":"הדבקה","selectAll":"בחירת הכל","insertOrderedList":"רשימה ממוספרת","insertTable":"הוספת/עריכת טבלה","print":"הדפסה","underline":"קו תחתי","foreColor":"צבע חזית","htmlToggle":"מקור HTML","formatBlock":"סגנון פיסקה","newPage":"דף חדש","insertHorizontalRule":"קו אופקי","delete":"מחיקה","appleKey":"⌘${0}","insertUnorderedList":"רשימה עם תבליטים","tableProp":"תכונת טבלה","insertImage":"הוספת תמונה","superscript":"כתב עילי","subscript":"כתב תחתי","createLink":"יצירת קישור","undo":"ביטול פעולה","fullScreen":"מיתוג מסך מלא","italic":"נטוי","fontName":"שם גופן","justifyLeft":"יישור לשמאל","unlink":"סילוק הקישור","toggleTableBorder":"מיתוג גבול טבלה","viewSource":"הצגת מקור HTML","ctrlKey":"ctrl+${0}","fontSize":"גופן יחסי","systemShortcut":"הפעולה \"${0}\" זמינה בדפדפן רק באמצעות קיצור דרך במקלדת. השתמשו בקיצור ${1}.","indent":"הגדלת כניסה","redo":"שחזור פעולה","strikethrough":"קו חוצה","justifyFull":"יישור דו-צדדי","justifyCenter":"יישור למרכז","hiliteColor":"צבע רקע","deleteTable":"מחיקת טבלה","outdent":"הקטנת כניסה","cut":"גזירה","plainFormatBlock":"סגנון פיסקה","toggleDir":"מיתוג כיוון","bold":"מודגש","tabIndent":"כניסת טאב","justifyRight":"יישור לימין"})
//>>built
define("dijit/_editor/nls/he/commands",({"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":"דף חדש","systemShortcut":"הפעולה \"${0}\" זמינה בדפדפן רק באמצעות קיצור דרך במקלדת. השתמשו בקיצור ${1}.","ctrlKey":"ctrl+${0}","appleKey":"⌘${0}"}));

View File

@@ -0,0 +1,53 @@
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

@@ -0,0 +1,2 @@
//>>built
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

@@ -0,0 +1,25 @@
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

@@ -0,0 +1,2 @@
//>>built
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

@@ -0,0 +1,14 @@
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

@@ -0,0 +1,2 @@
//>>built
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","systemShortcut":"\"${0}\" akcija je dostupna jedino u vašem pregledniku upotrebom prečice tipkovnice. Koristite ${1}.","ctrlKey":"ctrl+${0}","appleKey":"⌘${0}"}));

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"Leírás:","insertImageTitle":"Kép tulajdonságai","set":"Beállítás","newWindow":"Új ablak","topWindow":"Legfelső szintű ablak","target":"Cél:","createLinkTitle":"Hivatkozás tulajdonságai","parentWindow":"Szülő ablak","currentWindow":"Aktuális ablak","url":"URL:"})
//>>built
define("dijit/_editor/nls/hu/LinkDialog",({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"}));

View File

@@ -0,0 +1,17 @@
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 +1,2 @@
({"removeFormat":"Formázás eltávolítása","copy":"Másolás","paste":"Beillesztés","selectAll":"Összes kijelölése","insertOrderedList":"Számozott lista","insertTable":"Táblázat beszúrása/szerkesztése","print":"Nyomtatás","underline":"Aláhúzott","foreColor":"Előtérszín","htmlToggle":"HTML forrás","formatBlock":"Bekezdés stílusa","newPage":"Új oldal","insertHorizontalRule":"Vízszintes vonalzó","delete":"Törlés","insertUnorderedList":"Felsorolásjeles lista","tableProp":"Táblázat tulajdonságai","insertImage":"Kép beszúrása","superscript":"Felső index","subscript":"Alsó index","createLink":"Hivatkozás létrehozása","undo":"Visszavonás","fullScreen":"Váltás teljes képernyőre","italic":"Dőlt","fontName":"Betűtípus","justifyLeft":"Balra igazítás","unlink":"Hivatkozás eltávolítása","toggleTableBorder":"Táblázatszegély ki-/bekapcsolása","viewSource":"HTML forrás megjelenítése","fontSize":"Betűméret","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}.","indent":"Behúzás","redo":"Újra","strikethrough":"Áthúzott","justifyFull":"Sorkizárás","justifyCenter":"Középre igazítás","hiliteColor":"Háttérszín","deleteTable":"Táblázat törlése","outdent":"Negatív behúzás","cut":"Kivágás","plainFormatBlock":"Bekezdés stílusa","toggleDir":"Irány váltókapcsoló","bold":"Félkövér","tabIndent":"Tab behúzás","justifyRight":"Jobbra igazítás","appleKey":"⌘${0}","ctrlKey":"ctrl+${0}"})
//>>built
define("dijit/_editor/nls/hu/commands",({"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","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}."}));

View File

@@ -0,0 +1,51 @@
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 +1,2 @@
({"noFormat":"Nessuna","1":"xx-small","2":"x-small","formatBlock":"Formato","3":"small","4":"medium","5":"large","6":"x-large","7":"xx-large","fantasy":"fantasy","serif":"serif","p":"Paragrafo","pre":"Preformattato","sans-serif":"sans-serif","fontName":"Carattere","h1":"Intestazione","h2":"Sottointestazione","h3":"Sottointestazione secondaria","monospace":"spaziatura fissa","fontSize":"Dimensione","cursive":"corsivo"})
//>>built
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

@@ -0,0 +1,25 @@
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 +1,2 @@
({"text":"Descrizione:","insertImageTitle":"Proprietà immagine","set":"Imposta","newWindow":"Nuova finestra","topWindow":"Finestra in primo piano","target":"Destinazione:","createLinkTitle":"Proprietà collegamento","parentWindow":"Finestra parent","currentWindow":"Finestra corrente","url":"URL:"})
//>>built
define("dijit/_editor/nls/it/LinkDialog",({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"}));

View File

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

View File

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

View File

@@ -0,0 +1,30 @@
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 +1,2 @@
({"text":"説明:","insertImageTitle":"イメージ・プロパティー","set":"設定","newWindow":"新規ウィンドウ","topWindow":"最上位ウィンドウ","target":"ターゲット:","createLinkTitle":"リンク・プロパティー","parentWindow":"親ウィンドウ","currentWindow":"現行ウィンドウ","url":"URL:"})
//>>built
define("dijit/_editor/nls/ja/LinkDialog",({createLinkTitle:"リンク・プロパティー",insertImageTitle:"イメージ・プロパティー",url:"URL:",text:"説明:",target:"ターゲット:",set:"設定",currentWindow:"現行ウィンドウ",parentWindow:"親ウィンドウ",topWindow:"最上位ウィンドウ",newWindow:"新規ウィンドウ"}));

View File

@@ -0,0 +1,17 @@
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
);

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