Merge branch 'release/v7.3.0' into feature/Bug_58655

This commit is contained in:
SergeyEzhin 2022-12-20 18:32:05 +04:00 committed by GitHub
commit 58380dab6e
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
150 changed files with 3779 additions and 1810 deletions

View file

@ -710,8 +710,8 @@ define([
this.options.updateFormControl.call(this, this._selectedItem);
},
setValue: function(value) {
Common.UI.ComboBox.prototype.setValue.call(this, value);
setValue: function(value, defValue) {
Common.UI.ComboBox.prototype.setValue.call(this, value, defValue);
if (this.options.updateFormControl)
this.options.updateFormControl.call(this, this._selectedItem);
},

View file

@ -56,7 +56,8 @@ define([
maxlength : undefined,
placeHolder : '',
spellcheck : false,
disabled: false
disabled: false,
resize: false
},
template: _.template([
@ -133,6 +134,7 @@ define([
this._input.on('blur', _.bind(this.onInputChanged, this));
this._input.on('keydown', _.bind(this.onKeyDown, this));
if (this.maxLength) this._input.attr('maxlength', this.maxLength);
if (!this.resize) this._input.css('resize', 'none');
if (this.disabled)
this.setDisabled(this.disabled);
@ -140,6 +142,9 @@ define([
me.rendered = true;
if (me.value)
me.setValue(me.value);
return this;
},

View file

@ -62,7 +62,8 @@ define([
'btn-save-coauth': 'coauth',
'btn-synch': 'synch' };
var nativevars;
var nativevars,
helpUrl;
if ( !!native ) {
native.features = native.features || {};
@ -236,22 +237,55 @@ define([
}
}
return {
init: function (opts) {
_.extend(config, opts);
const _checkHelpAvailable = function () {
const me = this;
const build_url = function (arg1, arg2, arg3) {
const re_ls = /\/$/;
return (re_ls.test(arg1) ? arg1 : arg1 + '/') + arg2 + arg3;
}
if ( config.isDesktopApp ) {
let is_win_xp = nativevars && nativevars.os === 'winxp';
fetch(build_url('resources/help/', Common.Locale.getDefaultLanguage(), '/Contents.json'))
.then(function (response) {
if ( response.ok ) {
/* local help avail */
fetch(build_url('resources/help/', Common.Locale.getCurrentLanguage(), '/Contents.json'))
.then(function (response){
if ( response.ok )
helpUrl = build_url('resources/help/', Common.Locale.getCurrentLanguage(), '');
})
.catch(function (e) {
helpUrl = build_url('resources/help/', Common.Locale.getDefaultLanguage(), '');
})
}
}).catch(function (e) {
if ( me.helpUrl() ) {
fetch(build_url(me.helpUrl(), Common.Locale.getDefaultLanguage(), '/Contents.json'))
.then(function (response) {
if ( response.ok ) {
/* remote help avail */
fetch(build_url(me.helpUrl(), Common.Locale.getCurrentLanguage(), '/Contents.json'))
.then(function (response) {
if ( response.ok ) {
helpUrl = build_url(me.helpUrl(), Common.Locale.getCurrentLanguage(), '');
}
})
.catch(function (e) {
helpUrl = build_url(me.helpUrl(), Common.Locale.getDefaultLanguage(), '');
});
}
})
}
});
}
Common.UI.Themes.setAvailable(!is_win_xp);
Common.NotificationCenter.on('app:ready', function (opts) {
const _onAppReady = function (opts) {
_.extend(config, opts);
!!native && native.execCommand('doc:onready', '');
$('.toolbar').addClass('editor-native-color');
});
}
Common.NotificationCenter.on('document:ready', function () {
const _onDocumentReady = function () {
if ( config.isEdit ) {
function get_locked_message (t) {
switch (t) {
@ -280,11 +314,25 @@ define([
})).on('closeclick', function () {
this.close();
}).show();
native.execCommand('webapps:features', JSON.stringify(features));
api.asc_registerCallback('asc_onDocumentName', function () {
if ( features.readonly ) {
if ( api.asc_getLocalRestrictions() == Asc.c_oAscLocalRestrictionType.None ) {
features.readonly = false;
header.setDocumentReadOnly(false);
native.execCommand('webapps:features', JSON.stringify(features));
}
}
});
}
Common.NotificationCenter.on('app:face', function (mode) {
_checkHelpAvailable.call(this);
}
}
const _onHidePreloader = function (mode) {
features.viewmode = !mode.isEdit;
features.crypted = mode.isCrypted;
native.execCommand('webapps:features', JSON.stringify(features));
@ -369,9 +417,20 @@ define([
// $('#box-document-title .hedset')[native.features.singlewindow ? 'hide' : 'show']();
!!titlebuttons.home && titlebuttons.home.btn.setVisible(native.features.singlewindow);
}
});
}
return {
init: function (opts) {
_.extend(config, opts);
if ( config.isDesktopApp ) {
let is_win_xp = nativevars && nativevars.os === 'winxp';
Common.UI.Themes.setAvailable(!is_win_xp);
Common.NotificationCenter.on({
'app:ready': _onAppReady,
'document:ready': _onDocumentReady.bind(this),
'app:face': _onHidePreloader.bind(this),
'modal:show': _onModalDialog.bind(this, 'open'),
'modal:close': _onModalDialog.bind(this, 'close'),
'modal:hide': _onModalDialog.bind(this, 'hide'),
@ -450,6 +509,9 @@ define([
}
},
helpUrl: function () {
if ( helpUrl )
return helpUrl;
if ( !!nativevars && nativevars.helpUrl ) {
var webapp = window.SSE ? 'spreadsheeteditor' :
window.PE ? 'presentationeditor' : 'documenteditor';
@ -458,6 +520,9 @@ define([
return undefined;
},
isHelpAvailable: function () {
return !!helpUrl;
},
getDefaultPrinterName: function () {
return nativevars ? nativevars.defaultPrinterName : '';
},

View file

@ -324,7 +324,7 @@ Common.UI.HintManager = new(function() {
index++;
}
var title = el.attr('data-hint-title');
if (!title) {
if (!title && !(index > _arrLetters.length)) {
el.attr('data-hint-title', _arrLetters[index].toUpperCase());
index++;
}

View file

@ -147,6 +147,23 @@ define([
},
onAppReady: function (config) {
var me = this;
(new Promise(function (accept, reject) {
accept();
})).then(function(){
me.onChangeProtectDocument();
Common.NotificationCenter.on('protect:doclock', _.bind(me.onChangeProtectDocument, me));
});
},
onChangeProtectDocument: function(props) {
if (!props) {
var docprotect = this.getApplication().getController('DocProtection');
props = docprotect ? docprotect.getDocProps() : null;
}
if (props && this.view) {
this.view._state.docProtection = props;
}
},
addPassword: function() {

View file

@ -87,10 +87,17 @@ define([
}
if (me.appConfig.isSignatureSupport) {
if (this.btnSignature.menu)
if (this.btnSignature.menu) {
this.btnSignature.menu.on('item:click', function (menu, item, e) {
me.fireEvent('protect:signature', [item.value, false]);
});
this.btnSignature.menu.on('show:after', function (menu, e) {
if (me._state) {
var isProtected = me._state.docProtection ? me._state.docProtection.isReadOnly || me._state.docProtection.isFormsOnly || me._state.docProtection.isCommentsOnly : false;
menu.items && menu.items[1].setDisabled(isProtected || me._state.disabled);
}
});
}
this.btnsInvisibleSignature.forEach(function(button) {
button.on('click', function (b, e) {
@ -314,13 +321,14 @@ define([
SetDisabled: function (state, canProtect) {
this._state.disabled = state;
this._state.invisibleSignDisabled = state && !canProtect;
var isProtected = this._state.docProtection ? this._state.docProtection.isReadOnly || this._state.docProtection.isFormsOnly || this._state.docProtection.isCommentsOnly : false;
this.btnsInvisibleSignature && this.btnsInvisibleSignature.forEach(function(button) {
if ( button ) {
button.setDisabled(state && !canProtect);
}
}, this);
if (this.btnSignature && this.btnSignature.menu) {
this.btnSignature.menu.items && this.btnSignature.menu.items[1].setDisabled(state); // disable adding signature line
this.btnSignature.menu.items && this.btnSignature.menu.items[1].setDisabled(state || isProtected); // disable adding signature line
this.btnSignature.setDisabled(state && !canProtect); // disable adding any signature
}
this.btnsAddPwd.concat(this.btnsDelPwd, this.btnsChangePwd).forEach(function(button) {

View file

@ -79,7 +79,7 @@ define([
'<div class="input-row">',
'<label>' + this.textInstructions + '</label>',
'</div>',
'<textarea id="id-dlg-sign-settings-instructions" class="form-control" style="width: 100%;height: 35px;margin-bottom: 10px;resize: none;"></textarea>',
'<div id="id-dlg-sign-settings-instructions">',
'<div id="id-dlg-sign-settings-date"></div>',
'</div>',
'<div class="footer center">',
@ -121,15 +121,12 @@ define([
disabled : this.type=='view'
});
me.textareaInstructions = this.$window.find('textarea');
me.textareaInstructions.val(this.textDefInstruction);
me.textareaInstructions.keydown(function (event) {
if (event.keyCode == Common.UI.Keys.RETURN) {
event.stopPropagation();
}
me.textareaInstructions = new Common.UI.TextareaField({
el : $window.find('#id-dlg-sign-settings-instructions'),
style : 'width: 100%; height: 35px;margin-bottom: 10px;',
value : this.textDefInstruction,
disabled : this.type=='view'
});
(this.type=='view') ? this.textareaInstructions.attr('disabled', 'disabled') : this.textareaInstructions.removeAttr('disabled');
this.textareaInstructions.toggleClass('disabled', this.type=='view');
this.chDate = new Common.UI.CheckBox({
el: $('#id-dlg-sign-settings-date'),
@ -160,7 +157,7 @@ define([
value = props.asc_getEmail();
me.inputEmail.setValue(value ? value : '');
value = props.asc_getInstructions();
me.textareaInstructions.val(value ? value : '');
me.textareaInstructions.setValue(value ? value : '');
me.chDate.setValue(props.asc_getShowDate());
me._currentGuid = props.asc_getGuid();
@ -174,7 +171,7 @@ define([
props.asc_setSigner1(me.inputName.getValue());
props.asc_setSigner2(me.inputTitle.getValue());
props.asc_setEmail(me.inputEmail.getValue());
props.asc_setInstructions(me.textareaInstructions.val());
props.asc_setInstructions(me.textareaInstructions.getValue());
props.asc_setShowDate(me.chDate.getValue()=='checked');
(me._currentGuid!==undefined) && props.asc_setGuid(me._currentGuid);

View file

@ -704,6 +704,10 @@
margin: 0;
-webkit-box-shadow: none;
box-shadow: none;
}
&:not(.disabled) {
.item {
&:hover {
background-color: @highlight-button-hover-ie;
background-color: @highlight-button-hover;
@ -719,6 +723,7 @@
}
}
}
}
.button {
width: 14px;
.caret {

View file

@ -28,7 +28,7 @@ const SharingSettingsController = props => {
if (msgData?.needUpdate) {
setSharingSettings(msgData.sharingSettings);
}
f7.views.current.router.back();
props.f7router.back();
}
}
};

View file

@ -7,20 +7,11 @@ const ViewSharingSettings = props => {
const sharingSettingsUrl = props.sharingSettingsUrl;
const _t = t('Common.Collaboration', {returnObjects: true});
function resizeHeightIframe(selector) {
const iFrame = document.querySelector(selector);
iFrame.height = iFrame.contentWindow.document.body.scrollHeight;
};
useEffect(() => {
resizeHeightIframe('#sharing-placeholder iframe');
}, []);
return (
<Page>
<Navbar title={t('Common.Collaboration.textSharingSettings')} backLink={_t.textBack} />
<div id="sharing-placeholder" className="sharing-placeholder">
<iframe width="100%" frameBorder={0} scrolling="0" align="top" src={sharingSettingsUrl}></iframe>
<iframe width="100%" height="500" frameBorder={0} scrolling="0" align="top" src={sharingSettingsUrl}></iframe>
</div>
</Page>
)

View file

@ -92,6 +92,9 @@ const PageCollaboration = inject('storeAppOptions', 'users')(observer(props => {
const { t } = useTranslation();
const _t = t('Common.Collaboration', {returnObjects: true});
const appOptions = props.storeAppOptions;
const documentInfo = props.documentInfo;
const dataDoc = documentInfo && documentInfo.dataDoc;
const fileType = dataDoc && dataDoc.fileType;
const sharingSettingsUrl = appOptions.sharingSettingsUrl;
const isViewer = appOptions.isViewer;
@ -108,7 +111,7 @@ const PageCollaboration = inject('storeAppOptions', 'users')(observer(props => {
}
</Navbar>
<List>
{sharingSettingsUrl &&
{(sharingSettingsUrl && fileType !== 'oform') &&
<ListItem title={t('Common.Collaboration.textSharingSettings')} link="/sharing-settings/">
<Icon slot="media" icon="icon-sharing-settings"></Icon>
</ListItem>
@ -148,10 +151,10 @@ class CollaborationView extends Component {
return (
show_popover ?
<Popover id="coauth-popover" className="popover__titled" onPopoverClosed={() => this.props.onclosed()} closeByOutsideClick={false}>
<PageCollaboration style={{height: '410px'}} page={this.props.page}/>
<PageCollaboration documentInfo={this.props.documentInfo} style={{height: '410px'}} page={this.props.page}/>
</Popover> :
<Sheet className="coauth__sheet" push onSheetClosed={() => this.props.onclosed()}>
<PageCollaboration page={this.props.page}/>
<PageCollaboration documentInfo={this.props.documentInfo} page={this.props.page}/>
</Sheet>
)
}
@ -177,9 +180,9 @@ const Collaboration = props => {
};
return (
<CollaborationView usePopover={!Device.phone} onclosed={onviewclosed} page={props.page}/>
<CollaborationView usePopover={!Device.phone} documentInfo={props.storeDocumentInfo} onclosed={onviewclosed} page={props.page}/>
)
};
export {PageCollaboration}
export default Collaboration;
const CollaborationDocument = inject('storeDocumentInfo')(observer(Collaboration));
export {Collaboration, CollaborationDocument};

View file

@ -73,12 +73,12 @@
"Common.Views.OpenDialog.txtPreview": "Προεπισκόπηση",
"Common.Views.OpenDialog.txtProtected": "Μόλις βάλετε το συνθηματικό και ανοίξετε το αρχείο, το τρέχον συνθηματικό αρχείου θα αρχικοποιηθεί.",
"Common.Views.OpenDialog.txtTitle": "Διαλέξτε %1 επιλογές",
"Common.Views.OpenDialog.txtTitleProtected": "Προστατευμένο Αρχείο",
"Common.Views.OpenDialog.txtTitleProtected": "Προστατευμένο αρχείο",
"Common.Views.SaveAsDlg.textLoading": "Γίνεται φόρτωση",
"Common.Views.SaveAsDlg.textTitle": "Φάκελος για αποθήκευση",
"Common.Views.SelectFileDlg.textLoading": "Γίνεται φόρτωση",
"Common.Views.SelectFileDlg.textTitle": "Επιλογή Πηγής Δεδομένων",
"Common.Views.ShareDialog.textTitle": "Διαμοιρασμός Συνδέσμου",
"Common.Views.SelectFileDlg.textTitle": "Επιλογή πηγής δεδομένων",
"Common.Views.ShareDialog.textTitle": "Διαμοιρασμός συνδέσμου",
"Common.Views.ShareDialog.txtCopy": "Αντιγραφή στο πρόχειρο",
"Common.Views.ShareDialog.warnCopy": "Σφάλμα φυλλομετρητή! Χρησιμοποιείστε τη συντόμευση [Ctrl]+[C]",
"DE.Controllers.ApplicationController.convertationErrorText": "Αποτυχία μετατροπής.",

View file

@ -77,7 +77,7 @@
"Common.Views.SaveAsDlg.textLoading": "A carregar",
"Common.Views.SaveAsDlg.textTitle": "Pasta para guardar",
"Common.Views.SelectFileDlg.textLoading": "A carregar",
"Common.Views.SelectFileDlg.textTitle": "Selecione a origem dos dados",
"Common.Views.SelectFileDlg.textTitle": "Selecione a fonte dos dados",
"Common.Views.ShareDialog.textTitle": "Partilhar ligação",
"Common.Views.ShareDialog.txtCopy": "Copiar para a área de transferência",
"Common.Views.ShareDialog.warnCopy": "Erro do navegador! Utilize a tecla de atalho [Ctrl] + [C]",

View file

@ -86,6 +86,7 @@ define([
this.setApi(api);
},
setApi: function (api) {
this.userCollection = this.getApplication().getCollection('Common.Collections.Users');
if (api) {
this.api = api;
this.api.asc_registerCallback('asc_onChangeDocumentProtection',_.bind(this.onChangeProtectDocument, this));
@ -95,6 +96,7 @@ define([
setMode: function(mode) {
this.appConfig = mode;
this.currentUserId = mode.user.id;
this.appConfig.isEdit && (this.view = this.createView('DocProtection', {
mode: mode
@ -168,7 +170,7 @@ define([
},
onAppReady: function (config) {
if (!this.view) return;
if (!this.api) return;
var me = this;
(new Promise(function (resolve) {
@ -178,12 +180,47 @@ define([
type = props ? props.asc_getEditType() : Asc.c_oAscEDocProtect.None,
isProtected = (type === Asc.c_oAscEDocProtect.ReadOnly || type === Asc.c_oAscEDocProtect.Comments ||
type === Asc.c_oAscEDocProtect.TrackedChanges || type === Asc.c_oAscEDocProtect.Forms);
me.view.btnProtectDoc.toggle(!!isProtected, true);
me.view && me.view.btnProtectDoc.toggle(!!isProtected, true);
if (isProtected) {
var str;
switch (type) {
case Asc.c_oAscEDocProtect.ReadOnly:
str = me.txtIsProtectedView;
break;
case Asc.c_oAscEDocProtect.Comments:
str = me.txtIsProtectedComment;
break;
case Asc.c_oAscEDocProtect.Forms:
str = me.txtIsProtectedForms;
break;
case Asc.c_oAscEDocProtect.TrackedChanges:
str = me.txtIsProtectedTrack;
break;
}
me._protectionTip = new Common.UI.SynchronizeTip({
extCls: 'no-arrow',
placement: 'bottom',
target: $('.toolbar'),
text: str,
showLink: false,
style: 'max-width: 400px;'
});
me._protectionTip.on('closeclick', function () {
this.close();
}).show();
}
props && me.applyRestrictions(type);
});
},
onChangeProtectDocument: function() {
onChangeProtectDocument: function(userId) {
if (this._protectionTip && this._protectionTip.isVisible()) {
this._protectionTip.close();
this._protectionTip = undefined;
}
var props = this.getDocProps(true),
isProtected = props && (props.isReadOnly || props.isCommentsOnly || props.isFormsOnly || props.isReviewOnly);
this.view && this.view.btnProtectDoc.toggle(isProtected, true);
@ -204,6 +241,27 @@ define([
if (this._docProtectDlg && this._docProtectDlg.isVisible())
this._docProtectDlg.SetDisabled(!!this._state.lockDocProtect || isProtected);
Common.NotificationCenter.trigger('protect:doclock', props);
if (userId && this.userCollection) {
var recUser = this.userCollection.findOriginalUser(userId);
if (recUser && (recUser.get('idOriginal') !== this.currentUserId)) {
var str = this.txtWasUnprotected;
switch (this._state.docProtection.type) {
case Asc.c_oAscEDocProtect.ReadOnly:
str = this.txtWasProtectedView;
break;
case Asc.c_oAscEDocProtect.Comments:
str = this.txtWasProtectedComment;
break;
case Asc.c_oAscEDocProtect.Forms:
str = this.txtWasProtectedForms;
break;
case Asc.c_oAscEDocProtect.TrackedChanges:
str = this.txtWasProtectedTrack;
break;
}
str && Common.NotificationCenter.trigger('showmessage', {msg: str}, {timeout: 5000, hideCloseTip: true});
}
}
},
getDocProps: function(update) {
@ -246,7 +304,17 @@ define([
if (this._docProtectDlg && this._docProtectDlg.isVisible())
this._docProtectDlg.SetDisabled(state || this._state.docProtection && (this._state.docProtection.isReadOnly || this._state.docProtection.isFormsOnly ||
this._state.docProtection.isCommentsOnly || this._state.docProtection.isReviewOnly));
}
},
txtWasProtectedView: 'Document has been protected by another user.\nYou may only view this document.',
txtWasProtectedTrack: 'Document has been protected by another user.\nYou may edit this document, but all changes will be tracked.',
txtWasProtectedComment: 'Document has been protected by another user.\nYou may only insert comments to this document.',
txtWasProtectedForms: 'Document has been protected by another user.\nYou may only fill in forms in this document.',
txtWasUnprotected: 'Document has been unprotected.',
txtIsProtectedView: 'Document is protected. You may only view this document.',
txtIsProtectedTrack: 'Document is protected. You may edit this document, but all changes will be tracked.',
txtIsProtectedComment: 'Document is protected. You may only insert comments to this document.',
txtIsProtectedForms: 'Document is protected. You may only fill in forms in this document.'
}, DE.Controllers.DocProtection || {}));
});

View file

@ -214,6 +214,9 @@ define([
this.api.asc_registerCallback('asc_onUnLockDocumentProps', _.bind(this.onApiUnLockDocumentProps, this));
this.api.asc_registerCallback('asc_onShowMathTrack', _.bind(this.onShowMathTrack, this));
this.api.asc_registerCallback('asc_onHideMathTrack', _.bind(this.onHideMathTrack, this));
this.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.Image, _.bind(this.onInsertImage, this));
this.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.ImageUrl, _.bind(this.onInsertImageUrl, this));
}
this.api.asc_registerCallback('asc_onCoAuthoringDisconnect', _.bind(this.onCoAuthoringDisconnect, this));
Common.NotificationCenter.on('api:disconnect', _.bind(this.onCoAuthoringDisconnect, this));
@ -2495,6 +2498,29 @@ define([
}
},
onInsertImage: function(obj, x, y) {
if (this.api)
this.api.asc_addImage(obj);
this.editComplete();
},
onInsertImageUrl: function(obj, x, y) {
var me = this;
(new Common.Views.ImageFromUrlDialog({
handler: function(result, value) {
if (result == 'ok') {
if (me.api) {
var checkUrl = value.replace(/ /g, '');
if (!_.isEmpty(checkUrl)) {
me.api.AddImageUrl([checkUrl], undefined, undefined, obj);
}
}
}
me.editComplete();
}
})).show();
},
editComplete: function() {
this.documentHolder && this.documentHolder.fireEvent('editcomplete', this.documentHolder);
}

View file

@ -207,6 +207,14 @@ define([
case '2': this.api.SetFontRenderingMode(2); break;
}
if ( !Common.Utils.isIE ) {
if ( /^https?:\/\//.test('{{HELP_CENTER_WEB_DE}}') ) {
const _url_obj = new URL('{{HELP_CENTER_WEB_DE}}');
_url_obj.searchParams.set('lang', Common.Locale.getCurrentLanguage());
Common.Utils.InternalSettings.set("url-help-center", _url_obj.toString());
}
}
this.api.asc_registerCallback('asc_onError', _.bind(this.onError, this));
this.api.asc_registerCallback('asc_onDocumentContentReady', _.bind(this.onDocumentContentReady, this));
this.api.asc_registerCallback('asc_onOpenDocumentProgress', _.bind(this.onOpenDocument, this));

View file

@ -525,6 +525,7 @@ define([
paperOrientation: size ? (size['H'] > size['W'] ? 'portrait' : 'landscape') : null
});
this.printSettings.menu.hide();
if ( print ) {
var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86);
opts.asc_setAdvancedOptions(this.adjPrintParams);
@ -534,7 +535,6 @@ define([
opts.asc_setAdvancedOptions(this.adjPrintParams);
this.api.asc_DownloadAs(opts);
}
this.printSettings.menu.hide();
},
inputPagesChanging: function (input, value) {

View file

@ -214,7 +214,7 @@ define([
if (!this._settings[Common.Utils.documentSettingsType.MailMerge].locked) // lock MailMerge-InsertField, если хотя бы один объект locked
this._settings[Common.Utils.documentSettingsType.MailMerge].locked = value.get_Locked() || isProtected;
if (!this._settings[Common.Utils.documentSettingsType.Signature].locked) // lock Signature, если хотя бы один объект locked
this._settings[Common.Utils.documentSettingsType.Signature].locked = value.get_Locked() || isProtected;
this._settings[Common.Utils.documentSettingsType.Signature].locked = value.get_Locked();
}
if (control_props && control_props.get_FormPr() && this.rightmenu.formSettings) {
@ -265,6 +265,9 @@ define([
if (!this._settings[Common.Utils.documentSettingsType.MailMerge].hidden)
this._settings[Common.Utils.documentSettingsType.MailMerge].panel.setLocked(this._settings[Common.Utils.documentSettingsType.MailMerge].locked);
if (!this._settings[Common.Utils.documentSettingsType.Signature].hidden)
this._settings[Common.Utils.documentSettingsType.Signature].panel.setProtected(isProtected);
if (!this.rightmenu.minimizedMode || open) {
var active;
@ -428,6 +431,7 @@ define([
this._settings[type].hidden = disabled ? 1 : 0;
this._settings[type].btn.setDisabled(disabled);
this._settings[type].panel.setLocked(this._settings[type].locked);
this._settings[type].panel.setProtected(this._state.docProtection ? this._state.docProtection.isReadOnly || this._state.docProtection.isFormsOnly || this._state.docProtection.isCommentsOnly : false);
},
SetDisabled: function(disabled, allowMerge, allowSignature) {

View file

@ -124,7 +124,7 @@ define([
for (var l = 0; l < text.length; l++) {
var charCode = text.charCodeAt(l),
char = text.charAt(l);
if (AscCommon.IsPunctuation(charCode) !== undefined || char.trim() === '') {
if (AscCommon.IsPunctuation(charCode) || char.trim() === '') {
isPunctuation = true;
break;
}

View file

@ -357,7 +357,7 @@ define([
});
this.lockedControls.push(this.btnLeft);
this.btnLeft.on('click', _.bind(function() {
this.spnX.setValue(this.spnX.getNumberValue() - 10);
this.spnX.setValue(Math.ceil((this.spnX.getNumberValue() - 10)/10)*10);
}, this));
this.btnRight = new Common.UI.Button({
@ -370,7 +370,7 @@ define([
});
this.lockedControls.push(this.btnRight);
this.btnRight.on('click', _.bind(function() {
this.spnX.setValue(this.spnX.getNumberValue() + 10);
this.spnX.setValue(Math.floor((this.spnX.getNumberValue() + 10)/10)*10);
}, this));
this.spnY = new Common.UI.MetricSpinner({
@ -399,7 +399,7 @@ define([
});
this.lockedControls.push(this.btnUp);
this.btnUp.on('click', _.bind(function() {
this.spnY.setValue(this.spnY.getNumberValue() - 10);
this.spnY.setValue(Math.ceil((this.spnY.getNumberValue() - 10)/10)*10);
}, this));
this.btnDown= new Common.UI.Button({
@ -412,7 +412,7 @@ define([
});
this.lockedControls.push(this.btnDown);
this.btnDown.on('click', _.bind(function() {
this.spnY.setValue(this.spnY.getNumberValue() + 10);
this.spnY.setValue(Math.floor((this.spnY.getNumberValue() + 10)/10)*10);
}, this));
this.spnPerspective = new Common.UI.MetricSpinner({
@ -441,7 +441,7 @@ define([
});
this.lockedControls.push(this.btnNarrow);
this.btnNarrow.on('click', _.bind(function() {
this.spnPerspective.setValue(this.spnPerspective.getNumberValue() - 5);
this.spnPerspective.setValue(Math.ceil((this.spnPerspective.getNumberValue() - 5)/5)*5);
}, this));
this.btnWiden= new Common.UI.Button({
@ -454,7 +454,7 @@ define([
});
this.lockedControls.push(this.btnWiden);
this.btnWiden.on('click', _.bind(function() {
this.spnPerspective.setValue(this.spnPerspective.getNumberValue() + 5);
this.spnPerspective.setValue(Math.floor((this.spnPerspective.getNumberValue() + 5)/5)*5);
}, this));
this.chRightAngle = new Common.UI.CheckBox({

View file

@ -2931,7 +2931,7 @@ define([
SetDisabled: function(state, canProtect, fillFormMode) {
this._isDisabled = state;
this._canProtect = canProtect;
this._canProtect = state ? canProtect : true;
this._fillFormMode = state ? fillFormMode : false;
},

View file

@ -69,7 +69,8 @@ define([
if (item.options.action === 'help') {
if ( panel.noHelpContents === true && navigator.onLine ) {
this.fireEvent('item:click', [this, 'external-help', true]);
!!panel.urlHelpCenter && window.open(panel.urlHelpCenter, '_blank');
const helpCenter = Common.Utils.InternalSettings.get('url-help-center');
!!helpCenter && window.open(helpCenter, '_blank');
return;
}
}

View file

@ -2041,14 +2041,6 @@ define([
this.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
this.openUrl = null;
if ( !Common.Utils.isIE ) {
if ( /^https?:\/\//.test('{{HELP_CENTER_WEB_DE}}') ) {
const _url_obj = new URL('{{HELP_CENTER_WEB_DE}}');
_url_obj.searchParams.set('lang', Common.Locale.getCurrentLanguage());
this.urlHelpCenter = _url_obj.toString();
}
}
this.en_data = [
{"src": "ProgramInterface/ProgramInterface.htm", "name": "Introducing Document Editor user interface", "headername": "Program Interface"},
{"src": "ProgramInterface/FileTab.htm", "name": "File tab"},
@ -2168,22 +2160,10 @@ define([
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
store.url = 'resources/help/{{DEFAULT_LANG}}/Contents.json';
store.fetch(config);
} else {
if ( Common.Controllers.Desktop.isActive() ) {
if ( store.contentLang === '{{DEFAULT_LANG}}' || !Common.Controllers.Desktop.helpUrl() ) {
me.noHelpContents = true;
me.iFrame.src = '../../common/main/resources/help/download.html';
} else {
store.contentLang = store.contentLang === lang ? '{{DEFAULT_LANG}}' : lang;
me.urlPref = Common.Controllers.Desktop.helpUrl() + '/' + store.contentLang + '/';
store.url = me.urlPref + 'Contents.json';
store.fetch(config);
}
} else {
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
store.reset(me.en_data);
}
}
},
success: function () {
var rec = me.openUrl ? store.find(function(record){
@ -2196,10 +2176,22 @@ define([
me.onSelectItem(me.openUrl ? me.openUrl : rec.get('src'));
}
};
if ( Common.Controllers.Desktop.isActive() ) {
if ( !Common.Controllers.Desktop.isHelpAvailable() ) {
me.noHelpContents = true;
me.iFrame.src = '../../common/main/resources/help/download.html';
} else {
me.urlPref = Common.Controllers.Desktop.helpUrl() + '/';
store.url = me.urlPref + 'Contents.json';
store.fetch(config);
}
} else {
store.url = 'resources/help/' + lang + '/Contents.json';
store.fetch(config);
this.urlPref = 'resources/help/' + lang + '/';
}
}
},
show: function (url) {
@ -2499,23 +2491,23 @@ define([
takeFocusOnClose: true,
cls: 'input-group-nr',
data: [
{ value: 0, displayValue:'US Letter (21,59cm x 27,94cm)', caption: 'US Letter', size: [215.9, 279.4]},
{ value: 1, displayValue:'US Legal (21,59cm x 35,56cm)', caption: 'US Legal', size: [215.9, 355.6]},
{ value: 2, displayValue:'A4 (21cm x 29,7cm)', caption: 'A4', size: [210, 297]},
{ value: 3, displayValue:'A5 (14,8cm x 21cm)', caption: 'A5', size: [148, 210]},
{ value: 4, displayValue:'B5 (17,6cm x 25cm)', caption: 'B5', size: [176, 250]},
{ value: 5, displayValue:'Envelope #10 (10,48cm x 24,13cm)', caption: 'Envelope #10', size: [104.8, 241.3]},
{ value: 6, displayValue:'Envelope DL (11cm x 22cm)', caption: 'Envelope DL', size: [110, 220]},
{ value: 7, displayValue:'Tabloid (27,94cm x 43,18cm)', caption: 'Tabloid', size: [279.4, 431.8]},
{ value: 8, displayValue:'A3 (29,7cm x 42cm)', caption: 'A3', size: [297, 420]},
{ value: 9, displayValue:'Tabloid Oversize (30,48cm x 45,71cm)', caption: 'Tabloid Oversize', size: [304.8, 457.1]},
{ value: 10, displayValue:'ROC 16K (19,68cm x 27,3cm)', caption: 'ROC 16K', size: [196.8, 273]},
{ value: 11, displayValue:'Envelope Choukei 3 (11,99cm x 23,49cm)', caption: 'Envelope Choukei 3', size: [119.9, 234.9]},
{ value: 12, displayValue:'Super B/A3 (33,02cm x 48,25cm)', caption: 'Super B/A3', size: [330.2, 482.5]},
{ value: 13, displayValue:'A4 (84,1cm x 118,9cm)', caption: 'A0', size: [841, 1189]},
{ value: 14, displayValue:'A4 (59,4cm x 84,1cm)', caption: 'A1', size: [594, 841]},
{ value: 16, displayValue:'A4 (42cm x 59,4cm)', caption: 'A2', size: [420, 594]},
{ value: 17, displayValue:'A4 (10,5cm x 14,8cm)', caption: 'A6', size: [105, 148]},
{ value: 0, displayValue:'US Letter (21,59 cm x 27,94 cm)', caption: 'US Letter', size: [215.9, 279.4]},
{ value: 1, displayValue:'US Legal (21,59 cm x 35,56 cm)', caption: 'US Legal', size: [215.9, 355.6]},
{ value: 2, displayValue:'A4 (21 cm x 29,7 cm)', caption: 'A4', size: [210, 297]},
{ value: 3, displayValue:'A5 (14,8 cm x 21 cm)', caption: 'A5', size: [148, 210]},
{ value: 4, displayValue:'B5 (17,6 cm x 25 cm)', caption: 'B5', size: [176, 250]},
{ value: 5, displayValue:'Envelope #10 (10,48 cm x 24,13 cm)', caption: 'Envelope #10', size: [104.8, 241.3]},
{ value: 6, displayValue:'Envelope DL (11 cm x 22 cm)', caption: 'Envelope DL', size: [110, 220]},
{ value: 7, displayValue:'Tabloid (27,94 cm x 43,18 cm)', caption: 'Tabloid', size: [279.4, 431.8]},
{ value: 8, displayValue:'A3 (29,7 cm x 42 cm)', caption: 'A3', size: [297, 420]},
{ value: 9, displayValue:'Tabloid Oversize (30,48 cm x 45,71 cm)', caption: 'Tabloid Oversize', size: [304.8, 457.1]},
{ value: 10, displayValue:'ROC 16K (19,68 cm x 27,3 cm)', caption: 'ROC 16K', size: [196.8, 273]},
{ value: 11, displayValue:'Envelope Choukei 3 (11,99 cm x 23,49 cm)', caption: 'Envelope Choukei 3', size: [119.9, 234.9]},
{ value: 12, displayValue:'Super B/A3 (33,02 cm x 48,25 cm)', caption: 'Super B/A3', size: [330.2, 482.5]},
{ value: 13, displayValue:'A4 (84,1 cm x 118,9 cm)', caption: 'A0', size: [841, 1189]},
{ value: 14, displayValue:'A4 (59,4 cm x 84,1 cm)', caption: 'A1', size: [594, 841]},
{ value: 16, displayValue:'A4 (42 cm x 59,4 cm)', caption: 'A2', size: [420, 594]},
{ value: 17, displayValue:'A4 (10,5 cm x 14,8 cm)', caption: 'A6', size: [105, 148]},
{ value: -1, displayValue: this.txtCustom, caption: this.txtCustom, size: []}
],
dataHint: '2',
@ -2678,8 +2670,8 @@ define([
pagewidth = size[0],
pageheight = size[1];
item.set('displayValue', item.get('caption') + ' (' + parseFloat(Common.Utils.Metric.fnRecalcFromMM(pagewidth).toFixed(2)) + Common.Utils.Metric.getCurrentMetricName() + ' x ' +
parseFloat(Common.Utils.Metric.fnRecalcFromMM(pageheight).toFixed(2)) + Common.Utils.Metric.getCurrentMetricName() + ')');
item.set('displayValue', item.get('caption') + ' (' + parseFloat(Common.Utils.Metric.fnRecalcFromMM(pagewidth).toFixed(2)) + ' ' + Common.Utils.Metric.getCurrentMetricName() + ' x ' +
parseFloat(Common.Utils.Metric.fnRecalcFromMM(pageheight).toFixed(2)) + ' ' + Common.Utils.Metric.getCurrentMetricName() + ')');
}
this.cmbPaperSize.onResetItems();
this.cmbPaperMargins.onResetItems();

View file

@ -114,7 +114,10 @@ define([
maxLength: 15,
validateOnBlur: false,
repeatInput: this.repeatPwd,
showPwdOnClick: true
showPwdOnClick: true,
validation : function(value) {
return (value.length>15) ? me.txtLimit : true;
}
});
this.rbView = new Common.UI.RadioBox({
@ -230,7 +233,8 @@ define([
textView: 'No changes (Read only)',
textForms: 'Filling forms',
textReview: 'Tracked changes',
textComments: 'Comments'
textComments: 'Comments',
txtLimit: 'Password is limited to 15 characters'
}, DE.Views.ProtectDialog || {}));
});

View file

@ -1214,7 +1214,7 @@ define([
this._state.GradColor = color;
}
this.chShadow.setDisabled(!!shapeprops.get_FromChart());
this.chShadow.setDisabled(!!shapeprops.get_FromChart() || this._locked);
this.chShadow.setValue(!!shapeprops.asc_getShadow(), true);
this._noApply = false;

View file

@ -71,6 +71,7 @@ define([
tip: undefined
};
this._locked = false;
this._protected = false;
this.render();
},
@ -156,6 +157,10 @@ define([
this._locked = locked;
},
setProtected: function (value) {
this._protected = value;
},
setMode: function(mode) {
this.mode = mode;
},
@ -288,7 +293,7 @@ define([
menu.items[3].setVisible(!requested);
menu.items[0].setDisabled(this._locked);
menu.items[3].setDisabled(this._locked);
menu.items[3].setDisabled(this._locked || this._protected);
menu.items[1].cmpEl.attr('data-value', record.get('certificateId')); // view certificate
menu.items[2].cmpEl.attr('data-value', signed ? 1 : 0); // view or edit signature settings
@ -307,7 +312,7 @@ define([
this.api.asc_ViewCertificate(item.cmpEl.attr('data-value'));
break;
case 2:
Common.NotificationCenter.trigger('protect:signature', 'visible', !!parseInt(item.cmpEl.attr('data-value')), guid);// can edit settings for requested signature
Common.NotificationCenter.trigger('protect:signature', 'visible', !!parseInt(item.cmpEl.attr('data-value')) || this._protected, guid);// can edit settings for requested signature
break;
case 3:
var me = this;

View file

@ -187,6 +187,8 @@
"Common.define.smartArt.textGridMatrix": "Matriu de quadrícula",
"Common.define.smartArt.textGroupedList": "Llista agrupada",
"Common.Translation.textMoreButton": "Més",
"Common.Translation.tipFileLocked": "El document està bloquejat per editar-lo. Podeu fer canvis i desar-los com a còpia local més tard.",
"Common.Translation.tipFileReadOnly": "El document és només de lectura, l'edició està bloquejada. Podeu fer canvis i desar la còpia local més tard.",
"Common.Translation.warnFileLocked": "No pots editar aquest fitxer perquè és obert en una altra aplicació.",
"Common.Translation.warnFileLockedBtnEdit": "Crea una còpia",
"Common.Translation.warnFileLockedBtnView": "Obre per a la seva visualització",
@ -1000,6 +1002,8 @@
"DE.Controllers.Main.warnProcessRightsChange": "No tens permís per editar el fitxer.",
"DE.Controllers.Navigation.txtBeginning": "Inici del document",
"DE.Controllers.Navigation.txtGotoBeginning": "Ves al començament del document",
"DE.Controllers.Print.txtCustom": "Personalització",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Introduïu un sol número de pàgina o un sol interval de pàgines (per exemple, 5-12). O podeu imprimir en PDF.",
"DE.Controllers.Search.notcriticalErrorTitle": "Advertiment",
"DE.Controllers.Search.textNoTextFound": "No s'han trobat les dades que heu cercat. Ajusteu les opcions de cerca.",
"DE.Controllers.Search.textReplaceSkipped": "S'ha realitzat la substitució. S'han omès {0} ocurrències.",
@ -2461,6 +2465,11 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Estableix només la vora superior",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automàtic",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sense vores",
"DE.Views.PrintWithPreview.txtAllPages": "Totes les pàgines",
"DE.Views.PrintWithPreview.txtBottom": "Inferior",
"DE.Views.PrintWithPreview.txtCurrentPage": "Pàgina actual",
"DE.Views.PrintWithPreview.txtCustom": "Personalització",
"DE.Views.PrintWithPreview.txtCustomPages": "Impressió personalitzada",
"DE.Views.ProtectDialog.textComments": "Comentaris",
"DE.Views.ProtectDialog.textForms": "Omplir formularis",
"DE.Views.ProtectDialog.txtAllow": "Només permet aquest tipus d'edició del document",

View file

@ -125,6 +125,7 @@
"Common.define.chartData.textScatterSmoothMarker": "Scatter med jævne linjer og markører",
"Common.define.chartData.textStock": "Aktie",
"Common.define.chartData.textSurface": "Overflade",
"Common.define.smartArt.textAccentProcess": "(intet)",
"Common.Translation.warnFileLocked": "Dokumentet er i brug af en anden applikation. Du kan fortsætte med at redigere og gemme en kopi.",
"Common.Translation.warnFileLockedBtnEdit": "Opret en kopi",
"Common.Translation.warnFileLockedBtnView": "Åben for visning",

View file

@ -285,6 +285,8 @@
"Common.define.smartArt.textVerticalPictureList": "Vertikale Bildliste",
"Common.define.smartArt.textVerticalProcess": "Vertikaler Prozess",
"Common.Translation.textMoreButton": "Mehr",
"Common.Translation.tipFileLocked": "Das Dokument ist für die Bearbeitung gesperrt. Sie können Änderungen vornehmen und die Datei später als lokale Kopie speichern.",
"Common.Translation.tipFileReadOnly": "Das Dokument ist schreibgeschützt und für die Bearbeitung gesperrt. Sie können Änderungen vornehmen und die lokale Kopie später speichern.",
"Common.Translation.warnFileLocked": "Die Datei wird in einer anderen App bearbeitet. Sie können die Bearbeitung fortsetzen und die Kopie dieser Datei speichern.",
"Common.Translation.warnFileLockedBtnEdit": "Kopie erstellen",
"Common.Translation.warnFileLockedBtnView": "Schreibgeschützt öffnen",
@ -458,6 +460,7 @@
"Common.Views.Header.textCompactView": "Symbolleiste ausblenden",
"Common.Views.Header.textHideLines": "Lineale verbergen",
"Common.Views.Header.textHideStatusBar": "Statusleiste verbergen",
"Common.Views.Header.textReadOnly": "Schreibgeschützt",
"Common.Views.Header.textRemoveFavorite": "Aus Favoriten entfernen",
"Common.Views.Header.textShare": "Freigeben",
"Common.Views.Header.textZoom": "Zoom",
@ -465,6 +468,7 @@
"Common.Views.Header.tipDownload": "Datei herunterladen",
"Common.Views.Header.tipGoEdit": "Aktuelle Datei bearbeiten",
"Common.Views.Header.tipPrint": "Datei drucken",
"Common.Views.Header.tipPrintQuick": "Schnelldruck",
"Common.Views.Header.tipRedo": "Wiederholen",
"Common.Views.Header.tipSave": "Speichern",
"Common.Views.Header.tipSearch": "Suchen",
@ -829,6 +833,7 @@
"DE.Controllers.Main.textRequestMacros": "Ein Makro stellt eine Anfrage an die URL. Möchten Sie die Anfrage an die %1 zulassen?",
"DE.Controllers.Main.textShape": "Form",
"DE.Controllers.Main.textStrict": "Formaler Modus",
"DE.Controllers.Main.textTryQuickPrint": "Sie haben Schnelldruck gewählt: Das gesamte Dokument wird auf dem zuletzt gewählten oder dem Standarddrucker gedruckt.<br>Sollen Sie fortfahren?",
"DE.Controllers.Main.textTryUndoRedo": "Undo/Redo Optionen sind für den halbformalen Zusammenbearbeitungsmodus deaktiviert.<br>Klicken Sie auf den Button \"Formaler Modus\", um den formalen Zusammenbearbeitungsmodus zu aktivieren, um die Datei, ohne Störungen anderer Benutzer zu bearbeiten und die Änderungen erst nachdem Sie sie gespeichert haben, zu senden. Sie können zwischen den Zusammenbearbeitungsmodi mit der Hilfe der erweiterten Einstellungen von Editor umschalten.",
"DE.Controllers.Main.textTryUndoRedoWarn": "Die Optionen Rückgängig/Wiederholen sind für den halbformalen Zusammenbearbeitungsmodus deaktiviert.",
"DE.Controllers.Main.textUndo": "Rückgängig",
@ -1102,6 +1107,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.",
"DE.Controllers.Navigation.txtBeginning": "Anfang des Dokuments",
"DE.Controllers.Navigation.txtGotoBeginning": "Zum Anfang des Dokuments übergehnen",
"DE.Controllers.Print.textMarginsLast": " Benutzerdefiniert als letzte",
"DE.Controllers.Print.txtCustom": "Benutzerdefiniert",
"DE.Controllers.Print.txtPrintRangeInvalid": "Ungültiger Druckbereich",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Geben Sie entweder eine einzelne Seitenzahl oder einen einzelnen Seitenbereich ein (z. B. 5-12). Oder Sie können in PDF drucken.",
"DE.Controllers.Search.notcriticalErrorTitle": "Achtung",
"DE.Controllers.Search.textNoTextFound": "Die Daten, nach denen Sie gesucht haben, können nicht gefunden werden. Bitte ändern Sie die Suchparameter.",
"DE.Controllers.Search.textReplaceSkipped": "Der Ersatzvorgang wurde durchgeführt. {0} Vorkommen wurden ausgelassen.",
@ -2020,6 +2029,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Keine",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Rechtschreibprüfung",
"DE.Views.FileMenuPanels.Settings.txtPt": "Punkt",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Die Schaltfläche Schnelldruck in der Kopfzeile des Editors anzeigen",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "Das Dokument wird auf dem zuletzt ausgewählten oder dem standardmäßigen Drucker gedruckt",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Alle aktivieren",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Alle Makros ohne Benachrichtigung aktivieren",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Änderungen anzeigen",
@ -2577,6 +2588,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Nur obere Rahmenlinie festlegen",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automatisch",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Keine Rahmen",
"DE.Views.PrintWithPreview.textMarginsLast": " Benutzerdefiniert als letzte",
"DE.Views.PrintWithPreview.textMarginsModerate": "Mittelmäßig",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Schmal",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normal",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "Normal (US)",
"DE.Views.PrintWithPreview.textMarginsWide": "Breit",
"DE.Views.PrintWithPreview.txtAllPages": "Alle Seiten",
"DE.Views.PrintWithPreview.txtBottom": "Unten",
"DE.Views.PrintWithPreview.txtCurrentPage": "Aktuelle Seite",
"DE.Views.PrintWithPreview.txtCustom": "Benutzerdefiniert",
"DE.Views.PrintWithPreview.txtCustomPages": "Benutzerdefinierter Druck",
"DE.Views.PrintWithPreview.txtLandscape": "Querformat",
"DE.Views.PrintWithPreview.txtLeft": "Links",
"DE.Views.PrintWithPreview.txtMargins": "Ränder",
"DE.Views.PrintWithPreview.txtOf": "von {0}",
"DE.Views.PrintWithPreview.txtPage": "Seite",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Ungültige Seitennummer",
"DE.Views.PrintWithPreview.txtPageOrientation": "Seitenausrichtung",
"DE.Views.PrintWithPreview.txtPages": "Seiten",
"DE.Views.PrintWithPreview.txtPageSize": "Seitengröße",
"DE.Views.PrintWithPreview.txtPortrait": "Hochformat",
"DE.Views.PrintWithPreview.txtPrint": "Drucken",
"DE.Views.PrintWithPreview.txtPrintPdf": "Als PDF-Datei drucken",
"DE.Views.PrintWithPreview.txtPrintRange": "Druckbereich",
"DE.Views.PrintWithPreview.txtRight": "Rechts",
"DE.Views.PrintWithPreview.txtSelection": "Auswahl",
"DE.Views.PrintWithPreview.txtTop": "Oben",
"DE.Views.ProtectDialog.textComments": "Kommentare",
"DE.Views.ProtectDialog.textForms": "Ausfüllen von Formularen",
"DE.Views.ProtectDialog.textReview": "Überarbeitungen",

View file

@ -123,7 +123,34 @@
"Common.define.chartData.textScatterSmoothMarker": "Διασπορά με ομαλές γραμμές και δείκτες",
"Common.define.chartData.textStock": "Μετοχή",
"Common.define.chartData.textSurface": "Επιφάνεια",
"Common.define.smartArt.textAccentedPicture": "Εικόνα με Τόνους",
"Common.define.smartArt.textAccentProcess": "Διεργασία Τονισμού",
"Common.define.smartArt.textAlternatingFlow": "Εναλλασσόμενη Ροή",
"Common.define.smartArt.textAlternatingHexagons": "Εναλλασσόμενα Εξάγωνα",
"Common.define.smartArt.textAlternatingPictureBlocks": "Εναλλασσόμενα Μπλοκ Εικόνων",
"Common.define.smartArt.textAlternatingPictureCircles": "Εναλλασσόμενοι Κύκλοι Εικόνων",
"Common.define.smartArt.textArchitectureLayout": "Αρχιτεκτονικό Σχέδιο",
"Common.define.smartArt.textArrowRibbon": "Κορδέλα με Βέλος",
"Common.define.smartArt.textBalance": "Ισορροπία",
"Common.define.smartArt.textBasicBendingProcess": "Βασική Διεργασία Κλίσης",
"Common.define.smartArt.textBasicBlockList": "Βασική Λίστα Μπλοκ",
"Common.define.smartArt.textBasicCycle": "Βασικός Κύκλος",
"Common.define.smartArt.textBasicMatrix": "Βασικός Πίνακας",
"Common.define.smartArt.textBasicPie": "Βασική Πίτα",
"Common.define.smartArt.textBasicProcess": "Βασική Διεργασία",
"Common.define.smartArt.textBasicPyramid": "Βασική Πυραμίδα",
"Common.define.smartArt.textBasicRadial": "Βασικό Ακτινικό ",
"Common.define.smartArt.textBasicTarget": "Βασικός Στόχος",
"Common.define.smartArt.textBasicTimeline": "Βασική Χρονική Ακολουθία",
"Common.define.smartArt.textBasicVenn": "Βασικό Venn",
"Common.define.smartArt.textBendingPictureBlocks": "Κεκλιμένα Μπλοκ Εικόνων",
"Common.define.smartArt.textBendingPictureCaption": "Κεκλιμένη Λεζάντα Εικόνας",
"Common.define.smartArt.textBendingPictureCaptionList": "Κεκλιμένη Λίστα Λεζάντων Εικόνας",
"Common.define.smartArt.textCaptionedPictures": "Εικόνες με Λεζάντα",
"Common.define.smartArt.textConvergingArrows": "Συμβαλλόμενα Βέλη",
"Common.define.smartArt.textDivergingArrows": "Αποκλίνοντα Βέλη",
"Common.Translation.textMoreButton": "Περισσότερα",
"Common.Translation.tipFileLocked": "Το έγγραφο είναι κλειδωμένο για επεξεργασία. Μπορείτε να κάνετε αλλαγές και να τις αποθηκεύσετε αργότερα ως τοπικό αντίγραφο.",
"Common.Translation.warnFileLocked": "Δεν μπορείτε να επεξεργαστείτε αυτό το αρχείο επειδή επεξεργάζεται σε άλλη εφαρμογή.",
"Common.Translation.warnFileLockedBtnEdit": "Δημιουργία αντιγράφου",
"Common.Translation.warnFileLockedBtnView": "Άνοιγμα για προβολή",
@ -284,6 +311,7 @@
"Common.Views.DocumentAccessDialog.textLoading": "Φόρτωση ...",
"Common.Views.DocumentAccessDialog.textTitle": "Ρυθμίσεις Διαμοιρασμού",
"Common.Views.ExternalDiagramEditor.textTitle": "Συντάκτης Γραφήματος",
"Common.Views.ExternalEditor.textClose": "Κλείσιμο",
"Common.Views.ExternalMergeEditor.textTitle": "Παραλήπτες Συγχωνευμένης Αλληλογραφίας",
"Common.Views.Header.labelCoUsersDescr": "Οι χρήστες που επεξεργάζονται το αρχείο:",
"Common.Views.Header.textAddFavorite": "Σημείωση ως αγαπημένο",
@ -349,6 +377,7 @@
"Common.Views.Plugins.textStart": "Εκκίνηση",
"Common.Views.Plugins.textStop": "Διακοπή",
"Common.Views.Protection.hintAddPwd": "Κρυπτογράφηση με συνθηματικό",
"Common.Views.Protection.hintDelPwd": "Διαγραφή συνθηματικού",
"Common.Views.Protection.hintPwd": "Αλλαγή ή διαγραφή συνθηματικού",
"Common.Views.Protection.hintSignature": "Προσθήκη ψηφιακής υπογραφής ή γραμμής υπογραφής",
"Common.Views.Protection.txtAddPwd": "Προσθήκη συνθηματικού",
@ -460,6 +489,7 @@
"Common.Views.SaveAsDlg.textTitle": "Φάκελος για αποθήκευση",
"Common.Views.SearchPanel.textCaseSensitive": "Διάκριση Πεζών-Κεφαλαίων",
"Common.Views.SearchPanel.textCloseSearch": "Κλείσιμο αναζήτησης",
"Common.Views.SearchPanel.textContentChanged": "Το έγγραφο τροποποιήθηκε.",
"Common.Views.SearchPanel.textFind": "Εύρεση",
"Common.Views.SearchPanel.textFindAndReplace": "Εύρεση και Αντικατάσταση",
"Common.Views.SearchPanel.textMatchUsingRegExp": "Ταίριασμα χρησιμοποιώντας κανονικές εκφράσεις (regexp)",
@ -468,6 +498,7 @@
"Common.Views.SearchPanel.textReplace": "Αντικατάσταση",
"Common.Views.SearchPanel.textReplaceAll": "Αντικατάσταση Όλων",
"Common.Views.SearchPanel.textReplaceWith": "Αντικατάσταση με",
"Common.Views.SearchPanel.textSearchAgain": "{0}Διενέργεια νέας αναζήτησης{1} για ακριβή αποτελέσματα.",
"Common.Views.SearchPanel.textSearchResults": "Αποτελέσματα αναζήτησης: {0}/{1}",
"Common.Views.SearchPanel.textTooManyResults": "Υπάρχουν πάρα πολλά αποτελέσματα για εμφάνιση εδώ",
"Common.Views.SearchPanel.textWholeWords": "Ολόκληρες λέξεις μόνο",
@ -491,6 +522,7 @@
"Common.Views.SignDialog.tipFontName": "Όνομα Γραμματοσειράς",
"Common.Views.SignDialog.tipFontSize": "Μέγεθος Γραμματοσειράς",
"Common.Views.SignSettingsDialog.textAllowComment": "Να επιτρέπεται στον υπογράφοντα να προσθέτει σχόλιο στο διάλογο υπογραφής",
"Common.Views.SignSettingsDialog.textDefInstruction": "Πριν υπογράψετε το έγγραφο, βεβαιωθείτε για την ορθότητα των περιεχομένων.",
"Common.Views.SignSettingsDialog.textInfoEmail": "Ηλεκτρονική Διεύθυνση",
"Common.Views.SignSettingsDialog.textInfoName": "Όνομα",
"Common.Views.SignSettingsDialog.textInfoTitle": "Τίτλος Υπογράφοντος",
@ -570,6 +602,11 @@
"DE.Controllers.Main.errorFilePassProtect": "Το αρχείο προστατεύεται με συνθηματικό και δεν μπορεί να ανοίξει.",
"DE.Controllers.Main.errorFileSizeExceed": "Το μέγεθος του αρχείου υπερβαίνει το όριο που έχει οριστεί για τον διακομιστή σας.<br>Παρακαλούμε επικοινωνήστε με τον διαχειριστή του Εξυπηρετητή Εγγράφων για λεπτομέρειες.",
"DE.Controllers.Main.errorForceSave": "Παρουσιάστηκε σφάλμα κατά την αποθήκευση του αρχείου. Χρησιμοποιήστε την επιλογή «Λήψη ως» για να αποθηκεύσετε το αρχείο στον σκληρό δίσκο του υπολογιστή σας ή δοκιμάστε ξανά αργότερα.",
"DE.Controllers.Main.errorInconsistentExt": "Προέκυψε σφάλμα κατά το άνοιγμα του αρχείου.<br>Τα περιεχόμενα του αρχείου δεν αντιστοιχούν στην κατάληξή του ονόματός του.",
"DE.Controllers.Main.errorInconsistentExtDocx": "Προέκυψε σφάλμα κατά το άνοιγμα του αρχείου.<br>Τα περιεχόμενα του αρχείου αντιστοιχούν σε αρχεία κειμένου (π.χ. docx), αλλά το αρχείο έχει ασύμφωνη κατάληξη: %1.",
"DE.Controllers.Main.errorInconsistentExtPdf": "Προέκυψε σφάλμα κατά το άνοιγμα του αρχείου.<br>Τα περιεχόμενα του αρχείου αντιστοιχούν σε μια από τις ακόλουθες μορφές: pdf/djvu/xps/oxps, αλλά το αρχείο έχει ασύμφωνη κατάληξη: %1.",
"DE.Controllers.Main.errorInconsistentExtPptx": "Προέκυψε σφάλμα κατά το άνοιγμα του αρχείου.<br>Τα περιεχόμενα του αρχείου αντιστοιχούν σε παρουσιάσεις (π.χ. pptx), αλλά το αρχείο έχει ασύμφωνη κατάληξη: %1.",
"DE.Controllers.Main.errorInconsistentExtXlsx": "Προέκυψε σφάλμα κατά το άνοιγμα του αρχείου.<br>Τα περιεχόμενα του αρχείου αντιστοιχούν σε υπολογιστικά φύλλα (π.χ. xlsx), αλλά το αρχείο έχει ασύμφωνη κατάληξη: %1.",
"DE.Controllers.Main.errorKeyEncrypt": "Άγνωστος περιγραφέας κλειδιού",
"DE.Controllers.Main.errorKeyExpire": "Ο περιγραφέας κλειδιού έχει λήξει",
"DE.Controllers.Main.errorLoadingFont": "Οι γραμματοσειρές δεν έχουν φορτωθεί.<br>Παρακαλούμε επικοινωνήστε με τον διαχειριστή του Εξυπηρετητή Εγγράφων σας.",
@ -631,6 +668,7 @@
"DE.Controllers.Main.textClose": "Κλείσιμο",
"DE.Controllers.Main.textCloseTip": "Κάντε κλικ για να κλείσει η υπόδειξη",
"DE.Controllers.Main.textContactUs": "Επικοινωνήστε με το τμήμα πωλήσεων",
"DE.Controllers.Main.textContinue": "Συνέχεια",
"DE.Controllers.Main.textConvertEquation": "Η εξίσωση αυτή δημιουργήθηκε με παλαιότερη έκδοση του συντάκτη εξισώσεων που δεν υποστηρίζεται πια. Για να την επεξεργαστείτε, μετατρέψτε την σε μορφή Office Math ML.<br>Να μετατραπεί τώρα;",
"DE.Controllers.Main.textCustomLoader": "Παρακαλούμε λάβετε υπόψη ότι σύμφωνα με τους όρους της άδειας δεν δικαιούστε αλλαγή του φορτωτή.<br>Παρακαλούμε επικοινωνήστε με το Τμήμα Πωλήσεων για να λάβετε μια προσφορά.",
"DE.Controllers.Main.textDisconnect": "Η σύνδεση χάθηκε",
@ -921,6 +959,7 @@
"DE.Controllers.Main.warnProcessRightsChange": "Σας έχει απαγορευτεί το δικαίωμα επεξεργασίας του αρχείου.",
"DE.Controllers.Navigation.txtBeginning": "Έναρξη εγγράφου",
"DE.Controllers.Navigation.txtGotoBeginning": "Μετάβαση στην αρχή του εγγράφου",
"DE.Controllers.Print.txtCustom": "Προσαρμοσμένο",
"DE.Controllers.Search.notcriticalErrorTitle": "Προειδοποίηση",
"DE.Controllers.Search.warnReplaceString": "{0} δεν είναι ένας έγκυρος ειδικός χαρακτήρας για το πλαίσιο Αντικατάσταση με.",
"DE.Controllers.Statusbar.textDisconnect": "<b>Η σύνδεση χάθηκε</b><br>Απόπειρα επανασύνδεσης. Παρακαλούμε, ελέγξτε τις ρυθμίσεις σύνδεσης.",
@ -1317,8 +1356,13 @@
"DE.Views.CellsAddDialog.textRow": "Γραμμές",
"DE.Views.CellsAddDialog.textTitle": "Εισαγωγή Πολλών",
"DE.Views.CellsAddDialog.textUp": "Πάνω από τον δρομέα",
"DE.Views.ChartSettings.text3dDepth": "Βάθος (% της βάσης)",
"DE.Views.ChartSettings.text3dRotation": "Περιστροφή 3Δ",
"DE.Views.ChartSettings.textAdvanced": "Εμφάνιση προηγμένων ρυθμίσεων",
"DE.Views.ChartSettings.textAutoscale": "Αυτόματη κλιμάκωση",
"DE.Views.ChartSettings.textChartType": "Αλλαγή Τύπου Γραφήματος",
"DE.Views.ChartSettings.textDefault": "Προεπιλεγμένη Περιστροφή",
"DE.Views.ChartSettings.textDown": "Κάτω",
"DE.Views.ChartSettings.textEditData": "Επεξεργασία Δεδομένων",
"DE.Views.ChartSettings.textHeight": "Ύψος",
"DE.Views.ChartSettings.textOriginalSize": "Πραγματικό Μέγεθος",
@ -1416,6 +1460,11 @@
"DE.Views.DateTimeDialog.textLang": "Γλώσσα",
"DE.Views.DateTimeDialog.textUpdate": "Αυτόματη ενημέρωση",
"DE.Views.DateTimeDialog.txtTitle": "Ημερομηνία & Ώρα",
"DE.Views.DocProtection.txtDocProtectedComment": "Το έγγραφο προστατεύεται.<br>Μπορείτε μόνο να εισάγετε σχόλια στο έγγραφο.",
"DE.Views.DocProtection.txtDocProtectedForms": "Το έγγραφο προστατεύεται.<br>Μπορείτε μόνο να συμπληρώσετε φόρμες μέσα στο έγγραφο.",
"DE.Views.DocProtection.txtDocProtectedTrack": "Το έγγραφο προστατεύεται.<br>Μπορείτε να επεξεργαστείτε το έγγραφο, αλλά όλες οι αλλαγές θα καταγραφούν.",
"DE.Views.DocProtection.txtDocProtectedView": "Το έγγραφο προστατεύεται.<br>Μπορείτε μόνο να δείτε το έγγραφο.",
"DE.Views.DocProtection.txtDocUnlockDescription": "Εισάγετε συνθηματικό για αναίρεση της προστασίας εγγράφου",
"DE.Views.DocumentHolder.aboveText": "Πάνω από",
"DE.Views.DocumentHolder.addCommentText": "Προσθήκη Σχολίου",
"DE.Views.DocumentHolder.advancedDropCapText": "Ρυθμίσεις Αρχιγράμματος",
@ -1424,6 +1473,8 @@
"DE.Views.DocumentHolder.advancedTableText": "Προηγμένες Ρυθμίσεις Πίνακα",
"DE.Views.DocumentHolder.advancedText": "Προηγμένες Ρυθμίσεις",
"DE.Views.DocumentHolder.alignmentText": "Στοίχιση",
"DE.Views.DocumentHolder.allLinearText": "Όλα - Γραμμικό",
"DE.Views.DocumentHolder.allProfText": "Όλα - Επαγγελματικό",
"DE.Views.DocumentHolder.belowText": "Παρακάτω",
"DE.Views.DocumentHolder.breakBeforeText": "Αλλαγή σελίδας πριν",
"DE.Views.DocumentHolder.bulletsText": "Κουκκίδες και Αρίθμηση",
@ -1432,6 +1483,8 @@
"DE.Views.DocumentHolder.centerText": "Κέντρο",
"DE.Views.DocumentHolder.chartText": "Προηγμένες Ρυθμίσεις Γραφήματος",
"DE.Views.DocumentHolder.columnText": "Στήλη",
"DE.Views.DocumentHolder.currLinearText": "Τρέχον - Γραμμικό",
"DE.Views.DocumentHolder.currProfText": "Τρέχον - Επαγγελματικό",
"DE.Views.DocumentHolder.deleteColumnText": "Διαγραφή Στήλης",
"DE.Views.DocumentHolder.deleteRowText": "Διαγραφή Γραμμής",
"DE.Views.DocumentHolder.deleteTableText": "Διαγραφή Πίνακα",
@ -1444,6 +1497,7 @@
"DE.Views.DocumentHolder.editFooterText": "Επεξεργασία Υποσέλιδου",
"DE.Views.DocumentHolder.editHeaderText": "Επεξεργασία Κεφαλίδας",
"DE.Views.DocumentHolder.editHyperlinkText": "Επεξεργασία Υπερσυνδέσμου",
"DE.Views.DocumentHolder.eqToInlineText": "Αλλαγή σε Εντός Κειμένου",
"DE.Views.DocumentHolder.guestText": "Επισκέπτης",
"DE.Views.DocumentHolder.hyperlinkText": "Υπερσύνδεσμος",
"DE.Views.DocumentHolder.ignoreAllSpellText": "Αγνόηση Όλων",
@ -1737,10 +1791,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Έκδοση PDF",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Τοποθεσία",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Άτομα που έχουν δικαιώματα",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Σύμβολα με διαστήματα",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Χαρακτήρες με διαστήματα",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Στατιστικά",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Θέμα",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Σύμβολα",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Χαρακτήρες",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Τίτλος",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Μεταφορτώθηκε",
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Λέξεις",
@ -1827,12 +1881,15 @@
"DE.Views.FormSettings.textColor": "Χρώμα περιγράμματος",
"DE.Views.FormSettings.textComb": "Ξεδιάλεγμα χαρακτήρων",
"DE.Views.FormSettings.textCombobox": "Πολλαπλές Επιλογές",
"DE.Views.FormSettings.textComplex": "Σύνθετο Πεδίο",
"DE.Views.FormSettings.textConnected": "Συνδεδεμένα πεδία",
"DE.Views.FormSettings.textDelete": "Διαγραφή",
"DE.Views.FormSettings.textDigits": "Ψηφία",
"DE.Views.FormSettings.textDisconnect": "Αποσύνδεση",
"DE.Views.FormSettings.textDropDown": "Πτυσσόμενη Λίστα",
"DE.Views.FormSettings.textField": "Πεδίο Κειμένου",
"DE.Views.FormSettings.textFixed": "Πεδίο σταθερού μεγέθους",
"DE.Views.FormSettings.textFormatSymbols": "Επιτρεπτά Σύμβολα",
"DE.Views.FormSettings.textFromFile": "Από Αρχείο",
"DE.Views.FormSettings.textFromStorage": "Από Αποθηκευτικό Χώρο",
"DE.Views.FormSettings.textFromUrl": "Από διεύθυνση URL",
@ -1840,6 +1897,7 @@
"DE.Views.FormSettings.textImage": "Εικόνα",
"DE.Views.FormSettings.textKey": "Κλειδί",
"DE.Views.FormSettings.textLock": "Κλείδωμα",
"DE.Views.FormSettings.textMask": "Τυχαία Μάσκα",
"DE.Views.FormSettings.textMaxChars": "Όριο χαρακτήρων",
"DE.Views.FormSettings.textMulti": "Πεδίο πολλών γραμμών",
"DE.Views.FormSettings.textNever": "Ποτέ",
@ -1862,8 +1920,10 @@
"DE.Views.FormSettings.textWidth": "Πλάτος κελιού",
"DE.Views.FormsTab.capBtnCheckBox": "Πλαίσιο επιλογής",
"DE.Views.FormsTab.capBtnComboBox": "Πολλαπλές Επιλογές",
"DE.Views.FormsTab.capBtnComplex": "Σύνθετο Πεδίο",
"DE.Views.FormsTab.capBtnDownloadForm": "Λήψη ως oform",
"DE.Views.FormsTab.capBtnDropDown": "Πτυσσόμενη Λίστα",
"DE.Views.FormsTab.capBtnEmail": "Διεύθυνση email",
"DE.Views.FormsTab.capBtnImage": "Εικόνα",
"DE.Views.FormsTab.capBtnNext": "Επόμενο Πεδίο",
"DE.Views.FormsTab.capBtnPrev": "Προηγούμενο Πεδίο",
@ -2329,6 +2389,14 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Ορισμός μόνο του πάνω περιγράμματος",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Αυτόματα",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Χωρίς περιγράμματα",
"DE.Views.PrintWithPreview.txtAllPages": "Όλες οι σελίδες",
"DE.Views.PrintWithPreview.txtBottom": "Κάτω Μέρος",
"DE.Views.PrintWithPreview.txtCurrentPage": "Τρέχουσα σελίδα",
"DE.Views.PrintWithPreview.txtCustom": "Προσαρμοσμένο",
"DE.Views.PrintWithPreview.txtCustomPages": "Προσαρμοσμένη εκτύπωση",
"DE.Views.ProtectDialog.textComments": "Σχόλια",
"DE.Views.ProtectDialog.txtAllow": "Να επιτρέπεται μόνο τέτοια επεξεργασία στο έγγραφο",
"DE.Views.ProtectDialog.txtIncorrectPwd": "Το συνθηματικό επιβεβαίωσης δεν είναι πανομοιότυπο",
"DE.Views.RightMenu.txtChartSettings": "Ρυθμίσεις γραφήματος",
"DE.Views.RightMenu.txtFormSettings": "Ρυθμίσεις Φόρμας",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Ρυθμίσεις κεφαλίδας και υποσέλιδου",
@ -2519,8 +2587,12 @@
"DE.Views.TableSettings.tipOuter": "Ορισμός μόνο του εξωτερικού περιγράμματος",
"DE.Views.TableSettings.tipRight": "Ορισμός μόνο του εξωτερικού δεξιού περιγράμματος",
"DE.Views.TableSettings.tipTop": "Ορισμός μόνο του εξωτερικού πάνω περιγράμματος",
"DE.Views.TableSettings.txtGroupTable_BorderedAndLined": "Πίνακες με Περιθώρια & Γραμμές",
"DE.Views.TableSettings.txtGroupTable_Custom": "Προσαρμοσμένο",
"DE.Views.TableSettings.txtNoBorders": "Χωρίς περιγράμματα",
"DE.Views.TableSettings.txtTable_Accent": "Τόνος",
"DE.Views.TableSettings.txtTable_Bordered": "Με Περιθώρια",
"DE.Views.TableSettings.txtTable_BorderedAndLined": "Με Περιθώρια & Γραμμές",
"DE.Views.TableSettings.txtTable_Colorful": "Πολύχρωμο",
"DE.Views.TableSettings.txtTable_Dark": "Σκούρο",
"DE.Views.TableSettings.txtTable_GridTable": "Πίνακας Πλέγματος",
@ -2788,6 +2860,7 @@
"DE.Views.Toolbar.tipControls": "Εισαγωγή στοιχείων ελέγχου περιεχομένου",
"DE.Views.Toolbar.tipCopy": "Αντιγραφή",
"DE.Views.Toolbar.tipCopyStyle": "Αντιγραφή τεχνοτροπίας",
"DE.Views.Toolbar.tipCut": "Αποκοπή",
"DE.Views.Toolbar.tipDateTime": "Εισαγωγή τρέχουσας ημερομηνίας και ώρας",
"DE.Views.Toolbar.tipDecFont": "Μείωση μεγέθους γραμματοσειράς",
"DE.Views.Toolbar.tipDecPrLeft": "Μείωση εσοχής",
@ -2882,6 +2955,7 @@
"DE.Views.ViewTab.textRulers": "Χάρακες",
"DE.Views.ViewTab.textStatusBar": "Γραμμή Κατάστασης",
"DE.Views.ViewTab.textZoom": "Εστίαση",
"DE.Views.ViewTab.tipDarkDocument": "Σκούρο έγγραφο",
"DE.Views.WatermarkSettingsDialog.textAuto": "Αυτόματα",
"DE.Views.WatermarkSettingsDialog.textBold": "Έντονα",
"DE.Views.WatermarkSettingsDialog.textColor": "Χρώμα κειμένου",

View file

@ -291,7 +291,7 @@
"Common.Translation.warnFileLockedBtnEdit": "Create a copy",
"Common.Translation.warnFileLockedBtnView": "Open for viewing",
"Common.UI.ButtonColored.textAutoColor": "Automatic",
"Common.UI.ButtonColored.textNewColor": "Add New Custom Color",
"Common.UI.ButtonColored.textNewColor": "Add new custom color",
"Common.UI.Calendar.textApril": "April",
"Common.UI.Calendar.textAugust": "August",
"Common.UI.Calendar.textDecember": "December",
@ -353,9 +353,9 @@
"Common.UI.SearchDialog.txtBtnReplaceAll": "Replace all",
"Common.UI.SynchronizeTip.textDontShow": "Don't show this message again",
"Common.UI.SynchronizeTip.textSynchronize": "The document has been changed by another user.<br>Please click to save your changes and reload the updates.",
"Common.UI.ThemeColorPalette.textRecentColors": "Recent Colors",
"Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors",
"Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors",
"Common.UI.ThemeColorPalette.textRecentColors": "Recent colors",
"Common.UI.ThemeColorPalette.textStandartColors": "Standard colors",
"Common.UI.ThemeColorPalette.textThemeColors": "Theme colors",
"Common.UI.Themes.txtThemeClassicLight": "Classic Light",
"Common.UI.Themes.txtThemeContrastDark": "Contrast Dark",
"Common.UI.Themes.txtThemeDark": "Dark",
@ -460,6 +460,7 @@
"Common.Views.Header.textCompactView": "Hide Toolbar",
"Common.Views.Header.textHideLines": "Hide Rulers",
"Common.Views.Header.textHideStatusBar": "Hide Status Bar",
"Common.Views.Header.textReadOnly": "Read only",
"Common.Views.Header.textRemoveFavorite": "Remove from Favorites",
"Common.Views.Header.textShare": "Share",
"Common.Views.Header.textZoom": "Zoom",
@ -467,6 +468,7 @@
"Common.Views.Header.tipDownload": "Download file",
"Common.Views.Header.tipGoEdit": "Edit current file",
"Common.Views.Header.tipPrint": "Print file",
"Common.Views.Header.tipPrintQuick": "Quick print",
"Common.Views.Header.tipRedo": "Redo",
"Common.Views.Header.tipSave": "Save",
"Common.Views.Header.tipSearch": "Search",
@ -476,8 +478,6 @@
"Common.Views.Header.tipViewUsers": "View users and manage document access rights",
"Common.Views.Header.txtAccessRights": "Change access rights",
"Common.Views.Header.txtRename": "Rename",
"Common.Views.Header.tipPrintQuick": "Quick print",
"Common.Views.Header.textReadOnly": "Read only",
"Common.Views.History.textCloseHistory": "Close History",
"Common.Views.History.textHide": "Collapse",
"Common.Views.History.textHideAll": "Hide detailed changes",
@ -565,15 +565,15 @@
"Common.Views.ReviewChanges.txtChat": "Chat",
"Common.Views.ReviewChanges.txtClose": "Close",
"Common.Views.ReviewChanges.txtCoAuthMode": "Co-editing Mode",
"Common.Views.ReviewChanges.txtCommentRemAll": "Remove All Comments",
"Common.Views.ReviewChanges.txtCommentRemCurrent": "Remove Current Comments",
"Common.Views.ReviewChanges.txtCommentRemMy": "Remove My Comments",
"Common.Views.ReviewChanges.txtCommentRemAll": "Remove all comments",
"Common.Views.ReviewChanges.txtCommentRemCurrent": "Remove current comments",
"Common.Views.ReviewChanges.txtCommentRemMy": "Remove my comments",
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Remove My Current Comments",
"Common.Views.ReviewChanges.txtCommentRemove": "Remove",
"Common.Views.ReviewChanges.txtCommentResolve": "Resolve",
"Common.Views.ReviewChanges.txtCommentResolveAll": "Resolve All Comments",
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resolve Current Comments",
"Common.Views.ReviewChanges.txtCommentResolveMy": "Resolve My Comments",
"Common.Views.ReviewChanges.txtCommentResolveAll": "Resolve all comments",
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resolve current comments",
"Common.Views.ReviewChanges.txtCommentResolveMy": "Resolve my comments",
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resolve My Current Comments",
"Common.Views.ReviewChanges.txtCompare": "Compare",
"Common.Views.ReviewChanges.txtDocLang": "Language",
@ -704,6 +704,15 @@
"Common.Views.UserNameDialog.textDontShow": "Don't ask me again",
"Common.Views.UserNameDialog.textLabel": "Label:",
"Common.Views.UserNameDialog.textLabelError": "Label must not be empty.",
"DE.Controllers.DocProtection.txtIsProtectedComment": "Document is protected. You may only insert comments to this document.",
"DE.Controllers.DocProtection.txtIsProtectedForms": "Document is protected. You may only fill in forms in this document.",
"DE.Controllers.DocProtection.txtIsProtectedTrack": "Document is protected. You may edit this document, but all changes will be tracked.",
"DE.Controllers.DocProtection.txtIsProtectedView": "Document is protected. You may only view this document.",
"DE.Controllers.DocProtection.txtWasProtectedComment": "Document has been protected by another user.\nYou may only insert comments to this document.",
"DE.Controllers.DocProtection.txtWasProtectedForms": "Document has been protected by another user.\nYou may only fill in forms in this document.",
"DE.Controllers.DocProtection.txtWasProtectedTrack": "Document has been protected by another user.\nYou may edit this document, but all changes will be tracked.",
"DE.Controllers.DocProtection.txtWasProtectedView": "Document has been protected by another user.\nYou may only view this document.",
"DE.Controllers.DocProtection.txtWasUnprotected": "Document has been unprotected.",
"DE.Controllers.LeftMenu.leavePageText": "All unsaved changes in this document will be lost.<br> Click \"Cancel\" then \"Save\" to save them. Click \"OK\" to discard all the unsaved changes.",
"DE.Controllers.LeftMenu.newDocumentTitle": "Unnamed document",
"DE.Controllers.LeftMenu.notcriticalErrorTitle": "Warning",
@ -835,6 +844,7 @@
"DE.Controllers.Main.textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"DE.Controllers.Main.textShape": "Shape",
"DE.Controllers.Main.textStrict": "Strict mode",
"DE.Controllers.Main.textTryQuickPrint": "You have selected Quick print: the entire document will be printed on the last selected or default printer.<br>Do you want to continue?",
"DE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.<br>Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.",
"DE.Controllers.Main.textTryUndoRedoWarn": "The Undo/Redo functions are disabled for the Fast co-editing mode.",
"DE.Controllers.Main.textUndo": "Undo",
@ -843,7 +853,7 @@
"DE.Controllers.Main.titleUpdateVersion": "Version changed",
"DE.Controllers.Main.txtAbove": "above",
"DE.Controllers.Main.txtArt": "Your text here",
"DE.Controllers.Main.txtBasicShapes": "Basic Shapes",
"DE.Controllers.Main.txtBasicShapes": "Basic shapes",
"DE.Controllers.Main.txtBelow": "below",
"DE.Controllers.Main.txtBookmarkError": "Error! Bookmark not defined.",
"DE.Controllers.Main.txtButtons": "Buttons",
@ -858,7 +868,7 @@
"DE.Controllers.Main.txtEnterDate": "Enter a date",
"DE.Controllers.Main.txtErrorLoadHistory": "History loading failed",
"DE.Controllers.Main.txtEvenPage": "Even Page",
"DE.Controllers.Main.txtFiguredArrows": "Figured Arrows",
"DE.Controllers.Main.txtFiguredArrows": "Figured arrows",
"DE.Controllers.Main.txtFirstPage": "First Page",
"DE.Controllers.Main.txtFooter": "Footer",
"DE.Controllers.Main.txtFormulaNotInTable": "The Formula Not In Table",
@ -1056,8 +1066,8 @@
"DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Rounded Rectangular Callout",
"DE.Controllers.Main.txtStarsRibbons": "Stars & Ribbons",
"DE.Controllers.Main.txtStyle_Caption": "Caption",
"DE.Controllers.Main.txtStyle_endnote_text": "Endnote Text",
"DE.Controllers.Main.txtStyle_footnote_text": "Footnote Text",
"DE.Controllers.Main.txtStyle_endnote_text": "Endnote text",
"DE.Controllers.Main.txtStyle_footnote_text": "Footnote text",
"DE.Controllers.Main.txtStyle_Heading_1": "Heading 1",
"DE.Controllers.Main.txtStyle_Heading_2": "Heading 2",
"DE.Controllers.Main.txtStyle_Heading_3": "Heading 3",
@ -1106,9 +1116,12 @@
"DE.Controllers.Main.warnNoLicense": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only.<br>Contact %1 sales team for personal upgrade terms.",
"DE.Controllers.Main.warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.",
"DE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.",
"DE.Controllers.Main.textTryQuickPrint": "You have selected Quick print: the entire document will be printed on the last selected or default printer.<br>Do you want to continue?",
"DE.Controllers.Navigation.txtBeginning": "Beginning of document",
"DE.Controllers.Navigation.txtGotoBeginning": "Go to the beginning of the document",
"DE.Controllers.Print.textMarginsLast": "Last Custom",
"DE.Controllers.Print.txtCustom": "Custom",
"DE.Controllers.Print.txtPrintRangeInvalid": "Invalid print range",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Enter either a single page number or a single page range (for example, 5-12). Or you can Print to PDF.",
"DE.Controllers.Search.notcriticalErrorTitle": "Warning",
"DE.Controllers.Search.textNoTextFound": "The data you have been searching for could not be found. Please adjust your search options.",
"DE.Controllers.Search.textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
@ -1120,10 +1133,6 @@
"DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled",
"DE.Controllers.Statusbar.tipReview": "Track changes",
"DE.Controllers.Statusbar.zoomText": "Zoom {0}%",
"DE.Controllers.Print.txtCustom": "Custom",
"DE.Controllers.Print.txtPrintRangeInvalid": "Invalid print range",
"DE.Controllers.Print.textMarginsLast": "Last Custom",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Enter either a single page number or a single page range (for example, 5-12). Or you can Print to PDF.",
"DE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.<br>The text style will be displayed using one of the system fonts, the saved font will be used when it is available.<br>Do you want to continue?",
"DE.Controllers.Toolbar.dataUrl": "Paste a data URL",
"DE.Controllers.Toolbar.notcriticalErrorTitle": "Warning",
@ -1138,7 +1147,7 @@
"DE.Controllers.Toolbar.textInsert": "Insert",
"DE.Controllers.Toolbar.textIntegral": "Integrals",
"DE.Controllers.Toolbar.textLargeOperator": "Large Operators",
"DE.Controllers.Toolbar.textLimitAndLog": "Limits And Logarithms",
"DE.Controllers.Toolbar.textLimitAndLog": "Limits and Logarithms",
"DE.Controllers.Toolbar.textMatrix": "Matrices",
"DE.Controllers.Toolbar.textOperator": "Operators",
"DE.Controllers.Toolbar.textRadical": "Radicals",
@ -1174,52 +1183,52 @@
"DE.Controllers.Toolbar.txtAccent_Hat": "Hat",
"DE.Controllers.Toolbar.txtAccent_Smile": "Breve",
"DE.Controllers.Toolbar.txtAccent_Tilde": "Tilde",
"DE.Controllers.Toolbar.txtBracket_Angle": "Brackets",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Brackets with separators",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Brackets with separators",
"DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Curve": "Brackets",
"DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Brackets with separators",
"DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Angle": "Angle brackets",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Angle brackets with separator",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Angle brackets with two separators",
"DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Right angle bracket",
"DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Left angle bracket",
"DE.Controllers.Toolbar.txtBracket_Curve": "Curly brackets",
"DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Curly brackets with separator",
"DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Right curly bracket",
"DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Left curly bracket",
"DE.Controllers.Toolbar.txtBracket_Custom_1": "Cases (two conditions)",
"DE.Controllers.Toolbar.txtBracket_Custom_2": "Cases (three conditions)",
"DE.Controllers.Toolbar.txtBracket_Custom_3": "Stack object",
"DE.Controllers.Toolbar.txtBracket_Custom_4": "Stack object",
"DE.Controllers.Toolbar.txtBracket_Custom_4": "Stack object in parentheses",
"DE.Controllers.Toolbar.txtBracket_Custom_5": "Cases example",
"DE.Controllers.Toolbar.txtBracket_Custom_6": "Binomial coefficient",
"DE.Controllers.Toolbar.txtBracket_Custom_7": "Binomial coefficient",
"DE.Controllers.Toolbar.txtBracket_Line": "Brackets",
"DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_LineDouble": "Brackets",
"DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_LowLim": "Brackets",
"DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Round": "Brackets",
"DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Brackets with separators",
"DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Square": "Brackets",
"DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Brackets",
"DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Brackets",
"DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Brackets",
"DE.Controllers.Toolbar.txtBracket_SquareDouble": "Brackets",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_UppLim": "Brackets",
"DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Single bracket",
"DE.Controllers.Toolbar.txtBracket_Custom_7": "Binomial coefficient in angle brackets",
"DE.Controllers.Toolbar.txtBracket_Line": "Vertical bars",
"DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Right vertical bar",
"DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Left vertical bar",
"DE.Controllers.Toolbar.txtBracket_LineDouble": "Double vertical bars",
"DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Right double vertical bar",
"DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Left double vertical bar",
"DE.Controllers.Toolbar.txtBracket_LowLim": "Floor",
"DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Right floor",
"DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Left floor",
"DE.Controllers.Toolbar.txtBracket_Round": "Parentheses",
"DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Parentheses with separator",
"DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Right parenthesis",
"DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Left parenthesis",
"DE.Controllers.Toolbar.txtBracket_Square": "Square brackets",
"DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Placeholder between two right square brackets",
"DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Inverted square brackets",
"DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Right square bracket",
"DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Left square bracket",
"DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Placeholder between two left square brackets",
"DE.Controllers.Toolbar.txtBracket_SquareDouble": "Double square brackets",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Right double square bracket",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Left double square bracket",
"DE.Controllers.Toolbar.txtBracket_UppLim": "Ceiling",
"DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Right ceiling",
"DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Left ceiling",
"DE.Controllers.Toolbar.txtFractionDiagonal": "Skewed fraction",
"DE.Controllers.Toolbar.txtFractionDifferential_1": "Differential",
"DE.Controllers.Toolbar.txtFractionDifferential_2": "Differential",
"DE.Controllers.Toolbar.txtFractionDifferential_3": "Differential",
"DE.Controllers.Toolbar.txtFractionDifferential_4": "Differential",
"DE.Controllers.Toolbar.txtFractionDifferential_1": "dx over dy",
"DE.Controllers.Toolbar.txtFractionDifferential_2": "cap delta y over cap delta x",
"DE.Controllers.Toolbar.txtFractionDifferential_3": "partial y over partial x",
"DE.Controllers.Toolbar.txtFractionDifferential_4": "delta y over delta x",
"DE.Controllers.Toolbar.txtFractionHorizontal": "Linear fraction",
"DE.Controllers.Toolbar.txtFractionPi_2": "Pi over 2",
"DE.Controllers.Toolbar.txtFractionSmall": "Small fraction",
@ -1255,63 +1264,63 @@
"DE.Controllers.Toolbar.txtIntegral_dtheta": "Differential theta",
"DE.Controllers.Toolbar.txtIntegral_dx": "Differential x",
"DE.Controllers.Toolbar.txtIntegral_dy": "Differential y",
"DE.Controllers.Toolbar.txtIntegralCenterSubSup": "Integral",
"DE.Controllers.Toolbar.txtIntegralCenterSubSup": "Integral with stacked limits",
"DE.Controllers.Toolbar.txtIntegralDouble": "Double integral",
"DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Double integral",
"DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Double integral",
"DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Double integral with stacked limits",
"DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Double integral with limits",
"DE.Controllers.Toolbar.txtIntegralOriented": "Contour integral",
"DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Contour integral",
"DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Contour integral with stacked limits",
"DE.Controllers.Toolbar.txtIntegralOrientedDouble": "Surface integral",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Surface integral",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Surface integral",
"DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contour integral",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Surface integral with stacked limits",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Surface integral with limits",
"DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contour integral with limits",
"DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volume integral",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume integral",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume integral",
"DE.Controllers.Toolbar.txtIntegralSubSup": "Integral",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume integral with stacked limits",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume integral with limits",
"DE.Controllers.Toolbar.txtIntegralSubSup": "Integral with limits",
"DE.Controllers.Toolbar.txtIntegralTriple": "Triple integral",
"DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triple integral",
"DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triple integral",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Wedge",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Wedge",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Wedge",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Wedge",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Wedge",
"DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triple integral with stacked limits",
"DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triple integral with limits",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Logical And",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Logical And with lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Logical And with limits",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Logical And with subscript lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Logical And with subscript/superscript limits",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd": "Co-product",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Co-product",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Co-product",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Co-product",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Co-product",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Product",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Union",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Co-product with lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Co-product with limits",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Co-product with subscript lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Co-product with subscript/superscript limits",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Summation over k of n choose k",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Summation from i equal zero to n",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Summation example using two indices",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Product example",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Union example",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Logical Or",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Logical Or with lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Logical Or with limits",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Logical Or with subscript lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Logical Or with subscript/superscript limits",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection": "Intersection",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Intersection",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Intersection",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Intersection",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Intersection",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Intersection with lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Intersection with limits",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Intersection with subscript lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Intersection with subscript/superscript limits",
"DE.Controllers.Toolbar.txtLargeOperator_Prod": "Product",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Product",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Product",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Product",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Product",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Product with lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Product with limits",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Product with subscript lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Product with subscript/superscript limits",
"DE.Controllers.Toolbar.txtLargeOperator_Sum": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Summation",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Summation with lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Summation with limits",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Summation with subscript lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Summation with subscript/superscript limits",
"DE.Controllers.Toolbar.txtLargeOperator_Union": "Union",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Union",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Union",
"DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Union",
"DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Union",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Union with lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Union with limits",
"DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Union with subscript lower limit",
"DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Union with subscript/superscript limits",
"DE.Controllers.Toolbar.txtLimitLog_Custom_1": "Limit example",
"DE.Controllers.Toolbar.txtLimitLog_Custom_2": "Maximum example",
"DE.Controllers.Toolbar.txtLimitLog_Lim": "Limit",
@ -1326,10 +1335,10 @@
"DE.Controllers.Toolbar.txtMatrix_1_3": "1x3 empty matrix",
"DE.Controllers.Toolbar.txtMatrix_2_1": "2x1 empty matrix",
"DE.Controllers.Toolbar.txtMatrix_2_2": "2x2 empty matrix",
"DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Empty matrix with brackets",
"DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Empty matrix with brackets",
"DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Empty matrix with brackets",
"DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Empty matrix with brackets",
"DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Empty 2 by 2 matrix in double vertical bars",
"DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Empty 2 by 2 determinant",
"DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Empty 2 by 2 matrix in parentheses",
"DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Empty 2 by 2 matrix in brackets",
"DE.Controllers.Toolbar.txtMatrix_2_3": "2x3 empty matrix",
"DE.Controllers.Toolbar.txtMatrix_3_1": "3x1 empty matrix",
"DE.Controllers.Toolbar.txtMatrix_3_2": "3x2 empty matrix",
@ -1338,12 +1347,12 @@
"DE.Controllers.Toolbar.txtMatrix_Dots_Center": "Midline dots",
"DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Diagonal dots",
"DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Vertical dots",
"DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Sparse matrix",
"DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Sparse matrix",
"DE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 identity matrix",
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 identity matrix",
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 identity matrix",
"DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 identity matrix",
"DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Sparse matrix in parentheses",
"DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Sparse matrix in brackets",
"DE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 identity matrix with zeros",
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "2x2 identity matrix with blank off-diagonal cells",
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 identity matrix with zeros",
"DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 identity matrix with blank off-diagonal cells",
"DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Right-left arrow below",
"DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Right-left arrow above",
"DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Leftwards arrow below",
@ -1355,8 +1364,8 @@
"DE.Controllers.Toolbar.txtOperator_Custom_2": "Delta yields",
"DE.Controllers.Toolbar.txtOperator_Definition": "Equal to by definition",
"DE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta equal to",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Right-left arrow below",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Right-left arrow above",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Right-left double arrow below",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Right-left double arrow above",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Leftwards arrow below",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Leftwards arrow above",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Rightwards arrow below",
@ -1365,16 +1374,16 @@
"DE.Controllers.Toolbar.txtOperator_MinusEquals": "Minus equal",
"DE.Controllers.Toolbar.txtOperator_PlusEquals": "Plus equal",
"DE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Measured by",
"DE.Controllers.Toolbar.txtRadicalCustom_1": "Radical",
"DE.Controllers.Toolbar.txtRadicalCustom_2": "Radical",
"DE.Controllers.Toolbar.txtRadicalCustom_1": "Right hand side of quadratic formula",
"DE.Controllers.Toolbar.txtRadicalCustom_2": "Square root of a squared plus b squared",
"DE.Controllers.Toolbar.txtRadicalRoot_2": "Square root with degree",
"DE.Controllers.Toolbar.txtRadicalRoot_3": "Cubic root",
"DE.Controllers.Toolbar.txtRadicalRoot_n": "Radical with degree",
"DE.Controllers.Toolbar.txtRadicalSqrt": "Square root",
"DE.Controllers.Toolbar.txtScriptCustom_1": "Script",
"DE.Controllers.Toolbar.txtScriptCustom_2": "Script",
"DE.Controllers.Toolbar.txtScriptCustom_3": "Script",
"DE.Controllers.Toolbar.txtScriptCustom_4": "Script",
"DE.Controllers.Toolbar.txtScriptCustom_1": "x subscript y squared",
"DE.Controllers.Toolbar.txtScriptCustom_2": "e to the minus i omega t",
"DE.Controllers.Toolbar.txtScriptCustom_3": "x squared",
"DE.Controllers.Toolbar.txtScriptCustom_4": "Y left superscript n left subscript one",
"DE.Controllers.Toolbar.txtScriptSub": "Subscript",
"DE.Controllers.Toolbar.txtScriptSubSup": "Subscript-superscript",
"DE.Controllers.Toolbar.txtScriptSubSupLeft": "Left subscript-superscript",
@ -1632,8 +1641,8 @@
"DE.Views.DocProtection.txtDocProtectedTrack": "Document is protected.<br>You may edit this document, but all changes will be tracked.",
"DE.Views.DocProtection.txtDocProtectedView": "Document is protected.<br>You may only view this document.",
"DE.Views.DocProtection.txtDocUnlockDescription": "Enter a password to unprotect document",
"DE.Views.DocProtection.txtUnlockTitle": "Unprotect Document",
"DE.Views.DocProtection.txtProtectDoc": "Protect Document",
"DE.Views.DocProtection.txtUnlockTitle": "Unprotect Document",
"DE.Views.DocumentHolder.aboveText": "Above",
"DE.Views.DocumentHolder.addCommentText": "Add comment",
"DE.Views.DocumentHolder.advancedDropCapText": "Drop Cap Settings",
@ -1664,8 +1673,8 @@
"DE.Views.DocumentHolder.directHText": "Horizontal",
"DE.Views.DocumentHolder.directionText": "Text direction",
"DE.Views.DocumentHolder.editChartText": "Edit data",
"DE.Views.DocumentHolder.editFooterText": "Edit Footer",
"DE.Views.DocumentHolder.editHeaderText": "Edit Header",
"DE.Views.DocumentHolder.editFooterText": "Edit footer",
"DE.Views.DocumentHolder.editHeaderText": "Edit header",
"DE.Views.DocumentHolder.editHyperlinkText": "Edit Hyperlink",
"DE.Views.DocumentHolder.eqToInlineText": "Change to Inline",
"DE.Views.DocumentHolder.guestText": "Guest",
@ -1730,7 +1739,7 @@
"DE.Views.DocumentHolder.textDistributeRows": "Distribute rows",
"DE.Views.DocumentHolder.textEditControls": "Content control settings",
"DE.Views.DocumentHolder.textEditPoints": "Edit Points",
"DE.Views.DocumentHolder.textEditWrapBoundary": "Edit Wrap Boundary",
"DE.Views.DocumentHolder.textEditWrapBoundary": "Edit wrap boundary",
"DE.Views.DocumentHolder.textFlipH": "Flip Horizontally",
"DE.Views.DocumentHolder.textFlipV": "Flip Vertically",
"DE.Views.DocumentHolder.textFollow": "Follow move",
@ -1963,10 +1972,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF Version",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Location",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persons who have rights",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symbols with spaces",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Characters with spaces",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistics",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subject",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symbols",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Characters",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Tags",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Title",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Uploaded",
@ -2032,6 +2041,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "View None",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Proofing",
"DE.Views.FileMenuPanels.Settings.txtPt": "Point",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Show the Quick Print button in the editor header",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "The document will be printed on the last selected or default printer",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Enable All",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Enable all macros without a notification",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Show track changes",
@ -2045,8 +2056,6 @@
"DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Disable all macros with a notification",
"DE.Views.FileMenuPanels.Settings.txtWin": "as Windows",
"DE.Views.FileMenuPanels.Settings.txtWorkspace": "Workspace",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Show the Quick Print button in the editor header",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "The document will be printed on the last selected or default printer",
"DE.Views.FormSettings.textAlways": "Always",
"DE.Views.FormSettings.textAspect": "Lock aspect ratio",
"DE.Views.FormSettings.textAtLeast": "At least",
@ -2318,21 +2327,21 @@
"DE.Views.Links.capBtnTOF": "Table of Figures",
"DE.Views.Links.confirmDeleteFootnotes": "Do you want to delete all footnotes?",
"DE.Views.Links.confirmReplaceTOF": "Do you want to replace the selected table of figures?",
"DE.Views.Links.mniConvertNote": "Convert All Notes",
"DE.Views.Links.mniDelFootnote": "Delete All Notes",
"DE.Views.Links.mniInsEndnote": "Insert Endnote",
"DE.Views.Links.mniInsFootnote": "Insert Footnote",
"DE.Views.Links.mniNoteSettings": "Notes Settings",
"DE.Views.Links.mniConvertNote": "Convert all notes",
"DE.Views.Links.mniDelFootnote": "Delete all notes",
"DE.Views.Links.mniInsEndnote": "Insert endnote",
"DE.Views.Links.mniInsFootnote": "Insert footnote",
"DE.Views.Links.mniNoteSettings": "Notes settings",
"DE.Views.Links.textContentsRemove": "Remove table of contents",
"DE.Views.Links.textContentsSettings": "Settings",
"DE.Views.Links.textConvertToEndnotes": "Convert All Footnotes to Endnotes",
"DE.Views.Links.textConvertToFootnotes": "Convert All Endnotes to Footnotes",
"DE.Views.Links.textGotoEndnote": "Go to Endnotes",
"DE.Views.Links.textGotoFootnote": "Go to Footnotes",
"DE.Views.Links.textGotoEndnote": "Go to endnotes",
"DE.Views.Links.textGotoFootnote": "Go to footnotes",
"DE.Views.Links.textSwapNotes": "Swap Footnotes and Endnotes",
"DE.Views.Links.textUpdateAll": "Update entire table",
"DE.Views.Links.textUpdatePages": "Update page numbers only",
"DE.Views.Links.tipAddText": "Include heading in the Table of Contents",
"DE.Views.Links.tipAddText": "Include heading in the table of contents",
"DE.Views.Links.tipBookmarks": "Create a bookmark",
"DE.Views.Links.tipCaption": "Insert caption",
"DE.Views.Links.tipContents": "Insert table of contents",
@ -2343,7 +2352,7 @@
"DE.Views.Links.tipTableFigures": "Insert table of figures",
"DE.Views.Links.tipTableFiguresUpdate": "Update table of figures",
"DE.Views.Links.titleUpdateTOF": "Update Table of Figures",
"DE.Views.Links.txtDontShowTof": "Do Not Show in Table of Contents",
"DE.Views.Links.txtDontShowTof": "Do not show in table of contents",
"DE.Views.Links.txtLevel": "Level",
"DE.Views.ListSettingsDialog.textAuto": "Automatic",
"DE.Views.ListSettingsDialog.textCenter": "Center",
@ -2591,45 +2600,46 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Set top border only",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "No borders",
"DE.Views.PrintWithPreview.textMarginsLast": "Last Custom",
"DE.Views.PrintWithPreview.textMarginsModerate": "Moderate",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Narrow",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normal",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "US Normal",
"DE.Views.PrintWithPreview.textMarginsWide": "Wide",
"DE.Views.PrintWithPreview.txtAllPages": "All pages",
"DE.Views.PrintWithPreview.txtBottom": "Bottom",
"DE.Views.PrintWithPreview.txtCurrentPage": "Current page",
"DE.Views.PrintWithPreview.txtCustom": "Custom",
"DE.Views.PrintWithPreview.txtCustomPages": "Custom print",
"DE.Views.PrintWithPreview.txtLandscape": "Landscape",
"DE.Views.PrintWithPreview.txtLeft": "Left",
"DE.Views.PrintWithPreview.txtMargins": "Margins",
"DE.Views.PrintWithPreview.txtOf": "of {0}",
"DE.Views.PrintWithPreview.txtPage": "Page",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Page number invalid",
"DE.Views.PrintWithPreview.txtPageOrientation": "Page orientation",
"DE.Views.PrintWithPreview.txtPages": "Pages",
"DE.Views.PrintWithPreview.txtPageSize": "Page size",
"DE.Views.PrintWithPreview.txtPortrait": "Portrait",
"DE.Views.PrintWithPreview.txtPrint": "Print",
"DE.Views.PrintWithPreview.txtPrintPdf": "Print to PDF",
"DE.Views.PrintWithPreview.txtPrintRange": "Print range",
"DE.Views.PrintWithPreview.txtRight": "Right",
"DE.Views.PrintWithPreview.txtSelection": "Selection",
"DE.Views.PrintWithPreview.txtTop": "Top",
"DE.Views.ProtectDialog.textComments": "Comments",
"DE.Views.ProtectDialog.textForms": "Filling forms",
"DE.Views.ProtectDialog.textReview": "Tracked changes",
"DE.Views.ProtectDialog.textView": "No changes (Read only)",
"DE.Views.ProtectDialog.txtAllow": "Allow only this type of editing in the document",
"DE.Views.ProtectDialog.txtIncorrectPwd": "Confirmation password is not identical",
"DE.Views.ProtectDialog.txtLimit": "Password is limited to 15 characters",
"DE.Views.ProtectDialog.txtOptional": "optional",
"DE.Views.ProtectDialog.txtPassword": "Password",
"DE.Views.ProtectDialog.txtProtect": "Protect",
"DE.Views.ProtectDialog.txtRepeat": "Repeat password",
"DE.Views.ProtectDialog.txtTitle": "Protect",
"DE.Views.ProtectDialog.txtWarning": "Warning: If you lose or forget the password, it cannot be recovered. Please keep it in a safe place.",
"DE.Views.PrintWithPreview.txtPrint": "Print",
"DE.Views.PrintWithPreview.txtPrintPdf": "Print to PDF",
"DE.Views.PrintWithPreview.txtPrintRange": "Print range",
"DE.Views.PrintWithPreview.txtCurrentPage": "Current page",
"DE.Views.PrintWithPreview.txtAllPages": "All pages",
"DE.Views.PrintWithPreview.txtSelection": "Selection",
"DE.Views.PrintWithPreview.txtCustomPages": "Custom print",
"DE.Views.PrintWithPreview.txtPageSize": "Page size",
"DE.Views.PrintWithPreview.txtPageOrientation": "Page orientation",
"DE.Views.PrintWithPreview.txtPortrait": "Portrait",
"DE.Views.PrintWithPreview.txtLandscape": "Landscape",
"DE.Views.PrintWithPreview.txtCustom": "Custom",
"DE.Views.PrintWithPreview.txtMargins": "Margins",
"DE.Views.PrintWithPreview.txtTop": "Top",
"DE.Views.PrintWithPreview.txtBottom": "Bottom",
"DE.Views.PrintWithPreview.txtLeft": "Left",
"DE.Views.PrintWithPreview.txtRight": "Right",
"DE.Views.PrintWithPreview.txtPage": "Page",
"DE.Views.PrintWithPreview.txtOf": "of {0}",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Page number invalid",
"DE.Views.PrintWithPreview.txtPages": "Pages",
"DE.Views.PrintWithPreview.textMarginsLast": "Last Custom",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normal",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "US Normal",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Narrow",
"DE.Views.PrintWithPreview.textMarginsModerate": "Moderate",
"DE.Views.PrintWithPreview.textMarginsWide": "Wide",
"DE.Views.RightMenu.txtChartSettings": "Chart settings",
"DE.Views.RightMenu.txtFormSettings": "Form Settings",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Header and footer settings",
@ -2673,7 +2683,7 @@
"DE.Views.ShapeSettings.textPatternFill": "Pattern",
"DE.Views.ShapeSettings.textPosition": "Position",
"DE.Views.ShapeSettings.textRadial": "Radial",
"DE.Views.ShapeSettings.textRecentlyUsed": "Recently Used",
"DE.Views.ShapeSettings.textRecentlyUsed": "Recently used",
"DE.Views.ShapeSettings.textRotate90": "Rotate 90°",
"DE.Views.ShapeSettings.textRotation": "Rotation",
"DE.Views.ShapeSettings.textSelectImage": "Select Picture",
@ -2731,12 +2741,12 @@
"DE.Views.Statusbar.tipZoomIn": "Zoom in",
"DE.Views.Statusbar.tipZoomOut": "Zoom out",
"DE.Views.Statusbar.txtPageNumInvalid": "Page number invalid",
"DE.Views.Statusbar.txtWordCount": "Word count",
"DE.Views.Statusbar.txtPages": "Pages",
"DE.Views.Statusbar.txtWords": "Words",
"DE.Views.Statusbar.txtParagraphs": "Paragraphs",
"DE.Views.Statusbar.txtSymbols": "Symbols",
"DE.Views.Statusbar.txtSpaces": "Symbols with spaces",
"DE.Views.Statusbar.txtSymbols": "Symbols",
"DE.Views.Statusbar.txtWordCount": "Word count",
"DE.Views.Statusbar.txtWords": "Words",
"DE.Views.StyleTitleDialog.textHeader": "Create new style",
"DE.Views.StyleTitleDialog.textNextStyle": "Next paragraph style",
"DE.Views.StyleTitleDialog.textTitle": "Title",
@ -2990,37 +3000,37 @@
"DE.Views.Toolbar.capImgGroup": "Group",
"DE.Views.Toolbar.capImgWrapping": "Wrapping",
"DE.Views.Toolbar.mniCapitalizeWords": "Capitalize Each Word",
"DE.Views.Toolbar.mniCustomTable": "Insert Custom Table",
"DE.Views.Toolbar.mniDrawTable": "Draw Table",
"DE.Views.Toolbar.mniCustomTable": "Insert custom table",
"DE.Views.Toolbar.mniDrawTable": "Draw table",
"DE.Views.Toolbar.mniEditControls": "Control Settings",
"DE.Views.Toolbar.mniEditDropCap": "Drop Cap Settings",
"DE.Views.Toolbar.mniEditFooter": "Edit Footer",
"DE.Views.Toolbar.mniEditHeader": "Edit Header",
"DE.Views.Toolbar.mniEraseTable": "Erase Table",
"DE.Views.Toolbar.mniEditFooter": "Edit footer",
"DE.Views.Toolbar.mniEditHeader": "Edit header",
"DE.Views.Toolbar.mniEraseTable": "Erase table",
"DE.Views.Toolbar.mniFromFile": "From File",
"DE.Views.Toolbar.mniFromStorage": "From Storage",
"DE.Views.Toolbar.mniFromUrl": "From URL",
"DE.Views.Toolbar.mniHiddenBorders": "Hidden Table Borders",
"DE.Views.Toolbar.mniHiddenChars": "Nonprinting Characters",
"DE.Views.Toolbar.mniHighlightControls": "Highlight Settings",
"DE.Views.Toolbar.mniHiddenBorders": "Hidden table borders",
"DE.Views.Toolbar.mniHiddenChars": "Nonprinting characters",
"DE.Views.Toolbar.mniHighlightControls": "Highlight settings",
"DE.Views.Toolbar.mniImageFromFile": "Image from File",
"DE.Views.Toolbar.mniImageFromStorage": "Image from Storage",
"DE.Views.Toolbar.mniImageFromUrl": "Image from URL",
"DE.Views.Toolbar.mniInsertSSE": "Insert Spreadsheet",
"DE.Views.Toolbar.mniLowerCase": "lowercase",
"DE.Views.Toolbar.mniRemoveFooter": "Remove Footer",
"DE.Views.Toolbar.mniRemoveHeader": "Remove Header",
"DE.Views.Toolbar.mniRemoveFooter": "Remove footer",
"DE.Views.Toolbar.mniRemoveHeader": "Remove header",
"DE.Views.Toolbar.mniSentenceCase": "Sentence case.",
"DE.Views.Toolbar.mniTextToTable": "Convert Text to Table",
"DE.Views.Toolbar.mniTextToTable": "Convert text to table",
"DE.Views.Toolbar.mniToggleCase": "tOGGLE cASE",
"DE.Views.Toolbar.mniUpperCase": "UPPERCASE",
"DE.Views.Toolbar.strMenuNoFill": "No Fill",
"DE.Views.Toolbar.strMenuNoFill": "No fill",
"DE.Views.Toolbar.textAutoColor": "Automatic",
"DE.Views.Toolbar.textBold": "Bold",
"DE.Views.Toolbar.textBottom": "Bottom: ",
"DE.Views.Toolbar.textChangeLevel": "Change List Level",
"DE.Views.Toolbar.textCheckboxControl": "Check box",
"DE.Views.Toolbar.textColumnsCustom": "Custom Columns",
"DE.Views.Toolbar.textColumnsCustom": "Custom columns",
"DE.Views.Toolbar.textColumnsLeft": "Left",
"DE.Views.Toolbar.textColumnsOne": "One",
"DE.Views.Toolbar.textColumnsRight": "Right",
@ -3028,18 +3038,18 @@
"DE.Views.Toolbar.textColumnsTwo": "Two",
"DE.Views.Toolbar.textComboboxControl": "Combo box",
"DE.Views.Toolbar.textContinuous": "Continuous",
"DE.Views.Toolbar.textContPage": "Continuous Page",
"DE.Views.Toolbar.textCustomLineNumbers": "Line Numbering Options",
"DE.Views.Toolbar.textContPage": "Continuous page",
"DE.Views.Toolbar.textCustomLineNumbers": "Line numbering options",
"DE.Views.Toolbar.textDateControl": "Date",
"DE.Views.Toolbar.textDropdownControl": "Drop-down list",
"DE.Views.Toolbar.textEditWatermark": "Custom Watermark",
"DE.Views.Toolbar.textEvenPage": "Even Page",
"DE.Views.Toolbar.textEditWatermark": "Custom watermark",
"DE.Views.Toolbar.textEvenPage": "Even page",
"DE.Views.Toolbar.textInMargin": "In Margin",
"DE.Views.Toolbar.textInsColumnBreak": "Insert Column Break",
"DE.Views.Toolbar.textInsColumnBreak": "Insert column break",
"DE.Views.Toolbar.textInsertPageCount": "Insert number of pages",
"DE.Views.Toolbar.textInsertPageNumber": "Insert page number",
"DE.Views.Toolbar.textInsPageBreak": "Insert Page Break",
"DE.Views.Toolbar.textInsSectionBreak": "Insert Section Break",
"DE.Views.Toolbar.textInsertPageNumber": "Insert Page Number",
"DE.Views.Toolbar.textInsPageBreak": "Insert page break",
"DE.Views.Toolbar.textInsSectionBreak": "Insert section break",
"DE.Views.Toolbar.textInText": "In Text",
"DE.Views.Toolbar.textItalic": "Italic",
"DE.Views.Toolbar.textLandscape": "Landscape",
@ -3052,19 +3062,19 @@
"DE.Views.Toolbar.textMarginsUsNormal": "US Normal",
"DE.Views.Toolbar.textMarginsWide": "Wide",
"DE.Views.Toolbar.textNewColor": "Add New Custom Color",
"DE.Views.Toolbar.textNextPage": "Next Page",
"DE.Views.Toolbar.textNextPage": "Next page",
"DE.Views.Toolbar.textNoHighlight": "No highlighting",
"DE.Views.Toolbar.textNone": "None",
"DE.Views.Toolbar.textOddPage": "Odd Page",
"DE.Views.Toolbar.textPageMarginsCustom": "Custom Margins",
"DE.Views.Toolbar.textPageSizeCustom": "Custom Page Size",
"DE.Views.Toolbar.textOddPage": "Odd page",
"DE.Views.Toolbar.textPageMarginsCustom": "Custom margins",
"DE.Views.Toolbar.textPageSizeCustom": "Custom page size",
"DE.Views.Toolbar.textPictureControl": "Picture",
"DE.Views.Toolbar.textPlainControl": "Plain text",
"DE.Views.Toolbar.textPortrait": "Portrait",
"DE.Views.Toolbar.textRemoveControl": "Remove Content Control",
"DE.Views.Toolbar.textRemWatermark": "Remove Watermark",
"DE.Views.Toolbar.textRestartEachPage": "Restart Each Page",
"DE.Views.Toolbar.textRestartEachSection": "Restart Each Section",
"DE.Views.Toolbar.textRemWatermark": "Remove watermark",
"DE.Views.Toolbar.textRestartEachPage": "Restart each page",
"DE.Views.Toolbar.textRestartEachSection": "Restart each section",
"DE.Views.Toolbar.textRichControl": "Rich text",
"DE.Views.Toolbar.textRight": "Right: ",
"DE.Views.Toolbar.textStrikeout": "Strikethrough",
@ -3076,7 +3086,7 @@
"DE.Views.Toolbar.textStyleMenuUpdate": "Update from selection",
"DE.Views.Toolbar.textSubscript": "Subscript",
"DE.Views.Toolbar.textSuperscript": "Superscript",
"DE.Views.Toolbar.textSuppressForCurrentParagraph": "Suppress for Current Paragraph",
"DE.Views.Toolbar.textSuppressForCurrentParagraph": "Suppress for current paragraph",
"DE.Views.Toolbar.textTabCollaboration": "Collaboration",
"DE.Views.Toolbar.textTabFile": "File",
"DE.Views.Toolbar.textTabHome": "Home",
@ -3123,7 +3133,7 @@
"DE.Views.Toolbar.tipInsertEquation": "Insert equation",
"DE.Views.Toolbar.tipInsertHorizontalText": "Insert horizontal text box",
"DE.Views.Toolbar.tipInsertImage": "Insert image",
"DE.Views.Toolbar.tipInsertNum": "Insert Page Number",
"DE.Views.Toolbar.tipInsertNum": "Insert page number",
"DE.Views.Toolbar.tipInsertShape": "Insert autoshape",
"DE.Views.Toolbar.tipInsertSmartArt": "Insert SmartArt",
"DE.Views.Toolbar.tipInsertSymbol": "Insert symbol",
@ -3156,7 +3166,7 @@
"DE.Views.Toolbar.tipPageMargins": "Page margins",
"DE.Views.Toolbar.tipPageOrient": "Page orientation",
"DE.Views.Toolbar.tipPageSize": "Page size",
"DE.Views.Toolbar.tipParagraphStyle": "Paragraph Style",
"DE.Views.Toolbar.tipParagraphStyle": "Paragraph style",
"DE.Views.Toolbar.tipPaste": "Paste",
"DE.Views.Toolbar.tipPrColor": "Shading",
"DE.Views.Toolbar.tipPrint": "Print",
@ -3171,11 +3181,11 @@
"DE.Views.Toolbar.tipSynchronize": "The document has been changed by another user. Please click to save your changes and reload the updates.",
"DE.Views.Toolbar.tipUndo": "Undo",
"DE.Views.Toolbar.tipWatermark": "Edit watermark",
"DE.Views.Toolbar.txtDistribHor": "Distribute Horizontally",
"DE.Views.Toolbar.txtDistribVert": "Distribute Vertically",
"DE.Views.Toolbar.txtMarginAlign": "Align to Margin",
"DE.Views.Toolbar.txtDistribHor": "Distribute horizontally",
"DE.Views.Toolbar.txtDistribVert": "Distribute vertically",
"DE.Views.Toolbar.txtMarginAlign": "Align to margin",
"DE.Views.Toolbar.txtObjectsAlign": "Align Selected Objects",
"DE.Views.Toolbar.txtPageAlign": "Align to Page",
"DE.Views.Toolbar.txtPageAlign": "Align to page",
"DE.Views.Toolbar.txtScheme1": "Office",
"DE.Views.Toolbar.txtScheme10": "Median",
"DE.Views.Toolbar.txtScheme11": "Metro",

View file

@ -285,6 +285,7 @@
"Common.define.smartArt.textVerticalPictureList": "Lista vertical de imágenes",
"Common.define.smartArt.textVerticalProcess": "Proceso vertical",
"Common.Translation.textMoreButton": "Más",
"Common.Translation.tipFileLocked": "El documento está bloqueado para su edición. Puede hacer cambios y guardarlo como copia local más tarde.",
"Common.Translation.warnFileLocked": "No puede editar este archivo porque está siendo editado en otra aplicación.",
"Common.Translation.warnFileLockedBtnEdit": "Crear una copia",
"Common.Translation.warnFileLockedBtnView": "Abrir para visualizar",
@ -458,6 +459,7 @@
"Common.Views.Header.textCompactView": "Esconder barra de herramientas",
"Common.Views.Header.textHideLines": "Ocultar reglas",
"Common.Views.Header.textHideStatusBar": "Ocultar barra de estado",
"Common.Views.Header.textReadOnly": "Sólo lectura",
"Common.Views.Header.textRemoveFavorite": "Eliminar de Favoritos",
"Common.Views.Header.textShare": "Compartir",
"Common.Views.Header.textZoom": "Ampliación",
@ -465,6 +467,7 @@
"Common.Views.Header.tipDownload": "Descargar archivo",
"Common.Views.Header.tipGoEdit": "Editar archivo actual",
"Common.Views.Header.tipPrint": "Imprimir archivo",
"Common.Views.Header.tipPrintQuick": "Impresión rápida",
"Common.Views.Header.tipRedo": "Rehacer",
"Common.Views.Header.tipSave": "Guardar",
"Common.Views.Header.tipSearch": "Búsqueda",
@ -1102,6 +1105,9 @@
"DE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado",
"DE.Controllers.Navigation.txtBeginning": "Principio del documento",
"DE.Controllers.Navigation.txtGotoBeginning": "Ir al principio de",
"DE.Controllers.Print.textMarginsLast": "Último personalizado",
"DE.Controllers.Print.txtCustom": "Personalizado",
"DE.Controllers.Print.txtPrintRangeInvalid": "Intervalo de impresión no válido",
"DE.Controllers.Search.notcriticalErrorTitle": "Advertencia",
"DE.Controllers.Search.textNoTextFound": "No se puede encontrar los datos que usted busca. Por favor, ajuste los parámetros de búsqueda.",
"DE.Controllers.Search.textReplaceSkipped": "Se ha realizado la sustitución. Se han omitido {0} ocurrencias.",
@ -1951,10 +1957,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versión PDF",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Ubicación",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personas que tienen derechos",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Símbolos con espacios",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Caracteres con espacios",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Estadísticas",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Asunto",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Símbolos",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Caracteres",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Etiquetas",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Título",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Subido",
@ -2020,6 +2026,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Ver Ningunos",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Revisión",
"DE.Views.FileMenuPanels.Settings.txtPt": "Punto",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Mostrar el botón Impresión Rápida en el encabezado del editor",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "El documento se imprimirá en la última impresora seleccionada o predeterminada",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Habilitar todo",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Habilitar todas las macros sin notificación ",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Mostrar control de cambios",
@ -2577,6 +2585,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Fijar sólo borde superior",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sin bordes",
"DE.Views.PrintWithPreview.textMarginsLast": "Último personalizado",
"DE.Views.PrintWithPreview.textMarginsModerate": "Moderado",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Estrecho",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normal",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "US Normal",
"DE.Views.PrintWithPreview.textMarginsWide": "Amplio",
"DE.Views.PrintWithPreview.txtAllPages": "Todas las páginas",
"DE.Views.PrintWithPreview.txtBottom": "Parte inferior",
"DE.Views.PrintWithPreview.txtCurrentPage": "Página actual",
"DE.Views.PrintWithPreview.txtCustom": "Personalizado",
"DE.Views.PrintWithPreview.txtCustomPages": "Impresión personalizada",
"DE.Views.PrintWithPreview.txtLandscape": "Horizontal",
"DE.Views.PrintWithPreview.txtLeft": "Izquierdo",
"DE.Views.PrintWithPreview.txtMargins": "Márgenes",
"DE.Views.PrintWithPreview.txtOf": "de {0}",
"DE.Views.PrintWithPreview.txtPage": "Página",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Número de página no válido",
"DE.Views.PrintWithPreview.txtPageOrientation": "Orientación de página",
"DE.Views.PrintWithPreview.txtPages": "Páginas",
"DE.Views.PrintWithPreview.txtPageSize": "Tamaño de página",
"DE.Views.PrintWithPreview.txtPortrait": "Vertical",
"DE.Views.PrintWithPreview.txtPrint": "Imprimir",
"DE.Views.PrintWithPreview.txtPrintPdf": "Imprimir en PDF",
"DE.Views.PrintWithPreview.txtPrintRange": "Intervalo de impresión",
"DE.Views.PrintWithPreview.txtRight": "Derecho",
"DE.Views.PrintWithPreview.txtSelection": "Selección ",
"DE.Views.PrintWithPreview.txtTop": "Parte superior",
"DE.Views.ProtectDialog.textComments": "Comentarios",
"DE.Views.ProtectDialog.textForms": "Relleno de formularios",
"DE.Views.ProtectDialog.textReview": "Cambios realizados",

View file

@ -256,6 +256,8 @@
"Common.define.smartArt.textSubStepProcess": "Azpi-urratsen prozesua",
"Common.define.smartArt.textTabList": "Fitxa-zerrenda",
"Common.Translation.textMoreButton": "Gehiago",
"Common.Translation.tipFileLocked": "Dokumentua editatzeko blokeatuta dago. Aldaketak egin eta kopia lokal bezala gorde dezakezu gero.",
"Common.Translation.tipFileReadOnly": "Dokumentua irakurtzeko soilik da eta editatzea blokeatuta dago. Aldaketak egin eta kopia lokal bat gorde dezakezu gero.",
"Common.Translation.warnFileLocked": "Ezin duzu fitxategi hau editatu, beste aplikazio batean editatzen ari direlako.",
"Common.Translation.warnFileLockedBtnEdit": "Sortu kopia",
"Common.Translation.warnFileLockedBtnView": "Ireki ikusteko",
@ -429,6 +431,7 @@
"Common.Views.Header.textCompactView": "Ezkutatu tresna-barra",
"Common.Views.Header.textHideLines": "Ezkutatu erregelak",
"Common.Views.Header.textHideStatusBar": "Ezkutatu egoera-barra",
"Common.Views.Header.textReadOnly": "Irakurtzeko soilik",
"Common.Views.Header.textRemoveFavorite": "Kendu gogokoetatik",
"Common.Views.Header.textShare": "Partekatu",
"Common.Views.Header.textZoom": "Zooma",
@ -436,6 +439,7 @@
"Common.Views.Header.tipDownload": "Deskargatu fitxategia",
"Common.Views.Header.tipGoEdit": "Editatu uneko fitxategia",
"Common.Views.Header.tipPrint": "Inprimatu fitxategia",
"Common.Views.Header.tipPrintQuick": "Inprimatze bizkorra",
"Common.Views.Header.tipRedo": "Berregin",
"Common.Views.Header.tipSave": "Gorde",
"Common.Views.Header.tipSearch": "Bilatu",
@ -1070,6 +1074,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "Fitxategi hau editatzeko baimena ukatu zaizu.",
"DE.Controllers.Navigation.txtBeginning": "Dokumentuaren hasiera",
"DE.Controllers.Navigation.txtGotoBeginning": "Joan dokumentuaren hasierara",
"DE.Controllers.Print.textMarginsLast": "Azken pertsonalizatua",
"DE.Controllers.Print.txtCustom": "Pertsonalizatua",
"DE.Controllers.Print.txtPrintRangeInvalid": "Inprimaketa-bitarte baliogabea",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Sartu orri-zenbaki bat edo orri-tarte bat (adibidez, 5-12). Edo PDFra inprimatu dezakezu.",
"DE.Controllers.Search.notcriticalErrorTitle": "Abisua",
"DE.Controllers.Search.textNoTextFound": "Bilatu duzun datua ezin izan da aurkitu. Doitu bilaketaren ezarpenak.",
"DE.Controllers.Search.textReplaceSkipped": "Ordezkapena burutu da. {0} agerraldi saltatu dira.",
@ -1982,6 +1990,7 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Ez ikusi batere",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Zuzenketa",
"DE.Views.FileMenuPanels.Settings.txtPt": "Puntua",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Erakutsi Inprimatze bizkorra botoia editoreko goiburuan",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Gaitu guztiak",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Gaitu makro guztiak jakinarazpenik gabe",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Erakutsi aldaketen kontrola",
@ -2539,6 +2548,30 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Ezarri goiko ertza soilik",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automatikoa",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Ertzik gabe",
"DE.Views.PrintWithPreview.textMarginsLast": "Azken pertsonalizatua",
"DE.Views.PrintWithPreview.textMarginsModerate": "Ertaina",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Estua",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normala",
"DE.Views.PrintWithPreview.txtAllPages": "Orri guztiak",
"DE.Views.PrintWithPreview.txtBottom": "Behean",
"DE.Views.PrintWithPreview.txtCurrentPage": "Uneko orria",
"DE.Views.PrintWithPreview.txtCustom": "Pertsonalizatua",
"DE.Views.PrintWithPreview.txtCustomPages": "Inprimatze pertsonalizatua",
"DE.Views.PrintWithPreview.txtLandscape": "Horizontala",
"DE.Views.PrintWithPreview.txtLeft": "Ezkerra",
"DE.Views.PrintWithPreview.txtMargins": "Marjinak",
"DE.Views.PrintWithPreview.txtOf": "{0}-(e)tik",
"DE.Views.PrintWithPreview.txtPage": "Orria",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Orrialde-zenbaki baliogabea",
"DE.Views.PrintWithPreview.txtPageOrientation": "Orriaren orientazioa",
"DE.Views.PrintWithPreview.txtPages": "Orriak",
"DE.Views.PrintWithPreview.txtPageSize": "Orriaren tamaina",
"DE.Views.PrintWithPreview.txtPortrait": "Bertikala",
"DE.Views.PrintWithPreview.txtPrint": "Inprimatu",
"DE.Views.PrintWithPreview.txtPrintPdf": "Inprimatu PDFra",
"DE.Views.PrintWithPreview.txtPrintRange": "Inprimatu barrutia",
"DE.Views.PrintWithPreview.txtRight": "Eskuina",
"DE.Views.PrintWithPreview.txtSelection": "Hautapena",
"DE.Views.ProtectDialog.textComments": "Iruzkinak",
"DE.Views.ProtectDialog.textForms": "Formularioak betetzea",
"DE.Views.ProtectDialog.textView": "Aldaketarik ez (irakurtzeko soilik)",

View file

@ -1045,7 +1045,7 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraphs",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Sijainti",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Henkilöt, joilla ovat oikeudet",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symbolit välilyönneillä",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Merkkiä välilyönneillä",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Tilastot",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symbolit",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Asiakirjan otsikko",

View file

@ -465,6 +465,7 @@
"Common.Views.Header.tipDownload": "Télécharger le fichier",
"Common.Views.Header.tipGoEdit": "Modifier le fichier courant",
"Common.Views.Header.tipPrint": "Imprimer le fichier",
"Common.Views.Header.tipPrintQuick": "Impression rapide",
"Common.Views.Header.tipRedo": "Rétablir",
"Common.Views.Header.tipSave": "Enregistrer",
"Common.Views.Header.tipSearch": "Recherche",
@ -1102,6 +1103,9 @@
"DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
"DE.Controllers.Navigation.txtBeginning": "Début du document",
"DE.Controllers.Navigation.txtGotoBeginning": "Aller au début du document",
"DE.Controllers.Print.textMarginsLast": "Derniers personnalisés",
"DE.Controllers.Print.txtCustom": "Personnalisé",
"DE.Controllers.Print.txtPrintRangeInvalid": "Plage d'impression non valide",
"DE.Controllers.Search.notcriticalErrorTitle": "Avertissement",
"DE.Controllers.Search.textNoTextFound": "Les données que vous recherchez n'ont pas pu être trouvées. Veuillez modifier vos options de recherche.",
"DE.Controllers.Search.textReplaceSkipped": "Le remplacement a été effectué. {0} occurrences ont été sautées.",
@ -2020,6 +2024,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Surligner aucune modification",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Vérification",
"DE.Views.FileMenuPanels.Settings.txtPt": "Point",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Afficher le bouton d'impression rapide dans l'en-tête de l'éditeur",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "Le document sera imprimé sur la dernière imprimante sélectionnée ou par défaut",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Activer tout",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Activer toutes les macros sans notification",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Afficher le suivi des modifications",
@ -2577,6 +2583,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Seulement bordure supérieure",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Pas de bordures",
"DE.Views.PrintWithPreview.textMarginsLast": "Derniers personnalisés",
"DE.Views.PrintWithPreview.textMarginsModerate": "Moyennes",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Étroites",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normales",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "US normale",
"DE.Views.PrintWithPreview.textMarginsWide": "Larges",
"DE.Views.PrintWithPreview.txtAllPages": "Toutes les pages",
"DE.Views.PrintWithPreview.txtBottom": "Bas",
"DE.Views.PrintWithPreview.txtCurrentPage": "Page active",
"DE.Views.PrintWithPreview.txtCustom": "Personnalisé",
"DE.Views.PrintWithPreview.txtCustomPages": "Impression personnalisée",
"DE.Views.PrintWithPreview.txtLandscape": "Paysage",
"DE.Views.PrintWithPreview.txtLeft": "Gauche",
"DE.Views.PrintWithPreview.txtMargins": "Marges",
"DE.Views.PrintWithPreview.txtOf": "de {0}",
"DE.Views.PrintWithPreview.txtPage": "Page",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Numéro de page non valide",
"DE.Views.PrintWithPreview.txtPageOrientation": "Orientation de page",
"DE.Views.PrintWithPreview.txtPages": "Pages",
"DE.Views.PrintWithPreview.txtPageSize": "Taille de page",
"DE.Views.PrintWithPreview.txtPortrait": "Portrait",
"DE.Views.PrintWithPreview.txtPrint": "Imprimer",
"DE.Views.PrintWithPreview.txtPrintPdf": "Imprimer au format PDF",
"DE.Views.PrintWithPreview.txtPrintRange": "Zone d'impression",
"DE.Views.PrintWithPreview.txtRight": "Droite",
"DE.Views.PrintWithPreview.txtSelection": "Sélection",
"DE.Views.PrintWithPreview.txtTop": "Haut",
"DE.Views.ProtectDialog.textComments": "Commentaires",
"DE.Views.ProtectDialog.textForms": "Remplissage des formulaires",
"DE.Views.ProtectDialog.textReview": "Modifications",

View file

@ -285,6 +285,8 @@
"Common.define.smartArt.textVerticalPictureList": "Vertikális képlista",
"Common.define.smartArt.textVerticalProcess": "Vertikális folyamat",
"Common.Translation.textMoreButton": "Több",
"Common.Translation.tipFileLocked": "A dokumentum szerkesztésre zárolt. A módosításokat elvégezheti, és helyi másolatként később is elmentheti.",
"Common.Translation.tipFileReadOnly": "A dokumentum csak olvasható, szerkesztésre zárolt. A módosításokat később is elvégezheti és elmentheti a helyi másolatot.",
"Common.Translation.warnFileLocked": "Nem szerkesztheti ezt a fájlt, mert egy másik alkalmazásban szerkesztik.",
"Common.Translation.warnFileLockedBtnEdit": "Másolat létrehozása",
"Common.Translation.warnFileLockedBtnView": "Megnyitva megtekintésre",
@ -458,6 +460,7 @@
"Common.Views.Header.textCompactView": "Eszköztár elrejtése",
"Common.Views.Header.textHideLines": "Vonalzók elrejtése",
"Common.Views.Header.textHideStatusBar": "Állapotsor elrejtése",
"Common.Views.Header.textReadOnly": "Csak olvasható",
"Common.Views.Header.textRemoveFavorite": "Eltávolítás a kedvencekből",
"Common.Views.Header.textShare": "Megosztás",
"Common.Views.Header.textZoom": "Zoom",
@ -465,6 +468,7 @@
"Common.Views.Header.tipDownload": "Fájl letöltése",
"Common.Views.Header.tipGoEdit": "Az aktuális fájl szerkesztése",
"Common.Views.Header.tipPrint": "Fájl nyomtatása",
"Common.Views.Header.tipPrintQuick": "Gyorsnyomtatás",
"Common.Views.Header.tipRedo": "Újra",
"Common.Views.Header.tipSave": "Ment",
"Common.Views.Header.tipSearch": "Keresés",
@ -831,6 +835,7 @@
"DE.Controllers.Main.textRequestMacros": "A makró kérést intéz az URL-hez. Szeretné engedélyezni a kérést a %1-hoz?",
"DE.Controllers.Main.textShape": "Alakzat",
"DE.Controllers.Main.textStrict": "Biztonságos mód",
"DE.Controllers.Main.textTryQuickPrint": "Ön a gyorsnyomtatást választotta: a teljes dokumentum az előzőleg kiválasztott vagy alapértelmezett nyomtatóra kerül kinyomtatásra.<br>Szeretné folytatni?",
"DE.Controllers.Main.textTryUndoRedo": "A Visszavonás / Újra funkciók le vannak tiltva a Gyors együttes szerkesztés módban.<br>A \"Biztonságos mód\" gombra kattintva válthat a Biztonságos együttes szerkesztés módra, hogy a dokumentumot más felhasználókkal való interferencia nélkül tudja szerkeszteni, mentés után küldve el a módosításokat. A szerkesztési módok között a Speciális beállítások segítségével válthat.",
"DE.Controllers.Main.textTryUndoRedoWarn": "A Visszavonás/Újra funkciók le vannak tiltva a Gyors társszerkesztés módban.",
"DE.Controllers.Main.textUndo": "Vissza",
@ -1104,6 +1109,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.",
"DE.Controllers.Navigation.txtBeginning": "Dokumentum eleje",
"DE.Controllers.Navigation.txtGotoBeginning": "Ugorj a dokumentum elejére",
"DE.Controllers.Print.textMarginsLast": "Előző egyéni beállítások",
"DE.Controllers.Print.txtCustom": "Egyedi",
"DE.Controllers.Print.txtPrintRangeInvalid": "Érvénytelen nyomtatási tartomány",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Adjon meg egy oldalszámot vagy az oldalak tartományát (például 5-12). Vagy PDF-be nyomtathat.",
"DE.Controllers.Search.notcriticalErrorTitle": "Figyelmeztetés",
"DE.Controllers.Search.textNoTextFound": "A keresett adatot nem sikerült megtalálni. Kérjük, módosítsa a keresési beállításokat.",
"DE.Controllers.Search.textReplaceSkipped": "A csere megtörtént. {0} események kihagyásra kerültek.",
@ -1953,10 +1962,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF Verzió",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Hely",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Jogosult személyek",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Szimbólumlomok szóközökkel",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Karakterek szóközökkel",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statisztika",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Tárgy",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Szimbólumok",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Karakterek",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Címkék",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Cím",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Feltöltve",
@ -2022,6 +2031,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Semmit nem mutat",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Korrigálás",
"DE.Views.FileMenuPanels.Settings.txtPt": "Pont",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "A gyorsnyomtatás gomb megjelenítése a szerkesztő fejlécében",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "A dokumentum az utoljára kiválasztott vagy alapértelmezett nyomtatón kerül kinyomtatásra.",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Összes engedélyezése",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Minden értesítés nélküli makró engedélyezése",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Sávváltozások megjelenítése",
@ -2579,6 +2590,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Csak felső szegély beállítása",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Nincsenek szegélyek",
"DE.Views.PrintWithPreview.textMarginsLast": "Legutóbbi egyéni beállítás",
"DE.Views.PrintWithPreview.textMarginsModerate": "Mérsékelt",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Keskeny",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normál",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "Normál (USA)",
"DE.Views.PrintWithPreview.textMarginsWide": "Széles",
"DE.Views.PrintWithPreview.txtAllPages": "Minden oldal",
"DE.Views.PrintWithPreview.txtBottom": "Alul",
"DE.Views.PrintWithPreview.txtCurrentPage": "Aktuális oldal",
"DE.Views.PrintWithPreview.txtCustom": "Egyedi",
"DE.Views.PrintWithPreview.txtCustomPages": "Egyedi nyomtatás",
"DE.Views.PrintWithPreview.txtLandscape": "Fekvő",
"DE.Views.PrintWithPreview.txtLeft": "Bal",
"DE.Views.PrintWithPreview.txtMargins": "Margók",
"DE.Views.PrintWithPreview.txtOf": "-ból/ből {0}",
"DE.Views.PrintWithPreview.txtPage": "Oldal",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Hibás oldalszám",
"DE.Views.PrintWithPreview.txtPageOrientation": "Lap elrendezés",
"DE.Views.PrintWithPreview.txtPages": "Oldalak",
"DE.Views.PrintWithPreview.txtPageSize": "Oldal méret",
"DE.Views.PrintWithPreview.txtPortrait": "Álló",
"DE.Views.PrintWithPreview.txtPrint": "Nyomtatás",
"DE.Views.PrintWithPreview.txtPrintPdf": "Nyomtatás PDF-be",
"DE.Views.PrintWithPreview.txtPrintRange": "Nyomtatási tartomány",
"DE.Views.PrintWithPreview.txtRight": "Jobb",
"DE.Views.PrintWithPreview.txtSelection": "Választás",
"DE.Views.PrintWithPreview.txtTop": "Felső",
"DE.Views.ProtectDialog.textComments": "Megjegyzések",
"DE.Views.ProtectDialog.textForms": "Nyomtatványok kitöltése",
"DE.Views.ProtectDialog.textReview": "Követett változások",

View file

@ -285,6 +285,8 @@
"Common.define.smartArt.textVerticalPictureList": "Ուղղաձիգ նկարի ցուցակ",
"Common.define.smartArt.textVerticalProcess": "Ուղղաձիգ ընթացք",
"Common.Translation.textMoreButton": "Ավել",
"Common.Translation.tipFileLocked": "Փաստաթուղթը կողպված է խմբագրման համար:Դուք կարող եք փոփոխություններ կատարել և հետագայում պահպանել այն որպես տեղական պատճեն:",
"Common.Translation.tipFileReadOnly": "Փաստաթուղթը միայն կարդալու է և կողպված է խմբագրման համար:ուք կարող եք փոփոխություններ կատարել ևպահպանել դրա տեղային պատճենն ավելի ուշ :",
"Common.Translation.warnFileLocked": "Դուք չեք կարող խմբագրել այս ֆայլը, քանի որ այն խմբագրվում է մեկ այլ հավելվածում:",
"Common.Translation.warnFileLockedBtnEdit": "Ստեղծել պատճեն",
"Common.Translation.warnFileLockedBtnView": "Բացել դիտման համար",
@ -458,6 +460,7 @@
"Common.Views.Header.textCompactView": "Թաքցնել գործիքագոտին",
"Common.Views.Header.textHideLines": "Թաքցնել քանոնները",
"Common.Views.Header.textHideStatusBar": "Թաքցնել վիճակագոտին",
"Common.Views.Header.textReadOnly": "Միայն կարդալու",
"Common.Views.Header.textRemoveFavorite": "Ջնջել ընտրված ցուցակից",
"Common.Views.Header.textShare": "Տարածել",
"Common.Views.Header.textZoom": "Խոշորացնել",
@ -465,6 +468,7 @@
"Common.Views.Header.tipDownload": "Ներբեռնել ֆայլը",
"Common.Views.Header.tipGoEdit": "Խմբագրել ընթացիկ ֆայլը",
"Common.Views.Header.tipPrint": "Տպել ֆայլը",
"Common.Views.Header.tipPrintQuick": "Արագ տպում",
"Common.Views.Header.tipRedo": "Վերարկել",
"Common.Views.Header.tipSave": "Պահպանել",
"Common.Views.Header.tipSearch": "Որոնել",
@ -612,6 +616,7 @@
"Common.Views.ReviewPopover.textCancel": "Չեղարկել",
"Common.Views.ReviewPopover.textClose": "Փակել",
"Common.Views.ReviewPopover.textEdit": "Լավ",
"Common.Views.ReviewPopover.textEnterComment": "Այստեղ մուտքագրել Ձեր մեկնաբանությունը",
"Common.Views.ReviewPopover.textFollowMove": "Վերադառնալ սկզբնական վայր",
"Common.Views.ReviewPopover.textMention": "+նշումը թույլ կտա մուտք գործել փաստաթուղթ և ուղարկել էլ․ նամակ",
"Common.Views.ReviewPopover.textMentionNotify": "+նշումը օգտատիրոջը կտեղեկացնի էլ.փոստի միջոցով",
@ -726,6 +731,7 @@
"DE.Controllers.Main.downloadTitleText": "Փաստաթղթի ներբեռնում",
"DE.Controllers.Main.errorAccessDeny": "Դուք փորձում եք կատարել գործողություն, որի իրավունքը չունեք։<br>Դիմեք փաստաթղթերի ձեր սպասարկիչի վարիչին։",
"DE.Controllers.Main.errorBadImageUrl": "Նկարի URL-ը սխալ է",
"DE.Controllers.Main.errorCannotPasteImg": "Մենք չենք կարող տեղադրել այս պատկերը Սեղմատախտակից, բայց դուք կարող եք պահել այն ձեր սարքում և տեղադրել այնտեղից, կամ կարող եք պատճենել պատկերն առանց տեքստի և տեղադրել այն փաստաթղթում:",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Սպասարկիչի հետ կապն ընդհատվել է։ Փաստաթուղթն այս պահին չի կարող խմբագրվել։",
"DE.Controllers.Main.errorComboSeries": "Համակցված աղյուսակ ստեղծելու համար ընտրել տվյալների առնվազն երկու շարք:",
"DE.Controllers.Main.errorCompare": "Համեմատել փաստաթղթերի գործառույթը հնարավոր չէ համատեղ խմբագրելիս:",
@ -829,6 +835,7 @@
"DE.Controllers.Main.textRequestMacros": "Մակրոն հարցում է անում URL-ին: Ցանկանու՞մ եք թույլ տալ հարցումը %1-ին:",
"DE.Controllers.Main.textShape": "Պատկեր",
"DE.Controllers.Main.textStrict": "Խիստ աշխատակարգ",
"DE.Controllers.Main.textTryQuickPrint": "Դուք ընտրել եք Արագ տպում` ամբողջ փաստաթուղթը կտպվի վերջին ընտրված կամ սկզբնադիր տպիչի վրա:<br> Ցանկանու՞մ եք շարունակել։",
"DE.Controllers.Main.textTryUndoRedo": "Համախմբագրման արագ աշխատակարգում հետարկումն ու վերարկումն անջատված են։<br>«Խիստ աշխատակարգ»-ի սեղմումով անցեք համախմբագրման խիստ աշխատակարգին, որպեսզի նիշքը խմբագրեք առանց այլ օգտատերերի միջամտության և փոփոխումներն ուղարկեք միայն դրանք պահպանելուց հետո։ Կարող եք համախմբագրման աշխատակարգերը փոխել լրացուցիչ կարգավորումների միջոցով։",
"DE.Controllers.Main.textTryUndoRedoWarn": "Հետարկումն ու վերարկումն գործառույթներն անջատված են արագ համատեղ խմբագրման ռեժիմի համար:",
"DE.Controllers.Main.textUndo": "Հետարկել",
@ -1102,6 +1109,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "Ձեզ թույլ չի տրվում խմբագրել այս ֆայլը։",
"DE.Controllers.Navigation.txtBeginning": "Փաստաթղթի սկիզբ",
"DE.Controllers.Navigation.txtGotoBeginning": "Գնալ փաստաթղթի սկիզբ",
"DE.Controllers.Print.textMarginsLast": "Վերջին օգտագործումը",
"DE.Controllers.Print.txtCustom": "Հարմարեցված",
"DE.Controllers.Print.txtPrintRangeInvalid": "Տպման անվավեր տիրույթ",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Մուտքագրեք կա՛մ մեկ էջի համար, կա՛մ մեկ էջի տիրույթ (օրինակ՝ 5-12): Կամ կարող եք տպել PDF-ով:",
"DE.Controllers.Search.notcriticalErrorTitle": "Զգուշացում",
"DE.Controllers.Search.textNoTextFound": "Ձեր փնտրած տվյալները չեն գտնվել:Խնդրում ենք կարգաբերել Ձեր որոնման ընտրանքները:",
"DE.Controllers.Search.textReplaceSkipped": "Փոխարինումը կատարված է։{0} դեպք բաց է թողնվել:",
@ -2020,6 +2031,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Ոչ մեկ չդիտել",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Ստուգում ",
"DE.Views.FileMenuPanels.Settings.txtPt": "Կետ",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Ցուցադրել «Արագ տպել» կոճակը խմբագրի վերնագրում",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "Փաստաթուղթը կտպվի վերջին ընտրված կամ սկզբնադիր տպիչի վրա",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Միացնել բոլորը",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Առանց ծանուցման միացնել բոլոր մակրոները",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Ցույց տալ հետագծի փոփոխությունները",
@ -2577,6 +2590,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Սահմանել միայն վերին եզրագիծը",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Ինքնաշխատ",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Առանց եզրագծերի",
"DE.Views.PrintWithPreview.textMarginsLast": "Վերջին օգտագործումը",
"DE.Views.PrintWithPreview.textMarginsModerate": "Չափավոր",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Նեղ",
"DE.Views.PrintWithPreview.textMarginsNormal": "Սովորական",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "ԱՄՆ նորմալ",
"DE.Views.PrintWithPreview.textMarginsWide": "Լայն",
"DE.Views.PrintWithPreview.txtAllPages": "Բոլոր էջեր",
"DE.Views.PrintWithPreview.txtBottom": "Ներքև",
"DE.Views.PrintWithPreview.txtCurrentPage": "Ընթացիկ էջ",
"DE.Views.PrintWithPreview.txtCustom": "Հարմարեցված",
"DE.Views.PrintWithPreview.txtCustomPages": "Հարմարեցված տպագրություն",
"DE.Views.PrintWithPreview.txtLandscape": "Հորիզոնական",
"DE.Views.PrintWithPreview.txtLeft": "Ձախ",
"DE.Views.PrintWithPreview.txtMargins": "Լուսանցքներ",
"DE.Views.PrintWithPreview.txtOf": "{0}-ից",
"DE.Views.PrintWithPreview.txtPage": "Էջ",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Էջի համարն անվավեր է",
"DE.Views.PrintWithPreview.txtPageOrientation": "Էջի կողմնորոշում",
"DE.Views.PrintWithPreview.txtPages": "Էջեր",
"DE.Views.PrintWithPreview.txtPageSize": "Էջի չափ",
"DE.Views.PrintWithPreview.txtPortrait": "Ուղղաձիգ ",
"DE.Views.PrintWithPreview.txtPrint": "Տպել",
"DE.Views.PrintWithPreview.txtPrintPdf": "Տպել PDF-ով",
"DE.Views.PrintWithPreview.txtPrintRange": "Տպման տիրույթ",
"DE.Views.PrintWithPreview.txtRight": "Աջ",
"DE.Views.PrintWithPreview.txtSelection": "Ընտրություն",
"DE.Views.PrintWithPreview.txtTop": "Վերև",
"DE.Views.ProtectDialog.textComments": "Մեկնաբանություններ",
"DE.Views.ProtectDialog.textForms": "Լրացվող ձևեր",
"DE.Views.ProtectDialog.textReview": "Հետագծված փոփոխություններ",

View file

@ -285,6 +285,8 @@
"Common.define.smartArt.textVerticalPictureList": "Daftar Gambar Vertikal",
"Common.define.smartArt.textVerticalProcess": "Proses Vertikal",
"Common.Translation.textMoreButton": "Lainnya",
"Common.Translation.tipFileLocked": "Dokumen terkunci untuk diedit. Anda dapat membuat perubahan dan menyimpannya sebagai salinan lokal nanti.",
"Common.Translation.tipFileReadOnly": "Dokumen hanya dapat dibaca. Untuk menyimpan perubahan Anda, simpan file dengan nama baru atau di tempat lain.",
"Common.Translation.warnFileLocked": "Anda tidak bisa edit file ini karena sedang di edit di aplikasi lain.",
"Common.Translation.warnFileLockedBtnEdit": "Buat salinan",
"Common.Translation.warnFileLockedBtnView": "Buka untuk dilihat",
@ -458,6 +460,7 @@
"Common.Views.Header.textCompactView": "Sembunyikan Toolbar",
"Common.Views.Header.textHideLines": "Sembunyikan Mistar",
"Common.Views.Header.textHideStatusBar": "Sembunyikan Bilah Status",
"Common.Views.Header.textReadOnly": "Hanya baca",
"Common.Views.Header.textRemoveFavorite": "Hilangkan dari Favorit",
"Common.Views.Header.textShare": "Bagikan",
"Common.Views.Header.textZoom": "Pembesaran",
@ -465,6 +468,7 @@
"Common.Views.Header.tipDownload": "Unduh File",
"Common.Views.Header.tipGoEdit": "Edit file saat ini",
"Common.Views.Header.tipPrint": "Print file",
"Common.Views.Header.tipPrintQuick": "Cetak cepat",
"Common.Views.Header.tipRedo": "Ulangi",
"Common.Views.Header.tipSave": "Simpan",
"Common.Views.Header.tipSearch": "Cari",
@ -612,6 +616,7 @@
"Common.Views.ReviewPopover.textCancel": "Batalkan",
"Common.Views.ReviewPopover.textClose": "Tutup",
"Common.Views.ReviewPopover.textEdit": "OK",
"Common.Views.ReviewPopover.textEnterComment": "Tuliskan komentar Anda di sini",
"Common.Views.ReviewPopover.textFollowMove": "Ikuti pergerakan",
"Common.Views.ReviewPopover.textMention": "+mention akan memberikan akses ke dokumen dan mengirimkan email",
"Common.Views.ReviewPopover.textMentionNotify": "+mention akan mengingatkan user lewat email",
@ -726,6 +731,7 @@
"DE.Controllers.Main.downloadTitleText": "Mengunduh Dokumen",
"DE.Controllers.Main.errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.<br>Silakan hubungi admin Server Dokumen Anda.",
"DE.Controllers.Main.errorBadImageUrl": "URL Gambar salah",
"DE.Controllers.Main.errorCannotPasteImg": "Kami tak bisa menempel gambar ini dari Papan Klip, tapi Anda dapat menyimpannya\nke perangkat Anda dan menyisipkannya dari sana, atau Anda dapat menyalin gambar\ntanpa teks dan menempelkannya ke dalam dokumen.",
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Koneksi server terputus. Saat ini dokumen tidak dapat diedit.",
"DE.Controllers.Main.errorComboSeries": "Untuk membuat grafik kombinasi, pilih setidaknya dua seri data.",
"DE.Controllers.Main.errorCompare": "Fitur Membandingkan Dokumen tidak tersedia saat co-editing. ",
@ -829,6 +835,7 @@
"DE.Controllers.Main.textRequestMacros": "Sebuah makro melakukan permintaan ke URL. Apakah Anda akan mengizinkan permintaan ini ke %1?",
"DE.Controllers.Main.textShape": "Bentuk",
"DE.Controllers.Main.textStrict": "Mode strict",
"DE.Controllers.Main.textTryQuickPrint": "Anda telah memilih Cetak cepat: seluruh dokumen akan dicetak pada printer yang terakhir dipilih atau baku.<br>Apakah Anda hendak melanjutkan?",
"DE.Controllers.Main.textTryUndoRedo": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.<br>Klik tombol 'Mode strict' untuk mengganti ke Mode Strict Co-editing untuk edit file tanpa gangguan dari user lain dan kirim perubahan Anda hanya setelah Anda menyimpannya. Anda bisa mengganti mode co-editing menggunakan editor di pengaturan lanjut.",
"DE.Controllers.Main.textTryUndoRedoWarn": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.",
"DE.Controllers.Main.textUndo": "Batalkan",
@ -1102,6 +1109,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "Hak Anda untuk mengedit file ditolak.",
"DE.Controllers.Navigation.txtBeginning": "Awal dokumen",
"DE.Controllers.Navigation.txtGotoBeginning": "Pergi ke awal dokumen",
"DE.Controllers.Print.textMarginsLast": "Ubahan Terakhir",
"DE.Controllers.Print.txtCustom": "Ubahan",
"DE.Controllers.Print.txtPrintRangeInvalid": "Rentang cetak tidak valid",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Masukkan satu nomor halaman atau satu rentang halaman (misalnya, 5-12). Atau Anda bisa Cetak ke PDF.",
"DE.Controllers.Search.notcriticalErrorTitle": "Peringatan",
"DE.Controllers.Search.textNoTextFound": "Data yang Anda cari tidak ditemukan. Silakan atur opsi pencarian Anda.",
"DE.Controllers.Search.textReplaceSkipped": "Penggantian telah dilakukan. {0} kemunculan telah dilewatkan.",
@ -1951,10 +1962,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versi PDF",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Lokasi",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Orang yang memiliki hak",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Simbol dengan spasi",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Karakter dengan spasi",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistik",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subyek",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Simbol",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Karakter",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Tag",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Judul",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Diunggah",
@ -2020,6 +2031,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Tidak Ada yang Dilihat",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Proofing",
"DE.Views.FileMenuPanels.Settings.txtPt": "Titik",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Tampilkan tombol Cetak Cepat dalam header editor",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "Dokumen akan",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Aktifkan Semua",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Aktifkan semua macros tanpa notifikasi",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Tampilkan pelacak perubahan",
@ -2219,7 +2232,7 @@
"DE.Views.ImageSettingsAdvanced.textHeight": "Tinggi",
"DE.Views.ImageSettingsAdvanced.textHorizontal": "Horisontal",
"DE.Views.ImageSettingsAdvanced.textHorizontally": "Secara Horizontal",
"DE.Views.ImageSettingsAdvanced.textJoinType": "Gabungkan Tipe",
"DE.Views.ImageSettingsAdvanced.textJoinType": "Gabungkan tipe",
"DE.Views.ImageSettingsAdvanced.textKeepRatio": "Proporsi Konstan",
"DE.Views.ImageSettingsAdvanced.textLeft": "Kiri",
"DE.Views.ImageSettingsAdvanced.textLeftMargin": "Margin kiri",
@ -2529,8 +2542,8 @@
"DE.Views.ParagraphSettingsAdvanced.textCentered": "Tengah",
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spasi antar karakter",
"DE.Views.ParagraphSettingsAdvanced.textContext": "Kontekstual",
"DE.Views.ParagraphSettingsAdvanced.textContextDiscret": "Kontekstual dan",
"DE.Views.ParagraphSettingsAdvanced.textContextHistDiscret": "Kontekstual, Bersejarah, dan",
"DE.Views.ParagraphSettingsAdvanced.textContextDiscret": "Kontekstual dan diskresioner",
"DE.Views.ParagraphSettingsAdvanced.textContextHistDiscret": "Kontekstual, historis, dan diskresioner",
"DE.Views.ParagraphSettingsAdvanced.textContextHistorical": "Kontekstual dan bersejarah",
"DE.Views.ParagraphSettingsAdvanced.textDefault": "Tab baku",
"DE.Views.ParagraphSettingsAdvanced.textDiscret": "Diskresional",
@ -2539,7 +2552,7 @@
"DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Baris Pertama",
"DE.Views.ParagraphSettingsAdvanced.textHanging": "Menggantung",
"DE.Views.ParagraphSettingsAdvanced.textHistorical": "Bersejarah",
"DE.Views.ParagraphSettingsAdvanced.textHistoricalDiscret": "Bersejarah dan Diskresional",
"DE.Views.ParagraphSettingsAdvanced.textHistoricalDiscret": "Historis dan diskresioner",
"DE.Views.ParagraphSettingsAdvanced.textJustified": "Rata Kiri-Kanan",
"DE.Views.ParagraphSettingsAdvanced.textLeader": "Leader",
"DE.Views.ParagraphSettingsAdvanced.textLeft": "Kiri",
@ -2556,10 +2569,10 @@
"DE.Views.ParagraphSettingsAdvanced.textSpacing": "Spasi",
"DE.Views.ParagraphSettingsAdvanced.textStandard": "Standar saja",
"DE.Views.ParagraphSettingsAdvanced.textStandardContext": "Standar dan kontekstual",
"DE.Views.ParagraphSettingsAdvanced.textStandardContextDiscret": "Standar, Kontekstual, dan Diskresional",
"DE.Views.ParagraphSettingsAdvanced.textStandardContextHist": "Standar, Kontekstual, dan Bersejarah",
"DE.Views.ParagraphSettingsAdvanced.textStandardDiscret": "Standar dan Diskresional",
"DE.Views.ParagraphSettingsAdvanced.textStandardHistDiscret": "Standar, Bersejarah, dan Diskresional",
"DE.Views.ParagraphSettingsAdvanced.textStandardContextDiscret": "Standar, kontekstual, dan diskresional",
"DE.Views.ParagraphSettingsAdvanced.textStandardContextHist": "Standar, kontekstual, dan historis",
"DE.Views.ParagraphSettingsAdvanced.textStandardDiscret": "Standar dan diskresional",
"DE.Views.ParagraphSettingsAdvanced.textStandardHistDiscret": "Standar, historis, dan diskresioner",
"DE.Views.ParagraphSettingsAdvanced.textStandardHistorical": "Standar dan bersejarah",
"DE.Views.ParagraphSettingsAdvanced.textTabCenter": "Tengah",
"DE.Views.ParagraphSettingsAdvanced.textTabLeft": "Kiri",
@ -2577,6 +2590,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Buat Pembatas Atas Saja",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Tidak ada pembatas",
"DE.Views.PrintWithPreview.textMarginsLast": "Ubahan Terakhir",
"DE.Views.PrintWithPreview.textMarginsModerate": "Moderat",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Sempit",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normal",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "US Normal",
"DE.Views.PrintWithPreview.textMarginsWide": "Lebar",
"DE.Views.PrintWithPreview.txtAllPages": "Semua halaman",
"DE.Views.PrintWithPreview.txtBottom": "Bawah",
"DE.Views.PrintWithPreview.txtCurrentPage": "Halaman saat ini",
"DE.Views.PrintWithPreview.txtCustom": "Ubahan",
"DE.Views.PrintWithPreview.txtCustomPages": "Cetak khusus",
"DE.Views.PrintWithPreview.txtLandscape": "Lansekap",
"DE.Views.PrintWithPreview.txtLeft": "Kiri",
"DE.Views.PrintWithPreview.txtMargins": "Margin",
"DE.Views.PrintWithPreview.txtOf": "dari {0}",
"DE.Views.PrintWithPreview.txtPage": "Halaman",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Nomor halaman tidak valid",
"DE.Views.PrintWithPreview.txtPageOrientation": "Orientasi halaman",
"DE.Views.PrintWithPreview.txtPages": "Halaman",
"DE.Views.PrintWithPreview.txtPageSize": "Ukuran halaman",
"DE.Views.PrintWithPreview.txtPortrait": "Potret",
"DE.Views.PrintWithPreview.txtPrint": "Cetak",
"DE.Views.PrintWithPreview.txtPrintPdf": "Cetak ke PDF",
"DE.Views.PrintWithPreview.txtPrintRange": "Rentang cetak",
"DE.Views.PrintWithPreview.txtRight": "Kanan",
"DE.Views.PrintWithPreview.txtSelection": "Pilihan",
"DE.Views.PrintWithPreview.txtTop": "Atas",
"DE.Views.ProtectDialog.textComments": "Komentar",
"DE.Views.ProtectDialog.textForms": "Formulir isian",
"DE.Views.ProtectDialog.textReview": "Perubahan terlacak",
@ -3111,7 +3151,7 @@
"DE.Views.Toolbar.tipPageSize": "Ukuran Halaman",
"DE.Views.Toolbar.tipParagraphStyle": "Model Paragraf",
"DE.Views.Toolbar.tipPaste": "Tempel",
"DE.Views.Toolbar.tipPrColor": "Warna Latar Paragraf",
"DE.Views.Toolbar.tipPrColor": "Bayangan",
"DE.Views.Toolbar.tipPrint": "Cetak",
"DE.Views.Toolbar.tipRedo": "Ulangi",
"DE.Views.Toolbar.tipSave": "Simpan",

View file

@ -1767,10 +1767,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versione PDF",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Percorso",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persone che hanno diritti",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Simboli compresi spazi",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Caratteri compresi spazi",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistiche",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Oggetto",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Simboli",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Caratteri",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Etichette",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titolo documento",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Caricato",

View file

@ -285,6 +285,8 @@
"Common.define.smartArt.textVerticalPictureList": "縦方向画像リスト",
"Common.define.smartArt.textVerticalProcess": "縦方向ステップ",
"Common.Translation.textMoreButton": "もっと",
"Common.Translation.tipFileLocked": "ドキュメントが編集用にロックされています。後で変更し、ローカルコピーとして保存することができます。",
"Common.Translation.tipFileReadOnly": "ドキュメントは閲覧用で、編集はロックされています。後で変更し、そのローカルコピーを保存することができます。",
"Common.Translation.warnFileLocked": "このファイルは他のアプリで編集されているので、編集できません。",
"Common.Translation.warnFileLockedBtnEdit": "コピーを作成する",
"Common.Translation.warnFileLockedBtnView": "閲覧するために開く",
@ -458,6 +460,7 @@
"Common.Views.Header.textCompactView": "ツールバーを表示しない",
"Common.Views.Header.textHideLines": "ルーラーを表示しない",
"Common.Views.Header.textHideStatusBar": "ステータスバーを表示しない",
"Common.Views.Header.textReadOnly": "閲覧のみ",
"Common.Views.Header.textRemoveFavorite": "お気に入りから削除",
"Common.Views.Header.textShare": "共有",
"Common.Views.Header.textZoom": "ズーム",
@ -465,6 +468,7 @@
"Common.Views.Header.tipDownload": "ファイルをダウンロード",
"Common.Views.Header.tipGoEdit": "現在のファイルを編集する",
"Common.Views.Header.tipPrint": "ファイルを印刷する",
"Common.Views.Header.tipPrintQuick": "クイックプリント",
"Common.Views.Header.tipRedo": "やり直し",
"Common.Views.Header.tipSave": "保存する",
"Common.Views.Header.tipSearch": "検索",
@ -829,6 +833,7 @@
"DE.Controllers.Main.textRequestMacros": "マクロがURLに対してリクエストを行います。%1へのリクエストを許可しますか",
"DE.Controllers.Main.textShape": "図形",
"DE.Controllers.Main.textStrict": "厳格モード",
"DE.Controllers.Main.textTryQuickPrint": "クイックプリントが選択されています。ドキュメント全体が、最後に選択したプリンタまたはデフォルトのプリンタで印刷されます。<br>続行しますか?",
"DE.Controllers.Main.textTryUndoRedo": "高速共同編集モードでは、元に戻す/やり直し機能は無効になります。<br>「厳格モード」ボタンをクリックすると、他のユーザーの干渉を受けずにファイルを編集し、保存後に変更内容を送信する厳格共同編集モードに切り替わります。共同編集モードの切り替えは、エディタの詳細設定を使用して行うことができます。",
"DE.Controllers.Main.textTryUndoRedoWarn": "高速共同編集モードでは、元に戻す/やり直し機能が無効になります。",
"DE.Controllers.Main.textUndo": "元に戻す",
@ -1102,6 +1107,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "ファイルを編集する権限を拒否されています。",
"DE.Controllers.Navigation.txtBeginning": "文書の先頭",
"DE.Controllers.Navigation.txtGotoBeginning": "文書の先頭に移動する",
"DE.Controllers.Print.textMarginsLast": "最後に適用した設定",
"DE.Controllers.Print.txtCustom": "ユーザー設定",
"DE.Controllers.Print.txtPrintRangeInvalid": "無効な印刷範囲",
"DE.Controllers.Print.txtPrintRangeSingleRange": "ページ番号のみ、またはページ範囲のみを入力してください(例: 5-12。または、PDFに印刷することもできます。",
"DE.Controllers.Search.notcriticalErrorTitle": " 警告",
"DE.Controllers.Search.textNoTextFound": "検索データが見つかりませんでした。他の検索設定を選択してください。",
"DE.Controllers.Search.textReplaceSkipped": "置換が行われました。スキップされた発生回数は{0}です。",
@ -1951,10 +1960,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDFのバージョン",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "場所",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "権利を有する者",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "スペースを含む記号",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "文字数 (スペースを含む)",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "統計",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "件名",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "記号",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "文字数",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "タグ",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "タイトル",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "アップロード済み",
@ -2020,6 +2029,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "表示なし",
"DE.Views.FileMenuPanels.Settings.txtProofing": "校正",
"DE.Views.FileMenuPanels.Settings.txtPt": "ポイント",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "クイックプリントボタンをエディタヘッダーに表示",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "最後に選択した、またはデフォルトのプリンターで印刷されます。",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "全てを有効にする",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "全てのマクロを有効にして、通知しない",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "変更履歴を表示する",
@ -2577,6 +2588,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "上罫線だけを設定",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "自動",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "罫線なし",
"DE.Views.PrintWithPreview.textMarginsLast": "最後に適用した設定",
"DE.Views.PrintWithPreview.textMarginsModerate": "中",
"DE.Views.PrintWithPreview.textMarginsNarrow": "狭い",
"DE.Views.PrintWithPreview.textMarginsNormal": "標準",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "ノーマル(アメリカの標準)",
"DE.Views.PrintWithPreview.textMarginsWide": "広い",
"DE.Views.PrintWithPreview.txtAllPages": "全ページ",
"DE.Views.PrintWithPreview.txtBottom": "下",
"DE.Views.PrintWithPreview.txtCurrentPage": "現在のページ",
"DE.Views.PrintWithPreview.txtCustom": "ユーザー設定",
"DE.Views.PrintWithPreview.txtCustomPages": "カスタム印刷",
"DE.Views.PrintWithPreview.txtLandscape": "横",
"DE.Views.PrintWithPreview.txtLeft": "左",
"DE.Views.PrintWithPreview.txtMargins": "余白",
"DE.Views.PrintWithPreview.txtOf": "{0}から",
"DE.Views.PrintWithPreview.txtPage": "ページ",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "ページ番号が正しくありません。",
"DE.Views.PrintWithPreview.txtPageOrientation": "印刷の向き",
"DE.Views.PrintWithPreview.txtPages": "ページ",
"DE.Views.PrintWithPreview.txtPageSize": "ページのサイズ",
"DE.Views.PrintWithPreview.txtPortrait": "縦",
"DE.Views.PrintWithPreview.txtPrint": "印刷",
"DE.Views.PrintWithPreview.txtPrintPdf": "PDFに印刷",
"DE.Views.PrintWithPreview.txtPrintRange": "印刷範囲\t",
"DE.Views.PrintWithPreview.txtRight": "右",
"DE.Views.PrintWithPreview.txtSelection": "選択",
"DE.Views.PrintWithPreview.txtTop": "上",
"DE.Views.ProtectDialog.textComments": "コメント",
"DE.Views.ProtectDialog.textForms": "フォームの入力",
"DE.Views.ProtectDialog.textReview": "変更履歴",

View file

@ -1054,7 +1054,7 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Rindkopu",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Vieta",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personas kuriem ir tiesības",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Simbolu ar atstarpiem",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Rakstzīmes ar atstarpiem",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistika",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Simbolu",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Dokumentu nosaukums",

View file

@ -1733,10 +1733,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF versie",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Locatie",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personen met rechten",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symbolen met spaties",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Tekens met spaties",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistieken",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Onderwerp",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symbolen",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Tekens",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titel",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Geupload",
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Woorden",

View file

@ -942,6 +942,7 @@
"DE.Controllers.Main.warnProcessRightsChange": "Você não tem permissões para editar o ficheiro.",
"DE.Controllers.Navigation.txtBeginning": "Início do documento",
"DE.Controllers.Navigation.txtGotoBeginning": "Ir para o início do documento",
"DE.Controllers.Print.txtCustom": "Personalizado",
"DE.Controllers.Search.notcriticalErrorTitle": "Aviso",
"DE.Controllers.Search.textNoTextFound": "Não foi possível localizar os dados procurados. Ajuste as opções de pesquisa.",
"DE.Controllers.Search.textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.",
@ -1791,10 +1792,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versão PDF",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Localização",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Pessoas que têm direitos",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Símbolos com espaços",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Carateres com espaços",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Estatísticas",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Assunto",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Símbolos",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Carateres",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Tags",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Título",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Carregado",
@ -2417,6 +2418,9 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Definir apenas contorno superior",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sem contornos",
"DE.Views.PrintWithPreview.txtAllPages": "Todas as páginas",
"DE.Views.PrintWithPreview.txtCustom": "Personalizado",
"DE.Views.PrintWithPreview.txtLeft": "Esquerda",
"DE.Views.ProtectDialog.textComments": "Comentários",
"DE.Views.ProtectDialog.textForms": "Preenchimento de formulários",
"DE.Views.ProtectDialog.textReview": "Alterações rastreadas",

View file

@ -285,6 +285,8 @@
"Common.define.smartArt.textVerticalPictureList": "Lista de imagens verticais",
"Common.define.smartArt.textVerticalProcess": "Processo Vertical",
"Common.Translation.textMoreButton": "Mais",
"Common.Translation.tipFileLocked": "O documento está bloqueado para edição. Você pode fazer alterações e salvá-lo como cópia local mais tarde.",
"Common.Translation.tipFileReadOnly": "O documento é somente leitura e está bloqueado para edição. Você pode fazer alterações e salvar sua cópia local posteriormente.",
"Common.Translation.warnFileLocked": "Documento está em uso por outra aplicação. Você pode continuar editando e salvá-lo como uma cópia.",
"Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia",
"Common.Translation.warnFileLockedBtnView": "Aberto para visualização",
@ -458,6 +460,7 @@
"Common.Views.Header.textCompactView": "Ocultar Barra de Ferramentas",
"Common.Views.Header.textHideLines": "Ocultar Réguas",
"Common.Views.Header.textHideStatusBar": "Ocultar Barra de Status",
"Common.Views.Header.textReadOnly": "Somente leitura",
"Common.Views.Header.textRemoveFavorite": "Remover dos Favoritos",
"Common.Views.Header.textShare": "Compartilhar",
"Common.Views.Header.textZoom": "Ampliação",
@ -465,6 +468,7 @@
"Common.Views.Header.tipDownload": "Baixar arquivo",
"Common.Views.Header.tipGoEdit": "Editar arquivo atual",
"Common.Views.Header.tipPrint": "Imprimir arquivo",
"Common.Views.Header.tipPrintQuick": "Impressão rápida",
"Common.Views.Header.tipRedo": "Refazer",
"Common.Views.Header.tipSave": "Gravar",
"Common.Views.Header.tipSearch": "Pesquisar",
@ -831,6 +835,7 @@
"DE.Controllers.Main.textRequestMacros": "Uma macro faz uma solicitação para URL. Deseja permitir a solicitação para %1?",
"DE.Controllers.Main.textShape": "Forma",
"DE.Controllers.Main.textStrict": "Modo estrito",
"DE.Controllers.Main.textTryQuickPrint": "Você selecionou Impressão rápida: todo o documento será impresso na última impressora selecionada ou padrão.<br>Deseja continuar?",
"DE.Controllers.Main.textTryUndoRedo": "As funções Desfazer/Refazer ficam desabilitadas no modo de Coedição Rápida.<br>Selecione o modo 'Estrito' para editar o aquivo sem que outros usuários interfiram e envie suas mudanças somente ao salvar o documento. Você pode alternar entre os modos de coedição usando as Configurações Avançadas.\",",
"DE.Controllers.Main.textTryUndoRedoWarn": "As funções Desfazer/Refazer estão desabilitadas para o modo de coedição rápido",
"DE.Controllers.Main.textUndo": "Desfazer",
@ -1104,6 +1109,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.",
"DE.Controllers.Navigation.txtBeginning": "Início do documento",
"DE.Controllers.Navigation.txtGotoBeginning": "Ir para o início do documento",
"DE.Controllers.Print.textMarginsLast": "Últimos personalizados",
"DE.Controllers.Print.txtCustom": "Personalizado",
"DE.Controllers.Print.txtPrintRangeInvalid": "Intervalo de impressão inválido",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Digite um único número de página ou um único intervalo de páginas (por exemplo, 5-12). Ou você pode imprimir em PDF.",
"DE.Controllers.Search.notcriticalErrorTitle": "Aviso",
"DE.Controllers.Search.textNoTextFound": "Os dados que você tem estado procurando não podem ser encontrados. Ajuste suas opções de pesquisa.",
"DE.Controllers.Search.textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.",
@ -2022,6 +2031,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Visualizar nenhum",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Revisão",
"DE.Views.FileMenuPanels.Settings.txtPt": "Ponto",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Mostrar o botão Impressão rápida no cabeçalho do editor",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "O documento será impresso na última impressora selecionada ou padrão",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Habilitar todos",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Habilitar todas as macros sem uma notificação",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Mostrar alterações de faixa",
@ -2579,6 +2590,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Definir apenas borda superior",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sem bordas",
"DE.Views.PrintWithPreview.textMarginsLast": "Últimos personalizados",
"DE.Views.PrintWithPreview.textMarginsModerate": "Moderado",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Estreito",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normal",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "US Normal",
"DE.Views.PrintWithPreview.textMarginsWide": "Amplo",
"DE.Views.PrintWithPreview.txtAllPages": "Todas as páginas",
"DE.Views.PrintWithPreview.txtBottom": "Inferior",
"DE.Views.PrintWithPreview.txtCurrentPage": "Pagina atual",
"DE.Views.PrintWithPreview.txtCustom": "Personalizado",
"DE.Views.PrintWithPreview.txtCustomPages": "Impressão personalizada",
"DE.Views.PrintWithPreview.txtLandscape": "Paisagem",
"DE.Views.PrintWithPreview.txtLeft": "Esquerda",
"DE.Views.PrintWithPreview.txtMargins": "Margens",
"DE.Views.PrintWithPreview.txtOf": "de {0}",
"DE.Views.PrintWithPreview.txtPage": "Página",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Número da página inválido",
"DE.Views.PrintWithPreview.txtPageOrientation": "Orientação da página",
"DE.Views.PrintWithPreview.txtPages": "Páginas",
"DE.Views.PrintWithPreview.txtPageSize": "Tamanho da página",
"DE.Views.PrintWithPreview.txtPortrait": "Retrato ",
"DE.Views.PrintWithPreview.txtPrint": "Imprimir",
"DE.Views.PrintWithPreview.txtPrintPdf": "Imprimir em PDF",
"DE.Views.PrintWithPreview.txtPrintRange": "Imprimir intervalo",
"DE.Views.PrintWithPreview.txtRight": "Direita",
"DE.Views.PrintWithPreview.txtSelection": "Seleção",
"DE.Views.PrintWithPreview.txtTop": "Parte superior",
"DE.Views.ProtectDialog.textComments": "Comentários",
"DE.Views.ProtectDialog.textForms": "Preenchimento de formulários",
"DE.Views.ProtectDialog.textReview": "Mudanças rastreadas",

View file

@ -285,11 +285,13 @@
"Common.define.smartArt.textVerticalPictureList": "Listă verticală imagine",
"Common.define.smartArt.textVerticalProcess": "Proces vertical",
"Common.Translation.textMoreButton": "Mai multe",
"Common.Translation.tipFileLocked": "Acest document este blocat pentru editare. Îl puteți modifica și salva mai târziu ca o copie pe unitatea locală.",
"Common.Translation.tipFileReadOnly": "Documentul este disponibil doar în citire și este blocat pentru editare. Puteți îl modifica și salva mai târziu ca o copie pe unitatea locală.",
"Common.Translation.warnFileLocked": "Nu puteți edita fișierul deoarece el este editat într-o altă aplicație. ",
"Common.Translation.warnFileLockedBtnEdit": "Crează o copie",
"Common.Translation.warnFileLockedBtnView": "Deschide vizualizarea",
"Common.UI.ButtonColored.textAutoColor": "Automat",
"Common.UI.ButtonColored.textNewColor": "Сuloare particularizată",
"Common.UI.ButtonColored.textNewColor": "Adăugați o culoare nouă particularizată",
"Common.UI.Calendar.textApril": "Aprilie",
"Common.UI.Calendar.textAugust": "August",
"Common.UI.Calendar.textDecember": "Decembrie",
@ -458,6 +460,7 @@
"Common.Views.Header.textCompactView": "Ascunde bară de instrumente",
"Common.Views.Header.textHideLines": "Ascundere rigle",
"Common.Views.Header.textHideStatusBar": "Ascundere bară de stare",
"Common.Views.Header.textReadOnly": "Doar în citire",
"Common.Views.Header.textRemoveFavorite": "Eliminare din Preferințe",
"Common.Views.Header.textShare": "Partajează",
"Common.Views.Header.textZoom": "Zoom",
@ -465,6 +468,7 @@
"Common.Views.Header.tipDownload": "Descărcare fișier",
"Common.Views.Header.tipGoEdit": "Editare acest fișier",
"Common.Views.Header.tipPrint": "Se imprimă tot fișierul",
"Common.Views.Header.tipPrintQuick": "Imprimare rapidă",
"Common.Views.Header.tipRedo": "Refacere",
"Common.Views.Header.tipSave": "Salvează",
"Common.Views.Header.tipSearch": "Căutare",
@ -543,9 +547,9 @@
"Common.Views.ReviewChanges.tipAcceptCurrent": "Acceptați această modificare",
"Common.Views.ReviewChanges.tipCoAuthMode": "Activare modul de colaborare",
"Common.Views.ReviewChanges.tipCommentRem": "Ștergere comentarii",
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Se șterg aceste comentarii",
"Common.Views.ReviewChanges.tipCommentResolve": "Soluționare comentarii",
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Soluționarea comentariilor curente",
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Ștergere comentarii existente",
"Common.Views.ReviewChanges.tipCommentResolve": "Rezolvare comentarii",
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Rezolvare comentarii curente",
"Common.Views.ReviewChanges.tipCompare": "Comparați acest document cu altul",
"Common.Views.ReviewChanges.tipHistory": "Afișare istoricul versiunei",
"Common.Views.ReviewChanges.tipRejectCurrent": "Respinge modificare",
@ -561,16 +565,16 @@
"Common.Views.ReviewChanges.txtChat": "Chat",
"Common.Views.ReviewChanges.txtClose": "Închidere",
"Common.Views.ReviewChanges.txtCoAuthMode": "Modul de editare colaborativă",
"Common.Views.ReviewChanges.txtCommentRemAll": "Ștergere comentariu",
"Common.Views.ReviewChanges.txtCommentRemCurrent": "Se șterg aceste comentarii",
"Common.Views.ReviewChanges.txtCommentRemMy": "Se șterg comentariile mele",
"Common.Views.ReviewChanges.txtCommentRemAll": "Șterge toate comentariile ",
"Common.Views.ReviewChanges.txtCommentRemCurrent": "Ștergere comentarii existente",
"Common.Views.ReviewChanges.txtCommentRemMy": "Șterge comentariile mele",
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Se șterg comentariile mele curente",
"Common.Views.ReviewChanges.txtCommentRemove": "Ștergere",
"Common.Views.ReviewChanges.txtCommentResolve": "Rezolvare",
"Common.Views.ReviewChanges.txtCommentResolveAll": "Marchează toate comentarii ca soluționate",
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Soluționarea comentariilor curente",
"Common.Views.ReviewChanges.txtCommentResolveMy": "Soluționarea comentariilor mele",
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Soluționarea comentariilor mele curente",
"Common.Views.ReviewChanges.txtCommentResolveAll": "Marchează toate comentariile ca rezolvate",
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Rezolvare comentarii curente",
"Common.Views.ReviewChanges.txtCommentResolveMy": "Rezolvarea comentariilor mele",
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Rezolvarea comentariilor mele curente",
"Common.Views.ReviewChanges.txtCompare": "Comparare",
"Common.Views.ReviewChanges.txtDocLang": "Limbă",
"Common.Views.ReviewChanges.txtEditing": "Editare",
@ -700,6 +704,15 @@
"Common.Views.UserNameDialog.textDontShow": "Nu mai întreabă",
"Common.Views.UserNameDialog.textLabel": "Etichetă:",
"Common.Views.UserNameDialog.textLabelError": "Etichetă trebuie completată",
"DE.Controllers.DocProtection.txtIsProtectedComment": "Documentul a fost protejat. Aveți posibilitatea numai să-l comentați.",
"DE.Controllers.DocProtection.txtIsProtectedForms": "Documentul a fost protejat. Aveți posibilitatea doar să completați formulare din acest document.",
"DE.Controllers.DocProtection.txtIsProtectedTrack": "Documentul a fost protejat. Aveți posibilitatea să editați acest document, dar toate modificările vor fi urmărite.",
"DE.Controllers.DocProtection.txtIsProtectedView": "Documentul a fost protejat. Puteți doar să vizualizați acest document.",
"DE.Controllers.DocProtection.txtWasProtectedComment": "Documentul a fost protejat de un alt utilizator. \nAveți posibilitatea numai să-l comentați.",
"DE.Controllers.DocProtection.txtWasProtectedForms": "Documentul a fost protejat de un alt utilizator. \nAveți posibilitatea doar să completați formulare din acest document.",
"DE.Controllers.DocProtection.txtWasProtectedTrack": "Documentul a fost protejat de un alt utilizator. \nAveți posibilitatea să editați acest document, dar toate modificările vor fi urmărite.",
"DE.Controllers.DocProtection.txtWasProtectedView": "Documentul a fost protejat de un alt utilizator.\nPuteți doar să vizualizați acest document.",
"DE.Controllers.DocProtection.txtWasUnprotected": "Protecția documentului a fost anulată.",
"DE.Controllers.LeftMenu.leavePageText": "Toate modificările nesalvate din documentul vor fi pierdute.<br> Pentru a le salva, faceți clic pe Revocare și apoi pe Salvare. Apăsați OK dacă doriți să renunțați la modificările nesalvate.",
"DE.Controllers.LeftMenu.newDocumentTitle": "Documentul fără nume",
"DE.Controllers.LeftMenu.notcriticalErrorTitle": "Avertisment",
@ -831,6 +844,7 @@
"DE.Controllers.Main.textRequestMacros": "O macrocomandă trimite o solicitare URL. Doriți să permiteți ca solicitarea să fie trimisă către %1?",
"DE.Controllers.Main.textShape": "Forma",
"DE.Controllers.Main.textStrict": "Modul strict",
"DE.Controllers.Main.textTryQuickPrint": "Dvs v-ați ales opțiunea de Imprimare rapidă: imprimanta este setată se inprime un document întreg este ultima imprimantă utilizată sau imprimantă implicită.<br>Doriți să continuați?",
"DE.Controllers.Main.textTryUndoRedo": "Funcții Anulare/Refacere sunt dezactivate în modul Rapid de editare colaborativă.<br>Faceți clic pe Modul strict ca să comutați la modul Strict de editare colaborativă și să nu intrați în conflict cu alte persoane. Toate modificările vor fi trimise numai după ce le salvați. Ulilizati Setări avansate ale editorului ca să comutați între moduri de editare colaborativă. ",
"DE.Controllers.Main.textTryUndoRedoWarn": "Funcții Anulare/Refacere sunt dezactivate în modul Rapid de editare colaborativă.",
"DE.Controllers.Main.textUndo": "Anulare",
@ -979,7 +993,7 @@
"DE.Controllers.Main.txtShape_leftArrow": "Săgeată la stângă",
"DE.Controllers.Main.txtShape_leftArrowCallout": "Explicație cu săgeta spre stânga",
"DE.Controllers.Main.txtShape_leftBrace": "Acoladă stânga",
"DE.Controllers.Main.txtShape_leftBracket": "Paranteză stânga",
"DE.Controllers.Main.txtShape_leftBracket": "Paranteză stângă",
"DE.Controllers.Main.txtShape_leftRightArrow": "Săgeată stânga-dreapta",
"DE.Controllers.Main.txtShape_leftRightArrowCallout": "Explicație cu săgeata spre stânga-dreapta",
"DE.Controllers.Main.txtShape_leftRightUpArrow": "Săgeată stânga-dreapta-sus",
@ -1052,8 +1066,8 @@
"DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Explicație în dreptunghi rotunjit",
"DE.Controllers.Main.txtStarsRibbons": "Stele și forme ondulate",
"DE.Controllers.Main.txtStyle_Caption": "Legenda",
"DE.Controllers.Main.txtStyle_endnote_text": "Textul notelei de final ",
"DE.Controllers.Main.txtStyle_footnote_text": "Textul notei de subsol",
"DE.Controllers.Main.txtStyle_endnote_text": "Text notă de final ",
"DE.Controllers.Main.txtStyle_footnote_text": "Text notă de subsol",
"DE.Controllers.Main.txtStyle_Heading_1": "Titlu 1",
"DE.Controllers.Main.txtStyle_Heading_2": "Titlu 2",
"DE.Controllers.Main.txtStyle_Heading_3": "Titlu 3",
@ -1104,6 +1118,10 @@
"DE.Controllers.Main.warnProcessRightsChange": "Accesul la editarea fișierului refuzat.",
"DE.Controllers.Navigation.txtBeginning": "Începutul documentului",
"DE.Controllers.Navigation.txtGotoBeginning": "Salt la începutul documentului",
"DE.Controllers.Print.textMarginsLast": "Ultima setare particularizată",
"DE.Controllers.Print.txtCustom": "Particularizat",
"DE.Controllers.Print.txtPrintRangeInvalid": "Interval de imprimare incorect",
"DE.Controllers.Print.txtPrintRangeSingleRange": "Introduceți un număr de pagină sau un interval de pagini (ex. 5 - 12). Încă mai puteți utiliza opțiunea Imprimare în PDF.",
"DE.Controllers.Search.notcriticalErrorTitle": "Avertisment",
"DE.Controllers.Search.textNoTextFound": "Datele căutate nu au fost găsite. Alegeți alte opțiuni de căutare.",
"DE.Controllers.Search.textReplaceSkipped": "A avut loc o înlocuire. {0} apariții ignorate.",
@ -1165,52 +1183,52 @@
"DE.Controllers.Toolbar.txtAccent_Hat": "Pălărie",
"DE.Controllers.Toolbar.txtAccent_Smile": "Breve",
"DE.Controllers.Toolbar.txtAccent_Tilde": "Tildă",
"DE.Controllers.Toolbar.txtBracket_Angle": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Paranteze cu separatori",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Paranteze cu separatori",
"DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Curve": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Paranteze cu separatori",
"DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Angle": "Paranteze unghiulare",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Paranteze unghiulare cu separator",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Paranteze unghiulare cu doi separatori",
"DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Paranteză unghiulară dreaptă",
"DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Paranteză unghiulară stângă",
"DE.Controllers.Toolbar.txtBracket_Curve": "Acolade",
"DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Acolade cu separator",
"DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Acoladă dreaptă",
"DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Acoladă stângă",
"DE.Controllers.Toolbar.txtBracket_Custom_1": "Sistem (două condiții)",
"DE.Controllers.Toolbar.txtBracket_Custom_2": "Sistem (trei condiții)",
"DE.Controllers.Toolbar.txtBracket_Custom_3": "Stiva de obiecte",
"DE.Controllers.Toolbar.txtBracket_Custom_4": "Stiva de obiecte",
"DE.Controllers.Toolbar.txtBracket_Custom_4": "Obiect stivă în paranteze",
"DE.Controllers.Toolbar.txtBracket_Custom_5": "Exemplu de sistem",
"DE.Controllers.Toolbar.txtBracket_Custom_6": "Coeficient binominal",
"DE.Controllers.Toolbar.txtBracket_Custom_7": "Coeficient binominal",
"DE.Controllers.Toolbar.txtBracket_Line": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_LineDouble": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_LowLim": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Custom_7": "Coeficientul binomial în paranteze unghiulare",
"DE.Controllers.Toolbar.txtBracket_Line": "Bare verticale",
"DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Bara verticală din dreapta",
"DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Bară verticală din stânga",
"DE.Controllers.Toolbar.txtBracket_LineDouble": "Bare verticale duble",
"DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Bara verticală dublă din dreapta",
"DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Bară verticală dublă din stânga",
"DE.Controllers.Toolbar.txtBracket_LowLim": "Paranteză dreaptă inferioară",
"DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Paranteză dreaptă inferioară din dreapta",
"DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Paranteză dreaptă inferioară din stânga",
"DE.Controllers.Toolbar.txtBracket_Round": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Paranteze cu separatori",
"DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Square": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_SquareDouble": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_UppLim": "Paranteze",
"DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Paranteză unică",
"DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Paranteze cu separator",
"DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Paranteză dreaptă",
"DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Paranteză stângă",
"DE.Controllers.Toolbar.txtBracket_Square": "Paranteze pătrate",
"DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Substituent între două paranteze pătrate din dreapta",
"DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Paranteze pătrate inverse",
"DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Paranteză pătrată dreaptă",
"DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Paranteză pătrată stângă",
"DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Substituent între două paranteze pătrate din stânga",
"DE.Controllers.Toolbar.txtBracket_SquareDouble": "Paranteze pătrate duble",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Paranteză pătrată dreaptă dublă",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Paranteză pătrată dublă din stânga",
"DE.Controllers.Toolbar.txtBracket_UppLim": "Paranteză dreaptă superioară",
"DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Paranteză dreaptă superioară din dreapta",
"DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Paranteză dreaptă superioară din stânga",
"DE.Controllers.Toolbar.txtFractionDiagonal": "Fracție oblică",
"DE.Controllers.Toolbar.txtFractionDifferential_1": "Diferențială",
"DE.Controllers.Toolbar.txtFractionDifferential_2": "Diferențială",
"DE.Controllers.Toolbar.txtFractionDifferential_3": "Diferențială",
"DE.Controllers.Toolbar.txtFractionDifferential_4": "Diferențială",
"DE.Controllers.Toolbar.txtFractionDifferential_1": "dx supra dy",
"DE.Controllers.Toolbar.txtFractionDifferential_2": "cap delta y supra cap delta x",
"DE.Controllers.Toolbar.txtFractionDifferential_3": "y parțial supra x parțial",
"DE.Controllers.Toolbar.txtFractionDifferential_4": "delta y supra delta x",
"DE.Controllers.Toolbar.txtFractionHorizontal": "Fracție liniară",
"DE.Controllers.Toolbar.txtFractionPi_2": "Pi supra 2",
"DE.Controllers.Toolbar.txtFractionSmall": "Fracție mică",
@ -1246,63 +1264,63 @@
"DE.Controllers.Toolbar.txtIntegral_dtheta": "Diferențială de theta",
"DE.Controllers.Toolbar.txtIntegral_dx": "Diferențială de x",
"DE.Controllers.Toolbar.txtIntegral_dy": "Diferențială de y",
"DE.Controllers.Toolbar.txtIntegralCenterSubSup": "Integrală",
"DE.Controllers.Toolbar.txtIntegralCenterSubSup": "Integrală cu limite stivuite",
"DE.Controllers.Toolbar.txtIntegralDouble": "Integrală dublă",
"DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Integrală dublă",
"DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Integrală dublă",
"DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Integrală dublă cu limite stivuite",
"DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Integrală dublă cu limite",
"DE.Controllers.Toolbar.txtIntegralOriented": "Inegrală de contur",
"DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Inegrală de contur",
"DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Integrală de contur cu limite stivuite",
"DE.Controllers.Toolbar.txtIntegralOrientedDouble": "Integrală de suprafața",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Integrală de suprafața",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Integrală de suprafața",
"DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Inegrală de contur",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Integrală de suprafață cu limite stivuite",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Integrală de suprafață cu limite",
"DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Integrală de contur cu limite",
"DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Integrală de volum",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Integrală de volum",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Integrală de volum",
"DE.Controllers.Toolbar.txtIntegralSubSup": "Integrală",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Integrală de volum cu limite stivuite",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Integrală de volum cu limite",
"DE.Controllers.Toolbar.txtIntegralSubSup": "Integrală cu limite",
"DE.Controllers.Toolbar.txtIntegralTriple": "Integrală triplă",
"DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Integrală triplă",
"DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Integrală triplă",
"DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Integrală triplă cu limite stivuite",
"DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Integrală triplă cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Și logic",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Și logic",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Și logic",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Și logic",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Și logic",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Și logic cu limită inferioară",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Și logic cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Și logic cu limită inferioară pentru indice",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Și logic cu limite pentru indice/exponent",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd": "Coprodus",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Coprodus",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Coprodus",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Coprodus",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Coprodus",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Produs",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Reuniune",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Coprodus cu limită inferioară",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Coprodus cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Coprodus cu limită inferioară pentru indice",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Coprodus cu limite pentru indice/exponent",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Sumă de k combinări din n luate câte k",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Sumă de la i egal cu zero la n",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Exemplu de sumă folosind doi indici",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Exemplu de produs",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Exemplu de reuniune",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Sau logic",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Sau logic",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Sau logic",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Sau logic",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Sau logic",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Sau logic cu limită inferioară",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Sau logic cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Sau logic cu limită inferioară pentru indice",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Sau logic cu limite pentru indice/exponent",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection": "Intersecție",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Intersecție",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Intersecție",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Intersecție",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Intersecție",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Intersecție cu limită inferioară",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Intersecție cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Intersecție cu limită inferioară pentru indice",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Intersecție cu limite pentru indice/exponent",
"DE.Controllers.Toolbar.txtLargeOperator_Prod": "Produs",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Produs",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produs",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produs",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produs",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Produs cu limită inferioară",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produs cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produs cu limită inferioară pentru indice",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produs cu limite pentru indice/exponent",
"DE.Controllers.Toolbar.txtLargeOperator_Sum": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Sumă",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Sumă cu limită inferioară",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Sumă cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Sumă cu limită inferioară pentru indice",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Sumă cu limite pentru indice/exponent",
"DE.Controllers.Toolbar.txtLargeOperator_Union": "Reuniune",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Reuniune",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Reuniune",
"DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Reuniune",
"DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Reuniune",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Reuniune cu limită inferioară",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Reuniune cu limite",
"DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Reuniune cu limită inferioară pentru indice",
"DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Reuniune cu limite pentru indice/exponent",
"DE.Controllers.Toolbar.txtLimitLog_Custom_1": "Exemplu de limită",
"DE.Controllers.Toolbar.txtLimitLog_Custom_2": "Exemplu de maxim",
"DE.Controllers.Toolbar.txtLimitLog_Lim": "Limită",
@ -1317,10 +1335,10 @@
"DE.Controllers.Toolbar.txtMatrix_1_3": "Matrice goală 1x3",
"DE.Controllers.Toolbar.txtMatrix_2_1": "Matrice goală 2x1 ",
"DE.Controllers.Toolbar.txtMatrix_2_2": "Matrice goală 2x2",
"DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matrice goală cu paranteze drepte",
"DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Matrice goală cu paranteze drepte",
"DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matrice goală cu paranteze drepte",
"DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matrice goală cu paranteze drepte",
"DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matrice goală de 2x2 între bare verticale duble",
"DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Determinant gol de 2x2",
"DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matrice goală de 2x2 între paranteze",
"DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matrice goală de 2x2 între paranteze drepte",
"DE.Controllers.Toolbar.txtMatrix_2_3": "Matrice goală 2x3",
"DE.Controllers.Toolbar.txtMatrix_3_1": "Matrice goală 3x1",
"DE.Controllers.Toolbar.txtMatrix_3_2": "Matrice goală 3x2",
@ -1329,11 +1347,11 @@
"DE.Controllers.Toolbar.txtMatrix_Dots_Center": "Puncte pe linia de mijloc",
"DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Puncte pe diagonală",
"DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Puncte pe verticală",
"DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matrice rare",
"DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matrice rare",
"DE.Controllers.Toolbar.txtMatrix_Identity_2": "Matrice identitate 2x2",
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matrice identitate 3x3",
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "Matrice identitate 3x3",
"DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matrice rară în paranteze",
"DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matrice rară în paranteze drepte",
"DE.Controllers.Toolbar.txtMatrix_Identity_2": "Matrice identitate de 2x2 cu zerouri",
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matrice identitate de 2x2 cu celule goale în afara diagonalei",
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "Matrice identitate de 3x3 cu zerouri",
"DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Matrice identitate 3x3",
"DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Săgeată dedesubt de la dreapta la stînga",
"DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Săgeată deasupra de la dreapta la stînga",
@ -1346,8 +1364,8 @@
"DE.Controllers.Toolbar.txtOperator_Custom_2": "Delta rezultă",
"DE.Controllers.Toolbar.txtOperator_Definition": "Egal prin definiție",
"DE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta egal",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Săgeată dedesubt de la dreapta la stînga",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Săgeată deasupra de la dreapta la stînga",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Săgeată dublă dedesubt de la dreapta la stînga",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Săgeată dublă deasupra de la dreapta la stînga",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Săgeată dedesupt spre stânga",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Săgeată deasupra spre stânga ",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Săgeată dedesubt spre dreapta",
@ -1356,16 +1374,16 @@
"DE.Controllers.Toolbar.txtOperator_MinusEquals": "Minus egal",
"DE.Controllers.Toolbar.txtOperator_PlusEquals": "Plus egal",
"DE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Măsurat prin",
"DE.Controllers.Toolbar.txtRadicalCustom_1": "Radical",
"DE.Controllers.Toolbar.txtRadicalCustom_2": "Radical",
"DE.Controllers.Toolbar.txtRadicalCustom_1": "Partea din dreapta a formulei pătratice",
"DE.Controllers.Toolbar.txtRadicalCustom_2": "Rădăcina pătrată din a pătrat plus b pătrat",
"DE.Controllers.Toolbar.txtRadicalRoot_2": "Rădăcina pătrată de ordin",
"DE.Controllers.Toolbar.txtRadicalRoot_3": "Rădăcina cubică",
"DE.Controllers.Toolbar.txtRadicalRoot_n": "Radicalul de ordin",
"DE.Controllers.Toolbar.txtRadicalSqrt": "Rădăcină pătrată",
"DE.Controllers.Toolbar.txtScriptCustom_1": "Scriptul",
"DE.Controllers.Toolbar.txtScriptCustom_2": "Scriptul",
"DE.Controllers.Toolbar.txtScriptCustom_3": "Scriptul",
"DE.Controllers.Toolbar.txtScriptCustom_4": "Scriptul",
"DE.Controllers.Toolbar.txtScriptCustom_1": "x indice y la pătrat",
"DE.Controllers.Toolbar.txtScriptCustom_2": "e la minus i omega t",
"DE.Controllers.Toolbar.txtScriptCustom_3": "x la pătrat",
"DE.Controllers.Toolbar.txtScriptCustom_4": "Y exponent stânga n indice stânga unu",
"DE.Controllers.Toolbar.txtScriptSub": "Indice",
"DE.Controllers.Toolbar.txtScriptSubSup": "Indice-exponenet",
"DE.Controllers.Toolbar.txtScriptSubSupLeft": "Indice-exponent din stânga",
@ -1621,9 +1639,10 @@
"DE.Views.DocProtection.txtDocProtectedComment": "Documentul a fost protejat.<br>Puteți numai să-l comentați.",
"DE.Views.DocProtection.txtDocProtectedForms": "Documentul a fost protejat.<br>Documentul este diponibil numai pentru completarea formularelor.",
"DE.Views.DocProtection.txtDocProtectedTrack": "Documentul a fost protejat.<br>Puteți modifica acest document, dar toate modificările vor fi urmărite.",
"DE.Views.DocProtection.txtDocProtectedView": "Documentul a fost protejat.<br>Documentul este disponibil numai pentru vizualizare..",
"DE.Views.DocProtection.txtDocProtectedView": "Documentul a fost protejat.<br>Documentul este disponibil numai pentru vizualizare.",
"DE.Views.DocProtection.txtDocUnlockDescription": "Introduceți parola pentru anularea protecției documentului",
"DE.Views.DocProtection.txtProtectDoc": "Protejare document",
"DE.Views.DocProtection.txtUnlockTitle": "Deprotejare document",
"DE.Views.DocumentHolder.aboveText": "Deasupra",
"DE.Views.DocumentHolder.addCommentText": "Adaugă comentariu",
"DE.Views.DocumentHolder.advancedDropCapText": "Setări majusculă încorporată",
@ -1720,7 +1739,7 @@
"DE.Views.DocumentHolder.textDistributeRows": "Distribuire rânduri",
"DE.Views.DocumentHolder.textEditControls": "Setări control de conținut",
"DE.Views.DocumentHolder.textEditPoints": "Editare puncte",
"DE.Views.DocumentHolder.textEditWrapBoundary": "Editare bordură la text",
"DE.Views.DocumentHolder.textEditWrapBoundary": "Editare limită de încadrare ",
"DE.Views.DocumentHolder.textFlipH": "Răsturnare orizontală",
"DE.Views.DocumentHolder.textFlipV": "Răsturnare verticală",
"DE.Views.DocumentHolder.textFollow": "Urmărirea mutării",
@ -1953,10 +1972,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versiune a PDF",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Locația",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persoane care au dreptul de acces",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Simboluri cu spații",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Caractere cu spații",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistică",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subiect",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Simboluri",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Caractere",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Etichete",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titlu",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "S-a încărcat",
@ -2022,6 +2041,8 @@
"DE.Views.FileMenuPanels.Settings.txtNone": "Nu vizualiza nimic",
"DE.Views.FileMenuPanels.Settings.txtProofing": "Verificare",
"DE.Views.FileMenuPanels.Settings.txtPt": "Punct",
"DE.Views.FileMenuPanels.Settings.txtQuickPrint": "Afișează butonul Imprimare rapidă în antetul aplicației de editare",
"DE.Views.FileMenuPanels.Settings.txtQuickPrintTip": "Imprimanta este setată se imprime documentul este ultima imprimantă utilizată sau imprimantă implicită",
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Se activează toate",
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Se activează toate macrocomenzile, fără notificare",
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Afișare urmărire modificări",
@ -2306,10 +2327,10 @@
"DE.Views.Links.capBtnTOF": "Tabel de figuri",
"DE.Views.Links.confirmDeleteFootnotes": "Doriți să ștergeți toate notele de subsol?",
"DE.Views.Links.confirmReplaceTOF": "Doriți să înlocuiți tabelă de figuri selectată?",
"DE.Views.Links.mniConvertNote": "Conversia tuturor notelor",
"DE.Views.Links.mniDelFootnote": "Eliminarea tuturor notelor",
"DE.Views.Links.mniConvertNote": "Efectuați conversia tuturor notelor",
"DE.Views.Links.mniDelFootnote": "Ștergeți toate notele",
"DE.Views.Links.mniInsEndnote": "Inserare notă de final",
"DE.Views.Links.mniInsFootnote": "Inserarea notei de subsol",
"DE.Views.Links.mniInsFootnote": "Inserare notă de subsol",
"DE.Views.Links.mniNoteSettings": "Setări note",
"DE.Views.Links.textContentsRemove": "Eliminare cuprins",
"DE.Views.Links.textContentsSettings": "Setări",
@ -2579,6 +2600,33 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Adăugare numai bordură de sus",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Fără borduri",
"DE.Views.PrintWithPreview.textMarginsLast": "Ultima setare particularizată",
"DE.Views.PrintWithPreview.textMarginsModerate": "Moderat",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Îngust",
"DE.Views.PrintWithPreview.textMarginsNormal": "Normal",
"DE.Views.PrintWithPreview.textMarginsUsNormal": "US Normal",
"DE.Views.PrintWithPreview.textMarginsWide": "Lat",
"DE.Views.PrintWithPreview.txtAllPages": "Toate paginile",
"DE.Views.PrintWithPreview.txtBottom": "Jos",
"DE.Views.PrintWithPreview.txtCurrentPage": "Pagina curentă",
"DE.Views.PrintWithPreview.txtCustom": "Particularizat",
"DE.Views.PrintWithPreview.txtCustomPages": "Imprimare particularizată",
"DE.Views.PrintWithPreview.txtLandscape": "Vedere",
"DE.Views.PrintWithPreview.txtLeft": "Stânga",
"DE.Views.PrintWithPreview.txtMargins": "Margini",
"DE.Views.PrintWithPreview.txtOf": "din {0}",
"DE.Views.PrintWithPreview.txtPage": "Pagina",
"DE.Views.PrintWithPreview.txtPageNumInvalid": "Număr de pagină nevalid",
"DE.Views.PrintWithPreview.txtPageOrientation": "Orientare pagină",
"DE.Views.PrintWithPreview.txtPages": "Pagini",
"DE.Views.PrintWithPreview.txtPageSize": "Dimensiune pagină",
"DE.Views.PrintWithPreview.txtPortrait": "Portret",
"DE.Views.PrintWithPreview.txtPrint": "Imprimare",
"DE.Views.PrintWithPreview.txtPrintPdf": "Imprimare în PDF",
"DE.Views.PrintWithPreview.txtPrintRange": "Interval de imprimare",
"DE.Views.PrintWithPreview.txtRight": "Dreapta",
"DE.Views.PrintWithPreview.txtSelection": "Selecție",
"DE.Views.PrintWithPreview.txtTop": "Sus",
"DE.Views.ProtectDialog.textComments": "Comentarii",
"DE.Views.ProtectDialog.textForms": "Completarea formularelor",
"DE.Views.ProtectDialog.textReview": "Modificări urmărite",
@ -2692,6 +2740,12 @@
"DE.Views.Statusbar.tipZoomIn": "Mărire",
"DE.Views.Statusbar.tipZoomOut": "Micșorare",
"DE.Views.Statusbar.txtPageNumInvalid": "Număr de pagină nevalid",
"DE.Views.Statusbar.txtPages": "Pagini",
"DE.Views.Statusbar.txtParagraphs": "Paragrafe",
"DE.Views.Statusbar.txtSpaces": "Simboluri cu spații",
"DE.Views.Statusbar.txtSymbols": "Simboluri",
"DE.Views.Statusbar.txtWordCount": "Contor de cuvinte",
"DE.Views.Statusbar.txtWords": "Cuvinte",
"DE.Views.StyleTitleDialog.textHeader": "Creare stil nou",
"DE.Views.StyleTitleDialog.textNextStyle": "Stil de paragraf următor",
"DE.Views.StyleTitleDialog.textTitle": "Titlu",
@ -2983,7 +3037,7 @@
"DE.Views.Toolbar.textColumnsTwo": "Două",
"DE.Views.Toolbar.textComboboxControl": "Casetă combo",
"DE.Views.Toolbar.textContinuous": "Continuă",
"DE.Views.Toolbar.textContPage": "Continuu",
"DE.Views.Toolbar.textContPage": "Pagina continuă",
"DE.Views.Toolbar.textCustomLineNumbers": "Opțiuni de numerotare linii",
"DE.Views.Toolbar.textDateControl": "Data",
"DE.Views.Toolbar.textDropdownControl": "Lista verticală",
@ -3012,14 +3066,14 @@
"DE.Views.Toolbar.textNone": "Niciunul",
"DE.Views.Toolbar.textOddPage": "Pagină impară",
"DE.Views.Toolbar.textPageMarginsCustom": "Margini particularizate",
"DE.Views.Toolbar.textPageSizeCustom": "Dimensiunea particularizată a paginii ",
"DE.Views.Toolbar.textPageSizeCustom": "Dimensiune pagină particularizată",
"DE.Views.Toolbar.textPictureControl": "Imagine",
"DE.Views.Toolbar.textPlainControl": "Text simplu",
"DE.Views.Toolbar.textPortrait": "Portret",
"DE.Views.Toolbar.textRemoveControl": "Eliminare control de conținut",
"DE.Views.Toolbar.textRemWatermark": "Eliminare inscripționare",
"DE.Views.Toolbar.textRestartEachPage": "Repornire fiecare pagină",
"DE.Views.Toolbar.textRestartEachSection": "Repornire fiecare secțiune",
"DE.Views.Toolbar.textRestartEachPage": "Reluare la fiecare pagină",
"DE.Views.Toolbar.textRestartEachSection": "Reluare la fiecare secțiune",
"DE.Views.Toolbar.textRichControl": "Text îmbogățit",
"DE.Views.Toolbar.textRight": "Dreapta:",
"DE.Views.Toolbar.textStrikeout": "Tăiere cu o linie",
@ -3115,6 +3169,7 @@
"DE.Views.Toolbar.tipPaste": "Lipire",
"DE.Views.Toolbar.tipPrColor": "Umbrire",
"DE.Views.Toolbar.tipPrint": "Imprimare",
"DE.Views.Toolbar.tipPrintQuick": "Imprimare rapidă",
"DE.Views.Toolbar.tipRedo": "Refacere",
"DE.Views.Toolbar.tipSave": "Salvează",
"DE.Views.Toolbar.tipSaveCoauth": "Salvați modificările dvs. ca alți utilizatorii să le vadă.",

View file

@ -704,6 +704,15 @@
"Common.Views.UserNameDialog.textDontShow": "Больше не спрашивать",
"Common.Views.UserNameDialog.textLabel": "Подпись:",
"Common.Views.UserNameDialog.textLabelError": "Подпись не должна быть пустой.",
"DE.Controllers.DocProtection.txtIsProtectedComment": "Документ защищен. Вы можете только добавлять комментарии к этому документу.",
"DE.Controllers.DocProtection.txtIsProtectedForms": "Документ защищен. Вы можете только заполнять формы в этом документе.",
"DE.Controllers.DocProtection.txtIsProtectedTrack": "Документ защищен. Вы можете редактировать этот документ, но все изменения будут отслеживаться.",
"DE.Controllers.DocProtection.txtIsProtectedView": "Документ защищен. Вы можете только просматривать этот документ.",
"DE.Controllers.DocProtection.txtWasProtectedComment": "Документ был защищен другим пользователем.\nВы можете только добавлять комментарии к этому документу.",
"DE.Controllers.DocProtection.txtWasProtectedForms": "Документ был защищен другим пользователем.\nВы можете только заполнять формы в этом документе.",
"DE.Controllers.DocProtection.txtWasProtectedTrack": "Документ был защищен другим пользователем.\nВы можете редактировать этот документ, но все изменения будут отслеживаться.",
"DE.Controllers.DocProtection.txtWasProtectedView": "Документ был защищен другим пользователем.\nВы можете только просматривать этот документ.",
"DE.Controllers.DocProtection.txtWasUnprotected": "Защита документа снята.",
"DE.Controllers.LeftMenu.leavePageText": "Все несохраненные изменения в этом документе будут потеряны.<br> Нажмите кнопку \"Отмена\", а затем нажмите кнопку \"Сохранить\", чтобы сохранить их. Нажмите кнопку \"OK\", чтобы сбросить все несохраненные изменения.",
"DE.Controllers.LeftMenu.newDocumentTitle": "Документ без имени",
"DE.Controllers.LeftMenu.notcriticalErrorTitle": "Внимание",
@ -1174,52 +1183,52 @@
"DE.Controllers.Toolbar.txtAccent_Hat": "Крышка",
"DE.Controllers.Toolbar.txtAccent_Smile": "Значок краткости",
"DE.Controllers.Toolbar.txtAccent_Tilde": "Тильда",
"DE.Controllers.Toolbar.txtBracket_Angle": "Скобки",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Скобки и разделители",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Скобки и разделители",
"DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Curve": "Скобки",
"DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Скобки и разделители",
"DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Angle": "Угловые скобки",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Угловые скобки с разделителем",
"DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Угловые скобки с двумя разделителями",
"DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Правая угловая скобка",
"DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Левая угловая скобка",
"DE.Controllers.Toolbar.txtBracket_Curve": "Фигурные скобки",
"DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Фигурные скобки с разделителем",
"DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Правая фигурная скобка",
"DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Левая фигурная скобка",
"DE.Controllers.Toolbar.txtBracket_Custom_1": "Наборы условий (два условия)",
"DE.Controllers.Toolbar.txtBracket_Custom_2": "Наборы условий (три условия)",
"DE.Controllers.Toolbar.txtBracket_Custom_3": "Стопка объектов",
"DE.Controllers.Toolbar.txtBracket_Custom_4": "Стопка объектов",
"DE.Controllers.Toolbar.txtBracket_Custom_4": "Стопка объектов в круглых скобках",
"DE.Controllers.Toolbar.txtBracket_Custom_5": "Наборы условий (пример)",
"DE.Controllers.Toolbar.txtBracket_Custom_6": "Биномиальный коэффициент",
"DE.Controllers.Toolbar.txtBracket_Custom_7": "Биномиальный коэффициент",
"DE.Controllers.Toolbar.txtBracket_Line": "Скобки",
"DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_LineDouble": "Скобки",
"DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_LowLim": "Скобки",
"DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Round": "Скобки",
"DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Скобки и разделители",
"DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Square": "Скобки",
"DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Скобки",
"DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Скобки",
"DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Скобки",
"DE.Controllers.Toolbar.txtBracket_SquareDouble": "Скобки",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_UppLim": "Скобки",
"DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Отдельная скобка",
"DE.Controllers.Toolbar.txtBracket_Custom_7": "Биномиальный коэффициент в угловых скобках",
"DE.Controllers.Toolbar.txtBracket_Line": "Вертикальные черты",
"DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Правая вертикальная черта",
"DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Левая вертикальная черта",
"DE.Controllers.Toolbar.txtBracket_LineDouble": "Двойные вертикальные черты",
"DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Правая двойная вертикальная черта",
"DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Левая двойная вертикальная черта",
"DE.Controllers.Toolbar.txtBracket_LowLim": "Закрытые снизу скобки",
"DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Правый предельный уровень снизу",
"DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Левый предельный уровень снизу",
"DE.Controllers.Toolbar.txtBracket_Round": "Круглые скобки",
"DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Круглые скобки с разделителем",
"DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Правая круглая скобка",
"DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Левая круглая скобка",
"DE.Controllers.Toolbar.txtBracket_Square": "Квадратные скобки",
"DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Заполнитель между двумя правыми квадратными скобками",
"DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Перевернутые квадратные скобки",
"DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Правая квадратная скобка",
"DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Левая квадратная скобка",
"DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Заполнитель между двумя левыми квадратными скобками",
"DE.Controllers.Toolbar.txtBracket_SquareDouble": "Двойные квадратные скобки",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Правая двойная квадратная скобка",
"DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Левая двойная квадратная скобка",
"DE.Controllers.Toolbar.txtBracket_UppLim": "Закрытые сверху скобки",
"DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Правый предельный уровень сверху",
"DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Левый предельный уровень сверху",
"DE.Controllers.Toolbar.txtFractionDiagonal": "Диагональная простая дробь",
"DE.Controllers.Toolbar.txtFractionDifferential_1": "Дифференциал",
"DE.Controllers.Toolbar.txtFractionDifferential_2": "Дифференциал",
"DE.Controllers.Toolbar.txtFractionDifferential_3": "Дифференциал",
"DE.Controllers.Toolbar.txtFractionDifferential_4": "Дифференциал",
"DE.Controllers.Toolbar.txtFractionDifferential_1": "dy над dx",
"DE.Controllers.Toolbar.txtFractionDifferential_2": "пересечение дельты y над пересечением дельты x",
"DE.Controllers.Toolbar.txtFractionDifferential_3": "частичная y по частичной x",
"DE.Controllers.Toolbar.txtFractionDifferential_4": "дельта y через дельта x",
"DE.Controllers.Toolbar.txtFractionHorizontal": "Горизонтальная простая дробь",
"DE.Controllers.Toolbar.txtFractionPi_2": "Пи разделить на два",
"DE.Controllers.Toolbar.txtFractionSmall": "Маленькая простая дробь",
@ -1255,63 +1264,63 @@
"DE.Controllers.Toolbar.txtIntegral_dtheta": "Дифференциал dθ",
"DE.Controllers.Toolbar.txtIntegral_dx": "Дифференциал dx",
"DE.Controllers.Toolbar.txtIntegral_dy": "Дифференциал dy",
"DE.Controllers.Toolbar.txtIntegralCenterSubSup": "Интеграл",
"DE.Controllers.Toolbar.txtIntegralCenterSubSup": "Интеграл с пределами с накоплением",
"DE.Controllers.Toolbar.txtIntegralDouble": "Двойной интеграл",
"DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Двойной интеграл",
"DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Двойной интеграл",
"DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Двойной интеграл с пределами с накоплением",
"DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Двойной интеграл с пределами",
"DE.Controllers.Toolbar.txtIntegralOriented": "Контурный интеграл",
"DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Контурный интеграл",
"DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Контурный интеграл с пределами с накоплением",
"DE.Controllers.Toolbar.txtIntegralOrientedDouble": "Интеграл по поверхности",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Интеграл по поверхности",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Интеграл по поверхности",
"DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Контурный интеграл",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Интеграл по поверхности с пределами с накоплением",
"DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Интеграл по поверхности с пределами",
"DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Контурный интеграл с пределами",
"DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Интеграл по объему",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Интеграл по объему",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Интеграл по объему",
"DE.Controllers.Toolbar.txtIntegralSubSup": "Интеграл",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Интеграл по объему с пределами с накоплением",
"DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Интеграл по объему с пределами",
"DE.Controllers.Toolbar.txtIntegralSubSup": "Интеграл с пределами",
"DE.Controllers.Toolbar.txtIntegralTriple": "Тройной интеграл",
"DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Тройной интеграл",
"DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Тройной интеграл",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Конъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Конъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Конъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Конъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Конъюнкция",
"DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Тройной интеграл с пределами с накоплением",
"DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Тройной интеграл с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Логическое И",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Логическое И с нижним пределом",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Логическое И с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Логическое И с нижним пределом подстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Логическое И с пределом подстрочного/надстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd": "Сопроизведение",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Сопроизведение",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Сопроизведение",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Сопроизведение",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Сопроизведение",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Произведение",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Объединение",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Дизъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Дизъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Дизъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Дизъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Дизъюнкция",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Сопроизведение с нижним пределом",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Сопроизведение с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Сопроизведение с нижним пределом подстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Сопроизведение с пределами подстрочного/надстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Суммирование от k от n с выбором k",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Суммирование от i равно ноль до n",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Пример суммирования с использованием двух индексов",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Пример произведения",
"DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Пример объединения",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Логическое Или",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Логическое ИЛИ с нижним пределом",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Логическое ИЛИ с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Логическое ИЛИ с нижним пределом подстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Логическое ИЛИ с пределами подстрочного/надстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection": "Пересечение",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Пересечение",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Пересечение",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Пересечение",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Пересечение",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Пересечение с нижним пределом",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Пересечение с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Пересечение с нижним пределом в виде подстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Пересечение с пределами подстрочного/надстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Prod": "Произведение",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Произведение",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Произведение",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Произведение",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Произведение",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Произведение с нижним пределом",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Произведение с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Произведение с нижним пределом подстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Произведение с пределами подстрочного/надстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Sum": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Сумма",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Суммирование с нижним пределом",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Суммирование с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Суммирование с нижним пределом подстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Суммирование с пределами подстрочного/надстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Union": "Объединение",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Объединение",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Объединение",
"DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Объединение",
"DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Объединение",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Объединение с нижним пределом",
"DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Объединение с пределами",
"DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Объединение с нижним пределом подстрочного знака",
"DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Объединение с пределами подстрочного/надстрочного знака",
"DE.Controllers.Toolbar.txtLimitLog_Custom_1": "Пример предела",
"DE.Controllers.Toolbar.txtLimitLog_Custom_2": "Пример максимума",
"DE.Controllers.Toolbar.txtLimitLog_Lim": "Предел",
@ -1326,10 +1335,10 @@
"DE.Controllers.Toolbar.txtMatrix_1_3": "Пустая матрица 1 x 3",
"DE.Controllers.Toolbar.txtMatrix_2_1": "Пустая матрица 2 x 1",
"DE.Controllers.Toolbar.txtMatrix_2_2": "Пустая матрица 2 x 2",
"DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Пустая матрица со скобками",
"DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Пустая матрица со скобками",
"DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Пустая матрица со скобками",
"DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Пустая матрица со скобками",
"DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Пустая матрица 2 х 2 в двойных вертикальных чертах",
"DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Пустой определитель 2 x 2",
"DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Пустая матрица 2 х 2 в круглых скобках",
"DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Пустая матрица 2 х 2 в скобках",
"DE.Controllers.Toolbar.txtMatrix_2_3": "Пустая матрица 2 x 3",
"DE.Controllers.Toolbar.txtMatrix_3_1": "Пустая матрица 3 x 1",
"DE.Controllers.Toolbar.txtMatrix_3_2": "Пустая матрица 3 x 2",
@ -1338,12 +1347,12 @@
"DE.Controllers.Toolbar.txtMatrix_Dots_Center": "Точки посередине",
"DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Точки по диагонали",
"DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Точки по вертикали",
"DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Разреженная матрица",
"DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Разреженная матрица",
"DE.Controllers.Toolbar.txtMatrix_Identity_2": "Единичная матрица 2 x 2",
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Единичная матрица 3 x 3",
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "Единичная матрица 3 x 3",
"DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Единичная матрица 3 x 3",
"DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Разреженная матрица в круглых скобках",
"DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Разреженная матрица в квадратных скобках",
"DE.Controllers.Toolbar.txtMatrix_Identity_2": "Единичная матрица 2 x 2 с нулями",
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Единичная матрица 2 x 2 с пустыми ячейками не на диагонали",
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "Единичная матрица 3 x 3 с нулями",
"DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Единичная матрица 3 x 3 с пустыми ячейками не на диагонали",
"DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Стрелка вправо-влево снизу",
"DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Стрелка вправо-влево сверху",
"DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Стрелка влево снизу",
@ -1355,8 +1364,8 @@
"DE.Controllers.Toolbar.txtOperator_Custom_2": "Дельта выхода",
"DE.Controllers.Toolbar.txtOperator_Definition": "Равно по определению",
"DE.Controllers.Toolbar.txtOperator_DeltaEquals": "Дельта равна",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Стрелка вправо-влево снизу",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Стрелка вправо-влево сверху",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Двойная стрелка вправо-влево снизу",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Двойная стрелка вправо-влево сверху",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Стрелка влево снизу",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Стрелка влево сверху",
"DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Стрелка вправо снизу",
@ -1365,16 +1374,16 @@
"DE.Controllers.Toolbar.txtOperator_MinusEquals": "Минус равно",
"DE.Controllers.Toolbar.txtOperator_PlusEquals": "Плюс равно",
"DE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Единица измерения",
"DE.Controllers.Toolbar.txtRadicalCustom_1": "Радикал",
"DE.Controllers.Toolbar.txtRadicalCustom_2": "Радикал",
"DE.Controllers.Toolbar.txtRadicalCustom_1": "Правая часть квадратного уравнения",
"DE.Controllers.Toolbar.txtRadicalCustom_2": "Квадратный корень из квадрата плюс b квадрат",
"DE.Controllers.Toolbar.txtRadicalRoot_2": "Квадратный корень со степенью",
"DE.Controllers.Toolbar.txtRadicalRoot_3": "Кубический корень",
"DE.Controllers.Toolbar.txtRadicalRoot_n": "Радикал со степенью",
"DE.Controllers.Toolbar.txtRadicalSqrt": "Квадратный корень",
"DE.Controllers.Toolbar.txtScriptCustom_1": "Индекс",
"DE.Controllers.Toolbar.txtScriptCustom_2": "Индекс",
"DE.Controllers.Toolbar.txtScriptCustom_3": "Индекс",
"DE.Controllers.Toolbar.txtScriptCustom_4": "Индекс",
"DE.Controllers.Toolbar.txtScriptCustom_1": "x в степени квадрата y",
"DE.Controllers.Toolbar.txtScriptCustom_2": "e в степени -iωt",
"DE.Controllers.Toolbar.txtScriptCustom_3": "квадрат x",
"DE.Controllers.Toolbar.txtScriptCustom_4": "Y, надстрочный индекс n слева, подстрочный индекс 1 справа",
"DE.Controllers.Toolbar.txtScriptSub": "Нижний индекс",
"DE.Controllers.Toolbar.txtScriptSubSup": "Нижний и верхний индексы",
"DE.Controllers.Toolbar.txtScriptSubSupLeft": "Нижний и верхний индексы слева",
@ -1633,6 +1642,7 @@
"DE.Views.DocProtection.txtDocProtectedView": "Документ защищен.<br>Вы можете только просматривать этот документ.",
"DE.Views.DocProtection.txtDocUnlockDescription": "Введите пароль, чтобы снять защиту документа",
"DE.Views.DocProtection.txtProtectDoc": "Защитить документ",
"DE.Views.DocProtection.txtUnlockTitle": "Снять защиту документа",
"DE.Views.DocumentHolder.aboveText": "Выше",
"DE.Views.DocumentHolder.addCommentText": "Добавить комментарий",
"DE.Views.DocumentHolder.advancedDropCapText": "Параметры буквицы",
@ -1962,10 +1972,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Версия PDF",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Размещение",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Люди, имеющие права",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Символы с пробелами",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Знаков с пробелами",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Статистика",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Тема",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Символы",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Знаков",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Теги",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Название",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Загружен",
@ -2519,7 +2529,7 @@
"DE.Views.ParagraphSettingsAdvanced.strOrphan": "Запрет висячих строк",
"DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Шрифт",
"DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Отступы и интервалы",
"DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Положение на странице",
"DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Разрывы строк и страницы",
"DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Положение",
"DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Малые прописные",
"DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Не добавлять интервал между абзацами одного стиля",
@ -2590,18 +2600,6 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Задать только верхнюю границу",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Авто",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Без границ",
"DE.Views.ProtectDialog.textComments": "Комментарии",
"DE.Views.ProtectDialog.textForms": "Заполнение форм",
"DE.Views.ProtectDialog.textReview": "Отслеживаемые изменения",
"DE.Views.ProtectDialog.textView": "Только чтение",
"DE.Views.ProtectDialog.txtAllow": "Разрешить только указанный способ редактирования документа",
"DE.Views.ProtectDialog.txtIncorrectPwd": "Пароль и его подтверждение не совпадают",
"DE.Views.ProtectDialog.txtOptional": "необязательно",
"DE.Views.ProtectDialog.txtPassword": "Пароль",
"DE.Views.ProtectDialog.txtProtect": "Защитить",
"DE.Views.ProtectDialog.txtRepeat": "Повторить пароль",
"DE.Views.ProtectDialog.txtTitle": "Защитить",
"DE.Views.ProtectDialog.txtWarning": "Внимание: Если пароль забыт или утерян, его нельзя восстановить. Храните его в надежном месте.",
"DE.Views.PrintWithPreview.textMarginsLast": "Последние настраиваемые",
"DE.Views.PrintWithPreview.textMarginsModerate": "Средние",
"DE.Views.PrintWithPreview.textMarginsNarrow": "Узкие",
@ -2629,6 +2627,18 @@
"DE.Views.PrintWithPreview.txtRight": "Правое",
"DE.Views.PrintWithPreview.txtSelection": "Выделенный фрагмент",
"DE.Views.PrintWithPreview.txtTop": "Верхнее",
"DE.Views.ProtectDialog.textComments": "Комментарии",
"DE.Views.ProtectDialog.textForms": "Заполнение форм",
"DE.Views.ProtectDialog.textReview": "Отслеживаемые изменения",
"DE.Views.ProtectDialog.textView": "Только чтение",
"DE.Views.ProtectDialog.txtAllow": "Разрешить только указанный способ редактирования документа",
"DE.Views.ProtectDialog.txtIncorrectPwd": "Пароль и его подтверждение не совпадают",
"DE.Views.ProtectDialog.txtOptional": "необязательно",
"DE.Views.ProtectDialog.txtPassword": "Пароль",
"DE.Views.ProtectDialog.txtProtect": "Защитить",
"DE.Views.ProtectDialog.txtRepeat": "Повторить пароль",
"DE.Views.ProtectDialog.txtTitle": "Защитить",
"DE.Views.ProtectDialog.txtWarning": "Внимание: Если пароль забыт или утерян, его нельзя восстановить. Храните его в надежном месте.",
"DE.Views.RightMenu.txtChartSettings": "Параметры диаграммы",
"DE.Views.RightMenu.txtFormSettings": "Параметры формы",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Параметры верхнего и нижнего колонтитулов",
@ -2730,12 +2740,12 @@
"DE.Views.Statusbar.tipZoomIn": "Увеличить",
"DE.Views.Statusbar.tipZoomOut": "Уменьшить",
"DE.Views.Statusbar.txtPageNumInvalid": "Неправильный номер страницы",
"DE.Views.Statusbar.txtWordCount": "Количество слов",
"DE.Views.Statusbar.txtPages": "Страницы",
"DE.Views.Statusbar.txtWords": "Слова",
"DE.Views.Statusbar.txtParagraphs": "Абзацы",
"DE.Views.Statusbar.txtSpaces": "Символы и пробелы",
"DE.Views.Statusbar.txtSymbols": "Символы",
"DE.Views.Statusbar.txtSpaces": "Символы с пробелами",
"DE.Views.Statusbar.txtWordCount": "Количество слов",
"DE.Views.Statusbar.txtWords": "Слова",
"DE.Views.StyleTitleDialog.textHeader": "Создание нового стиля",
"DE.Views.StyleTitleDialog.textNextStyle": "Стиль следующего абзаца",
"DE.Views.StyleTitleDialog.textTitle": "Название",
@ -3159,6 +3169,7 @@
"DE.Views.Toolbar.tipPaste": "Вставить",
"DE.Views.Toolbar.tipPrColor": "Заливка",
"DE.Views.Toolbar.tipPrint": "Печать",
"DE.Views.Toolbar.tipPrintQuick": "Быстрая печать",
"DE.Views.Toolbar.tipRedo": "Повторить",
"DE.Views.Toolbar.tipSave": "Сохранить",
"DE.Views.Toolbar.tipSaveCoauth": "Сохраните свои изменения, чтобы другие пользователи их увидели.",

View file

@ -1694,10 +1694,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Odseky",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Umiestnenie",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Osoby s oprávneniami",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symboly s medzerami",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Znaky s medzerami",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Štatistiky",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Predmet",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symboly",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Znaky",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Názov",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Nahrané",
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Slová",

View file

@ -1755,10 +1755,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF-version",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Placering",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personer som har behörigheter",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symboler med mellanrum",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Tecken med mellanrum",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistik",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Ämne",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symboler",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Tecken",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Etiketter",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titel",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Uppladdad",

View file

@ -1946,10 +1946,10 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF版",
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "位置",
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "有权利的人",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "带空格的符号",
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "字符数(计空格)",
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "统计",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "主题",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "符号",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "字符数(不计空格)",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "标签",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "标题",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "上载",

View file

@ -94,13 +94,14 @@
right: 14px;
width: 8px;
height: 8px;
border: solid 1px @icon-normal-pressed-ie;
border: solid 1px @icon-normal-pressed;
border: solid 1px @icon-normal-ie;
border: solid 1px @icon-normal;
opacity: 0.6;
border-bottom: none;
border-right: none;
background-image: none;
transform: rotate(-135deg);
filter: none;
&.nomargin {
margin: 2px;

View file

@ -561,7 +561,9 @@
"warnNoLicense": "Siz 1% redaktorlarına eyni vaxtda qoşulma limitinə çatdınız. Bu sənəd yalnız baxmaq üçün açılacaq. Şəxsi təkmilləşdirmə şərtləri üçün 1% satış komandası ilə əlaqə saxlayın.",
"warnNoLicenseUsers": "1% redaktor üçün istifadəçi limitinə çatdınız. Şəxsi təkmilləşdirmə şərtləri üçün 1% satış komandası ilə əlaqə saxlayın.",
"warnProcessRightsChange": "Bu faylı redaktə etmək icazəniz yoxdur.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textNoTextFound": "Text not found",
"textOk": "Ok",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"

View file

@ -555,6 +555,8 @@
"errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.",
"leavePageText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
"textCustomLoader": "Sorry, you are not entitled to change the loader. Contact our sales department to get a quote.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok",
"textRemember": "Remember my choice",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.",

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -69,7 +69,7 @@
"Common": {
"Collaboration": {
"notcriticalErrorTitle": "Advertiment",
"textAccept": "Accepta ",
"textAccept": "Acceptar",
"textAcceptAllChanges": "Accepta tots els canvis",
"textAddComment": "Afegeix un comentari",
"textAddReply": "Afegeix una resposta",
@ -222,6 +222,7 @@
"textAllowOverlap": "Permet que se superposin",
"textAmountOfLevels": "Quantitat de nivells",
"textApril": "abril",
"textArrange": "Organitza",
"textAugust": "agost",
"textAuto": "Automàtic",
"textAutomatic": "Automàtic",
@ -375,8 +376,7 @@
"textType": "Tipus",
"textWe": "dc.",
"textWrap": "Ajustament",
"textWrappingStyle": "Estil d'ajustament",
"textArrange": "Arrange"
"textWrappingStyle": "Estil d'ajustament"
},
"Error": {
"convertationTimeoutText": "S'ha superat el temps de conversió.",
@ -543,16 +543,18 @@
"textClose": "Tanca",
"textContactUs": "Contacteu amb vendes",
"textCustomLoader": "No teniu permisos per canviar el carregador. Contacteu amb el nostre departament de vendes per obtenir un pressupost.",
"textDocumentProtected": "El document està protegit. La configuració d'edició no està disponible",
"textGuest": "Convidat",
"textHasMacros": "El fitxer conté macros automàtiques. <br>Les voleu executar?",
"textNo": "No",
"textNoLicenseTitle": "S'ha assolit el límit de llicència",
"textNoTextFound": "No s'ha trobat cap text",
"textOk": "D'acord",
"textPaidFeature": "Funció de pagament",
"textRemember": "Recorda la meva elecció",
"textReplaceSkipped": "S'ha realitzat la substitució. S'han omès {0} ocurrències.",
"textReplaceSuccess": "S'ha fet la cerca. S'han substituït les coincidències: {0}",
"textRequestMacros": "Una macro fa una sol·licitud a l'URL. Voleu permetre la sol·licitud al %1?",
"textRequestMacros": "Una macro fa una sol·licitud a l'URL. Voleu permetre la sol·licitud a %1?",
"textYes": "Sí",
"titleLicenseExp": "La llicència ha caducat",
"titleServerVersion": "S'ha actualitzat l'editor",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Došlo dosažení limitu %1 editorů v režimu spolupráce na úpravách. Ohledně podrobností se obraťte na svého správce.",
"warnNoLicense": "Došlo k dosažení limitu souběžného připojení %1 editorů. Tento dokument bude otevřen pouze pro náhled. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.",
"warnNoLicenseUsers": "Došlo k dosažení limitu %1 editorů. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.",
"warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu."
"warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Zabezpečený soubor",

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.",
"warnNoLicense": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.",
"warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.",
"warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten."
"warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Geschützte Datei",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.<br>Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.",
"warnNoLicense": "Φτάσατε το όριο ταυτόχρονων συνδέσεων σε %1 συντάκτες. Το έγγραφο θα ανοίξει μόνο για ανάγνωση. Επικοινωνήστε με την ομάδα πωλήσεων %1 για τους όρους αναβάθμισης.",
"warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.<br>Επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.",
"warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας αυτού του αρχείου."
"warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας αυτού του αρχείου.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Προστατευμένο Αρχείο",

View file

@ -476,8 +476,6 @@
"errorUpdateVersion": "The file version has been changed. The page will be reloaded.",
"leavePageText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
"notcriticalErrorTitle": "Warning",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok",
"SDK": {
" -Section ": " -Section ",
"above": "above",
@ -545,11 +543,13 @@
"textClose": "Close",
"textContactUs": "Contact sales",
"textCustomLoader": "Sorry, you are not entitled to change the loader. Contact our sales department to get a quote.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textGuest": "Guest",
"textHasMacros": "The file contains automatic macros.<br>Do you want to run macros?",
"textNo": "No",
"textNoLicenseTitle": "License limit reached",
"textNoTextFound": "Text not found",
"textOk": "Ok",
"textPaidFeature": "Paid feature",
"textRemember": "Remember my choice",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Ha alcanzado el límite de usuarios para %1 editores. Póngase en contacto con su administrador para saber más.",
"warnNoLicense": "Ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.",
"warnNoLicenseUsers": "Ha alcanzado el límite de usuarios para %1 editores. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.",
"warnProcessRightsChange": "No tiene permiso para editar este archivo."
"warnProcessRightsChange": "No tiene permiso para editar este archivo.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Archivo protegido",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Aldi bereko %1 editoreren konexio-mugara iritsi zara. Jarri harremanetan zure administratzailearekin informazio gehiagorako.",
"warnNoLicense": "Aldibereko %1 editoreren konexio-mugara iritsi zara. Dokumentu hau ikusteko bakarrik irekiko da. Jarri harremanetan %1 salmenta taldearekin eguneraketa pertsonalaren baldintzak jakiteko.",
"warnNoLicenseUsers": "Aldi bereko %1 editoreren konexio-mugara iritsi zara. Jarri harremanetan %1 salmenta taldearekin mailaz igotzeko baldintzak ezagutzeko.",
"warnProcessRightsChange": "Ez duzu fitxategi hau editatzeko baimenik."
"warnProcessRightsChange": "Ez duzu fitxategi hau editatzeko baimenik.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Babestutako fitxategia",

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal dutilisateurs des éditeurs %1. Pour en savoir plus, contactez votre administrateur.",
"warnNoLicense": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert en lecture seule. Contactez léquipe des ventes %1 pour mettre à jour les termes de la licence.",
"warnNoLicenseUsers": "Vous avez dépassé le nombre maximal dutilisateurs des éditeurs %1. Contactez léquipe des ventes %1 pour mettre à jour les termes de la licence.",
"warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier."
"warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Fichier protégé",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Alcanzou o límite de usuarios para os editores de %1. Por favor, contacte co se uadministrador para recibir máis información.",
"warnNoLicense": "Alcanzou o límite de conexións simultáneas con %1 editores. Este documento abrirase para as úa visualización. Póñase en contacto co equipo de vendas de %1 para coñecer as condicións de actualización persoal.",
"warnNoLicenseUsers": "Alcanzou o límite de usuarios para os editores de %1.<br>Contacte co equipo de vendas de %1 para coñecer os termos de actualización persoal.",
"warnProcessRightsChange": "Non ten permiso para editar este ficheiro."
"warnProcessRightsChange": "Non ten permiso para editar este ficheiro.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Ficheiro protexido",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Elérte a(z) %1 szerkesztőhöz tartozó felhasználó számának korlátját. További információért forduljon rendszergazdájához.",
"warnNoLicense": "Ön elérte az egyidejű kapcsolódás határát a %1 szerkesztőhöz. Ez a dokumentum csak megtekintésre lesz megnyitva. Lépjen kapcsolatba a(z) %1 értékesítési csapattal a perszonális frissítés feltételéhez.",
"warnNoLicenseUsers": "Elérte a(z) %1 szerkesztőhöz tartozó felhasználói korlátját. Vegye fel a kapcsolatot a(z) %1 értékesítési csapattal a személyes frissítési feltételekért.",
"warnProcessRightsChange": "Nincs jogosultsága a fájl szerkesztéséhez."
"warnProcessRightsChange": "Nincs jogosultsága a fájl szerkesztéséhez.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Védett fájl",

View file

@ -222,6 +222,7 @@
"textAllowOverlap": "Թույլ տալ վերածածկում",
"textAmountOfLevels": "Մակարդակների չափը",
"textApril": "Ապրիլ",
"textArrange": "Դասավորել",
"textAugust": "Օգոստոս",
"textAuto": "Ինքնաշխատ",
"textAutomatic": "Ինքնաշխատ",
@ -375,8 +376,7 @@
"textType": "Տեսակ",
"textWe": "Չրք",
"textWrap": "Ծալում",
"textWrappingStyle": "Ծալման ոճ",
"textArrange": "Arrange"
"textWrappingStyle": "Ծալման ոճ"
},
"Error": {
"convertationTimeoutText": "Փոխարկման սպասման ժամանակը սպառվել է։",
@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Դուք հասել եք %1 խմբագրիչներին միաժամանակ միանալու սահմանափակմանը։Կապվեք Ձեր ադմինիստրատորի հետ՝ ավելին իմանալու համար:",
"warnNoLicense": "Դուք հասել եք %1 խմբագիրների հետ միաժամանակյա միացումների սահմանաչափին:Այս փաստաթուղթը կբացվի միայն դիտելու համար:նձնական թարմացման պայմանների համար կապվեք %1 վաճառքի թիմի հետ:",
"warnNoLicenseUsers": "Դուք հասել եք %1 խմբագիրների օգտվողի սահմանաչափին:Անձնական թարմացման պայմանների համար կապվեք %1 վաճառքի թիմի հետ:",
"warnProcessRightsChange": "Դուք այս ֆայլը խմբագրելու թույլտվություն չունեք:"
"warnProcessRightsChange": "Դուք այս ֆայլը խմբագրելու թույլտվություն չունեք:",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Պաշտպանված նիշք",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Anda sudah mencapai batas user untuk %1 editor. Hubungi admin Anda untuk mempelajari lebih lanjut.",
"warnNoLicense": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja. Hubungi %1 tim sales untuk syarat personal upgrade.",
"warnNoLicenseUsers": "Anda sudah mencapai batas user untuk %1 editor. Hubungi %1 tim sales untuk syarat personal upgrade.",
"warnProcessRightsChange": "Anda tidak memiliki izin edit file ini."
"warnProcessRightsChange": "Anda tidak memiliki izin edit file ini.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "File yang Diproteksi",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il tuo amministratore per maggior informazioni.",
"warnNoLicense": "Hai raggiunto il limite delle connessioni simultanee agli editor %1. Questo documento sarà aperto solo in modalità di visualizzazione. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.",
"warnNoLicenseUsers": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.",
"warnProcessRightsChange": "Non hai il permesso di modificare questo file."
"warnProcessRightsChange": "Non hai il permesso di modificare questo file.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "File protetto",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "1エディターのユーザー制限に達しました。 詳細についてはアドミニストレータを連絡してください。",
"warnNoLicense": "エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。個人的なアップグレード条件については、1営業チームを連絡してください。",
"warnNoLicenseUsers": "1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、1営業チームを連絡してください。",
"warnProcessRightsChange": "ファイルを編集する権限がありません!"
"warnProcessRightsChange": "ファイルを編集する権限がありません!",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "保護されたファイル",

View file

@ -564,6 +564,8 @@
"warnNoLicense": "% 1 편집 연결 수 제한에 도달했습니다. 이 문서는 보기 모드로 열립니다. 개인적인 업그레이드 사항은 % 1 영업팀에 연락하십시오.",
"warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다. <br> 더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.",
"warnProcessRightsChange": "파일을 편집 할 권한이 없습니다.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
},
"Settings": {

View file

@ -564,6 +564,8 @@
"warnNoLicense": "ທ່ານໄດ້ຖືກຈຳກັດສິດພຽງເທົ່ານີ້ສຳຫລັບການເຊື່່ອມພ້ອມກັນກັບເຄື່ອງມືແກ້ໄຂ %1 ແລ້ວເອກະສານນີ້ຈະເປີດໃຫ້ເບີ່ງເທົ່ານັ້ນ ຕິດຕໍ່ທີມຂາຍ %1 ສຳຫລັບເງື່ອນໄຂການອັບເກດສ່ວນບຸກຄົນ",
"warnNoLicenseUsers": "ຈໍານວນການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມຂາຍ %1 ສຳລັບຂໍ້ກຳນົດການຍົກລະດັບສິດ",
"warnProcessRightsChange": "ທ່ານບໍ່ມີສິດໃນການແກ້ໄຂໄຟລ໌ນີ້.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
},
"Settings": {

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Anda telah mencapai had pengguna untuk editor %1. Hubungi pentadbir anda untuk ketahui selanjutnya.",
"warnNoLicense": "Anda telah mencapai had pengguna untuk sambungan serentak kepada editor %1. Dokumen ini akan dibuka untuk dilihat sahaja. Hubungi pasukan jualan %1 untuk naik taraf terma peribadi.",
"warnNoLicenseUsers": "Anda telah mencapai had pengguna untuk editor %1. Hubungi pasukan jualan %1 untuk naik taraf terma peribadi.",
"warnProcessRightsChange": "Anda tidak mempunyai keizinan untuk edit fail ini."
"warnProcessRightsChange": "Anda tidak mempunyai keizinan untuk edit fail ini.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Fail Dilindungi",

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -561,7 +561,9 @@
"warnNoLicense": "U hebt de limiet bereikt voor gelijktijdige verbindingen met %1 gelijktijdige gebruikers. Dit document wordt alleen geopend om te bekijken. Neem contact op met %1 verkoopteam voor persoonlijke upgradevoorwaarden.",
"warnNoLicenseUsers": "U heeft de gebruikerslimiet voor %1 gelijktijdige gebruikers bereikt. Neem contact op met de verkoopafdeling voor persoonlijke upgradevoorwaarden.",
"warnProcessRightsChange": "Je hebt geen toestemming om dit bestand te bewerken.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textNoTextFound": "Text not found",
"textOk": "Ok",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Atingiu o limite de %1 editores. Contacte o seu administrador para obter detalhes.",
"warnNoLicense": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto apenas para visualização. Contacte a %1 equipa de vendas para consultar os termos de atualização para si.",
"warnNoLicenseUsers": "Atingiu o limite de %1 editores. Contacte a equipa comercial %1 para obter mais informações.",
"warnProcessRightsChange": "Não tem autorização para editar este ficheiro."
"warnProcessRightsChange": "Não tem autorização para editar este ficheiro.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Ficheiro protegido",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "Você atingiu o limite de usuários para editores %1. Entre em contato com seu administrador para saber mais.",
"warnNoLicense": "Você atingiu o limite de conexões simultâneas para% 1 editores. Este documento será aberto apenas para visualização. Contate a equipe de vendas% 1 para termos de atualização pessoal.",
"warnNoLicenseUsers": "Você atingiu o limite de usuários para editores %1.<br>Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.",
"warnProcessRightsChange": "Você não tem permissão para editar este arquivo."
"warnProcessRightsChange": "Você não tem permissão para editar este arquivo.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Arquivo protegido",

View file

@ -543,11 +543,13 @@
"textClose": "Închide",
"textContactUs": "Contactați Departamentul de Vânzări",
"textCustomLoader": "Cu părere de rău nu aveți dreptul să modificați programul de încărcare. Pentru obținerea unei cotații de preț vă rugăm să contactați Departamentul de Vânzari.",
"textDocumentProtected": "Documentul este protejat. Setările de editare nu sunt disponibile.",
"textGuest": "Invitat",
"textHasMacros": "Fișierul conține macrocomenzi.<br>Doriți să le rulați?",
"textNo": "Nu",
"textNoLicenseTitle": "Ați atins limita stabilită de licență",
"textNoTextFound": "Textul nu a fost găsit",
"textOk": "OK",
"textPaidFeature": "Funcția contra plată",
"textRemember": "Reține opțiunea mea",
"textReplaceSkipped": "A avut loc o înlocuire. {0} apariții ignorate.",

View file

@ -543,11 +543,13 @@
"textClose": "Закрыть",
"textContactUs": "Отдел продаж",
"textCustomLoader": "К сожалению, у вас нет прав изменять экран, отображаемый при загрузке. Обратитесь в наш отдел продаж, чтобы сделать запрос.",
"textDocumentProtected": "Документ защищен. Настройки редактирования недоступны",
"textGuest": "Гость",
"textHasMacros": "Файл содержит автозапускаемые макросы.<br>Хотите запустить макросы?",
"textNo": "Нет",
"textNoLicenseTitle": "Лицензионное ограничение",
"textNoTextFound": "Текст не найден",
"textOk": "Ok",
"textPaidFeature": "Платная функция",
"textRemember": "Запомнить мой выбор",
"textReplaceSkipped": "Замена выполнена. Пропущено вхождений - {0}.",

View file

@ -564,6 +564,8 @@
"warnNoLicense": "Dosiahli ste limit pre simultánne pripojenia k %1 editorom. Tento dokument sa otvorí iba na prezeranie. Kontaktujte predajný tím %1 pre osobné podmienky inovácie.",
"warnNoLicenseUsers": "Dosiahli ste limit %1 editora. Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.",
"warnProcessRightsChange": "Nemáte povolenie na úpravu tohto súboru.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
},
"Settings": {

View file

@ -454,11 +454,13 @@
"textClose": "Close",
"textContactUs": "Contact sales",
"textCustomLoader": "Sorry, you are not entitled to change the loader. Contact our sales department to get a quote.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textGuest": "Guest",
"textHasMacros": "The file contains automatic macros.<br>Do you want to run macros?",
"textNo": "No",
"textNoLicenseTitle": "License limit reached",
"textNoTextFound": "Text not found",
"textOk": "Ok",
"textPaidFeature": "Paid feature",
"textRemember": "Remember my choice",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "%1 düzenleyici için kullanıcı sınırına ulaştınız. Daha fazla bilgi edinmek için yöneticinizle iletişime geçin.",
"warnNoLicense": "%1 düzenleyiciye eşzamanlı bağlantı sınırına ulaştınız. Bu belge yalnızca görüntüleme için açılacaktır. Kişisel yükseltme koşulları için %1 satış ekibiyle iletişime geçin.",
"warnNoLicenseUsers": "%1 düzenleyici için kullanıcı sınırına ulaştınız. Kişisel yükseltme koşulları için %1 satış ekibiyle iletişime geçin.",
"warnProcessRightsChange": "Bu dosyayı düzenleme izniniz yok."
"warnProcessRightsChange": "Bu dosyayı düzenleme izniniz yok.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Korumalı dosya",

View file

@ -564,6 +564,8 @@
"warnNoLicense": "Ви досягли ліміту на одночасне підключення до редакторів %1. Цей документ буде відкрито для перегляду. Напишіть у відділ продажу %1, щоб обговорити індивідуальні умови оновлення.",
"warnNoLicenseUsers": "Ви досягли ліміту на одночасне підключення до редакторів %1.<br>Напишіть у відділ продаж %1, для обговорення індивідуальних умов ліцензування.",
"warnProcessRightsChange": "У вас немає прав на редагування цього файлу.",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
},
"Settings": {

View file

@ -568,7 +568,9 @@
"textReplaceSuccess": "The search has been done. Occurrences replaced: {0}",
"textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.",
"textNoTextFound": "Text not found",
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "Protected File",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "您已達到1個編輯器的用戶限制。請與您的管理員聯繫以了解更多信息。",
"warnNoLicense": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。有關個人升級條款,請聯繫 %1 業務團隊。",
"warnNoLicenseUsers": "您已達到1個編輯器的用戶限制。與1銷售團隊聯繫以了解個人升級條款。",
"warnProcessRightsChange": "您沒有編輯這個文件的權限。"
"warnProcessRightsChange": "您沒有編輯這個文件的權限。",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "受保護的檔案",

View file

@ -564,7 +564,9 @@
"warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。",
"warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。",
"warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。请与 %1 的销售团队联系,以获取个人升级条款。",
"warnProcessRightsChange": "你没有编辑这个文件的权限。"
"warnProcessRightsChange": "你没有编辑这个文件的权限。",
"textDocumentProtected": "The document is protected. Edit settings are not available",
"textOk": "Ok"
},
"Settings": {
"advDRMOptions": "受保护的文件",

View file

@ -14,8 +14,8 @@ class AddLinkController extends Component {
}
closeModal () {
if ( Device.phone ) {
f7.popup.close('.add-popup');
if (Device.phone) {
f7.popup.close('#add-link-popup');
} else {
f7.popover.close('#add-link-popover');
}

View file

@ -7,7 +7,7 @@ import { withTranslation } from 'react-i18next';
import EditOptions from '../view/edit/Edit';
import AddOptions from '../view/add/Add';
import Settings from '../controller/settings/Settings';
import Collaboration from '../../../../common/mobile/lib/view/collaboration/Collaboration.jsx'
import { CollaborationDocument } from '../../../../common/mobile/lib/view/collaboration/Collaboration.jsx'
import { Device } from '../../../../common/mobile/utils/device'
import { Search, SearchSettings } from '../controller/Search';
import ContextMenu from '../controller/ContextMenu';
@ -149,7 +149,6 @@ class MainPage extends Component {
return (
<Page name="home" className={`editor${showLogo ? ' page-with-logo' : ''}`}>
{/* Top Navbar */}
{config?.customization &&
<Navbar id='editor-navbar'
className={`main-navbar${(!isBranding && showLogo) ? ' navbar-with-logo' : ''}`}>
{(!isBranding && showLogo) &&
@ -162,8 +161,6 @@ class MainPage extends Component {
<Search useSuspense={false}/>
</Subnavbar>
</Navbar>
}
{/* Page content */}
@ -241,8 +238,7 @@ class MainPage extends Component {
}
{
!this.state.collaborationVisible ? null :
<Collaboration onclosed={this.handleOptionsViewClosed.bind(this, 'coauth')}
page={this.state.collaborationPage}/>
<CollaborationDocument onclosed={this.handleOptionsViewClosed.bind(this, 'coauth')} page={this.state.collaborationPage} />
}
{
!this.state.navigationVisible ? null :

View file

@ -103,7 +103,6 @@ require.config({
sdk: {
deps: [
'jquery',
'underscore',
'allfonts',
'xregexp',
'socketio'
@ -123,14 +122,14 @@ require.config({
});
require([
'sdk',
'backbone',
'bootstrap',
'core',
'sdk',
'analytics',
'gateway',
'locale'
], function (Backbone, Bootstrap, Core) {
], function (Sdk, Backbone, Bootstrap, Core) {
if (Backbone.History && Backbone.History.started)
return;
Backbone.history.start();

View file

@ -59,7 +59,6 @@ require.config({
sdk: {
deps: [
'jquery',
'underscore',
'allfonts',
'xregexp',
'socketio'

View file

@ -182,6 +182,14 @@ define([
Common.Utils.InternalSettings.set("pe-settings-fontrender", value);
this.api.SetFontRenderingMode(parseInt(value));
if ( !Common.Utils.isIE ) {
if ( /^https?:\/\//.test('{{HELP_CENTER_WEB_PE}}') ) {
const _url_obj = new URL('{{HELP_CENTER_WEB_PE}}');
_url_obj.searchParams.set('lang', Common.Locale.getCurrentLanguage());
Common.Utils.InternalSettings.set("url-help-center", _url_obj.toString());
}
}
this.api.asc_registerCallback('asc_onError', _.bind(this.onError, this));
this.api.asc_registerCallback('asc_onDocumentContentReady', _.bind(this.onDocumentContentReady, this));
this.api.asc_registerCallback('asc_onOpenDocumentProgress', _.bind(this.onOpenDocument, this));

View file

@ -138,7 +138,7 @@ define([
for (var l = 0; l < text.length; l++) {
var charCode = text.charCodeAt(l),
char = text.charAt(l);
if (AscCommon.IsPunctuation(charCode) !== undefined || char.trim() === '') {
if (AscCommon.IsPunctuation(charCode) || char.trim() === '') {
isPunctuation = true;
break;
}

View file

@ -746,7 +746,7 @@ define([
this.toolbar.lockToolbar(Common.enumLock.noSlides, this._state.no_slides, {array: [
this.toolbar.btnChangeSlide, this.toolbar.btnPreview, this.toolbar.btnPrint, this.toolbar.btnCopy, this.toolbar.btnCut, this.toolbar.btnSelectAll, this.toolbar.btnPaste,
this.toolbar.btnCopyStyle, this.toolbar.btnInsertTable, this.toolbar.btnInsertChart, this.toolbar.btnInsertSmartArt,
this.toolbar.btnColorSchemas, this.toolbar.btnShapeAlign,
this.toolbar.btnColorSchemas, this.toolbar.btnShapeAlign, this.toolbar.cmbInsertShape,
this.toolbar.btnShapeArrange, this.toolbar.btnSlideSize, this.toolbar.listTheme, this.toolbar.btnEditHeader, this.toolbar.btnInsDateTime, this.toolbar.btnInsSlideNum
]});
this.toolbar.lockToolbar(Common.enumLock.noSlides, this._state.no_slides,

View file

@ -187,6 +187,7 @@ define([
this.toolbar = options.toolbar;
this.appConfig = options.mode;
this.$el = this.toolbar.toolbar.$el.find('#animation-panel');
var me = this;
var _set = Common.enumLock;
this.lockedControls = [];
this._arrEffectName = [{group:'none', value: AscFormat.ANIM_PRESET_NONE, iconCls: 'animation-none', displayValue: this.textNone}].concat(Common.define.effectData.getEffectData());
@ -293,7 +294,7 @@ define([
this.lockedControls.push(this.btnAddAnimation);
this.cmbDuration = new Common.UI.ComboBox({
this.cmbDuration = new Common.UI.ComboBoxCustom({
el: this.$el.find('#animation-spin-duration'),
cls: 'input-group-nr',
menuStyle: 'min-width: 100%;',
@ -309,7 +310,10 @@ define([
lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationDuration, _set.timingLock],
dataHint: '1',
dataHintDirection: 'top',
dataHintOffset: 'small'
dataHintOffset: 'small',
updateFormControl: function(record) {
record && this.setRawValue(record.get('value') + ' ' + me.txtSec);
}
});
this.lockedControls.push(this.cmbDuration);

View file

@ -366,7 +366,7 @@ define([
});
this.lockedControls.push(this.btnLeft);
this.btnLeft.on('click', _.bind(function() {
this.spnX.setValue(this.spnX.getNumberValue() - 10);
this.spnX.setValue(Math.ceil((this.spnX.getNumberValue() - 10)/10)*10);
}, this));
this.btnRight= new Common.UI.Button({
@ -379,7 +379,7 @@ define([
});
this.lockedControls.push(this.btnRight);
this.btnRight.on('click', _.bind(function() {
this.spnX.setValue(this.spnX.getNumberValue() + 10);
this.spnX.setValue(Math.floor((this.spnX.getNumberValue() + 10)/10)*10);
}, this));
this.spnY = new Common.UI.MetricSpinner({
@ -408,7 +408,7 @@ define([
});
this.lockedControls.push(this.btnUp);
this.btnUp.on('click', _.bind(function() {
this.spnY.setValue(this.spnY.getNumberValue() - 10);
this.spnY.setValue(Math.ceil((this.spnY.getNumberValue() - 10)/10)*10);
}, this));
this.btnDown= new Common.UI.Button({
@ -421,7 +421,7 @@ define([
});
this.lockedControls.push(this.btnDown);
this.btnDown.on('click', _.bind(function() {
this.spnY.setValue(this.spnY.getNumberValue() + 10);
this.spnY.setValue(Math.floor((this.spnY.getNumberValue() + 10)/10)*10);
}, this));
this.spnPerspective = new Common.UI.MetricSpinner({
@ -450,7 +450,7 @@ define([
});
this.lockedControls.push(this.btnNarrow);
this.btnNarrow.on('click', _.bind(function() {
this.spnPerspective.setValue(this.spnPerspective.getNumberValue() - 5);
this.spnPerspective.setValue(Math.ceil((this.spnPerspective.getNumberValue() - 5)/5)*5);
}, this));
this.btnWiden= new Common.UI.Button({
@ -463,7 +463,7 @@ define([
});
this.lockedControls.push(this.btnWiden);
this.btnWiden.on('click', _.bind(function() {
this.spnPerspective.setValue(this.spnPerspective.getNumberValue() + 5);
this.spnPerspective.setValue(Math.floor((this.spnPerspective.getNumberValue() + 5)/5)*5);
}, this));
this.chRightAngle = new Common.UI.CheckBox({

View file

@ -72,7 +72,8 @@ define([
if (item.options.action === 'help') {
if ( panel.noHelpContents === true && navigator.onLine ) {
this.fireEvent('item:click', [this, 'external-help', true]);
!!panel.urlHelpCenter && window.open(panel.urlHelpCenter, '_blank');
const helpCenter = Common.Utils.InternalSettings.get('url-help-center');
!!helpCenter && window.open(helpCenter, '_blank');
return;
}
}

View file

@ -1535,14 +1535,6 @@ define([
this.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
this.openUrl = null;
if ( !Common.Utils.isIE ) {
if ( /^https?:\/\//.test('{{HELP_CENTER_WEB_PE}}') ) {
const _url_obj = new URL('{{HELP_CENTER_WEB_PE}}');
_url_obj.searchParams.set('lang', Common.Locale.getCurrentLanguage());
this.urlHelpCenter = _url_obj.toString();
}
}
this.en_data = [
{"src": "ProgramInterface/ProgramInterface.htm", "name": "Introducing Presentation Editor user interface", "headername": "Program Interface"},
{"src": "ProgramInterface/FileTab.htm", "name": "File tab"},
@ -1645,22 +1637,10 @@ define([
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
store.url = 'resources/help/{{DEFAULT_LANG}}/Contents.json';
store.fetch(config);
} else {
if ( Common.Controllers.Desktop.isActive() ) {
if ( store.contentLang === '{{DEFAULT_LANG}}' || !Common.Controllers.Desktop.helpUrl() ) {
me.noHelpContents = true;
me.iFrame.src = '../../common/main/resources/help/download.html';
} else {
store.contentLang = store.contentLang === lang ? '{{DEFAULT_LANG}}' : lang;
me.urlPref = Common.Controllers.Desktop.helpUrl() + '/' + store.contentLang + '/';
store.url = me.urlPref + 'Contents.json';
store.fetch(config);
}
} else {
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
store.reset(me.en_data);
}
}
},
success: function () {
var rec = me.openUrl ? store.find(function(record){
@ -1673,10 +1653,22 @@ define([
me.onSelectItem(me.openUrl ? me.openUrl : rec.get('src'));
}
};
if ( Common.Controllers.Desktop.isActive() ) {
if ( !Common.Controllers.Desktop.isHelpAvailable() ) {
me.noHelpContents = true;
me.iFrame.src = '../../common/main/resources/help/download.html';
} else {
me.urlPref = Common.Controllers.Desktop.helpUrl() + '/';
store.url = me.urlPref + 'Contents.json';
store.fetch(config);
}
} else {
store.url = 'resources/help/' + lang + '/Contents.json';
store.fetch(config);
this.urlPref = 'resources/help/' + lang + '/';
}
}
},
show: function (url) {
@ -1968,23 +1960,23 @@ define([
takeFocusOnClose: true,
cls: 'input-group-nr',
data: [
{ value: 0, displayValue:'US Letter (21,59cm x 27,94cm)', caption: 'US Letter', size: [215.9, 279.4]},
{ value: 1, displayValue:'US Legal (21,59cm x 35,56cm)', caption: 'US Legal', size: [215.9, 355.6]},
{ value: 2, displayValue:'A4 (21cm x 29,7cm)', caption: 'A4', size: [210, 297]},
{ value: 3, displayValue:'A5 (14,8cm x 21cm)', caption: 'A5', size: [148, 210]},
{ value: 4, displayValue:'B5 (17,6cm x 25cm)', caption: 'B5', size: [176, 250]},
{ value: 5, displayValue:'Envelope #10 (10,48cm x 24,13cm)', caption: 'Envelope #10', size: [104.8, 241.3]},
{ value: 6, displayValue:'Envelope DL (11cm x 22cm)', caption: 'Envelope DL', size: [110, 220]},
{ value: 7, displayValue:'Tabloid (27,94cm x 43,18cm)', caption: 'Tabloid', size: [279.4, 431.8]},
{ value: 8, displayValue:'A3 (29,7cm x 42cm)', caption: 'A3', size: [297, 420]},
{ value: 9, displayValue:'Tabloid Oversize (30,48cm x 45,71cm)', caption: 'Tabloid Oversize', size: [304.8, 457.1]},
{ value: 10, displayValue:'ROC 16K (19,68cm x 27,3cm)', caption: 'ROC 16K', size: [196.8, 273]},
{ value: 11, displayValue:'Envelope Choukei 3 (11,99cm x 23,49cm)', caption: 'Envelope Choukei 3', size: [119.9, 234.9]},
{ value: 12, displayValue:'Super B/A3 (33,02cm x 48,25cm)', caption: 'Super B/A3', size: [330.2, 482.5]},
{ value: 13, displayValue:'A4 (84,1cm x 118,9cm)', caption: 'A0', size: [841, 1189]},
{ value: 14, displayValue:'A4 (59,4cm x 84,1cm)', caption: 'A1', size: [594, 841]},
{ value: 16, displayValue:'A4 (42cm x 59,4cm)', caption: 'A2', size: [420, 594]},
{ value: 17, displayValue:'A4 (10,5cm x 14,8cm)', caption: 'A6', size: [105, 148]}
{ value: 0, displayValue:'US Letter (21,59 cm x 27,94 cm)', caption: 'US Letter', size: [215.9, 279.4]},
{ value: 1, displayValue:'US Legal (21,59 cm x 35,56 cm)', caption: 'US Legal', size: [215.9, 355.6]},
{ value: 2, displayValue:'A4 (21 cm x 29,7 cm)', caption: 'A4', size: [210, 297]},
{ value: 3, displayValue:'A5 (14,8 cm x 21 cm)', caption: 'A5', size: [148, 210]},
{ value: 4, displayValue:'B5 (17,6 cm x 25 cm)', caption: 'B5', size: [176, 250]},
{ value: 5, displayValue:'Envelope #10 (10,48 cm x 24,13 cm)', caption: 'Envelope #10', size: [104.8, 241.3]},
{ value: 6, displayValue:'Envelope DL (11 cm x 22 cm)', caption: 'Envelope DL', size: [110, 220]},
{ value: 7, displayValue:'Tabloid (27,94 cm x 43,18 cm)', caption: 'Tabloid', size: [279.4, 431.8]},
{ value: 8, displayValue:'A3 (29,7 cm x 42 cm)', caption: 'A3', size: [297, 420]},
{ value: 9, displayValue:'Tabloid Oversize (30,48 cm x 45,71 cm)', caption: 'Tabloid Oversize', size: [304.8, 457.1]},
{ value: 10, displayValue:'ROC 16K (19,68 cm x 27,3 cm)', caption: 'ROC 16K', size: [196.8, 273]},
{ value: 11, displayValue:'Envelope Choukei 3 (11,99 cm x 23,49 cm)', caption: 'Envelope Choukei 3', size: [119.9, 234.9]},
{ value: 12, displayValue:'Super B/A3 (33,02 cm x 48,25 cm)', caption: 'Super B/A3', size: [330.2, 482.5]},
{ value: 13, displayValue:'A4 (84,1 cm x 118,9 cm)', caption: 'A0', size: [841, 1189]},
{ value: 14, displayValue:'A4 (59,4 cm x 84,1 cm)', caption: 'A1', size: [594, 841]},
{ value: 16, displayValue:'A4 (42 cm x 59,4 cm)', caption: 'A2', size: [420, 594]},
{ value: 17, displayValue:'A4 (10,5 cm x 14,8 cm)', caption: 'A6', size: [105, 148]}
],
dataHint: '2',
dataHintDirection: 'bottom',
@ -2125,8 +2117,8 @@ define([
pagewidth = size[0],
pageheight = size[1];
item.set('displayValue', item.get('caption') + ' (' + parseFloat(Common.Utils.Metric.fnRecalcFromMM(pagewidth).toFixed(2)) + Common.Utils.Metric.getCurrentMetricName() + ' x ' +
parseFloat(Common.Utils.Metric.fnRecalcFromMM(pageheight).toFixed(2)) + Common.Utils.Metric.getCurrentMetricName() + ')');
item.set('displayValue', item.get('caption') + ' (' + parseFloat(Common.Utils.Metric.fnRecalcFromMM(pagewidth).toFixed(2)) + ' ' + Common.Utils.Metric.getCurrentMetricName() + ' x ' +
parseFloat(Common.Utils.Metric.fnRecalcFromMM(pageheight).toFixed(2)) + ' ' + Common.Utils.Metric.getCurrentMetricName() + ')');
}
var value = this.cmbPaperSize.getValue();
this.cmbPaperSize.onResetItems();

View file

@ -1145,7 +1145,7 @@ define([
this._state.GradColor = color;
}
this.chShadow.setDisabled(!!props.get_FromChart());
this.chShadow.setDisabled(!!props.get_FromChart() || this._locked);
this.chShadow.setValue(!!props.asc_getShadow(), true);
this._noApply = false;

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