Merge branch 'release/v7.2.0' into feature/desktop-external-help-support
This commit is contained in:
commit
9d3508dc4b
|
@ -115,6 +115,7 @@
|
|||
address: 'New-York, 125f-25',
|
||||
mail: 'support@gmail.com',
|
||||
www: 'www.superpuper.com',
|
||||
phone: '1234567890',
|
||||
info: 'Some info',
|
||||
logo: '',
|
||||
logoDark: '', // logo for dark theme
|
||||
|
|
|
@ -147,8 +147,13 @@ define([
|
|||
el.on('input', '.form-control', _.bind(this.onInput, this));
|
||||
if (!this.options.allowDecimal)
|
||||
el.on('keypress', '.form-control', _.bind(this.onKeyPress, this));
|
||||
el.on('focus', 'input.form-control', function() {
|
||||
setTimeout(function(){me.$input && me.$input.select();}, 1);
|
||||
el.on('focus', 'input.form-control', function(e) {
|
||||
setTimeout(function(){
|
||||
if (me.$input) {
|
||||
me.$input[0].selectionStart = 0;
|
||||
me.$input[0].selectionEnd = me.$input.val().length;
|
||||
}
|
||||
}, 1);
|
||||
});
|
||||
Common.Utils.isGecko && el.on('blur', 'input.form-control', function() {
|
||||
setTimeout(function(){
|
||||
|
|
|
@ -141,7 +141,7 @@ define([
|
|||
}
|
||||
} else
|
||||
if (/althints:show/.test(cmd)) {
|
||||
if ( param == /false|hide/.test(param) )
|
||||
if ( /false|hide/.test(param) )
|
||||
Common.NotificationCenter.trigger('hints:clear');
|
||||
}
|
||||
};
|
||||
|
|
|
@ -134,7 +134,7 @@ Common.UI.HintManager = new(function() {
|
|||
return;
|
||||
}
|
||||
if (_isEditDiagram) {
|
||||
_currentSection = [$(window.parent.document).find('.advanced-settings-dlg')[0], window.document];
|
||||
_currentSection = [$(window.parent.document).find('.advanced-settings-dlg:visible')[0], window.document];
|
||||
} else if ($('#file-menu-panel').is(':visible')) {
|
||||
_currentSection = $('#file-menu-panel');
|
||||
} else {
|
||||
|
|
|
@ -39,7 +39,8 @@ define([
|
|||
}
|
||||
|
||||
if ( !!window.currentLoaderTheme ) {
|
||||
themes_map[currentLoaderTheme.id] = {};
|
||||
if ( !themes_map[currentLoaderTheme.id] )
|
||||
themes_map[currentLoaderTheme.id] = currentLoaderTheme;
|
||||
window.currentLoaderTheme = undefined;
|
||||
}
|
||||
|
||||
|
@ -208,6 +209,8 @@ define([
|
|||
themes_map[obj.id] = {text: theme_label, type: obj.type};
|
||||
write_theme_css( create_colors_css(obj.id, obj.colors) );
|
||||
}
|
||||
|
||||
Common.NotificationCenter.trigger('uitheme:countchanged');
|
||||
}
|
||||
|
||||
var get_themes_config = function (url) {
|
||||
|
@ -446,6 +449,7 @@ define([
|
|||
var theme_obj = {
|
||||
id: id,
|
||||
type: obj.type,
|
||||
text: themes_map[id].text,
|
||||
};
|
||||
|
||||
if ( themes_map[id].source != 'static' ) {
|
||||
|
|
|
@ -36,7 +36,8 @@
|
|||
return _MAP[x] || x.toUpperCase().charCodeAt(0);
|
||||
},
|
||||
_downKeys = [];
|
||||
var locked;
|
||||
var locked,
|
||||
propagate;
|
||||
|
||||
for(k=1;k<20;k++) _MAP['f'+k] = 111+k;
|
||||
|
||||
|
@ -116,6 +117,8 @@
|
|||
// call the handler and stop the event if neccessary
|
||||
if((handler.mods.length == 0 && !_mods[16] && !_mods[18] && !_mods[17] && !_mods[91]) || modifiersMatch){
|
||||
if(locked===true || handler.locked || handler.method(event, handler)===false){
|
||||
if (locked===true && propagate || handler.locked && handler.propagate)
|
||||
continue;
|
||||
if(event.preventDefault) event.preventDefault();
|
||||
else event.returnValue = false;
|
||||
if(event.stopPropagation) event.stopPropagation();
|
||||
|
@ -188,8 +191,8 @@
|
|||
|
||||
if (keys.length > 1) {
|
||||
mods = getMods(keys);
|
||||
key = keys[keys.length - 1];
|
||||
}
|
||||
(keys.length > 0) && (key = keys[keys.length - 1]);
|
||||
|
||||
key = code(key);
|
||||
|
||||
|
@ -301,8 +304,8 @@
|
|||
|
||||
if (keys.length > 1) {
|
||||
mods = getMods(keys);
|
||||
key = keys[keys.length - 1];
|
||||
}
|
||||
(keys.length > 0) && (key = keys[keys.length - 1]);
|
||||
|
||||
key = code(key);
|
||||
|
||||
|
@ -320,12 +323,23 @@
|
|||
}
|
||||
}
|
||||
|
||||
function suspend(key, scope) {
|
||||
key ? setKeyOptions(key, scope, 'locked', true) : (locked = true);
|
||||
function suspend(key, scope, pass) {
|
||||
if (key) {
|
||||
setKeyOptions(key, scope, 'locked', true)
|
||||
pass && setKeyOptions(key, scope, 'propagate', true)
|
||||
} else {
|
||||
locked = true;
|
||||
pass && (propagate = true);
|
||||
}
|
||||
}
|
||||
|
||||
function resume(key, scope) {
|
||||
key ? setKeyOptions(key, scope, 'locked', false) : (locked = false);
|
||||
if (key) {
|
||||
setKeyOptions(key, scope, 'locked', false)
|
||||
setKeyOptions(key, scope, 'propagate', false)
|
||||
} else {
|
||||
locked = propagate = false;
|
||||
}
|
||||
}
|
||||
|
||||
// set window.key and window.key.set/get/deleteScope, and the default filter
|
||||
|
|
|
@ -148,8 +148,8 @@ Common.util = Common.util||{};
|
|||
}
|
||||
},
|
||||
|
||||
suspendEvents: function(key,scope) {
|
||||
window.key.suspend(key,scope);
|
||||
suspendEvents: function(key,scope,propagate) {
|
||||
window.key.suspend(key,scope,propagate);
|
||||
},
|
||||
|
||||
resumeEvents: function(key,scope) {
|
||||
|
|
|
@ -126,6 +126,12 @@ define([
|
|||
'<a href="mailto:" id="id-about-company-mail"></a>',
|
||||
'</td>',
|
||||
'</tr>',
|
||||
'<tr>',
|
||||
'<td align="center" class="padding-small">',
|
||||
'<label class="asc-about-desc-name">' + this.txtTel + '</label>',
|
||||
'<label class="asc-about-desc" id="id-about-company-tel"></label>',
|
||||
'</td>',
|
||||
'</tr>',
|
||||
'<tr>',
|
||||
'<td align="center" class="padding-small">',
|
||||
'<a href="" target="_blank" id="id-about-company-url"></a>',
|
||||
|
@ -177,6 +183,7 @@ define([
|
|||
this.lblCompanyMail = _$l.findById('#id-about-company-mail');
|
||||
this.lblCompanyUrl = _$l.findById('#id-about-company-url');
|
||||
this.lblCompanyLic = _$l.findById('#id-about-company-lic');
|
||||
this.lblCompanyTel = _$l.findById('#id-about-company-tel');
|
||||
|
||||
this.$el.html(_$l);
|
||||
this.$el.addClass('about-dlg');
|
||||
|
@ -224,6 +231,11 @@ define([
|
|||
this.lblCompanyMail.attr('href', "mailto:"+value).text(value) :
|
||||
this.lblCompanyMail.parents('tr').addClass('hidden');
|
||||
|
||||
value = customer.phone;
|
||||
value && value.length ?
|
||||
this.lblCompanyTel.text(value) :
|
||||
this.lblCompanyTel.parents('tr').addClass('hidden');
|
||||
|
||||
if ((value = customer.www) && value.length) {
|
||||
var http = !/^https?:\/{2}/i.test(value) ? "http:\/\/" : '';
|
||||
this.lblCompanyUrl.attr('href', http+value).text(value);
|
||||
|
|
|
@ -68,11 +68,14 @@ define([
|
|||
initialize: function(options) {
|
||||
_.extend(this, options);
|
||||
Common.UI.BaseView.prototype.initialize.call(this, arguments);
|
||||
|
||||
var filter = Common.localStorage.getKeysFilter();
|
||||
this.appPrefix = (filter && filter.length) ? filter.split(',')[0] : '';
|
||||
},
|
||||
|
||||
render: function(el) {
|
||||
el = el || this.el;
|
||||
$(el).html(this.template({scope: this})).width( (parseInt(Common.localStorage.getItem('de-mainmenu-width')) || MENU_SCALE_PART) - SCALE_MIN);
|
||||
$(el).html(this.template({scope: this})).width( (parseInt(Common.localStorage.getItem(this.appPrefix + 'mainmenu-width')) || MENU_SCALE_PART) - SCALE_MIN);
|
||||
|
||||
this.viewHistoryList = new Common.UI.DataView({
|
||||
el: $('#history-list'),
|
||||
|
|
|
@ -50,7 +50,8 @@ define([
|
|||
height: 54,
|
||||
header: false,
|
||||
cls: 'search-bar',
|
||||
alias: 'SearchBar'
|
||||
alias: 'SearchBar',
|
||||
showOpenPanel: true
|
||||
},
|
||||
|
||||
initialize : function(options) {
|
||||
|
@ -62,7 +63,7 @@ define([
|
|||
'<div class="tools">',
|
||||
'<div id="search-bar-back"></div>',
|
||||
'<div id="search-bar-next"></div>',
|
||||
'<div id="search-bar-open-panel"></div>',
|
||||
this.options.showOpenPanel ? '<div id="search-bar-open-panel"></div>' : '',
|
||||
'<div id="search-bar-close"></div>',
|
||||
'</div>',
|
||||
'</div>'
|
||||
|
@ -103,6 +104,7 @@ define([
|
|||
});
|
||||
this.btnNext.on('click', _.bind(this.onBtnNextClick, this, 'next'));
|
||||
|
||||
if (this.options.showOpenPanel) {
|
||||
this.btnOpenPanel = new Common.UI.Button({
|
||||
parentEl: $('#search-bar-open-panel'),
|
||||
cls: 'btn-toolbar',
|
||||
|
@ -110,6 +112,7 @@ define([
|
|||
hint: this.tipOpenAdvancedSettings
|
||||
});
|
||||
this.btnOpenPanel.on('click', _.bind(this.onOpenPanel, this));
|
||||
}
|
||||
|
||||
this.btnClose = new Common.UI.Button({
|
||||
parentEl: $('#search-bar-close'),
|
||||
|
|
|
@ -7,7 +7,7 @@
|
|||
//content: if(@icon-src-base64, data-uri(%("%s",'@{common-image-path}/about/logo.png')), ~"url('@{common-image-const-path}/about/logo.png')");
|
||||
content: ~"url('@{common-image-const-path}/about/logo_s.svg')";
|
||||
|
||||
.theme-dark & {
|
||||
.theme-type-dark & {
|
||||
content: ~"url('@{common-image-const-path}/about/logo-white_s.svg')";
|
||||
}
|
||||
|
||||
|
|
|
@ -922,7 +922,7 @@
|
|||
background-repeat: no-repeat;
|
||||
}
|
||||
|
||||
&.dropdown-toggle:first-child .inner-box-caret {
|
||||
&:not(.btn-toolbar).dropdown-toggle:first-child .inner-box-caret {
|
||||
padding: 0 1px 0 2px;
|
||||
}
|
||||
|
||||
|
|
|
@ -12,6 +12,7 @@ const PageAbout = props => {
|
|||
const customer = licInfo ? licInfo.customer : null;
|
||||
const nameCustomer = customer ? customer.name : null;
|
||||
const mailCustomer = customer ? customer.mail : null;
|
||||
const phoneCustomer = customer ? customer.phone : null;
|
||||
const addressCustomer = customer ? customer.address : null;
|
||||
const urlCustomer = customer ? customer.www : null;
|
||||
const infoCustomer = customer ? customer.info : null;
|
||||
|
@ -27,7 +28,7 @@ const PageAbout = props => {
|
|||
sse: 'SPREADSHEET EDITOR'
|
||||
};
|
||||
|
||||
const nameEditor = editors[editorType];
|
||||
const nameEditor = (_t.textEditor || editors[editorType]).toUpperCase();
|
||||
|
||||
return (
|
||||
<Page className="about">
|
||||
|
@ -61,6 +62,13 @@ const PageAbout = props => {
|
|||
<Link id="settings-about-email" external={true} href={"mailto:"+mailCustomer}>{mailCustomer}</Link>
|
||||
</p>
|
||||
) : null}
|
||||
{phoneCustomer && phoneCustomer.length ? (
|
||||
<p>
|
||||
<label>{_t.textTel}:</label>
|
||||
<Link id="settings-about-tel" external={true} href={"tel:"+phoneCustomer}>{phoneCustomer}</Link>
|
||||
</p>
|
||||
) : null}
|
||||
|
||||
{urlCustomer && urlCustomer.length ? (
|
||||
<p>
|
||||
<Link id="settings-about-url" className="external" target="_blank"
|
||||
|
|
|
@ -28,7 +28,7 @@ class CThumbnailLoader {
|
|||
xhr.send(null);
|
||||
}
|
||||
|
||||
#openBinary(arrayBuffer) {
|
||||
_openBinary(arrayBuffer) {
|
||||
//var t1 = performance.now();
|
||||
|
||||
const binaryAlpha = new Uint8Array(arrayBuffer);
|
||||
|
@ -79,7 +79,7 @@ class CThumbnailLoader {
|
|||
}
|
||||
|
||||
if (!this.data) {
|
||||
this.#openBinary(this.binaryFormat);
|
||||
this._openBinary(this.binaryFormat);
|
||||
delete this.binaryFormat;
|
||||
}
|
||||
|
||||
|
|
51
apps/documenteditor/embed/locale/eu.json
Normal file
51
apps/documenteditor/embed/locale/eu.json
Normal file
|
@ -0,0 +1,51 @@
|
|||
{
|
||||
"common.view.modals.txtCopy": "Kopiatu arbelera",
|
||||
"common.view.modals.txtEmbed": "Kapsulatu",
|
||||
"common.view.modals.txtHeight": "Altuera",
|
||||
"common.view.modals.txtShare": "Partekatu esteka",
|
||||
"common.view.modals.txtWidth": "Zabalera",
|
||||
"common.view.SearchBar.textFind": "Bilatu",
|
||||
"DE.ApplicationController.convertationErrorText": "Bihurketak huts egin du.",
|
||||
"DE.ApplicationController.convertationTimeoutText": "Bihurketaren denbora-muga gainditu da.",
|
||||
"DE.ApplicationController.criticalErrorTitle": "Errorea",
|
||||
"DE.ApplicationController.downloadErrorText": "Deskargak huts egin du.",
|
||||
"DE.ApplicationController.downloadTextText": "Dokumentua deskargatzen...",
|
||||
"DE.ApplicationController.errorAccessDeny": "Ez duzu baimenik egin nahi duzun ekintza burutzeko.<br>Jarri harremanetan zure dokumentu-zerbitzariaren administratzailearekin.",
|
||||
"DE.ApplicationController.errorDefaultMessage": "Errore-kodea: %1",
|
||||
"DE.ApplicationController.errorEditingDownloadas": "Errore bat gertatu da dokumentuarekin lan egitean.<br>Erabili 'Deskargatu honela...' aukera fitxategiaren babeskopia zure ordenagailuko disko gogorrean gordetzeko.",
|
||||
"DE.ApplicationController.errorFilePassProtect": "Fitxategia pasahitzez babestua dago eta ezin da ireki.",
|
||||
"DE.ApplicationController.errorFileSizeExceed": "Fitxategiaren tamainak zure zerbitzarirako ezarritako muga gainditzen du.<br>Jarri harremanetan dokumentu-zerbitzariaren administratzailearekin informazio gehiago lortzeko.",
|
||||
"DE.ApplicationController.errorForceSave": "Errore bat gertatu da dokumentua gordetzean.<br>Erabili 'Deskargatu honela' aukera fitxategia zure ordenagailuko disko gogorrean gordetzeko edo saiatu berriro geroago.",
|
||||
"DE.ApplicationController.errorLoadingFont": "Letra-tipoak ez dira kargatu.<br>Jarri zure dokumentu-zerbitzariaren administratzailearekin harremanetan.",
|
||||
"DE.ApplicationController.errorSubmit": "Huts egin du bidaltzean.",
|
||||
"DE.ApplicationController.errorTokenExpire": "Dokumentuaren segurtasun-tokena iraungi da.<br>Jarri zure dokumentu-zerbitzariaren administratzailearekin harremanetan.",
|
||||
"DE.ApplicationController.errorUpdateVersionOnDisconnect": "Interneteko konexioa berrezarri da eta fitxategiaren bertsioa aldatu da.<br>Lanean jarraitu aurretik, beharrezkoa da fitxategia deskargatzea edo edukia kopiatzea, ezer ez dela galduko ziurtatzeko, eta gero orri hau berriro kargatzea.",
|
||||
"DE.ApplicationController.errorUserDrop": "Ezin da fitxategia atzitu une honetan.",
|
||||
"DE.ApplicationController.notcriticalErrorTitle": "Abisua",
|
||||
"DE.ApplicationController.openErrorText": "Errore bat gertatu da fitxategia irekitzean.",
|
||||
"DE.ApplicationController.scriptLoadError": "Interneterako konexioa motelegia da, ezin izan dira osagai batzuk kargatu. Kargatu berriro orria.",
|
||||
"DE.ApplicationController.textAnonymous": "Anonimoa",
|
||||
"DE.ApplicationController.textClear": "Garbitu eremu guztiak",
|
||||
"DE.ApplicationController.textGotIt": "Ulertu dut",
|
||||
"DE.ApplicationController.textGuest": "Gonbidatua",
|
||||
"DE.ApplicationController.textLoadingDocument": "Dokumentua kargatzen",
|
||||
"DE.ApplicationController.textNext": "Hurrengo eremua",
|
||||
"DE.ApplicationController.textOf": "/",
|
||||
"DE.ApplicationController.textRequired": "Bete derrigorrezko eremu guztiak formularioa bidaltzeko.",
|
||||
"DE.ApplicationController.textSubmit": "Bidali",
|
||||
"DE.ApplicationController.textSubmited": "<b>Formularioa behar bezala bidali da</b><br>Egin klik argibidea ixteko",
|
||||
"DE.ApplicationController.txtClose": "Itxi",
|
||||
"DE.ApplicationController.txtEmpty": "(Hutsik)",
|
||||
"DE.ApplicationController.txtPressLink": "Sakatu Ctrl eta egin klik estekan",
|
||||
"DE.ApplicationController.unknownErrorText": "Errore ezezaguna.",
|
||||
"DE.ApplicationController.unsupportedBrowserErrorText": "Zure nabigatzaileak ez du euskarririk.",
|
||||
"DE.ApplicationController.waitText": "Mesedez, itxaron...",
|
||||
"DE.ApplicationView.txtDownload": "Deskargatu",
|
||||
"DE.ApplicationView.txtDownloadDocx": "Deskargatu docx bezala",
|
||||
"DE.ApplicationView.txtDownloadPdf": "Deskargatu pdf bezala",
|
||||
"DE.ApplicationView.txtEmbed": "Kapsulatu",
|
||||
"DE.ApplicationView.txtFileLocation": "Ireki fitxategiaren kokalekua",
|
||||
"DE.ApplicationView.txtFullScreen": "Pantaila osoa",
|
||||
"DE.ApplicationView.txtPrint": "Inprimatu",
|
||||
"DE.ApplicationView.txtShare": "Partekatu"
|
||||
}
|
|
@ -15,7 +15,7 @@
|
|||
"DE.ApplicationController.errorFilePassProtect": "ドキュメントがパスワードで保護されているため開くことができません",
|
||||
"DE.ApplicationController.errorFileSizeExceed": "ファイルサイズがサーバーで設定された制限を超過しています。<br>Documentサーバー管理者に詳細をお問い合わせください。",
|
||||
"DE.ApplicationController.errorForceSave": "文書の保存中にエラーが発生しました。コンピューターにファイルを保存するために、「...としてダウンロード」を使用し、または後で再お試しください。",
|
||||
"DE.ApplicationController.errorLoadingFont": "フォントがダウンロードされませんでした。文書サーバのアドミニストレータを連絡してください。",
|
||||
"DE.ApplicationController.errorLoadingFont": "フォントがダウンロードされませんでした。<br>文書サーバのアドミニストレータを連絡してください。",
|
||||
"DE.ApplicationController.errorSubmit": "送信に失敗しました。",
|
||||
"DE.ApplicationController.errorTokenExpire": "ドキュメント・セキュリティ・トークンの有効期限が切れています。<br>ドキュメントサーバーの管理者に連絡してください。",
|
||||
"DE.ApplicationController.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されています。<br>作業を継続する前に、ファイルをダウンロードするか内容をコピーして、変更が消えてしまわないようにしてからページを再読み込みしてください。",
|
||||
|
|
50
apps/documenteditor/embed/locale/ms.json
Normal file
50
apps/documenteditor/embed/locale/ms.json
Normal file
|
@ -0,0 +1,50 @@
|
|||
{
|
||||
"common.view.modals.txtCopy": "Salin ke papan klip",
|
||||
"common.view.modals.txtEmbed": "Dibenamkan",
|
||||
"common.view.modals.txtHeight": "Ketinggian",
|
||||
"common.view.modals.txtShare": "Kongsi Pautan",
|
||||
"common.view.modals.txtWidth": "Lebar",
|
||||
"DE.ApplicationController.convertationErrorText": "Penukaran telah gagal.",
|
||||
"DE.ApplicationController.convertationTimeoutText": "Melebihi masa tamat penukaran.",
|
||||
"DE.ApplicationController.criticalErrorTitle": "Ralat",
|
||||
"DE.ApplicationController.downloadErrorText": "Muat turun telah gagal.",
|
||||
"DE.ApplicationController.downloadTextText": "Dokumen dimuat turun…",
|
||||
"DE.ApplicationController.errorAccessDeny": "Anda sedang cuba untuk melakukan tindakan yang anda tidak mempunyai hak untuk.<br>Sila, hubungi pentadbir Pelayan Dokumen anda.",
|
||||
"DE.ApplicationController.errorDefaultMessage": "Kod ralat: %1",
|
||||
"DE.ApplicationController.errorEditingDownloadas": "Terdapat ralat yang berlaku semasa bekerja dengan dokumen.<br>Gunakan pilihan 'Download as...' untuk menyimpan salinan fail sandaran ke pemacu keras komputer anda.",
|
||||
"DE.ApplicationController.errorFilePassProtect": "Fail dilindungi kata laluan dan tidak boleh dibuka.",
|
||||
"DE.ApplicationController.errorFileSizeExceed": "Saiz fail melebihi had ditetapkan untuk pelayan anda.<br>Sila, hubungi pentadbir Pelayan Dokumen anda untuk butiran.",
|
||||
"DE.ApplicationController.errorForceSave": "Terdapat ralat yang berlaku semasa menyimpan fail. Sila gunakan pilihan 'Download as' untuk menyimpan salinan fail sandaran ke pemacu keras komputer anda dan cuba semula nanti.",
|
||||
"DE.ApplicationController.errorLoadingFont": "Fon tidak dimuatkan.<br>Sila hubungi pentadbir Pelayan Dokumen anda.",
|
||||
"DE.ApplicationController.errorSubmit": "Serahan telah gagal.",
|
||||
"DE.ApplicationController.errorTokenExpire": "Dokumen token keselamatan telah tamat tempoh.<br>Sila hubungi pentadbir Pelayan Dokumen.",
|
||||
"DE.ApplicationController.errorUpdateVersionOnDisconnect": "Sambungan internet telah dipulihkan, dan versi fail telah berubah.<br>Sebelum anda boleh terus bekerja, anda perlu memuat turun fail atau menyalin kandungannya untuk memastikan tiada ada yang hilang, dan kemudian muat semula halaman ini.",
|
||||
"DE.ApplicationController.errorUserDrop": "Fail tidak boleh diakses sekarang.",
|
||||
"DE.ApplicationController.notcriticalErrorTitle": "Amaran",
|
||||
"DE.ApplicationController.openErrorText": "Ralat telah berlaku semasa membuka fail.",
|
||||
"DE.ApplicationController.scriptLoadError": "Sambungan terlalu perlahan, beberapa komponen tidak dapat dimuatkan. Sila muat semula halaman.",
|
||||
"DE.ApplicationController.textAnonymous": "Tanpa Nama",
|
||||
"DE.ApplicationController.textClear": "Kosongkan Semua Medan",
|
||||
"DE.ApplicationController.textGotIt": "Faham",
|
||||
"DE.ApplicationController.textGuest": "Tetamu",
|
||||
"DE.ApplicationController.textLoadingDocument": "Dokumen dimuatkan",
|
||||
"DE.ApplicationController.textNext": "Medan seterusnya",
|
||||
"DE.ApplicationController.textOf": "bagi",
|
||||
"DE.ApplicationController.textRequired": "Isi semua medan diperlukan untuk menyerahkan borang.",
|
||||
"DE.ApplicationController.textSubmit": "Serah",
|
||||
"DE.ApplicationController.textSubmited": "<b>Borang telah berjaya dihantar</b><br>Klik untuk menutup petua",
|
||||
"DE.ApplicationController.txtClose": "Tutup",
|
||||
"DE.ApplicationController.txtEmpty": "(Kosong)",
|
||||
"DE.ApplicationController.txtPressLink": "Tekan Ctrl dan klik pautan",
|
||||
"DE.ApplicationController.unknownErrorText": "Ralat tidak diketahui.",
|
||||
"DE.ApplicationController.unsupportedBrowserErrorText": "Pelayar anda tidak disokong.",
|
||||
"DE.ApplicationController.waitText": "Sila, tunggu…",
|
||||
"DE.ApplicationView.txtDownload": "Muat turun",
|
||||
"DE.ApplicationView.txtDownloadDocx": "Muat turun sebagai docx",
|
||||
"DE.ApplicationView.txtDownloadPdf": "Muat turun sebagai pdf",
|
||||
"DE.ApplicationView.txtEmbed": "Dibenamkan",
|
||||
"DE.ApplicationView.txtFileLocation": "Buka lokasi fail",
|
||||
"DE.ApplicationView.txtFullScreen": "Skrin penuh",
|
||||
"DE.ApplicationView.txtPrint": "Cetak",
|
||||
"DE.ApplicationView.txtShare": "Kongsi"
|
||||
}
|
|
@ -4,6 +4,7 @@
|
|||
"common.view.modals.txtHeight": "Altura",
|
||||
"common.view.modals.txtShare": "Partilhar ligação",
|
||||
"common.view.modals.txtWidth": "Largura",
|
||||
"common.view.SearchBar.textFind": "Localizar",
|
||||
"DE.ApplicationController.convertationErrorText": "Falha na conversão.",
|
||||
"DE.ApplicationController.convertationTimeoutText": "Excedeu o tempo limite de conversão.",
|
||||
"DE.ApplicationController.criticalErrorTitle": "Erro",
|
||||
|
|
|
@ -4,6 +4,7 @@
|
|||
"common.view.modals.txtHeight": "Înălțime",
|
||||
"common.view.modals.txtShare": "Partajare link",
|
||||
"common.view.modals.txtWidth": "Lățime",
|
||||
"common.view.SearchBar.textFind": "Găsire",
|
||||
"DE.ApplicationController.convertationErrorText": "Conversia nu a reușit.",
|
||||
"DE.ApplicationController.convertationTimeoutText": "Timpul de așteptare pentru conversie a expirat.",
|
||||
"DE.ApplicationController.criticalErrorTitle": "Eroare",
|
||||
|
|
|
@ -4,6 +4,7 @@
|
|||
"common.view.modals.txtHeight": "Высота",
|
||||
"common.view.modals.txtShare": "Поделиться ссылкой",
|
||||
"common.view.modals.txtWidth": "Ширина",
|
||||
"common.view.SearchBar.textFind": "Поиск",
|
||||
"DE.ApplicationController.convertationErrorText": "Конвертация не удалась.",
|
||||
"DE.ApplicationController.convertationTimeoutText": "Превышено время ожидания конвертации.",
|
||||
"DE.ApplicationController.criticalErrorTitle": "Ошибка",
|
||||
|
|
171
apps/documenteditor/forms/locale/eu.json
Normal file
171
apps/documenteditor/forms/locale/eu.json
Normal file
|
@ -0,0 +1,171 @@
|
|||
{
|
||||
"Common.UI.Calendar.textApril": "Apirila",
|
||||
"Common.UI.Calendar.textAugust": "Abuztua",
|
||||
"Common.UI.Calendar.textDecember": "Abendua",
|
||||
"Common.UI.Calendar.textFebruary": "Otsaila",
|
||||
"Common.UI.Calendar.textJanuary": "Urtarrila",
|
||||
"Common.UI.Calendar.textJuly": "Uztaila",
|
||||
"Common.UI.Calendar.textJune": "Ekaina",
|
||||
"Common.UI.Calendar.textMarch": "Martxoa",
|
||||
"Common.UI.Calendar.textMay": "Maiatza",
|
||||
"Common.UI.Calendar.textMonths": "hilabeteak",
|
||||
"Common.UI.Calendar.textNovember": "Azaroa",
|
||||
"Common.UI.Calendar.textOctober": "Urria",
|
||||
"Common.UI.Calendar.textSeptember": "Iraila",
|
||||
"Common.UI.Calendar.textShortApril": "api.",
|
||||
"Common.UI.Calendar.textShortAugust": "abu.",
|
||||
"Common.UI.Calendar.textShortDecember": "abe.",
|
||||
"Common.UI.Calendar.textShortFebruary": "ots.",
|
||||
"Common.UI.Calendar.textShortFriday": "ol.",
|
||||
"Common.UI.Calendar.textShortJanuary": "urt.",
|
||||
"Common.UI.Calendar.textShortJuly": "uzt.",
|
||||
"Common.UI.Calendar.textShortJune": "eka.",
|
||||
"Common.UI.Calendar.textShortMarch": "mar.",
|
||||
"Common.UI.Calendar.textShortMay": "mai.",
|
||||
"Common.UI.Calendar.textShortMonday": "al.",
|
||||
"Common.UI.Calendar.textShortNovember": "aza.",
|
||||
"Common.UI.Calendar.textShortOctober": "urr.",
|
||||
"Common.UI.Calendar.textShortSaturday": "lr.",
|
||||
"Common.UI.Calendar.textShortSeptember": "ira.",
|
||||
"Common.UI.Calendar.textShortSunday": "ig.",
|
||||
"Common.UI.Calendar.textShortThursday": "og.",
|
||||
"Common.UI.Calendar.textShortTuesday": "ar.",
|
||||
"Common.UI.Calendar.textShortWednesday": "az.",
|
||||
"Common.UI.Calendar.textYears": "Urteak",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Klasiko argia",
|
||||
"Common.UI.Themes.txtThemeDark": "Iluna",
|
||||
"Common.UI.Themes.txtThemeLight": "Argia",
|
||||
"Common.UI.Window.cancelButtonText": "Utzi",
|
||||
"Common.UI.Window.closeButtonText": "Itxi",
|
||||
"Common.UI.Window.noButtonText": "Ez",
|
||||
"Common.UI.Window.okButtonText": "Ados",
|
||||
"Common.UI.Window.textConfirmation": "Berrespena",
|
||||
"Common.UI.Window.textDontShow": "Ez erakutsi mezu hau berriro",
|
||||
"Common.UI.Window.textError": "Errorea",
|
||||
"Common.UI.Window.textInformation": "Informazioa",
|
||||
"Common.UI.Window.textWarning": "Abisua",
|
||||
"Common.UI.Window.yesButtonText": "Bai",
|
||||
"Common.Views.CopyWarningDialog.textDontShow": "Ez erakutsi mezu hau berriro",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "Testuinguru-menu bidez egindako kopiatu, ebaki eta itsatsi ekintzak editorearen fitxa honen barruan soilik burutuko dira.<br><br>Editorearen fitxatik kanpoko aplikazioetatik edo aplikazioetara kopiatu edo itsasteko erabili laster-tekla hauek:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "Kopiatu, ebaki eta itsatsi ekintzak",
|
||||
"Common.Views.CopyWarningDialog.textToCopy": "kopiatzeko",
|
||||
"Common.Views.CopyWarningDialog.textToCut": "ebakitzeko",
|
||||
"Common.Views.CopyWarningDialog.textToPaste": "itsasteko",
|
||||
"Common.Views.EmbedDialog.textHeight": "Altuera",
|
||||
"Common.Views.EmbedDialog.textTitle": "Kapsulatu",
|
||||
"Common.Views.EmbedDialog.textWidth": "Zabalera",
|
||||
"Common.Views.EmbedDialog.txtCopy": "Kopiatu arbelera",
|
||||
"Common.Views.EmbedDialog.warnCopy": "Nabigatzailearen errorea! Erabili [Ctrl] + [C] laster-tekla",
|
||||
"Common.Views.ImageFromUrlDialog.textUrl": "Itsatsi irudiaren URLa:",
|
||||
"Common.Views.ImageFromUrlDialog.txtEmpty": "Eremua derrigorrez bete behar da",
|
||||
"Common.Views.ImageFromUrlDialog.txtNotUrl": "Eremu honek \"https://adibidea.eus\" ereduko URL bat izan behar du",
|
||||
"Common.Views.OpenDialog.closeButtonText": "Itxi fitxategia",
|
||||
"Common.Views.OpenDialog.txtEncoding": "Kodeketa",
|
||||
"Common.Views.OpenDialog.txtIncorrectPwd": "Pasahitza okerra da.",
|
||||
"Common.Views.OpenDialog.txtOpenFile": "Idatzi pasahitza fitxategia irekitzeko",
|
||||
"Common.Views.OpenDialog.txtPassword": "Pasahitza",
|
||||
"Common.Views.OpenDialog.txtPreview": "Aurrebista",
|
||||
"Common.Views.OpenDialog.txtProtected": "Pasahitza idatzi eta fitxategia irekitzean, fitxategiaren uneko pasahitza berrezarriko da.",
|
||||
"Common.Views.OpenDialog.txtTitle": "Hautatu %1 aukera",
|
||||
"Common.Views.OpenDialog.txtTitleProtected": "Babestutako fitxategia",
|
||||
"Common.Views.SaveAsDlg.textLoading": "Kargatzen",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Karpeta gordetzeko",
|
||||
"Common.Views.SelectFileDlg.textLoading": "Kargatzen",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Hautatu datu-iturburua",
|
||||
"Common.Views.ShareDialog.textTitle": "Partekatu esteka",
|
||||
"Common.Views.ShareDialog.txtCopy": "Kopiatu arbelera",
|
||||
"Common.Views.ShareDialog.warnCopy": "Nabigatzailearen errorea! Erabili [Ctrl] + [C] laster-tekla",
|
||||
"DE.Controllers.ApplicationController.convertationErrorText": "Bihurketak huts egin du.",
|
||||
"DE.Controllers.ApplicationController.convertationTimeoutText": "Bihurketaren denbora-muga gainditu da.",
|
||||
"DE.Controllers.ApplicationController.criticalErrorTitle": "Errorea",
|
||||
"DE.Controllers.ApplicationController.downloadErrorText": "Deskargak huts egin du.",
|
||||
"DE.Controllers.ApplicationController.downloadTextText": "Dokumentua deskargatzen...",
|
||||
"DE.Controllers.ApplicationController.errorAccessDeny": "Ez duzu baimenik egin nahi duzun ekintza egiteko.<br>Jarri harremanetan zure dokumentu-zerbitzariaren administratzailearekin.",
|
||||
"DE.Controllers.ApplicationController.errorBadImageUrl": "Irudiaren URLa ez da zuzena",
|
||||
"DE.Controllers.ApplicationController.errorConnectToServer": "Dokumentua ezin izan da gorde. Egiaztatu konexioaren ezarpenak edo jarri zure administratzailearekin harremanetan.<br>'Ados' botoia sakatzean, dokumentua deskargatzeko aukera emango zaizu.",
|
||||
"DE.Controllers.ApplicationController.errorDataEncrypted": "Enkriptatutako aldaketak jaso dira, ezin dira deszifratu.",
|
||||
"DE.Controllers.ApplicationController.errorDefaultMessage": "Errore-kodea: %1",
|
||||
"DE.Controllers.ApplicationController.errorEditingDownloadas": "Errore bat gertatu da dokumentuarekin lan egitean.<br>Erabili 'Deskargatu honela...' aukera fitxategiaren babeskopia zure ordenagailuko disko gogorrera gordetzeko.",
|
||||
"DE.Controllers.ApplicationController.errorEditingSaveas": "Errore bat gertatu da dokumentuarekin lan egitean.<br>Erabili 'Gorde honela...' aukera fitxategiaren babeskopia zure ordenagailuko disko gogorrera gordetzeko.",
|
||||
"DE.Controllers.ApplicationController.errorFilePassProtect": "Fitxategia pasahitzez babestua dago eta ezin da ireki.",
|
||||
"DE.Controllers.ApplicationController.errorFileSizeExceed": "Fitxategiaren tamainak zure zerbitzarirako ezarritako muga gainditzen du.<br>Jarri harremanetan dokumentu-zerbitzariaren administratzailearekin informazio gehiago lortzeko.",
|
||||
"DE.Controllers.ApplicationController.errorForceSave": "Errore bat gertatu da dokumentua gordetzean.<br>Erabili 'Deskargatu honela' aukera fitxategia zure ordenagailuko disko gogorrera gordetzeko edo saiatu berriro geroago.",
|
||||
"DE.Controllers.ApplicationController.errorLoadingFont": "Letra-tipoak ez dira kargatu.<br>Jarri zure dokumentu-zerbitzariaren administratzailearekin harremanetan.",
|
||||
"DE.Controllers.ApplicationController.errorServerVersion": "Editorearen bertsioa eguneratu da. Orria berriz kargatuko da aldaketak aplikatzeko.",
|
||||
"DE.Controllers.ApplicationController.errorSessionAbsolute": "Dokumentua editatzeko saioa iraungi da. Kargatu berriro orria.",
|
||||
"DE.Controllers.ApplicationController.errorSessionIdle": "Dokumentua ez da editatu denbora luzean. Kargatu orria berriro.",
|
||||
"DE.Controllers.ApplicationController.errorSessionToken": "Zerbitzarirako konexioa eten da. Mesedez kargatu berriz orria.",
|
||||
"DE.Controllers.ApplicationController.errorSubmit": "Huts egin du bidaltzean.",
|
||||
"DE.Controllers.ApplicationController.errorToken": "Dokumentuaren segurtasun tokena ez dago ondo osatua.<br>Jarri harremanetan zure zerbitzariaren administratzailearekin.",
|
||||
"DE.Controllers.ApplicationController.errorTokenExpire": "Dokumentuaren segurtasun-tokena iraungi da.<br>Jarri zure dokumentu-zerbitzariaren administratzailearekin harremanetan.",
|
||||
"DE.Controllers.ApplicationController.errorUpdateVersion": "Fitxategiaren bertsioa aldatu da. Orria berriz kargatuko da.",
|
||||
"DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "Interneteko konexioa berrezarri da eta fitxategiaren bertsioa aldatu da.<br>Lanean jarraitu aurretik, beharrezkoa da fitxategia deskargatzea edo edukia kopiatzea, ezer ez dela galduko ziurtatzeko, eta gero orri hau berriro kargatzea.",
|
||||
"DE.Controllers.ApplicationController.errorUserDrop": "Ezin da fitxategia atzitu une honetan.",
|
||||
"DE.Controllers.ApplicationController.errorViewerDisconnect": "Konexioa galdu da. Dokumentua ikusi dezakezu oraindik,<br>baina ezingo duzu deskargatu edo inprimatu konexioa berrezarri eta orria berriz kargatu arte.",
|
||||
"DE.Controllers.ApplicationController.mniImageFromFile": "Irudia fitxategitik",
|
||||
"DE.Controllers.ApplicationController.mniImageFromStorage": "Irudia biltegitik",
|
||||
"DE.Controllers.ApplicationController.mniImageFromUrl": "Irudia URLtik",
|
||||
"DE.Controllers.ApplicationController.notcriticalErrorTitle": "Abisua",
|
||||
"DE.Controllers.ApplicationController.openErrorText": "Errore bat gertatu da fitxategia irekitzean.",
|
||||
"DE.Controllers.ApplicationController.saveErrorText": "Errore bat gertatu da fitxategia gordetzean.",
|
||||
"DE.Controllers.ApplicationController.saveErrorTextDesktop": "Fitxategi hau ezin da gorde edo sortu.<br>Arrazoi posibleak: <br>1. Fitxategia irakurtzeko soilik da. <br>2. Beste erabiltzaileren bat fitxategia editatzen ari da. <br>Diskoa beteta edo hondatuta dago.",
|
||||
"DE.Controllers.ApplicationController.scriptLoadError": "Interneterako konexioa motelegia da, ezin izan dira osagai batzuk kargatu. Kargatu berriro orria.",
|
||||
"DE.Controllers.ApplicationController.textAnonymous": "Anonimoa",
|
||||
"DE.Controllers.ApplicationController.textBuyNow": "Bisitatu webgunea",
|
||||
"DE.Controllers.ApplicationController.textCloseTip": "Egin klik argibidea ixteko.",
|
||||
"DE.Controllers.ApplicationController.textContactUs": "Jarri harremanetan salmenta-sailarekin",
|
||||
"DE.Controllers.ApplicationController.textGotIt": "Ulertu dut",
|
||||
"DE.Controllers.ApplicationController.textGuest": "Gonbidatua",
|
||||
"DE.Controllers.ApplicationController.textLoadingDocument": "Dokumentua kargatzen",
|
||||
"DE.Controllers.ApplicationController.textNoLicenseTitle": "Lizentziaren mugara iritsi zara",
|
||||
"DE.Controllers.ApplicationController.textOf": "/",
|
||||
"DE.Controllers.ApplicationController.textRequired": "Bete derrigorrezko eremu guztiak formularioa bidaltzeko.",
|
||||
"DE.Controllers.ApplicationController.textSaveAs": "Gorde PDF bezala",
|
||||
"DE.Controllers.ApplicationController.textSaveAsDesktop": "Gorde honela...",
|
||||
"DE.Controllers.ApplicationController.textSubmited": "<b>Formularioa behar bezala bidali da</b><br>Egin klik argibidea ixteko",
|
||||
"DE.Controllers.ApplicationController.titleLicenseExp": "Lizentzia iraungi da",
|
||||
"DE.Controllers.ApplicationController.titleServerVersion": "Editorea eguneratu da",
|
||||
"DE.Controllers.ApplicationController.titleUpdateVersion": "Bertsioa aldatu da",
|
||||
"DE.Controllers.ApplicationController.txtArt": "Zure testua hemen",
|
||||
"DE.Controllers.ApplicationController.txtChoose": "Aukeratu elementu bat",
|
||||
"DE.Controllers.ApplicationController.txtClickToLoad": "Egin klik irudia kargatzeko",
|
||||
"DE.Controllers.ApplicationController.txtClose": "Itxi",
|
||||
"DE.Controllers.ApplicationController.txtEmpty": "(Hutsik)",
|
||||
"DE.Controllers.ApplicationController.txtEnterDate": "Idatzi data",
|
||||
"DE.Controllers.ApplicationController.txtPressLink": "Sakatu Ctrl eta egin klik estekan",
|
||||
"DE.Controllers.ApplicationController.txtUntitled": "Izengabea",
|
||||
"DE.Controllers.ApplicationController.unknownErrorText": "Errore ezezaguna.",
|
||||
"DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Zure nabigatzaileak ez du euskarririk.",
|
||||
"DE.Controllers.ApplicationController.uploadImageExtMessage": "Irudi formatu ezezaguna.",
|
||||
"DE.Controllers.ApplicationController.uploadImageSizeMessage": "Irudia handiegia da. Gehienezko tamaina 25 MB da.",
|
||||
"DE.Controllers.ApplicationController.waitText": "Mesedez, itxaron...",
|
||||
"DE.Controllers.ApplicationController.warnLicenseExceeded": "Aldi bereko %1 editoreren konexio-mugara iritsi zara. Dokumentu hau irakurtzeko soilik irekiko da.<br>Jarri harremanetan zure administratzailearekin informazio gehiagorako.",
|
||||
"DE.Controllers.ApplicationController.warnLicenseExp": "Zure lizentzia iraungi da.<br>Mesedez, eguneratu lizentzia eta kargatu berriz orria.",
|
||||
"DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Lizentzia iraungi da.<br>Ez daukazu dokumentuak editatzeko funtzionalitaterako sarbiderik.<br>Mesedez, jarri zure administratzailearekin harremanetan.",
|
||||
"DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Lizentzia berritu behar da.<br>Dokumentuak editatzeko funtzionalitatera sarbide mugatua duzu.<br>Mesedez, jarri harremanetan zure administratzailearekin sarbide osoko lortzeko",
|
||||
"DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Aldi bereko %1 editoreren konexio-mugara iritsi zara. Jarri harremanetan zure administratzailearekin informazio gehiagorako.",
|
||||
"DE.Controllers.ApplicationController.warnNoLicense": "Aldi bereko %1 editoreren konexio-mugara iritsi zara. Dokumentu hau irakurtzeko soilik irekiko da.<br>Jarri harremanetan %1 salmenta taldearekin mailaz igotzeko baldintzak ezagutzeko.",
|
||||
"DE.Controllers.ApplicationController.warnNoLicenseUsers": "Aldi bereko %1 editoreren konexio-mugara iritsi zara. Jarri harremanetan %1 salmenta taldearekin mailaz igotzeko baldintzak ezagutzeko.",
|
||||
"DE.Views.ApplicationView.textClear": "Garbitu eremu guztiak",
|
||||
"DE.Views.ApplicationView.textCopy": "Kopiatu",
|
||||
"DE.Views.ApplicationView.textCut": "Ebaki",
|
||||
"DE.Views.ApplicationView.textFitToPage": "Doitu orrira",
|
||||
"DE.Views.ApplicationView.textFitToWidth": "Doitu zabalerara",
|
||||
"DE.Views.ApplicationView.textNext": "Hurrengo eremua",
|
||||
"DE.Views.ApplicationView.textPaste": "Itsatsi",
|
||||
"DE.Views.ApplicationView.textPrintSel": "Inprimatu hautapena",
|
||||
"DE.Views.ApplicationView.textRedo": "Berregin",
|
||||
"DE.Views.ApplicationView.textSubmit": "Bidali",
|
||||
"DE.Views.ApplicationView.textUndo": "Desegin",
|
||||
"DE.Views.ApplicationView.textZoom": "Zooma",
|
||||
"DE.Views.ApplicationView.txtDarkMode": "Modu iluna",
|
||||
"DE.Views.ApplicationView.txtDownload": "Deskargatu",
|
||||
"DE.Views.ApplicationView.txtDownloadDocx": "Deskargatu docx bezala",
|
||||
"DE.Views.ApplicationView.txtDownloadPdf": "Deskargatu pdf bezala",
|
||||
"DE.Views.ApplicationView.txtEmbed": "Kapsulatu",
|
||||
"DE.Views.ApplicationView.txtFileLocation": "Ireki fitxategiaren kokalekua",
|
||||
"DE.Views.ApplicationView.txtFullScreen": "Pantaila osoa",
|
||||
"DE.Views.ApplicationView.txtPrint": "Inprimatu",
|
||||
"DE.Views.ApplicationView.txtShare": "Partekatu",
|
||||
"DE.Views.ApplicationView.txtTheme": "Interfazearen gaia"
|
||||
}
|
|
@ -90,7 +90,7 @@
|
|||
"DE.Controllers.ApplicationController.errorFilePassProtect": "ドキュメントがパスワードで保護されているため開くことができません",
|
||||
"DE.Controllers.ApplicationController.errorFileSizeExceed": "ファイルサイズがサーバーで設定された制限を超過しています。<br>Documentサーバー管理者に詳細をお問い合わせください。",
|
||||
"DE.Controllers.ApplicationController.errorForceSave": "文書の保存中にエラーが発生しました。コンピューターにファイルを保存するために、「...としてダウンロード」を使用し、または後で再お試しください。",
|
||||
"DE.Controllers.ApplicationController.errorLoadingFont": "フォントがダウンロードされませんでした。文書サーバのアドミニストレータを連絡してください。",
|
||||
"DE.Controllers.ApplicationController.errorLoadingFont": "フォントがダウンロードされませんでした。<br>文書サーバのアドミニストレータを連絡してください。",
|
||||
"DE.Controllers.ApplicationController.errorServerVersion": "エディターのバージョンが更新されました。 変更を適用するために、ページが再読み込みされます。",
|
||||
"DE.Controllers.ApplicationController.errorSessionAbsolute": "ドキュメント編集セッションが終了しました。 ページをリロードしてください。",
|
||||
"DE.Controllers.ApplicationController.errorSessionIdle": "このドキュメントはかなり長い間編集されていませんでした。このページをリロードしてください。",
|
||||
|
|
169
apps/documenteditor/forms/locale/ms.json
Normal file
169
apps/documenteditor/forms/locale/ms.json
Normal file
|
@ -0,0 +1,169 @@
|
|||
{
|
||||
"Common.UI.Calendar.textApril": "April",
|
||||
"Common.UI.Calendar.textAugust": "Ogos",
|
||||
"Common.UI.Calendar.textDecember": "Disember",
|
||||
"Common.UI.Calendar.textFebruary": "Februari",
|
||||
"Common.UI.Calendar.textJanuary": "Januari",
|
||||
"Common.UI.Calendar.textJuly": "Julai",
|
||||
"Common.UI.Calendar.textJune": "Jun",
|
||||
"Common.UI.Calendar.textMarch": "Mac",
|
||||
"Common.UI.Calendar.textMay": "Mei",
|
||||
"Common.UI.Calendar.textMonths": "Bulan",
|
||||
"Common.UI.Calendar.textNovember": "November",
|
||||
"Common.UI.Calendar.textOctober": "Oktober",
|
||||
"Common.UI.Calendar.textSeptember": "September",
|
||||
"Common.UI.Calendar.textShortApril": "Apr",
|
||||
"Common.UI.Calendar.textShortAugust": "Ogos",
|
||||
"Common.UI.Calendar.textShortDecember": "Ogos",
|
||||
"Common.UI.Calendar.textShortFebruary": "Feb",
|
||||
"Common.UI.Calendar.textShortFriday": "Jum",
|
||||
"Common.UI.Calendar.textShortJanuary": "Jan",
|
||||
"Common.UI.Calendar.textShortJuly": "Jul",
|
||||
"Common.UI.Calendar.textShortJune": "Jun",
|
||||
"Common.UI.Calendar.textShortMarch": "Mac",
|
||||
"Common.UI.Calendar.textShortMay": "Mei",
|
||||
"Common.UI.Calendar.textShortMonday": "Is",
|
||||
"Common.UI.Calendar.textShortNovember": "Nov",
|
||||
"Common.UI.Calendar.textShortOctober": "Okt",
|
||||
"Common.UI.Calendar.textShortSaturday": "Sa",
|
||||
"Common.UI.Calendar.textShortSeptember": "Sep",
|
||||
"Common.UI.Calendar.textShortSunday": "Su",
|
||||
"Common.UI.Calendar.textShortThursday": "Kha",
|
||||
"Common.UI.Calendar.textShortTuesday": "Sel",
|
||||
"Common.UI.Calendar.textShortWednesday": "Kami",
|
||||
"Common.UI.Calendar.textYears": "Tahun",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Klasik Cerah",
|
||||
"Common.UI.Themes.txtThemeDark": "Gelap",
|
||||
"Common.UI.Themes.txtThemeLight": "Ringan",
|
||||
"Common.UI.Window.cancelButtonText": "Batalkan",
|
||||
"Common.UI.Window.closeButtonText": "Tutup",
|
||||
"Common.UI.Window.noButtonText": "Tidak",
|
||||
"Common.UI.Window.okButtonText": "Okey",
|
||||
"Common.UI.Window.textConfirmation": "Pengesahan",
|
||||
"Common.UI.Window.textDontShow": "Jangan tunjukkan mesej ini semula",
|
||||
"Common.UI.Window.textError": "Ralat",
|
||||
"Common.UI.Window.textInformation": "Informasi",
|
||||
"Common.UI.Window.textWarning": "Amaran",
|
||||
"Common.UI.Window.yesButtonText": "Ya",
|
||||
"Common.Views.CopyWarningDialog.textDontShow": "Jangan tunjukkan mesej ini semula",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "Tindakan salin, potong dan tampal menggunakan konteks tindakan menu akan dilakukan dalam tab editor ini sahaja.<br><br>Untuk menyalin atau menampal keapda atau daripada aplikasi di luar tab editor guna kombinasi papan kekunci yang berikut:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "Tindakan Salin, Potong dan Tampal",
|
||||
"Common.Views.CopyWarningDialog.textToCopy": "untuk Salinan",
|
||||
"Common.Views.CopyWarningDialog.textToCut": "untuk Potong",
|
||||
"Common.Views.CopyWarningDialog.textToPaste": "untuk Tampal",
|
||||
"Common.Views.EmbedDialog.textHeight": "Ketinggian",
|
||||
"Common.Views.EmbedDialog.textTitle": "Dibenamkan",
|
||||
"Common.Views.EmbedDialog.textWidth": "Lebar",
|
||||
"Common.Views.EmbedDialog.txtCopy": "Salin ke papan klip",
|
||||
"Common.Views.ImageFromUrlDialog.textUrl": "Tampal URL imej:",
|
||||
"Common.Views.ImageFromUrlDialog.txtEmpty": "Medan ini diperlukan",
|
||||
"Common.Views.ImageFromUrlDialog.txtNotUrl": "Medan ini perlu sebagai URL dalam format \"http://www.example.com\"",
|
||||
"Common.Views.OpenDialog.closeButtonText": "Tutup Fail",
|
||||
"Common.Views.OpenDialog.txtEncoding": "Pengekodan",
|
||||
"Common.Views.OpenDialog.txtIncorrectPwd": "Kata laluan tidak betul.",
|
||||
"Common.Views.OpenDialog.txtOpenFile": "Masukkan kata laluan untuk membuka fail",
|
||||
"Common.Views.OpenDialog.txtPassword": "Kata laluan",
|
||||
"Common.Views.OpenDialog.txtPreview": "Pratonton",
|
||||
"Common.Views.OpenDialog.txtProtected": "Setelah anda masukkan kata laluan dan buka fail, kata laluan semasa kepada fail akan diset semula.",
|
||||
"Common.Views.OpenDialog.txtTitle": "Pilih pilihan %1",
|
||||
"Common.Views.OpenDialog.txtTitleProtected": "Fail Dilindungi",
|
||||
"Common.Views.SaveAsDlg.textLoading": "Memuatkan",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Folder untuk simpan",
|
||||
"Common.Views.SelectFileDlg.textLoading": "Memuatkan",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Pilih Sumber Data",
|
||||
"Common.Views.ShareDialog.textTitle": "Kongsi Pautan",
|
||||
"Common.Views.ShareDialog.txtCopy": "Salin ke papan klip",
|
||||
"DE.Controllers.ApplicationController.convertationErrorText": "Penukaran telah gagal.",
|
||||
"DE.Controllers.ApplicationController.convertationTimeoutText": "Melebihi masa tamat penukaran.",
|
||||
"DE.Controllers.ApplicationController.criticalErrorTitle": "Ralat",
|
||||
"DE.Controllers.ApplicationController.downloadErrorText": "Muat turun telah gagal.",
|
||||
"DE.Controllers.ApplicationController.downloadTextText": "Dokumen dimuat turun…",
|
||||
"DE.Controllers.ApplicationController.errorAccessDeny": "Anda sedang cuba untuk melakukan tindakan yang anda tidak mempunyai hak untuk.<br>Sila, hubungi pentadbir Pelayan Dokumen anda.",
|
||||
"DE.Controllers.ApplicationController.errorBadImageUrl": "Imej URL tidak betul",
|
||||
"DE.Controllers.ApplicationController.errorConnectToServer": "Dokumen tidak dapat disimpan. Sila semak seting sambungan atau hubungi pentadbir anda.<br>Apabila anda klik butang ‘OK’, anda akan diminta untuk muat turun dokumen.",
|
||||
"DE.Controllers.ApplicationController.errorDataEncrypted": "Sulitkan perubahan yang telah diterima, mereka tidak dapat ditafsirkan.",
|
||||
"DE.Controllers.ApplicationController.errorDefaultMessage": "Kod ralat: %1",
|
||||
"DE.Controllers.ApplicationController.errorEditingDownloadas": "Terdapat ralat yang berlaku semasa bekerja dengan dokumen.<br>Gunakan pilihan 'Download as...' untuk menyimpan salinan fail sandaran ke pemacu keras komputer anda.",
|
||||
"DE.Controllers.ApplicationController.errorEditingSaveas": "Terdapat ralat yang berlaku semasa bekerja dengan dokumen.<br>Gunakan pilihan 'Save as...' untuk menyimpan salinan fail sandaran ke pemacu keras komputer anda.",
|
||||
"DE.Controllers.ApplicationController.errorFilePassProtect": "Fail dilindungi kata laluan dan tidak boleh dibuka.",
|
||||
"DE.Controllers.ApplicationController.errorFileSizeExceed": "Saiz fail melebihi had ditetapkan untuk pelayan anda.<br>Sila, hubungi pentadbir Pelayan Dokumen anda untuk butiran.",
|
||||
"DE.Controllers.ApplicationController.errorForceSave": "Terdapat ralat yang berlaku semasa menyimpan fail. Sila gunakan pilihan 'Download as' untuk menyimpan salinan fail sandaran ke pemacu keras komputer anda dan cuba semula nanti.",
|
||||
"DE.Controllers.ApplicationController.errorLoadingFont": "Fon tidak dimuatkan.<br>Sila hubungi pentadbir Pelayan Dokumen anda.",
|
||||
"DE.Controllers.ApplicationController.errorServerVersion": "Versi editor telah dikemas kinikan. Halaman akan dimuat semula untuk menggunakan perubahan.",
|
||||
"DE.Controllers.ApplicationController.errorSessionAbsolute": "Sesi pengeditan dokumen telah tamat tempoh. Sila muat semula halaman.",
|
||||
"DE.Controllers.ApplicationController.errorSessionIdle": "Dokumen tidak diedit buat masa yang lama. Sila muat semula halaman.",
|
||||
"DE.Controllers.ApplicationController.errorSessionToken": "Sambungan kepada pelayan telah terganggu. Sila muat semula halaman.",
|
||||
"DE.Controllers.ApplicationController.errorSubmit": "Serahan telah gagal.",
|
||||
"DE.Controllers.ApplicationController.errorToken": "Dokumen token keselamatan kini tidak dibentuk.<br>Sila hubungi pentadbir Pelayan Dokumen.",
|
||||
"DE.Controllers.ApplicationController.errorTokenExpire": "Dokumen token keselamatan telah tamat tempoh.<br>Sila hubungi pentadbir Pelayan Dokumen.",
|
||||
"DE.Controllers.ApplicationController.errorUpdateVersion": "Versi fail telah berubah. Halaman akan dimuatkan semula.",
|
||||
"DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "Sambungan internet telah dipulihkan, dan versi fail telah berubah.<br>Sebelum anda boleh terus bekerja, anda perlu memuat turun fail atau menyalin kandungannya untuk memastikan tiada ada yang hilang, dan kemudian muat semula halaman ini.",
|
||||
"DE.Controllers.ApplicationController.errorUserDrop": "Fail tidak boleh diakses sekarang.",
|
||||
"DE.Controllers.ApplicationController.errorViewerDisconnect": "Sambungan telah hilang. Anda masih boleh melihat dokumen,<br>tetapi tidak dapat muat turun atau cetaknya sehingga sambungan dipulihkan dan halaman dimuat semua.",
|
||||
"DE.Controllers.ApplicationController.mniImageFromFile": "Imej daripada Fail",
|
||||
"DE.Controllers.ApplicationController.mniImageFromStorage": "Imej daripada Simpanan",
|
||||
"DE.Controllers.ApplicationController.mniImageFromUrl": "Imej daripada URL",
|
||||
"DE.Controllers.ApplicationController.notcriticalErrorTitle": "Amaran",
|
||||
"DE.Controllers.ApplicationController.openErrorText": "Ralat telah berlaku semasa membuka fail.",
|
||||
"DE.Controllers.ApplicationController.saveErrorText": "Ralat telah berlaku semasa menyimpan fail.",
|
||||
"DE.Controllers.ApplicationController.saveErrorTextDesktop": "Fail ini tidak boleh disimpan atau dicipta.<br>Kemungkinan alasannya adalah: <br>1. Fail ini ialah untuk dibaca-sahaja. <br>2. Fail sedang diedit oleh pengguna lain. <br>3. Cakera telah penuh atau rosak.",
|
||||
"DE.Controllers.ApplicationController.scriptLoadError": "Sambungan terlalu perlahan, beberapa komponen tidak dapat dimuatkan. Sila muat semula halaman.",
|
||||
"DE.Controllers.ApplicationController.textAnonymous": "Tanpa Nama",
|
||||
"DE.Controllers.ApplicationController.textBuyNow": "Lihat laman web",
|
||||
"DE.Controllers.ApplicationController.textCloseTip": "Klik untuk tutup petua.",
|
||||
"DE.Controllers.ApplicationController.textContactUs": "Hubungi jualan",
|
||||
"DE.Controllers.ApplicationController.textGotIt": "Faham",
|
||||
"DE.Controllers.ApplicationController.textGuest": "Tetamu",
|
||||
"DE.Controllers.ApplicationController.textLoadingDocument": "Dokumen dimuatkan",
|
||||
"DE.Controllers.ApplicationController.textNoLicenseTitle": "Had lesen telah dicapai",
|
||||
"DE.Controllers.ApplicationController.textOf": "bagi",
|
||||
"DE.Controllers.ApplicationController.textRequired": "Isi semua medan diperlukan untuk menyerahkan borang.",
|
||||
"DE.Controllers.ApplicationController.textSaveAs": "Simpan sebagai PDF",
|
||||
"DE.Controllers.ApplicationController.textSaveAsDesktop": "Simpan sebagai…",
|
||||
"DE.Controllers.ApplicationController.textSubmited": "<b>Borang telah berjaya dihantar</b><br>Klik untuk menutup petua",
|
||||
"DE.Controllers.ApplicationController.titleLicenseExp": "Lesen tamat tempoh",
|
||||
"DE.Controllers.ApplicationController.titleServerVersion": "Editor dikemas kini",
|
||||
"DE.Controllers.ApplicationController.titleUpdateVersion": "Perubahan versi",
|
||||
"DE.Controllers.ApplicationController.txtArt": "Teks anda di sini",
|
||||
"DE.Controllers.ApplicationController.txtChoose": "Pilih satu item",
|
||||
"DE.Controllers.ApplicationController.txtClickToLoad": "Klik untuk muatkan imej",
|
||||
"DE.Controllers.ApplicationController.txtClose": "Tutup",
|
||||
"DE.Controllers.ApplicationController.txtEmpty": "(Kosong)",
|
||||
"DE.Controllers.ApplicationController.txtEnterDate": "Masukkan Tarikh",
|
||||
"DE.Controllers.ApplicationController.txtPressLink": "Tekan Ctrl dan klik pautan",
|
||||
"DE.Controllers.ApplicationController.txtUntitled": "Tanpa Tajuk",
|
||||
"DE.Controllers.ApplicationController.unknownErrorText": "Ralat tidak diketahui.",
|
||||
"DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Pelayar anda tidak disokong.",
|
||||
"DE.Controllers.ApplicationController.uploadImageExtMessage": "Format imej yang tidak diketahui.",
|
||||
"DE.Controllers.ApplicationController.uploadImageSizeMessage": "Imej terlalu besar. Saiz maksimum adalah 25 MB.",
|
||||
"DE.Controllers.ApplicationController.waitText": "Sila, tunggu…",
|
||||
"DE.Controllers.ApplicationController.warnLicenseExceeded": "Anda telah mencapai had pengguna untuk sambungan serentak kepada editor %1. Dokumen ini akan dibuka untuk dilihat sahaja.<br>Hubungi pentadbir anda untuk ketahui selanjutnya.",
|
||||
"DE.Controllers.ApplicationController.warnLicenseExp": "Lesen anda telah tamat tempoh.<br>Sila kemas kini lesen anda dan segarkan halaman.",
|
||||
"DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Lesen tamat tempoh.<br>Anda tidak mempunyai akses terhadap fungsi pengeditan dokumen.<br>Sila hubungi pentadbir anda.",
|
||||
"DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Lesen perlu untuk diperbaharui.<br>Anda mempunyai akses terhad kepada fungi pengeditan dokumen.<br>Sila hubungi pentadbir anda untuk mendapatkan akses penuh",
|
||||
"DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Anda telah mencapai had pengguna untuk editor %1. Hubungi pentadbir anda untuk ketahui selanjutnya.",
|
||||
"DE.Controllers.ApplicationController.warnNoLicense": "Anda telah mencapai had pengguna untuk sambungan serentak kepada editor %1. Dokumen ini akan dibuka untuk dilihat sahaja.<br>Hubungi pasukan jualan %1 untuk naik taraf terma peribadi.",
|
||||
"DE.Controllers.ApplicationController.warnNoLicenseUsers": "Anda telah mencapai had pengguna untuk editor %1. Hubungi pasukan jualan %1 untuk naik taraf terma peribadi.",
|
||||
"DE.Views.ApplicationView.textClear": "Kosongkan Semua Medan",
|
||||
"DE.Views.ApplicationView.textCopy": "Salin",
|
||||
"DE.Views.ApplicationView.textCut": "Potong",
|
||||
"DE.Views.ApplicationView.textFitToPage": "Muat kepada Halaman",
|
||||
"DE.Views.ApplicationView.textFitToWidth": "Muat kepada Kelebaran",
|
||||
"DE.Views.ApplicationView.textNext": "Medan seterusnya",
|
||||
"DE.Views.ApplicationView.textPaste": "Tampal",
|
||||
"DE.Views.ApplicationView.textPrintSel": "Pemilihan Cetakan",
|
||||
"DE.Views.ApplicationView.textRedo": "Buat Semula",
|
||||
"DE.Views.ApplicationView.textSubmit": "Serah",
|
||||
"DE.Views.ApplicationView.textUndo": "Buat semula",
|
||||
"DE.Views.ApplicationView.textZoom": "Zum",
|
||||
"DE.Views.ApplicationView.txtDarkMode": "Mod gelap",
|
||||
"DE.Views.ApplicationView.txtDownload": "Muat turun",
|
||||
"DE.Views.ApplicationView.txtDownloadDocx": "Muat turun sebagai docx",
|
||||
"DE.Views.ApplicationView.txtDownloadPdf": "Muat turun sebagai pdf",
|
||||
"DE.Views.ApplicationView.txtEmbed": "Dibenamkan",
|
||||
"DE.Views.ApplicationView.txtFileLocation": "Buka lokasi fail",
|
||||
"DE.Views.ApplicationView.txtFullScreen": "Skrin penuh",
|
||||
"DE.Views.ApplicationView.txtPrint": "Cetak",
|
||||
"DE.Views.ApplicationView.txtShare": "Kongsi",
|
||||
"DE.Views.ApplicationView.txtTheme": "Tema antara muka"
|
||||
}
|
|
@ -143,7 +143,8 @@ define([
|
|||
me.userTooltip = true;
|
||||
me.wrapEvents = {
|
||||
userTipMousover: _.bind(me.userTipMousover, me),
|
||||
userTipMousout: _.bind(me.userTipMousout, me)
|
||||
userTipMousout: _.bind(me.userTipMousout, me),
|
||||
onKeyUp: _.bind(me.onKeyUp, me)
|
||||
};
|
||||
|
||||
var keymap = {};
|
||||
|
@ -311,8 +312,9 @@ define([
|
|||
var command = message.data.command;
|
||||
var data = message.data.data;
|
||||
if (this.api) {
|
||||
if (oleEditor.isEditMode())
|
||||
this.api.asc_editTableOleObject(data);
|
||||
oleEditor.isEditMode()
|
||||
? this.api.asc_editTableOleObject(data)
|
||||
: this.api.asc_addTableOleObject(data);
|
||||
}
|
||||
}, this));
|
||||
oleEditor.on('hide', _.bind(function(cmp, message) {
|
||||
|
@ -642,6 +644,9 @@ define([
|
|||
var me = this;
|
||||
if (me.api){
|
||||
var key = event.keyCode;
|
||||
if (me.hkSpecPaste) {
|
||||
me._needShowSpecPasteMenu = !event.shiftKey && !event.altKey && event.keyCode == Common.UI.Keys.CTRL;
|
||||
}
|
||||
if ((event.ctrlKey || event.metaKey) && !event.shiftKey && !event.altKey){
|
||||
if (key === Common.UI.Keys.NUM_PLUS || key === Common.UI.Keys.EQUALITY || (Common.Utils.isGecko && key === Common.UI.Keys.EQUALITY_FF) || (Common.Utils.isOpera && key == 43)){
|
||||
me.api.zoomIn();
|
||||
|
@ -1086,8 +1091,10 @@ define([
|
|||
parentEl: $('#id-document-holder-btn-special-paste'),
|
||||
cls : 'btn-toolbar',
|
||||
iconCls : 'toolbar__icon btn-paste',
|
||||
caption : Common.Utils.String.platformKey('Ctrl', '({0})'),
|
||||
menu : new Common.UI.Menu({items: []})
|
||||
});
|
||||
me.initSpecialPasteEvents();
|
||||
}
|
||||
|
||||
if (pasteItems.length>0) {
|
||||
|
@ -1100,20 +1107,18 @@ define([
|
|||
var group_prev = -1;
|
||||
_.each(pasteItems, function(menuItem, index) {
|
||||
var mnu = new Common.UI.MenuItem({
|
||||
caption: me._arrSpecialPaste[menuItem],
|
||||
caption: me._arrSpecialPaste[menuItem] + ' (' + me.hkSpecPaste[menuItem] + ')',
|
||||
value: menuItem,
|
||||
checkable: true,
|
||||
toggleGroup : 'specialPasteGroup'
|
||||
}).on('click', function(item, e) {
|
||||
me.api.asc_SpecialPaste(item.value);
|
||||
setTimeout(function(){menu.hide();}, 100);
|
||||
});
|
||||
}).on('click', _.bind(me.onSpecialPasteItemClick, me));
|
||||
menu.addItem(mnu);
|
||||
});
|
||||
(menu.items.length>0) && menu.items[0].setChecked(true, true);
|
||||
}
|
||||
if (coord.asc_getX()<0 || coord.asc_getY()<0) {
|
||||
if (pasteContainer.is(':visible')) pasteContainer.hide();
|
||||
$(document).off('keyup', this.wrapEvents.onKeyUp);
|
||||
} else {
|
||||
var showPoint = [coord.asc_getX() + coord.asc_getWidth() + 3, coord.asc_getY() + coord.asc_getHeight() + 3];
|
||||
if (!Common.Utils.InternalSettings.get("de-hidden-rulers")) {
|
||||
|
@ -1121,13 +1126,54 @@ define([
|
|||
}
|
||||
pasteContainer.css({left: showPoint[0], top : showPoint[1]});
|
||||
pasteContainer.show();
|
||||
setTimeout(function() {
|
||||
$(document).on('keyup', me.wrapEvents.onKeyUp);
|
||||
}, 10);
|
||||
}
|
||||
},
|
||||
|
||||
onHideSpecialPasteOptions: function() {
|
||||
var pasteContainer = this.documentHolder.cmpEl.find('#special-paste-container');
|
||||
if (pasteContainer.is(':visible'))
|
||||
if (pasteContainer.is(':visible')) {
|
||||
pasteContainer.hide();
|
||||
$(document).off('keyup', this.wrapEvents.onKeyUp);
|
||||
}
|
||||
},
|
||||
|
||||
onKeyUp: function (e) {
|
||||
if (e.keyCode == Common.UI.Keys.CTRL && this._needShowSpecPasteMenu && !this.btnSpecialPaste.menu.isVisible() && /area_id/.test(e.target.id)) {
|
||||
$('button', this.btnSpecialPaste.cmpEl).click();
|
||||
e.preventDefault();
|
||||
}
|
||||
this._needShowSpecPasteMenu = false;
|
||||
},
|
||||
|
||||
initSpecialPasteEvents: function() {
|
||||
var me = this;
|
||||
me.hkSpecPaste = [];
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.paste] = 'P';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.sourceformatting] = 'K';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.keepTextOnly] = 'T';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.insertAsNestedTable] = 'N';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.overwriteCells] = 'O';
|
||||
for(var key in me.hkSpecPaste){
|
||||
if(me.hkSpecPaste.hasOwnProperty(key)){
|
||||
var keymap = {};
|
||||
keymap[me.hkSpecPaste[key]] = _.bind(me.onSpecialPasteItemClick, me, {value: parseInt(key)});
|
||||
Common.util.Shortcuts.delegateShortcuts({shortcuts:keymap});
|
||||
Common.util.Shortcuts.suspendEvents(me.hkSpecPaste[key], undefined, true);
|
||||
}
|
||||
}
|
||||
|
||||
me.btnSpecialPaste.menu.on('show:after', function(menu) {
|
||||
for (var i = 0; i < menu.items.length; i++) {
|
||||
me.hkSpecPaste[menu.items[i].value] && Common.util.Shortcuts.resumeEvents(me.hkSpecPaste[menu.items[i].value]);
|
||||
}
|
||||
}).on('hide:after', function(menu) {
|
||||
for (var i = 0; i < menu.items.length; i++) {
|
||||
me.hkSpecPaste[menu.items[i].value] && Common.util.Shortcuts.suspendEvents(me.hkSpecPaste[menu.items[i].value], undefined, true);
|
||||
}
|
||||
});
|
||||
},
|
||||
|
||||
onDoubleClickOnChart: function(chart) {
|
||||
|
@ -2232,6 +2278,22 @@ define([
|
|||
this.documentHolder.fireEvent('links:contents', [item.value, true]);
|
||||
},
|
||||
|
||||
onSpecialPasteItemClick: function(item, e) {
|
||||
if (this.api) {
|
||||
this.api.asc_SpecialPaste(item.value);
|
||||
var menu = this.btnSpecialPaste.menu;
|
||||
if (!item.cmpEl) {
|
||||
for (var i = 0; i < menu.items.length; i++) {
|
||||
menu.items[i].setChecked(menu.items[i].value===item.value, true);
|
||||
}
|
||||
}
|
||||
setTimeout(function(){
|
||||
menu.hide();
|
||||
}, 100);
|
||||
}
|
||||
return false;
|
||||
},
|
||||
|
||||
editComplete: function() {
|
||||
this.documentHolder && this.documentHolder.fireEvent('editcomplete', this.documentHolder);
|
||||
}
|
||||
|
|
|
@ -688,7 +688,6 @@ define([
|
|||
if (this.leftMenu.btnComments.isActive()) {
|
||||
this.leftMenu.btnComments.toggle(false);
|
||||
this.leftMenu.onBtnMenuClick(this.leftMenu.btnComments);
|
||||
|
||||
// focus to sdk
|
||||
this.api.asc_enableKeyEvents(true);
|
||||
} else if (this.leftMenu.btnThumbnails.isActive()) {
|
||||
|
@ -715,6 +714,7 @@ define([
|
|||
case 'replace':
|
||||
case 'search':
|
||||
this.leftMenu.btnAbout.toggle(false);
|
||||
Common.UI.Menu.Manager.hideAll();
|
||||
var selectedText = this.api.asc_GetSelectedText();
|
||||
if (this.isSearchPanelVisible()) {
|
||||
selectedText && this.leftMenu.panelSearch.setFindText(selectedText);
|
||||
|
@ -767,7 +767,6 @@ define([
|
|||
// if (!this.leftMenu.isOpened()) return true;
|
||||
var btnSearch = this.getApplication().getController('Viewport').header.btnSearch;
|
||||
btnSearch.pressed && btnSearch.toggle(false);
|
||||
this.leftMenu._state.isSearchOpen && (this.leftMenu._state.isSearchOpen = false);
|
||||
|
||||
if ( this.leftMenu.menuFile.isVisible() ) {
|
||||
if (Common.UI.HintManager.needCloseFileMenu())
|
||||
|
@ -878,11 +877,10 @@ define([
|
|||
var mode = this.mode.isEdit && !this.viewmode ? undefined : 'no-replace';
|
||||
this.leftMenu.panelSearch.setSearchMode(mode);
|
||||
}
|
||||
this.leftMenu._state.isSearchOpen = show;
|
||||
},
|
||||
|
||||
isSearchPanelVisible: function () {
|
||||
return this.leftMenu._state.isSearchOpen;
|
||||
return this.leftMenu && this.leftMenu.panelSearch && this.leftMenu.panelSearch.isVisible();
|
||||
},
|
||||
|
||||
isCommentsVisible: function() {
|
||||
|
|
|
@ -121,7 +121,7 @@ define([
|
|||
this._state.useRegExp = checked;
|
||||
break;
|
||||
}
|
||||
if (this._state.searchText !== '') {
|
||||
if (this._state.searchText) {
|
||||
this.hideResults();
|
||||
if (this.onQuerySearch()) {
|
||||
if (this.searchTimer) {
|
||||
|
|
|
@ -1544,6 +1544,13 @@ define([
|
|||
Common.NotificationCenter.trigger('edit:complete', me.toolbar);
|
||||
}
|
||||
})).show();
|
||||
} else if (item.value == 'sse') {
|
||||
var oleEditor = this.getApplication().getController('Common.Controllers.ExternalOleEditor').getView('Common.Views.ExternalOleEditor');
|
||||
if (oleEditor) {
|
||||
oleEditor.setEditMode(false);
|
||||
oleEditor.show();
|
||||
oleEditor.setOleData("empty");
|
||||
}
|
||||
}
|
||||
},
|
||||
|
||||
|
|
|
@ -157,10 +157,14 @@ define([
|
|||
});
|
||||
|
||||
if (Common.UI.Themes.available()) {
|
||||
var menuItems = [],
|
||||
currentTheme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId();
|
||||
function _fill_themes() {
|
||||
var btn = this.view.btnInterfaceTheme;
|
||||
if ( typeof(btn.menu) == 'object' ) btn.menu.removeAll();
|
||||
else btn.setMenu(new Common.UI.Menu());
|
||||
|
||||
var currentTheme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId();
|
||||
for (var t in Common.UI.Themes.map()) {
|
||||
menuItems.push({
|
||||
btn.menu.addItem({
|
||||
value: t,
|
||||
caption: Common.UI.Themes.get(t).text,
|
||||
checked: t === currentTheme,
|
||||
|
@ -168,9 +172,13 @@ define([
|
|||
toggleGroup: 'interface-theme'
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
if (menuItems.length) {
|
||||
me.view.btnInterfaceTheme.setMenu(new Common.UI.Menu({items: menuItems}));
|
||||
Common.NotificationCenter.on('uitheme:countchanged', _fill_themes.bind(me));
|
||||
_fill_themes.call(me);
|
||||
|
||||
if (me.view.btnInterfaceTheme.menu.items.length) {
|
||||
// me.view.btnInterfaceTheme.setMenu(new Common.UI.Menu({items: menuItems}));
|
||||
me.view.btnInterfaceTheme.menu.on('item:click', _.bind(function (menu, item) {
|
||||
var value = item.value;
|
||||
Common.UI.Themes.setTheme(value);
|
||||
|
|
|
@ -197,6 +197,8 @@ define([
|
|||
toolbar = me.getApplication().getController('Toolbar').getView();
|
||||
toolbar.btnCollabChanges = me.header.btnSave;
|
||||
}
|
||||
|
||||
me.header.btnSearch.on('toggle', me.onSearchToggle.bind(this));
|
||||
},
|
||||
|
||||
onAppReady: function (config) {
|
||||
|
@ -281,7 +283,11 @@ define([
|
|||
return;
|
||||
}
|
||||
if (!this.searchBar) {
|
||||
this.searchBar = new Common.UI.SearchBar({});
|
||||
var isVisible = leftMenu && leftMenu.leftMenu && leftMenu.leftMenu.isVisible();
|
||||
this.searchBar = new Common.UI.SearchBar( !isVisible ? {
|
||||
showOpenPanel: false,
|
||||
width: 303
|
||||
} : {});
|
||||
this.searchBar.on('hide', _.bind(function () {
|
||||
this.header.btnSearch.toggle(false, true);
|
||||
}, this));
|
||||
|
|
|
@ -28,6 +28,12 @@
|
|||
<div id="form-txt-pholder"></div>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td class="padding-small">
|
||||
<label class="input-label"><%= scope.textTag %></label>
|
||||
<div id="form-txt-tag"></div>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td class="padding-large">
|
||||
<label class="input-label"><%= scope.textTip %></label>
|
||||
|
|
|
@ -147,6 +147,24 @@ define([
|
|||
setTimeout(function(){me.txtPlaceholder._input && me.txtPlaceholder._input.select();}, 1);
|
||||
});
|
||||
|
||||
this.txtTag = new Common.UI.InputField({
|
||||
el : $markup.findById('#form-txt-tag'),
|
||||
allowBlank : true,
|
||||
validateOnChange: false,
|
||||
validateOnBlur: false,
|
||||
style : 'width: 100%;',
|
||||
value : '',
|
||||
dataHint : '1',
|
||||
dataHintDirection: 'left',
|
||||
dataHintOffset: 'small'
|
||||
});
|
||||
this.lockedControls.push(this.txtTag);
|
||||
this.txtTag.on('changed:after', this.onTagChanged.bind(this));
|
||||
this.txtTag.on('inputleave', function(){ me.fireEvent('editcomplete', me);});
|
||||
this.txtTag.cmpEl.on('focus', 'input.form-control', function() {
|
||||
setTimeout(function(){me.txtTag._input && me.txtTag._input.select();}, 1);
|
||||
});
|
||||
|
||||
this.textareaHelp = new Common.UI.TextareaField({
|
||||
el : $markup.findById('#form-txt-help'),
|
||||
style : 'width: 100%; height: 60px;',
|
||||
|
@ -501,6 +519,16 @@ define([
|
|||
}
|
||||
},
|
||||
|
||||
onTagChanged: function(input, newValue, oldValue, e) {
|
||||
if (this.api && !this._noApply && (newValue!==oldValue)) {
|
||||
var props = this._originalProps || new AscCommon.CContentControlPr();
|
||||
props.put_Tag(newValue);
|
||||
this.api.asc_SetContentControlProperties(props, this.internalId);
|
||||
if (!e.relatedTarget || (e.relatedTarget.localName != 'input' && e.relatedTarget.localName != 'textarea') || !/form-control/.test(e.relatedTarget.className))
|
||||
this.fireEvent('editcomplete', this);
|
||||
}
|
||||
},
|
||||
|
||||
onHelpChanged: function(input, newValue, oldValue, e) {
|
||||
if (this.api && !this._noApply && (newValue!==oldValue)) {
|
||||
var props = this._originalProps || new AscCommon.CContentControlPr();
|
||||
|
@ -830,6 +858,12 @@ define([
|
|||
this._state.placeholder = val;
|
||||
}
|
||||
|
||||
val = props.get_Tag();
|
||||
if (this._state.tag !== val) {
|
||||
this.txtTag.setValue(val ? val : '');
|
||||
this._state.tag = val;
|
||||
}
|
||||
|
||||
val = props.get_Lock();
|
||||
(val===undefined) && (val = Asc.c_oAscSdtLockType.Unlocked);
|
||||
if (this._state.LockDelete !== (val==Asc.c_oAscSdtLockType.SdtContentLocked || val==Asc.c_oAscSdtLockType.SdtLocked)) {
|
||||
|
@ -1341,7 +1375,8 @@ define([
|
|||
textTooBig: 'Image is Too Big',
|
||||
textTooSmall: 'Image is Too Small',
|
||||
textScale: 'When to scale',
|
||||
textBackgroundColor: 'Background Color'
|
||||
textBackgroundColor: 'Background Color',
|
||||
textTag: 'Tag'
|
||||
|
||||
}, DE.Views.FormSettings || {}));
|
||||
});
|
|
@ -69,17 +69,6 @@ define([
|
|||
// Delegated events for creating new items, and clearing completed ones.
|
||||
events: function() {
|
||||
return {
|
||||
/** coauthoring begin **/
|
||||
'click #left-btn-comments': _.bind(this.onCoauthOptions, this),
|
||||
'click #left-btn-chat': _.bind(this.onCoauthOptions, this),
|
||||
/** coauthoring end **/
|
||||
'click #left-btn-plugins': _.bind(this.onCoauthOptions, this),
|
||||
'click #left-btn-navigation': _.bind(this.onCoauthOptions, this),
|
||||
'click #left-btn-thumbnails': _.bind(this.onCoauthOptions, this),
|
||||
'click #left-btn-searchbar': _.bind(function () {
|
||||
this.onCoauthOptions();
|
||||
this.fireEvent('search:aftershow', this.leftMenu);
|
||||
}, this),
|
||||
'click #left-btn-support': function() {
|
||||
var config = this.mode.customization;
|
||||
config && !!config.feedback && !!config.feedback.url ?
|
||||
|
@ -105,6 +94,7 @@ define([
|
|||
enableToggle: true,
|
||||
toggleGroup: 'leftMenuGroup'
|
||||
});
|
||||
this.btnSearchBar.on('click', this.onBtnMenuClick.bind(this));
|
||||
|
||||
this.btnAbout = new Common.UI.Button({
|
||||
action: 'about',
|
||||
|
@ -114,6 +104,7 @@ define([
|
|||
disabled: true,
|
||||
toggleGroup: 'leftMenuGroup'
|
||||
});
|
||||
this.btnAbout.on('toggle', this.onBtnMenuToggle.bind(this));
|
||||
|
||||
this.btnSupport = new Common.UI.Button({
|
||||
action: 'support',
|
||||
|
@ -130,6 +121,8 @@ define([
|
|||
disabled: true,
|
||||
toggleGroup: 'leftMenuGroup'
|
||||
});
|
||||
this.btnComments.on('click', this.onBtnMenuClick.bind(this));
|
||||
this.btnComments.on('toggle', this.onBtnCommentsToggle.bind(this));
|
||||
|
||||
this.btnChat = new Common.UI.Button({
|
||||
el: $markup.elementById('#left-btn-chat'),
|
||||
|
@ -138,13 +131,11 @@ define([
|
|||
disabled: true,
|
||||
toggleGroup: 'leftMenuGroup'
|
||||
});
|
||||
this.btnChat.on('click', this.onBtnMenuClick.bind(this));
|
||||
|
||||
this.btnComments.hide();
|
||||
this.btnChat.hide();
|
||||
|
||||
this.btnComments.on('click', this.onBtnMenuClick.bind(this));
|
||||
this.btnComments.on('toggle', this.onBtnCommentsToggle.bind(this));
|
||||
this.btnChat.on('click', this.onBtnMenuClick.bind(this));
|
||||
/** coauthoring end **/
|
||||
|
||||
this.btnPlugins = new Common.UI.Button({
|
||||
|
@ -166,11 +157,8 @@ define([
|
|||
});
|
||||
this.btnNavigation.on('click', this.onBtnMenuClick.bind(this));
|
||||
|
||||
this.btnSearchBar.on('click', this.onBtnMenuClick.bind(this));
|
||||
this.btnAbout.on('toggle', this.onBtnMenuToggle.bind(this));
|
||||
|
||||
this.menuFile = new DE.Views.FileMenu();
|
||||
this.btnAbout.panel = new Common.Views.About({el: '#about-menu-panel', appName: 'Document Editor'});
|
||||
this.btnAbout.panel = new Common.Views.About({el: '#about-menu-panel', appName: this.txtEditor});
|
||||
|
||||
this.btnThumbnails = new Common.UI.Button({
|
||||
el: $markup.elementById('#left-btn-thumbnails'),
|
||||
|
@ -180,7 +168,6 @@ define([
|
|||
toggleGroup: 'leftMenuGroup'
|
||||
});
|
||||
this.btnThumbnails.hide();
|
||||
|
||||
this.btnThumbnails.on('click', this.onBtnMenuClick.bind(this));
|
||||
|
||||
this.$el.html($markup);
|
||||
|
@ -210,19 +197,19 @@ define([
|
|||
this.supressEvents = true;
|
||||
this.btnAbout.toggle(false);
|
||||
|
||||
if (btn.options.action == 'search') {
|
||||
} else {
|
||||
if (btn.pressed) {
|
||||
if (!(this.$el.width() > SCALE_MIN)) {
|
||||
this.$el.width(parseInt(Common.localStorage.getItem('de-mainmenu-width')) || MENU_SCALE_PART);
|
||||
}
|
||||
} else if (!this._state.pluginIsRunning) {
|
||||
Common.localStorage.setItem('de-mainmenu-width',this.$el.width());
|
||||
this.isVisible() && Common.localStorage.setItem('de-mainmenu-width',this.$el.width());
|
||||
this.$el.width(SCALE_MIN);
|
||||
}
|
||||
}
|
||||
|
||||
this.supressEvents = false;
|
||||
|
||||
this.onCoauthOptions();
|
||||
(btn.options.action == 'advancedsearch') && this.fireEvent('search:aftershow', this);
|
||||
Common.NotificationCenter.trigger('layout:changed', 'leftmenu');
|
||||
},
|
||||
|
||||
|
@ -388,7 +375,6 @@ define([
|
|||
!this.btnChat.isDisabled() && !this.btnChat.pressed) {
|
||||
this.btnChat.toggle(true);
|
||||
this.onBtnMenuClick(this.btnChat);
|
||||
this.onCoauthOptions();
|
||||
this.panelChat.focus();
|
||||
}
|
||||
} else
|
||||
|
@ -397,21 +383,18 @@ define([
|
|||
!this.btnComments.isDisabled() && !this.btnComments.pressed) {
|
||||
this.btnComments.toggle(true);
|
||||
this.onBtnMenuClick(this.btnComments);
|
||||
this.onCoauthOptions();
|
||||
}
|
||||
} else if (menu == 'navigation') {
|
||||
if (this.btnNavigation.isVisible() &&
|
||||
!this.btnNavigation.isDisabled() && !this.btnNavigation.pressed) {
|
||||
this.btnNavigation.toggle(true);
|
||||
this.onBtnMenuClick(this.btnNavigation);
|
||||
this.onCoauthOptions();
|
||||
}
|
||||
} else if (menu == 'advancedsearch') {
|
||||
if (this.btnSearchBar.isVisible() &&
|
||||
!this.btnSearchBar.isDisabled() && !this.btnSearchBar.pressed) {
|
||||
this.btnSearchBar.toggle(true);
|
||||
this.onBtnMenuClick(this.btnSearchBar);
|
||||
this.onCoauthOptions();
|
||||
this.panelSearch.focus();
|
||||
!suspendAfter && this.fireEvent('search:aftershow', this);
|
||||
}
|
||||
|
@ -514,6 +497,11 @@ define([
|
|||
}
|
||||
this.limitHint && this.limitHint.css('top', top);
|
||||
},
|
||||
|
||||
isVisible: function () {
|
||||
return this.$el && this.$el.is(':visible');
|
||||
},
|
||||
|
||||
/** coauthoring begin **/
|
||||
tipComments : 'Comments',
|
||||
tipChat : 'Chat',
|
||||
|
@ -528,6 +516,7 @@ define([
|
|||
txtTrialDev: 'Trial Developer Mode',
|
||||
tipNavigation: 'Navigation',
|
||||
tipOutline: 'Headings',
|
||||
txtLimit: 'Limit Access'
|
||||
txtLimit: 'Limit Access',
|
||||
txtEditor: 'Document Editor'
|
||||
}, DE.Views.LeftMenu || {}));
|
||||
});
|
||||
|
|
|
@ -608,7 +608,8 @@ define([
|
|||
{caption: this.mniCustomTable, value: 'custom'},
|
||||
{caption: this.mniDrawTable, value: 'draw', checkable: true},
|
||||
{caption: this.mniEraseTable, value: 'erase', checkable: true},
|
||||
{caption: this.mniTextToTable, value: 'convert'}
|
||||
{caption: this.mniTextToTable, value: 'convert'},
|
||||
{caption: this.mniInsertSSE, value: 'sse'}
|
||||
]
|
||||
}),
|
||||
dataHint: '1',
|
||||
|
@ -2835,7 +2836,8 @@ define([
|
|||
tipMarkersDash: 'Dash bullets',
|
||||
textTabView: 'View',
|
||||
mniRemoveHeader: 'Remove Header',
|
||||
mniRemoveFooter: 'Remove Footer'
|
||||
mniRemoveFooter: 'Remove Footer',
|
||||
mniInsertSSE: 'Insert Spreadsheet'
|
||||
}
|
||||
})(), DE.Views.Toolbar || {}));
|
||||
});
|
||||
|
|
|
@ -124,6 +124,9 @@
|
|||
"Common.UI.SynchronizeTip.textSynchronize": "Документът е променен от друг потребител. <br> Моля, кликнете върху, за да запазите промените си и да презаредите актуализациите.",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Стандартни цветове",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Цветовете на темата",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Класически светла",
|
||||
"Common.UI.Themes.txtThemeDark": "Тъмна",
|
||||
"Common.UI.Themes.txtThemeLight": "Светла",
|
||||
"Common.UI.Window.cancelButtonText": "Откажи",
|
||||
"Common.UI.Window.closeButtonText": "Затвори",
|
||||
"Common.UI.Window.noButtonText": "Не",
|
||||
|
@ -701,6 +704,7 @@
|
|||
"DE.Controllers.Toolbar.textRadical": "Радикалите",
|
||||
"DE.Controllers.Toolbar.textScript": "Скриптове",
|
||||
"DE.Controllers.Toolbar.textSymbols": "Символи",
|
||||
"DE.Controllers.Toolbar.textTabForms": "Формуляри",
|
||||
"DE.Controllers.Toolbar.textWarning": "Внимание",
|
||||
"DE.Controllers.Toolbar.txtAccent_Accent": "Остър",
|
||||
"DE.Controllers.Toolbar.txtAccent_ArrowD": "Стрелка горе вдясно",
|
||||
|
@ -1022,6 +1026,7 @@
|
|||
"DE.Controllers.Toolbar.txtSymbol_zeta": "Зета",
|
||||
"DE.Controllers.Viewport.textFitPage": "Побиране в страницата",
|
||||
"DE.Controllers.Viewport.textFitWidth": "Поставя се в ширина",
|
||||
"DE.Controllers.Viewport.txtDarkMode": "Тъмен режим",
|
||||
"DE.Views.BookmarksDialog.textAdd": "Добави",
|
||||
"DE.Views.BookmarksDialog.textBookmarkName": "Име на отметката",
|
||||
"DE.Views.BookmarksDialog.textClose": "Затвори",
|
||||
|
@ -1065,6 +1070,7 @@
|
|||
"DE.Views.ControlSettingsDialog.textBox": "Ограничителна кутия",
|
||||
"DE.Views.ControlSettingsDialog.textChange": "Редактирай",
|
||||
"DE.Views.ControlSettingsDialog.textColor": "Цвят",
|
||||
"DE.Views.ControlSettingsDialog.textCombobox": "Комбинирана кутия",
|
||||
"DE.Views.ControlSettingsDialog.textDelete": "Изтрий",
|
||||
"DE.Views.ControlSettingsDialog.textLang": "Език",
|
||||
"DE.Views.ControlSettingsDialog.textLock": "Заключване",
|
||||
|
@ -1388,6 +1394,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strShowChanges": "Промени в сътрудничеството в реално време",
|
||||
"DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Включване на опцията за проверка на правописа",
|
||||
"DE.Views.FileMenuPanels.Settings.strStrict": "Стриктен",
|
||||
"DE.Views.FileMenuPanels.Settings.strTheme": "Тема на интерфейса",
|
||||
"DE.Views.FileMenuPanels.Settings.strUnit": "Единица за измерване",
|
||||
"DE.Views.FileMenuPanels.Settings.strZoom": "Стойност на мащаба по подразбиране",
|
||||
"DE.Views.FileMenuPanels.Settings.text10Minutes": "На всеки 10 минути",
|
||||
|
@ -1414,8 +1421,32 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtPt": "Точка",
|
||||
"DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Проверка на правописа",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWin": "като Windows",
|
||||
"DE.Views.FormSettings.textCheckbox": "Квадрат за отметка",
|
||||
"DE.Views.FormSettings.textCombobox": "Комбинирана кутия",
|
||||
"DE.Views.FormSettings.textDropDown": "Падащо меню",
|
||||
"DE.Views.FormSettings.textField": "Текстово поле",
|
||||
"DE.Views.FormSettings.textRadiobox": "Радио бутон",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Квадрат за отметка",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Комбинирана кутия",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Падащо меню",
|
||||
"DE.Views.FormsTab.capBtnNext": "Следващо поле",
|
||||
"DE.Views.FormsTab.capBtnPrev": "Предишно поле",
|
||||
"DE.Views.FormsTab.capBtnRadioBox": "Радио бутон",
|
||||
"DE.Views.FormsTab.capBtnSaveForm": "Запази като oform",
|
||||
"DE.Views.FormsTab.capBtnText": "Текстово поле",
|
||||
"DE.Views.FormsTab.capBtnView": "Преглед на формуляр",
|
||||
"DE.Views.FormsTab.textClearFields": "Изчисти всички полета",
|
||||
"DE.Views.FormsTab.textHighlight": "Маркирайте настройките",
|
||||
"DE.Views.FormsTab.textNoHighlight": "Няма подчертаване",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Вкарай квадрат за отметка",
|
||||
"DE.Views.FormsTab.tipComboBox": "Вкарай комбинирана кутия",
|
||||
"DE.Views.FormsTab.tipDropDown": "Вкарай списък за падащо меню",
|
||||
"DE.Views.FormsTab.tipNextForm": "Отиди на следващото поле",
|
||||
"DE.Views.FormsTab.tipPrevForm": "Отиди на предишното поле",
|
||||
"DE.Views.FormsTab.tipRadioBox": "Вкарай радио бутон",
|
||||
"DE.Views.FormsTab.tipSaveForm": "Запази файла като документ за попълване OFORM",
|
||||
"DE.Views.FormsTab.tipTextField": "Вкарай текстово поле",
|
||||
"DE.Views.FormsTab.tipViewForm": "Преглед на формуляр",
|
||||
"DE.Views.HeaderFooterSettings.textBottomCenter": "Долен център",
|
||||
"DE.Views.HeaderFooterSettings.textBottomLeft": "Долу вляво",
|
||||
"DE.Views.HeaderFooterSettings.textBottomPage": "В долната част на страницата",
|
||||
|
@ -1910,6 +1941,8 @@
|
|||
"DE.Views.TableSettings.tipTop": "Задайте само външна горна граница",
|
||||
"DE.Views.TableSettings.txtNoBorders": "Няма граници",
|
||||
"DE.Views.TableSettings.txtTable_Accent": "Акцент",
|
||||
"DE.Views.TableSettings.txtTable_Dark": "Тъмна",
|
||||
"DE.Views.TableSettings.txtTable_Light": "Светла",
|
||||
"DE.Views.TableSettingsAdvanced.textAlign": "Подравняване",
|
||||
"DE.Views.TableSettingsAdvanced.textAlignment": "Подравняване",
|
||||
"DE.Views.TableSettingsAdvanced.textAllowSpacing": "Разстояние между клетките",
|
||||
|
@ -2046,6 +2079,7 @@
|
|||
"DE.Views.Toolbar.textColumnsRight": "Прав",
|
||||
"DE.Views.Toolbar.textColumnsThree": "Три",
|
||||
"DE.Views.Toolbar.textColumnsTwo": "Две",
|
||||
"DE.Views.Toolbar.textComboboxControl": "Комбинирана кутия",
|
||||
"DE.Views.Toolbar.textContPage": "Непрекъсната страница",
|
||||
"DE.Views.Toolbar.textEvenPage": "Дори страница",
|
||||
"DE.Views.Toolbar.textInMargin": "По марджин",
|
||||
|
@ -2178,6 +2212,7 @@
|
|||
"DE.Views.Toolbar.txtScheme7": "Справедливост",
|
||||
"DE.Views.Toolbar.txtScheme8": "Поток",
|
||||
"DE.Views.Toolbar.txtScheme9": "Леярна",
|
||||
"DE.Views.ViewTab.textInterfaceTheme": "Тема на интерфейса",
|
||||
"DE.Views.WatermarkSettingsDialog.textFont": "Шрифт",
|
||||
"DE.Views.WatermarkSettingsDialog.textLanguage": "Език",
|
||||
"DE.Views.WatermarkSettingsDialog.textTitle": "Настройки на воден знак"
|
||||
|
|
|
@ -121,6 +121,7 @@
|
|||
"Common.define.chartData.textScatterSmoothMarker": "Dispersió amb línies suaus i marcadors",
|
||||
"Common.define.chartData.textStock": "Accions",
|
||||
"Common.define.chartData.textSurface": "Superfície",
|
||||
"Common.Translation.textMoreButton": "Més",
|
||||
"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ó",
|
||||
|
@ -170,6 +171,11 @@
|
|||
"Common.UI.HSBColorPicker.textNoColor": "Sense color",
|
||||
"Common.UI.InputFieldBtnPassword.textHintHidePwd": "Amaga la contrasenya",
|
||||
"Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostra la contrasenya",
|
||||
"Common.UI.SearchBar.textFind": "Cerca",
|
||||
"Common.UI.SearchBar.tipCloseSearch": "Tanca la cerca",
|
||||
"Common.UI.SearchBar.tipNextResult": "El resultat següent",
|
||||
"Common.UI.SearchBar.tipOpenAdvancedSettings": "Obre la configuració avançada",
|
||||
"Common.UI.SearchBar.tipPreviousResult": "El resultat anterior",
|
||||
"Common.UI.SearchDialog.textHighlight": "Ressalta els resultats",
|
||||
"Common.UI.SearchDialog.textMatchCase": "Sensible a majúscules i minúscules",
|
||||
"Common.UI.SearchDialog.textReplaceDef": "Introduïu el text de substitució",
|
||||
|
@ -446,6 +452,15 @@
|
|||
"Common.Views.ReviewPopover.txtReject": "Rebutja",
|
||||
"Common.Views.SaveAsDlg.textLoading": "S'està carregant",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Carpeta per desar",
|
||||
"Common.Views.SearchPanel.textCaseSensitive": "Sensible a majúscules i minúscules",
|
||||
"Common.Views.SearchPanel.textCloseSearch": "Tanca la cerca",
|
||||
"Common.Views.SearchPanel.textFind": "Cerca",
|
||||
"Common.Views.SearchPanel.textFindAndReplace": "Cerca i substitueix",
|
||||
"Common.Views.SearchPanel.textMatchUsingRegExp": "Relacionar amb expressions regulars",
|
||||
"Common.Views.SearchPanel.textNoMatches": "No hi ha cap coincidència",
|
||||
"Common.Views.SearchPanel.textNoSearchResults": "Sense resultats a la cerca",
|
||||
"Common.Views.SearchPanel.tipNextResult": "El resultat següent",
|
||||
"Common.Views.SearchPanel.tipPreviousResult": "El resultat anterior",
|
||||
"Common.Views.SelectFileDlg.textLoading": "S'està carregant",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Seleccioneu l'origen de les dades",
|
||||
"Common.Views.SignDialog.textBold": "Negreta",
|
||||
|
@ -617,6 +632,7 @@
|
|||
"DE.Controllers.Main.textRemember": "Recorda la meva elecció per a tots els fitxers",
|
||||
"DE.Controllers.Main.textRenameError": "El nom d'usuari no pot estar buit.",
|
||||
"DE.Controllers.Main.textRenameLabel": "Introduïu un nom que s'utilitzarà per a la col·laboració",
|
||||
"DE.Controllers.Main.textRequestMacros": "Una macro fa una sol·licitud a l'URL. Voleu permetre la sol·licitud al %1?",
|
||||
"DE.Controllers.Main.textShape": "Forma",
|
||||
"DE.Controllers.Main.textStrict": "Mode estricte",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "S'han desactivat les funcions desfés/refés per al mode de coedició ràpida. Fes clic al botó \"Mode estricte\" per canviar al mode de coedició estricte i editar el fitxer sense que hi hagi interferències d'altres usuaris i enviar els vostres canvis un cop els hagis desat. Pots canviar entre els modes de coedició mitjançant l'editor \"Paràmetres avançats\".",
|
||||
|
@ -891,6 +907,7 @@
|
|||
"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.Search.warnReplaceString": "{0} no és un caràcter especial vàlid per a la casella Substitueix per.",
|
||||
"DE.Controllers.Statusbar.textDisconnect": "S'ha perdut la connexió. S'intenta connectar. Comproveu la configuració de connexió",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "S'ha fet un seguiment dels canvis nous",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "Ets en mode de control de canvis",
|
||||
|
@ -1700,6 +1717,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pàgines",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Mida de la pàgina",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paràgrafs",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Generador de PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF Etiquetat",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versió PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Ubicació",
|
||||
|
@ -1731,6 +1749,8 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strFast": "Ràpid",
|
||||
"DE.Views.FileMenuPanels.Settings.strFontRender": "Tipus de lletra suggerides",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Afegeix la versió a l'emmagatzematge després de clicar a Desa o Ctrl + S",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsInUPPERCASE": "Ignora les paraules en MAJÚSCULA",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsWithNumbers": "Ignora les paraules amb números",
|
||||
"DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuració de les macros",
|
||||
"DE.Views.FileMenuPanels.Settings.strPasteButton": "Mostra el botó d'opcions d’enganxar quan s’enganxa contingut",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowChanges": "Canvis de col·laboració en temps real",
|
||||
|
@ -1757,9 +1777,13 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Mostra fent un clic en els globus",
|
||||
"DE.Views.FileMenuPanels.Settings.txtChangesTip": "Mostra en passar el cursor per damunt dels indicadors de funció",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCm": "Centímetre",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCollaboration": "Col·laboració",
|
||||
"DE.Views.FileMenuPanels.Settings.txtDarkMode": "Activa el mode fosc del document",
|
||||
"DE.Views.FileMenuPanels.Settings.txtEditingSaving": "Edita i desa",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFastTip": "Coedició en temps real. Tots els canvis es guarden automàticament",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Ajusta-ho a la pàgina",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitWidth": "Ajusta-ho a l'amplària",
|
||||
"DE.Views.FileMenuPanels.Settings.txtHieroglyphs": "Jeroglífics",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInch": "Polzada",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInput": "Entrada alternativa",
|
||||
"DE.Views.FileMenuPanels.Settings.txtLast": "Mostra l'últim",
|
||||
|
@ -1819,6 +1843,7 @@
|
|||
"DE.Views.FormSettings.textWidth": "Amplada de la cel·la",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Casella de selecció",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Quadre combinat",
|
||||
"DE.Views.FormsTab.capBtnDownloadForm": "Baixa-ho com a oform",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Desplegable",
|
||||
"DE.Views.FormsTab.capBtnImage": "Imatge",
|
||||
"DE.Views.FormsTab.capBtnNext": "Camp següent",
|
||||
|
@ -1838,6 +1863,7 @@
|
|||
"DE.Views.FormsTab.textSubmited": "El formulari s'ha enviat correctament",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Insereix una casella de selecció",
|
||||
"DE.Views.FormsTab.tipComboBox": "Insereix un quadre combinat",
|
||||
"DE.Views.FormsTab.tipDownloadForm": "Baixeu un fitxer com a document OFORM que es pot omplir",
|
||||
"DE.Views.FormsTab.tipDropDown": "Insereix una llista desplegable",
|
||||
"DE.Views.FormsTab.tipImageField": "Insereix una imatge",
|
||||
"DE.Views.FormsTab.tipNextForm": "Ves al camp següent",
|
||||
|
@ -1992,6 +2018,7 @@
|
|||
"DE.Views.LeftMenu.tipChat": "Xat",
|
||||
"DE.Views.LeftMenu.tipComments": "Comentaris",
|
||||
"DE.Views.LeftMenu.tipNavigation": "Navegació",
|
||||
"DE.Views.LeftMenu.tipOutline": "Capçaleres",
|
||||
"DE.Views.LeftMenu.tipPlugins": "Complements",
|
||||
"DE.Views.LeftMenu.tipSearch": "Cerca",
|
||||
"DE.Views.LeftMenu.tipSupport": "Comentaris i servei d'atenció al client",
|
||||
|
@ -2014,6 +2041,7 @@
|
|||
"DE.Views.LineNumbersDialog.textStartAt": "Inicia a",
|
||||
"DE.Views.LineNumbersDialog.textTitle": "Números de línia",
|
||||
"DE.Views.LineNumbersDialog.txtAutoText": "Automàtic",
|
||||
"DE.Views.Links.capBtnAddText": "Afegeix text",
|
||||
"DE.Views.Links.capBtnBookmarks": "Marcador",
|
||||
"DE.Views.Links.capBtnCaption": "Llegenda",
|
||||
"DE.Views.Links.capBtnContentsUpdate": "Actualitza la taula",
|
||||
|
@ -2038,6 +2066,7 @@
|
|||
"DE.Views.Links.textSwapNotes": "Intercanvia les notes al peu de pàgina i les notes Finals",
|
||||
"DE.Views.Links.textUpdateAll": "Actualitza tota la taula",
|
||||
"DE.Views.Links.textUpdatePages": "Actualitza només els números de pàgina",
|
||||
"DE.Views.Links.tipAddText": "Inclou la capçalera a la Taula de Continguts",
|
||||
"DE.Views.Links.tipBookmarks": "Crea un marcador",
|
||||
"DE.Views.Links.tipCaption": "Insereix una llegenda",
|
||||
"DE.Views.Links.tipContents": "Insereix una taula de continguts",
|
||||
|
@ -2048,6 +2077,8 @@
|
|||
"DE.Views.Links.tipTableFigures": "Insereix un índex d'il·lustracions",
|
||||
"DE.Views.Links.tipTableFiguresUpdate": "Actualitza l'índex d'il·lustracions",
|
||||
"DE.Views.Links.titleUpdateTOF": "Actualitza l'índex d'il·lustracions",
|
||||
"DE.Views.Links.txtDontShowTof": "Que no es mostri a la taula de continguts",
|
||||
"DE.Views.Links.txtLevel": "Nivell",
|
||||
"DE.Views.ListSettingsDialog.textAuto": "Automàtic",
|
||||
"DE.Views.ListSettingsDialog.textCenter": "Centra",
|
||||
"DE.Views.ListSettingsDialog.textLeft": "Esquerra",
|
||||
|
@ -2112,6 +2143,8 @@
|
|||
"DE.Views.MailMergeSettings.txtPrev": "Al registre anterior",
|
||||
"DE.Views.MailMergeSettings.txtUntitled": "Sense títol",
|
||||
"DE.Views.MailMergeSettings.warnProcessMailMerge": "S'ha produït un error en iniciar la combinació",
|
||||
"DE.Views.Navigation.strNavigate": "Capçaleres",
|
||||
"DE.Views.Navigation.txtClosePanel": "Tanca els títols",
|
||||
"DE.Views.Navigation.txtCollapse": "Redueix-ho tot",
|
||||
"DE.Views.Navigation.txtDemote": "Rebaixa de nivell",
|
||||
"DE.Views.Navigation.txtEmpty": "No hi ha cap títol al document. <br>Aplica un estil d’encapçalament al text de manera que aparegui a la taula de continguts.",
|
||||
|
@ -2119,11 +2152,15 @@
|
|||
"DE.Views.Navigation.txtEmptyViewer": "No hi ha cap títol al document.",
|
||||
"DE.Views.Navigation.txtExpand": "Expandeix-ho tot",
|
||||
"DE.Views.Navigation.txtExpandToLevel": "Expandeix al nivell",
|
||||
"DE.Views.Navigation.txtFontSize": "Mida del tipus de lletra",
|
||||
"DE.Views.Navigation.txtHeadingAfter": "Crea un títol després",
|
||||
"DE.Views.Navigation.txtHeadingBefore": "Crea un títol abans",
|
||||
"DE.Views.Navigation.txtLarge": "Gran",
|
||||
"DE.Views.Navigation.txtMedium": "Mitjà",
|
||||
"DE.Views.Navigation.txtNewHeading": "Crea un subtítol",
|
||||
"DE.Views.Navigation.txtPromote": "Augmenta de nivell",
|
||||
"DE.Views.Navigation.txtSelect": "Seleccioneu el contingut",
|
||||
"DE.Views.Navigation.txtSettings": "Configuració de les capçaleres",
|
||||
"DE.Views.NoteSettingsDialog.textApply": "Aplica",
|
||||
"DE.Views.NoteSettingsDialog.textApplyTo": "Aplica els canvis a",
|
||||
"DE.Views.NoteSettingsDialog.textContinue": "Continu",
|
||||
|
@ -2815,6 +2852,7 @@
|
|||
"DE.Views.ViewTab.textFitToWidth": "Ajusta-ho a l'amplària",
|
||||
"DE.Views.ViewTab.textInterfaceTheme": "Tema de la interfície",
|
||||
"DE.Views.ViewTab.textNavigation": "Navegació",
|
||||
"DE.Views.ViewTab.textOutline": "Capçaleres",
|
||||
"DE.Views.ViewTab.textRulers": "Regles",
|
||||
"DE.Views.ViewTab.textStatusBar": "Barra d'estat",
|
||||
"DE.Views.ViewTab.textZoom": "Zoom",
|
||||
|
|
|
@ -48,10 +48,10 @@
|
|||
"Common.Controllers.ReviewChanges.textNot": "Ne",
|
||||
"Common.Controllers.ReviewChanges.textNoWidow": "Žádný ovládací prvek okna",
|
||||
"Common.Controllers.ReviewChanges.textNum": "Změnit číslování",
|
||||
"Common.Controllers.ReviewChanges.textOff": "{0} nepoužívá sledování změn.",
|
||||
"Common.Controllers.ReviewChanges.textOffGlobal": "{0} vypnuto sledování změn pro všechny.",
|
||||
"Common.Controllers.ReviewChanges.textOn": "{0} nyní používá sledování změn.",
|
||||
"Common.Controllers.ReviewChanges.textOnGlobal": "{0} sledování změn povoleno pro všechny.",
|
||||
"Common.Controllers.ReviewChanges.textOff": "{0} už nepoužívá sledování změn.",
|
||||
"Common.Controllers.ReviewChanges.textOffGlobal": "{0} vypnul(a) sledování změn pro všechny.",
|
||||
"Common.Controllers.ReviewChanges.textOn": "{0} teď používá sledování změn.",
|
||||
"Common.Controllers.ReviewChanges.textOnGlobal": "{0} zapnul(a) sledování změn pro všechny.",
|
||||
"Common.Controllers.ReviewChanges.textParaDeleted": "<b>Odstavec smazán</b> ",
|
||||
"Common.Controllers.ReviewChanges.textParaFormatted": "Formátovaný odstavec",
|
||||
"Common.Controllers.ReviewChanges.textParaInserted": "<b>Odstavec vložen</b> ",
|
||||
|
@ -220,7 +220,7 @@
|
|||
"Common.Views.AutoCorrectDialog.textHyphens": "Spojovníky (--) s pomlčkou (—)",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Autokorekce pro matematiku",
|
||||
"Common.Views.AutoCorrectDialog.textNumbered": "Automatické číslované seznamy",
|
||||
"Common.Views.AutoCorrectDialog.textQuotes": "Apostrofy typografické s ASCII",
|
||||
"Common.Views.AutoCorrectDialog.textQuotes": "Typografické uvozovky místo ASCII",
|
||||
"Common.Views.AutoCorrectDialog.textRecognized": "Rozpoznávané funkce",
|
||||
"Common.Views.AutoCorrectDialog.textRecognizedDesc": "Následující výrazy jsou rozpoznány jako matematické funkce. Nebudou aplikována pravidla týkajících se velkých a malých písmen.",
|
||||
"Common.Views.AutoCorrectDialog.textReplace": "Nahradit",
|
||||
|
@ -435,7 +435,7 @@
|
|||
"Common.Views.ReviewPopover.textEdit": "OK",
|
||||
"Common.Views.ReviewPopover.textFollowMove": "Následovat přesun",
|
||||
"Common.Views.ReviewPopover.textMention": "+zmínění poskytne přístup k dokumentu a pošle e-mail",
|
||||
"Common.Views.ReviewPopover.textMentionNotify": "+zmínění upozorní uživatele e-mailem",
|
||||
"Common.Views.ReviewPopover.textMentionNotify": "+zmínka upozorní uživatele e-mailem",
|
||||
"Common.Views.ReviewPopover.textOpenAgain": "Znovu otevřít",
|
||||
"Common.Views.ReviewPopover.textReply": "Odpovědět",
|
||||
"Common.Views.ReviewPopover.textResolve": "Vyřešit",
|
||||
|
@ -2106,7 +2106,7 @@
|
|||
"DE.Views.MailMergeSettings.textSendMsg": "Všechny zprávy jsou připraveny a budou odeslány během následujících okamžiků.<br>Rychlost odesílání závisí na vámi využívané e-mailové službě.<br>Můžete pokračovat v práci na dokumentu nebo ho zavřít. Po dokončení akce o tom bude odesláno oznámení na e-mailovou adresu, kterou jste se zaregistrovali.",
|
||||
"DE.Views.MailMergeSettings.textTo": "Pro",
|
||||
"DE.Views.MailMergeSettings.txtFirst": "K prvnímu záznamu",
|
||||
"DE.Views.MailMergeSettings.txtFromToError": "\"Od\" hodnota musí být menší než \"Do\" hodnota",
|
||||
"DE.Views.MailMergeSettings.txtFromToError": "Hodnota „Od“ musí být menší než hodnota „Do“",
|
||||
"DE.Views.MailMergeSettings.txtLast": "K poslednímu záznamu",
|
||||
"DE.Views.MailMergeSettings.txtNext": "K dalšímu záznamu",
|
||||
"DE.Views.MailMergeSettings.txtPrev": "K předchozímu záznamu",
|
||||
|
@ -2387,7 +2387,7 @@
|
|||
"DE.Views.TableOfContentsSettings.strLinksOF": "Formátovat seznam obrázků aj. jako",
|
||||
"DE.Views.TableOfContentsSettings.strShowPages": "Zobrazit čísla stránek",
|
||||
"DE.Views.TableOfContentsSettings.textBuildTable": "Sestavit obsahu z",
|
||||
"DE.Views.TableOfContentsSettings.textBuildTableOF": "Vytvořit seznam obrázků aj. z",
|
||||
"DE.Views.TableOfContentsSettings.textBuildTableOF": "Vytvořit seznam obrázků z",
|
||||
"DE.Views.TableOfContentsSettings.textEquation": "Rovnice",
|
||||
"DE.Views.TableOfContentsSettings.textFigure": "Obrázek",
|
||||
"DE.Views.TableOfContentsSettings.textLeader": "Vodítko",
|
||||
|
|
|
@ -1691,6 +1691,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Besitzer",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Seiten",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Absätze",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF-Ersteller",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Speicherort",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personen mit Berechtigungen",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symbole mit Leerzeichen",
|
||||
|
@ -1700,7 +1701,6 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titel",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Hochgeladen",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Wörter",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF-Ersteller",
|
||||
"DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zugriffsrechte ändern",
|
||||
"DE.Views.FileMenuPanels.DocumentRights.txtRights": "Personen mit Berechtigungen",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Warnung",
|
||||
|
|
|
@ -262,6 +262,7 @@
|
|||
"Common.Views.Comments.textResolved": "Επιλύθηκε",
|
||||
"Common.Views.Comments.textSort": "Ταξινόμηση σχολίων",
|
||||
"Common.Views.Comments.textViewResolved": "Δεν έχετε άδεια να ανοίξετε ξανά το σχόλιο",
|
||||
"Common.Views.Comments.txtEmpty": "Δεν υπάρχουν σχόλια στο έγγραφο.",
|
||||
"Common.Views.CopyWarningDialog.textDontShow": "Να μην εμφανίζεται αυτό το μήνυμα ξανά",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "Η αντιγραφή, η αποκοπή και η επικόλληση μέσω των κουμπιών της εργαλειοθήκης του συντάκτη καθώς και οι ενέργειες του μενού συμφραζομένων εφαρμόζονται μόνο εντός αυτής της καρτέλας.<br><br>Για αντιγραφή ή επικόλληση από ή προς εφαρμογές εκτός της καρτέλας χρησιμοποιήστε τους ακόλουθους συνδυασμούς πλήκτρων:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "Ενέργειες Αντιγραφής, Αποκοπής και Επικόλλησης",
|
||||
|
@ -514,6 +515,7 @@
|
|||
"DE.Controllers.LeftMenu.warnDownloadAs": "Αν προχωρήσετε με την αποθήκευση σε αυτή τη μορφή, όλα τα χαρακτηριστικά πλην του κειμένου θα χαθούν.<br>Θέλετε σίγουρα να συνεχίσετε;",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAsPdf": "Το δικό σας {0} θα μετατραπεί σε μια επεξεργάσιμη μορφή. Αυτό μπορεί να διαρκέσει αρκετά. Το τελικό έγγραφο θα είναι βελτιστοποιημένο ως προς τη δυνατότητα επεξεργασίας, οπότε ίσως να διαφέρει από το αρχικό {0}, ειδικά αν περιέχει πολλά γραφικά.",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "Αν προχωρήσετε στην αποθήκευση σε αυτή τη μορφή, κάποιες από τις μορφοποιήσεις μπορεί να χαθούν.<br>Θέλετε σίγουρα να συνεχίσετε;",
|
||||
"DE.Controllers.LeftMenu.warnReplaceString": "Το {0} δεν είναι έγκυρος ειδικός χαρακτήρας για το πεδίο αντικατάστασης.",
|
||||
"DE.Controllers.Main.applyChangesTextText": "Φόρτωση των αλλαγών...",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "Φόρτωση των Αλλαγών",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "Υπέρβαση χρονικού ορίου μετατροπής.",
|
||||
|
@ -1689,12 +1691,18 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Αλλαγή δικαιωμάτων πρόσβασης",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Σχόλιο",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Δημιουργήθηκε",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Γρήγορη Προβολή Δικτύου",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Φόρτωση ...",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Τελευταία Τροποποίηση Από",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Τελευταίο Τροποποιημένο",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Αριθμός",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Κάτοχος",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Σελίδες",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Μέγεθος Σελίδας",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Παράγραφοι",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Παραγωγός PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF με ετικέτες",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Έκδοση PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Τοποθεσία",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Άτομα που έχουν δικαιώματα",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Σύμβολα με διαστήματα",
|
||||
|
@ -1704,6 +1712,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Τίτλος",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Μεταφορτώθηκε",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Λέξεις",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Ναι",
|
||||
"DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Αλλαγή δικαιωμάτων πρόσβασης",
|
||||
"DE.Views.FileMenuPanels.DocumentRights.txtRights": "Άτομα που έχουν δικαιώματα",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Προειδοποίηση",
|
||||
|
|
|
@ -171,6 +171,11 @@
|
|||
"Common.UI.HSBColorPicker.textNoColor": "No Color",
|
||||
"Common.UI.InputFieldBtnPassword.textHintHidePwd": "Hide password",
|
||||
"Common.UI.InputFieldBtnPassword.textHintShowPwd": "Show password",
|
||||
"Common.UI.SearchBar.textFind": "Find",
|
||||
"Common.UI.SearchBar.tipCloseSearch": "Close search",
|
||||
"Common.UI.SearchBar.tipNextResult": "Next result",
|
||||
"Common.UI.SearchBar.tipOpenAdvancedSettings": "Open advanced settings",
|
||||
"Common.UI.SearchBar.tipPreviousResult": "Previous result",
|
||||
"Common.UI.SearchDialog.textHighlight": "Highlight results",
|
||||
"Common.UI.SearchDialog.textMatchCase": "Case sensitive",
|
||||
"Common.UI.SearchDialog.textReplaceDef": "Enter the replacement text",
|
||||
|
@ -200,11 +205,6 @@
|
|||
"Common.UI.Window.textInformation": "Information",
|
||||
"Common.UI.Window.textWarning": "Warning",
|
||||
"Common.UI.Window.yesButtonText": "Yes",
|
||||
"Common.UI.SearchBar.textFind": "Find",
|
||||
"Common.UI.SearchBar.tipPreviousResult": "Previous result",
|
||||
"Common.UI.SearchBar.tipNextResult": "Next result",
|
||||
"Common.UI.SearchBar.tipOpenAdvancedSettings": "Open advanced settings",
|
||||
"Common.UI.SearchBar.tipCloseSearch": "Close search",
|
||||
"Common.Utils.Metric.txtCm": "cm",
|
||||
"Common.Utils.Metric.txtPt": "pt",
|
||||
"Common.Views.About.txtAddress": "address: ",
|
||||
|
@ -301,13 +301,13 @@
|
|||
"Common.Views.Header.tipPrint": "Print file",
|
||||
"Common.Views.Header.tipRedo": "Redo",
|
||||
"Common.Views.Header.tipSave": "Save",
|
||||
"Common.Views.Header.tipSearch": "Search",
|
||||
"Common.Views.Header.tipUndo": "Undo",
|
||||
"Common.Views.Header.tipUsers": "View users",
|
||||
"Common.Views.Header.tipViewSettings": "View settings",
|
||||
"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.tipSearch": "Search",
|
||||
"Common.Views.History.textCloseHistory": "Close History",
|
||||
"Common.Views.History.textHide": "Collapse",
|
||||
"Common.Views.History.textHideAll": "Hide detailed changes",
|
||||
|
@ -457,6 +457,21 @@
|
|||
"Common.Views.ReviewPopover.txtReject": "Reject",
|
||||
"Common.Views.SaveAsDlg.textLoading": "Loading",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Folder for save",
|
||||
"Common.Views.SearchPanel.textCaseSensitive": "Case sensitive",
|
||||
"Common.Views.SearchPanel.textCloseSearch": "Close search",
|
||||
"Common.Views.SearchPanel.textFind": "Find",
|
||||
"Common.Views.SearchPanel.textFindAndReplace": "Find and replace",
|
||||
"Common.Views.SearchPanel.textMatchUsingRegExp": "Match using regular expressions",
|
||||
"Common.Views.SearchPanel.textNoMatches": "No matches",
|
||||
"Common.Views.SearchPanel.textNoSearchResults": "No search results",
|
||||
"Common.Views.SearchPanel.textReplace": "Replace",
|
||||
"Common.Views.SearchPanel.textReplaceAll": "Replace All",
|
||||
"Common.Views.SearchPanel.textReplaceWith": "Replace with",
|
||||
"Common.Views.SearchPanel.textSearchResults": "Search results: {0}/{1}",
|
||||
"Common.Views.SearchPanel.textTooManyResults": "There are too many results to show here",
|
||||
"Common.Views.SearchPanel.textWholeWords": "Whole words only",
|
||||
"Common.Views.SearchPanel.tipNextResult": "Next result",
|
||||
"Common.Views.SearchPanel.tipPreviousResult": "Previous result",
|
||||
"Common.Views.SelectFileDlg.textLoading": "Loading",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Select Data Source",
|
||||
"Common.Views.SignDialog.textBold": "Bold",
|
||||
|
@ -513,21 +528,6 @@
|
|||
"Common.Views.UserNameDialog.textDontShow": "Don't ask me again",
|
||||
"Common.Views.UserNameDialog.textLabel": "Label:",
|
||||
"Common.Views.UserNameDialog.textLabelError": "Label must not be empty.",
|
||||
"Common.Views.SearchPanel.textFind": "Find",
|
||||
"Common.Views.SearchPanel.textFindAndReplace": "Find and replace",
|
||||
"Common.Views.SearchPanel.textCloseSearch": "Close search",
|
||||
"Common.Views.SearchPanel.textReplace": "Replace",
|
||||
"Common.Views.SearchPanel.textReplaceAll": "Replace All",
|
||||
"Common.Views.SearchPanel.textSearchResults": "Search results: {0}/{1}",
|
||||
"Common.Views.SearchPanel.textReplaceWith": "Replace with",
|
||||
"Common.Views.SearchPanel.textCaseSensitive": "Case sensitive",
|
||||
"Common.Views.SearchPanel.textMatchUsingRegExp": "Match using regular expressions",
|
||||
"Common.Views.SearchPanel.textWholeWords": "Whole words only",
|
||||
"Common.Views.SearchPanel.textNoMatches": "No matches",
|
||||
"Common.Views.SearchPanel.textNoSearchResults": "No search results",
|
||||
"Common.Views.SearchPanel.textTooManyResults": "There are too many results to show here",
|
||||
"Common.Views.SearchPanel.tipPreviousResult": "Previous result",
|
||||
"Common.Views.SearchPanel.tipNextResult": "Next result",
|
||||
"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",
|
||||
|
@ -563,13 +563,13 @@
|
|||
"DE.Controllers.Main.errorDataRange": "Incorrect data range.",
|
||||
"DE.Controllers.Main.errorDefaultMessage": "Error code: %1",
|
||||
"DE.Controllers.Main.errorDirectUrl": "Please verify the link to the document.<br>This link must be a direct link to the file for downloading.",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "An error occurred during the work with the document.<br>Use the 'Download as...' option to save the file backup copy to your computer hard drive.",
|
||||
"DE.Controllers.Main.errorEditingSaveas": "An error occurred during the work with the document.<br>Use the 'Save as...' option to save the file backup copy to your computer hard drive.",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "An error occurred during the work with the document.<br>Use the 'Download as...' option to save the file backup copy to a drive.",
|
||||
"DE.Controllers.Main.errorEditingSaveas": "An error occurred during the work with the document.<br>Use the 'Save as...' option to save the file backup copy to a drive.",
|
||||
"DE.Controllers.Main.errorEmailClient": "No email client could be found.",
|
||||
"DE.Controllers.Main.errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"DE.Controllers.Main.errorFilePassProtect": "The file is password protected and cannot be opened.",
|
||||
"DE.Controllers.Main.errorFileSizeExceed": "The file size exceeds the limitation set for your server.<br>Please contact your Document Server administrator for details.",
|
||||
"DE.Controllers.Main.errorForceSave": "An error occurred while saving the file. Please use the 'Download as' option to save the file to your computer hard drive or try again later.",
|
||||
"DE.Controllers.Main.errorForceSave": "An error occurred while saving the file. Please use the 'Download as' option to save the file to a drive or try again later.",
|
||||
"DE.Controllers.Main.errorKeyEncrypt": "Unknown key descriptor",
|
||||
"DE.Controllers.Main.errorKeyExpire": "Key descriptor expired",
|
||||
"DE.Controllers.Main.errorLoadingFont": "Fonts are not loaded.<br>Please contact your Document Server administrator.",
|
||||
|
@ -646,6 +646,7 @@
|
|||
"DE.Controllers.Main.textRememberMacros": "Remember my choice for all macros",
|
||||
"DE.Controllers.Main.textRenameError": "User name must not be empty.",
|
||||
"DE.Controllers.Main.textRenameLabel": "Enter a name to be used for collaboration",
|
||||
"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.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.",
|
||||
|
@ -918,9 +919,10 @@
|
|||
"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.textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?",
|
||||
"DE.Controllers.Navigation.txtBeginning": "Beginning of document",
|
||||
"DE.Controllers.Navigation.txtGotoBeginning": "Go to the beginning of the document",
|
||||
"DE.Controllers.Search.notcriticalErrorTitle": "Warning",
|
||||
"DE.Controllers.Search.warnReplaceString": "{0} is not a valid special character for the Replace With box.",
|
||||
"DE.Controllers.Statusbar.textDisconnect": "<b>Connection is lost</b><br>Trying to connect. Please check connection settings.",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "You are in Track Changes mode",
|
||||
|
@ -1271,8 +1273,6 @@
|
|||
"DE.Controllers.Viewport.textFitPage": "Fit to Page",
|
||||
"DE.Controllers.Viewport.textFitWidth": "Fit to Width",
|
||||
"DE.Controllers.Viewport.txtDarkMode": "Dark mode",
|
||||
"DE.Controllers.Search.notcriticalErrorTitle": "Warning",
|
||||
"DE.Controllers.Search.warnReplaceString": "{0} is not a valid special character for the Replace With box.",
|
||||
"DE.Views.AddNewCaptionLabelDialog.textLabel": "Label:",
|
||||
"DE.Views.AddNewCaptionLabelDialog.textLabelError": "Label must not be empty.",
|
||||
"DE.Views.BookmarksDialog.textAdd": "Add",
|
||||
|
@ -1732,9 +1732,9 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pages",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Page Size",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraphs",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF Producer",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "Tagged PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF Version",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF Producer",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Location",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persons who have rights",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symbols with spaces",
|
||||
|
@ -1760,23 +1760,14 @@
|
|||
"DE.Views.FileMenuPanels.ProtectDoc.txtView": "View signatures",
|
||||
"DE.Views.FileMenuPanels.Settings.okButtonText": "Apply",
|
||||
"DE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strAutoRecover": "Turn on autorecover",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strAutosave": "Turn on autosave",
|
||||
"DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing Mode",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them",
|
||||
"DE.Views.FileMenuPanels.Settings.strFast": "Fast",
|
||||
"DE.Views.FileMenuPanels.Settings.strFontRender": "Font Hinting",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Add version to storage after clicking Save or Ctrl+S",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strInputMode": "Turn on hieroglyphs",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strLiveComment": "Turn on display of the comments",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsInUPPERCASE": "Ignore words in UPPERCASE",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsWithNumbers": "Ignore words with numbers",
|
||||
"DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Macros Settings",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strPaste": "Cut, copy and paste",
|
||||
"DE.Views.FileMenuPanels.Settings.strPasteButton": "Show the Paste Options button when the content is pasted",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strResolvedComment": "Turn on display of the resolved comments",
|
||||
"del_DE.Views.FileMenuPanels.Settings.strReviewHover": "Track Changes Display",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowChanges": "Real-time Collaboration Changes",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowComments": "Show comments in text",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowResolvedComments": "Show resolved comments",
|
||||
|
@ -1810,8 +1801,6 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Fit to Page",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitWidth": "Fit to Width",
|
||||
"DE.Views.FileMenuPanels.Settings.txtHieroglyphs": "Hieroglyphs",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseAltKey": "Use Alt key to navigate the user interface using the keyboard",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseOptionKey": "Use Option key to navigate the user interface using the keyboard",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInch": "Inch",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInput": "Alternate Input",
|
||||
"DE.Views.FileMenuPanels.Settings.txtLast": "View Last",
|
||||
|
@ -1828,6 +1817,8 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtStopMacros": "Disable All",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Disable all macros without a notification",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStrictTip": "Use the \"Save\" button to sync the changes you and others make",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseAltKey": "Use Alt key to navigate the user interface using the keyboard",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseOptionKey": "Use Option key to navigate the user interface using the keyboard",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Show Notification",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Disable all macros with a notification",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWin": "as Windows",
|
||||
|
@ -1862,6 +1853,7 @@
|
|||
"DE.Views.FormSettings.textRequired": "Required",
|
||||
"DE.Views.FormSettings.textScale": "When to scale",
|
||||
"DE.Views.FormSettings.textSelectImage": "Select Image",
|
||||
"DE.Views.FormSettings.textTag": "Tag",
|
||||
"DE.Views.FormSettings.textTip": "Tip",
|
||||
"DE.Views.FormSettings.textTipAdd": "Add new value",
|
||||
"DE.Views.FormSettings.textTipDelete": "Delete value",
|
||||
|
@ -1874,13 +1866,13 @@
|
|||
"DE.Views.FormSettings.textWidth": "Cell width",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Checkbox",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Combo Box",
|
||||
"DE.Views.FormsTab.capBtnDownloadForm": "Download as oform",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Dropdown",
|
||||
"DE.Views.FormsTab.capBtnImage": "Image",
|
||||
"DE.Views.FormsTab.capBtnNext": "Next Field",
|
||||
"DE.Views.FormsTab.capBtnPrev": "Previous Field",
|
||||
"DE.Views.FormsTab.capBtnRadioBox": "Radio Button",
|
||||
"DE.Views.FormsTab.capBtnSaveForm": "Save as oform",
|
||||
"DE.Views.FormsTab.capBtnDownloadForm": "Download as oform",
|
||||
"DE.Views.FormsTab.capBtnSubmit": "Submit",
|
||||
"DE.Views.FormsTab.capBtnText": "Text Field",
|
||||
"DE.Views.FormsTab.capBtnView": "View Form",
|
||||
|
@ -1894,13 +1886,13 @@
|
|||
"DE.Views.FormsTab.textSubmited": "Form submitted successfully",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Insert checkbox",
|
||||
"DE.Views.FormsTab.tipComboBox": "Insert combo box",
|
||||
"DE.Views.FormsTab.tipDownloadForm": "Download a file as a fillable OFORM document",
|
||||
"DE.Views.FormsTab.tipDropDown": "Insert dropdown list",
|
||||
"DE.Views.FormsTab.tipImageField": "Insert image",
|
||||
"DE.Views.FormsTab.tipNextForm": "Go to the next field",
|
||||
"DE.Views.FormsTab.tipPrevForm": "Go to the previous field",
|
||||
"DE.Views.FormsTab.tipRadioBox": "Insert radio button",
|
||||
"DE.Views.FormsTab.tipSaveForm": "Save a file as a fillable OFORM document",
|
||||
"DE.Views.FormsTab.tipDownloadForm": "Download a file as a fillable OFORM document",
|
||||
"DE.Views.FormsTab.tipSubmit": "Submit form",
|
||||
"DE.Views.FormsTab.tipTextField": "Insert text field",
|
||||
"DE.Views.FormsTab.tipViewForm": "View form",
|
||||
|
@ -2058,6 +2050,7 @@
|
|||
"DE.Views.LeftMenu.txtLimit": "Limit Access",
|
||||
"DE.Views.LeftMenu.txtTrial": "TRIAL MODE",
|
||||
"DE.Views.LeftMenu.txtTrialDev": "Trial Developer Mode",
|
||||
"DE.Views.LeftMenu.txtEditor": "Document Editor",
|
||||
"DE.Views.LineNumbersDialog.textAddLineNumbering": "Add line numbering",
|
||||
"DE.Views.LineNumbersDialog.textApplyTo": "Apply changes to",
|
||||
"DE.Views.LineNumbersDialog.textContinuous": "Continuous",
|
||||
|
@ -2700,6 +2693,7 @@
|
|||
"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",
|
||||
|
|
|
@ -1700,9 +1700,9 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Páginas",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Tamaño de la página",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Párrafos",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Generador de PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF etiquetado",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versión PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Productor 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",
|
||||
|
|
2909
apps/documenteditor/main/locale/eu.json
Normal file
2909
apps/documenteditor/main/locale/eu.json
Normal file
File diff suppressed because it is too large
Load diff
|
@ -46,6 +46,8 @@
|
|||
"Common.Controllers.ReviewChanges.textNot": "Ei",
|
||||
"Common.Controllers.ReviewChanges.textNoWidow": "Ei leskirivien hallintaa",
|
||||
"Common.Controllers.ReviewChanges.textNum": "Muuta numerointia",
|
||||
"Common.Controllers.ReviewChanges.textOffGlobal": "{0} Muutosten tarkkailu kytketty pois kaikilta.",
|
||||
"Common.Controllers.ReviewChanges.textOnGlobal": "{0} Muutosten tarkkailu kytketty päälle kaikille.",
|
||||
"Common.Controllers.ReviewChanges.textParaDeleted": "<b>Kappale poistettu</b>",
|
||||
"Common.Controllers.ReviewChanges.textParaFormatted": "Muotoiltu kappale",
|
||||
"Common.Controllers.ReviewChanges.textParaInserted": "<b>Kappale sijoitettu</b>",
|
||||
|
@ -106,6 +108,7 @@
|
|||
"Common.Views.About.txtPoweredBy": "Käyttöalusta:",
|
||||
"Common.Views.About.txtTel": "puh.: ",
|
||||
"Common.Views.About.txtVersion": "Versio",
|
||||
"Common.Views.AutoCorrectDialog.textQuotes": "\"Suorat lainaukset\" \"älylainausten\" kanssa",
|
||||
"Common.Views.Chat.textSend": "Lähetä",
|
||||
"Common.Views.Comments.textAdd": "Lisää",
|
||||
"Common.Views.Comments.textAddComment": "Lisää kommentti",
|
||||
|
@ -918,6 +921,7 @@
|
|||
"DE.Views.DocumentHolder.txtDeleteRadical": "Poista juurilauseke",
|
||||
"DE.Views.DocumentHolder.txtDistribHor": "Jaa vaakatasossa",
|
||||
"DE.Views.DocumentHolder.txtDistribVert": "Jaa pystysuunnassa",
|
||||
"DE.Views.DocumentHolder.txtEmpty": "(Tyhjä)",
|
||||
"DE.Views.DocumentHolder.txtFractionLinear": "Vaihda lineaariseen murtolukuun",
|
||||
"DE.Views.DocumentHolder.txtFractionSkewed": "Vaihda vinoutettuun murtolukuun",
|
||||
"DE.Views.DocumentHolder.txtFractionStacked": "Vaihda pinottun murtolukuun",
|
||||
|
@ -1305,6 +1309,7 @@
|
|||
"DE.Views.ParagraphSettings.textAuto": "Moninkertainen",
|
||||
"DE.Views.ParagraphSettings.textBackColor": "Taustan väri",
|
||||
"DE.Views.ParagraphSettings.textExact": "Täsmälleen",
|
||||
"DE.Views.ParagraphSettings.textNoneSpecial": "(ei mitään)",
|
||||
"DE.Views.ParagraphSettings.txtAutoText": "Automaattinen",
|
||||
"DE.Views.ParagraphSettingsAdvanced.noTabs": "Määritellyt välilehdet ilmaantuvat tässä kentässä",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Kaikki isoilla kirjaimilla",
|
||||
|
@ -1342,6 +1347,7 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Ensimmäinen viiva",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textLeft": "Vasen",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textNone": "Ei mitään",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(ei mitään)",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textPosition": "Asema",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textRemove": "Poista",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Poista kaikki",
|
||||
|
|
|
@ -1700,9 +1700,9 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pages",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Taille de la page",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraphes",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Producteur PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF marqué",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Version PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Producteur PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Emplacement",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personnes qui ont des droits",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symboles avec des espaces",
|
||||
|
|
|
@ -1449,6 +1449,7 @@
|
|||
"DE.Views.DocumentHolder.strSign": "Firma",
|
||||
"DE.Views.DocumentHolder.styleText": "Formattazione come stile",
|
||||
"DE.Views.DocumentHolder.tableText": "Tabella",
|
||||
"DE.Views.DocumentHolder.textAccept": "Accetta modifica",
|
||||
"DE.Views.DocumentHolder.textAlign": "Allinea",
|
||||
"DE.Views.DocumentHolder.textArrange": "Disponi",
|
||||
"DE.Views.DocumentHolder.textArrangeBack": "Spostare in secondo piano",
|
||||
|
@ -1483,6 +1484,7 @@
|
|||
"DE.Views.DocumentHolder.textPaste": "Incolla",
|
||||
"DE.Views.DocumentHolder.textPrevPage": "Pagina precedente",
|
||||
"DE.Views.DocumentHolder.textRefreshField": "Aggiorna campo",
|
||||
"DE.Views.DocumentHolder.textReject": "Rifiuta modifica",
|
||||
"DE.Views.DocumentHolder.textRemCheckBox": "Rimuovi casella di controllo",
|
||||
"DE.Views.DocumentHolder.textRemComboBox": "Rimuovi cella combinata",
|
||||
"DE.Views.DocumentHolder.textRemDropdown": "Rimuovi menù a discesa",
|
||||
|
@ -1691,6 +1693,8 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Proprietario",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pagine",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragrafi",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Produttore PDF",
|
||||
"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",
|
||||
|
@ -1700,7 +1704,6 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titolo documento",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Caricato",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Parole",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Produttore PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Modifica diritti di accesso",
|
||||
"DE.Views.FileMenuPanels.DocumentRights.txtRights": "Persone che hanno diritti",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Avviso",
|
||||
|
|
|
@ -40,7 +40,7 @@
|
|||
"Common.Controllers.ReviewChanges.textKeepNext": "次の段落と分離しない",
|
||||
"Common.Controllers.ReviewChanges.textLeft": "左揃え",
|
||||
"Common.Controllers.ReviewChanges.textLineSpacing": "行間:",
|
||||
"Common.Controllers.ReviewChanges.textMultiple": "複数",
|
||||
"Common.Controllers.ReviewChanges.textMultiple": "倍数",
|
||||
"Common.Controllers.ReviewChanges.textNoBreakBefore": "前にページ区切りなし",
|
||||
"Common.Controllers.ReviewChanges.textNoContextual": "同じスタイルの段落の間に間隔を追加する",
|
||||
"Common.Controllers.ReviewChanges.textNoKeepLines": "段落を分割する",
|
||||
|
@ -104,7 +104,7 @@
|
|||
"Common.define.chartData.textHBarStacked3d": "3-D 積み上げ横棒",
|
||||
"Common.define.chartData.textHBarStackedPer": "積み上げ横棒 100%",
|
||||
"Common.define.chartData.textHBarStackedPer3d": "3-D 積み上げ横棒 100% ",
|
||||
"Common.define.chartData.textLine": "折れ線グラフ",
|
||||
"Common.define.chartData.textLine": "線",
|
||||
"Common.define.chartData.textLine3d": "3-D 折れ線",
|
||||
"Common.define.chartData.textLineMarker": "マーカー付き折れ線",
|
||||
"Common.define.chartData.textLineStacked": "積み上げ折れ線",
|
||||
|
@ -203,7 +203,7 @@
|
|||
"Common.Views.About.txtLicensee": "ライセンシー",
|
||||
"Common.Views.About.txtLicensor": "ライセンサー\t",
|
||||
"Common.Views.About.txtMail": "メール:",
|
||||
"Common.Views.About.txtPoweredBy": "Powered by",
|
||||
"Common.Views.About.txtPoweredBy": "によって提供されています",
|
||||
"Common.Views.About.txtTel": "電話番号:",
|
||||
"Common.Views.About.txtVersion": "バージョン",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "追加",
|
||||
|
@ -278,7 +278,7 @@
|
|||
"Common.Views.ExternalMergeEditor.textSave": "保存と終了",
|
||||
"Common.Views.ExternalMergeEditor.textTitle": "差し込み印刷の宛先",
|
||||
"Common.Views.Header.labelCoUsersDescr": "ファイルを編集しているユーザー:",
|
||||
"Common.Views.Header.textAddFavorite": "お気に入りとしてマーク",
|
||||
"Common.Views.Header.textAddFavorite": "お気に入りとしてマークする",
|
||||
"Common.Views.Header.textAdvSettings": "詳細設定",
|
||||
"Common.Views.Header.textBack": "ファイルの場所を開く",
|
||||
"Common.Views.Header.textCompactView": "ツールバーを表示しない",
|
||||
|
@ -299,7 +299,7 @@
|
|||
"Common.Views.Header.txtRename": "名前を変更する",
|
||||
"Common.Views.History.textCloseHistory": "履歴を閉じる",
|
||||
"Common.Views.History.textHide": "折りたたみ",
|
||||
"Common.Views.History.textHideAll": "詳細変更を表示しない",
|
||||
"Common.Views.History.textHideAll": "変更の詳細を表示しない",
|
||||
"Common.Views.History.textRestore": "復元する",
|
||||
"Common.Views.History.textShow": "拡張する",
|
||||
"Common.Views.History.textShowAll": "変更の詳細を表示する",
|
||||
|
@ -313,7 +313,7 @@
|
|||
"Common.Views.InsertTableDialog.txtMinText": "このフィールドの最小値は{0}です。",
|
||||
"Common.Views.InsertTableDialog.txtRows": "行数",
|
||||
"Common.Views.InsertTableDialog.txtTitle": "テーブルのサイズ",
|
||||
"Common.Views.InsertTableDialog.txtTitleSplit": "セルの分割",
|
||||
"Common.Views.InsertTableDialog.txtTitleSplit": "セルを分割",
|
||||
"Common.Views.LanguageDialog.labelSelect": "ドキュメントの言語の選択",
|
||||
"Common.Views.OpenDialog.closeButtonText": "ファイルを閉じる",
|
||||
"Common.Views.OpenDialog.txtEncoding": "エンコード",
|
||||
|
@ -355,7 +355,7 @@
|
|||
"Common.Views.ReviewChanges.mniFromUrl": "URLからの文書",
|
||||
"Common.Views.ReviewChanges.mniSettings": "比較設定",
|
||||
"Common.Views.ReviewChanges.strFast": "高速",
|
||||
"Common.Views.ReviewChanges.strFastDesc": "リアルタイムの共同編集です。すべての変更は自動的に保存されます。",
|
||||
"Common.Views.ReviewChanges.strFastDesc": "リアルタイム共同編集モードです。すべての変更は自動的に保存されます。",
|
||||
"Common.Views.ReviewChanges.strStrict": "厳格",
|
||||
"Common.Views.ReviewChanges.strStrictDesc": "あなたや他のユーザーが行った変更を同期するために、[保存]ボタンを使用する",
|
||||
"Common.Views.ReviewChanges.textEnable": "有効にする",
|
||||
|
@ -369,7 +369,7 @@
|
|||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "現在のコメントを解決する",
|
||||
"Common.Views.ReviewChanges.tipCompare": "現在の文書を別の文書と比較する",
|
||||
"Common.Views.ReviewChanges.tipHistory": "バージョン履歴を表示する",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "現在の変更を元に戻す",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "現在の変更を拒否する",
|
||||
"Common.Views.ReviewChanges.tipReview": "変更履歴",
|
||||
"Common.Views.ReviewChanges.tipReviewView": "変更内容を表示するモードを選択してください",
|
||||
"Common.Views.ReviewChanges.tipSetDocLang": "文書の言語を設定",
|
||||
|
@ -414,7 +414,7 @@
|
|||
"Common.Views.ReviewChanges.txtReject": "拒否する",
|
||||
"Common.Views.ReviewChanges.txtRejectAll": "すべての変更を拒否する",
|
||||
"Common.Views.ReviewChanges.txtRejectChanges": "変更を拒否",
|
||||
"Common.Views.ReviewChanges.txtRejectCurrent": "現在の変更を元に戻す",
|
||||
"Common.Views.ReviewChanges.txtRejectCurrent": "現在の変更を拒否する",
|
||||
"Common.Views.ReviewChanges.txtSharing": "共有",
|
||||
"Common.Views.ReviewChanges.txtSpelling": "スペルチェック",
|
||||
"Common.Views.ReviewChanges.txtTurnon": "変更履歴",
|
||||
|
@ -427,7 +427,7 @@
|
|||
"Common.Views.ReviewChangesDialog.txtPrev": "以前の変更箇所へ",
|
||||
"Common.Views.ReviewChangesDialog.txtReject": "拒否する",
|
||||
"Common.Views.ReviewChangesDialog.txtRejectAll": "すべての変更を拒否する",
|
||||
"Common.Views.ReviewChangesDialog.txtRejectCurrent": "現在の変更を元に戻す",
|
||||
"Common.Views.ReviewChangesDialog.txtRejectCurrent": "現在の変更を拒否する",
|
||||
"Common.Views.ReviewPopover.textAdd": "追加",
|
||||
"Common.Views.ReviewPopover.textAddReply": "返信を追加",
|
||||
"Common.Views.ReviewPopover.textCancel": "キャンセル",
|
||||
|
@ -583,7 +583,7 @@
|
|||
"DE.Controllers.Main.openTitleText": "ドキュメントを開いています",
|
||||
"DE.Controllers.Main.printTextText": "ドキュメント印刷中...",
|
||||
"DE.Controllers.Main.printTitleText": "ドキュメント印刷中",
|
||||
"DE.Controllers.Main.reloadButtonText": "ページの再読み込み",
|
||||
"DE.Controllers.Main.reloadButtonText": "ページを再読み込み",
|
||||
"DE.Controllers.Main.requestEditFailedMessageText": "この文書は他のユーザによって編集されています。後でもう一度お試しください。",
|
||||
"DE.Controllers.Main.requestEditFailedTitleText": "アクセスが拒否されました",
|
||||
"DE.Controllers.Main.saveErrorText": "ファイルを保存中にエラーが発生しました。",
|
||||
|
@ -619,7 +619,7 @@
|
|||
"DE.Controllers.Main.textRenameLabel": "コラボレーションに使用する名前を入力して下さい。",
|
||||
"DE.Controllers.Main.textShape": "図形",
|
||||
"DE.Controllers.Main.textStrict": "厳格モード",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "ファスト共同編集モードに元に戻す/やり直しの機能は無効になります。<br>他のユーザーの干渉なし編集するために「厳格モード」をクリックして、厳格共同編集モードに切り替えてください。保存した後にのみ、変更してください。編集の詳細設定を使用して共同編集モードを切り替えることができます。",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "高速共同編集モードでは、元に戻す/やり直し機能は無効になります。<br>「厳格モード」ボタンをクリックすると、他のユーザーの干渉を受けずにファイルを編集し、保存後に変更内容を送信する厳格共同編集モードに切り替わります。共同編集モードの切り替えは、エディタの詳細設定を使用して行うことができます。",
|
||||
"DE.Controllers.Main.textTryUndoRedoWarn": "高速共同編集モードでは、元に戻す/やり直し機能が無効になります。",
|
||||
"DE.Controllers.Main.titleLicenseExp": "ライセンスの有効期限が切れています",
|
||||
"DE.Controllers.Main.titleServerVersion": "編集者が更新されました",
|
||||
|
@ -678,7 +678,7 @@
|
|||
"DE.Controllers.Main.txtShape_actionButtonDocument": "文書ボタン",
|
||||
"DE.Controllers.Main.txtShape_actionButtonEnd": "[最後]ボタン",
|
||||
"DE.Controllers.Main.txtShape_actionButtonForwardNext": "[次へ]のボタン",
|
||||
"DE.Controllers.Main.txtShape_actionButtonHelp": "[ヘルプ]のボタン",
|
||||
"DE.Controllers.Main.txtShape_actionButtonHelp": "[ヘルプ]ボタン",
|
||||
"DE.Controllers.Main.txtShape_actionButtonHome": "ホームボタン",
|
||||
"DE.Controllers.Main.txtShape_actionButtonInformation": "[情報]ボタン",
|
||||
"DE.Controllers.Main.txtShape_actionButtonMovie": "[ムービー]ボタン",
|
||||
|
@ -699,7 +699,7 @@
|
|||
"DE.Controllers.Main.txtShape_callout1": "線吹き出し1(枠付き無し)",
|
||||
"DE.Controllers.Main.txtShape_callout2": "線吹き出し2(枠付き無し)",
|
||||
"DE.Controllers.Main.txtShape_callout3": "線吹き出し3(枠付き無し)",
|
||||
"DE.Controllers.Main.txtShape_can": "可能",
|
||||
"DE.Controllers.Main.txtShape_can": "円筒",
|
||||
"DE.Controllers.Main.txtShape_chevron": "シェブロン",
|
||||
"DE.Controllers.Main.txtShape_chord": "コード",
|
||||
"DE.Controllers.Main.txtShape_circularArrow": "円弧の矢印",
|
||||
|
@ -718,7 +718,7 @@
|
|||
"DE.Controllers.Main.txtShape_diagStripe": "斜めストライプ",
|
||||
"DE.Controllers.Main.txtShape_diamond": "ダイヤモンド",
|
||||
"DE.Controllers.Main.txtShape_dodecagon": "12角形",
|
||||
"DE.Controllers.Main.txtShape_donut": "ドーナツ",
|
||||
"DE.Controllers.Main.txtShape_donut": "ドーナツグラフ",
|
||||
"DE.Controllers.Main.txtShape_doubleWave": "二重波",
|
||||
"DE.Controllers.Main.txtShape_downArrow": "下矢印",
|
||||
"DE.Controllers.Main.txtShape_downArrowCallout": "下矢印吹き出し",
|
||||
|
@ -737,7 +737,7 @@
|
|||
"DE.Controllers.Main.txtShape_flowChartInternalStorage": "フローチャート:内部ストレージ",
|
||||
"DE.Controllers.Main.txtShape_flowChartMagneticDisk": "フローチャート:磁気ディスク",
|
||||
"DE.Controllers.Main.txtShape_flowChartMagneticDrum": "フローチャート:直接アクセスストレージ",
|
||||
"DE.Controllers.Main.txtShape_flowChartMagneticTape": "フローチャート:シーケンシャルアクセスストレージ",
|
||||
"DE.Controllers.Main.txtShape_flowChartMagneticTape": "フローチャート:順次アクセス記憶",
|
||||
"DE.Controllers.Main.txtShape_flowChartManualInput": "フローチャート:手操作入力",
|
||||
"DE.Controllers.Main.txtShape_flowChartManualOperation": "フローチャート:手作業",
|
||||
"DE.Controllers.Main.txtShape_flowChartMerge": "フローチャート:融合",
|
||||
|
@ -772,11 +772,11 @@
|
|||
"DE.Controllers.Main.txtShape_leftRightUpArrow": "三方向矢印",
|
||||
"DE.Controllers.Main.txtShape_leftUpArrow": "左上矢印",
|
||||
"DE.Controllers.Main.txtShape_lightningBolt": "稲妻",
|
||||
"DE.Controllers.Main.txtShape_line": "ライン",
|
||||
"DE.Controllers.Main.txtShape_line": "線",
|
||||
"DE.Controllers.Main.txtShape_lineWithArrow": "矢印",
|
||||
"DE.Controllers.Main.txtShape_lineWithTwoArrows": "二重矢印",
|
||||
"DE.Controllers.Main.txtShape_mathDivide": "分割",
|
||||
"DE.Controllers.Main.txtShape_mathEqual": "等号",
|
||||
"DE.Controllers.Main.txtShape_mathEqual": "イコール",
|
||||
"DE.Controllers.Main.txtShape_mathMinus": "マイナス",
|
||||
"DE.Controllers.Main.txtShape_mathMultiply": "乗算する",
|
||||
"DE.Controllers.Main.txtShape_mathNotEqual": "等しくない",
|
||||
|
@ -788,7 +788,7 @@
|
|||
"DE.Controllers.Main.txtShape_parallelogram": "平行四辺形",
|
||||
"DE.Controllers.Main.txtShape_pentagon": "五角形",
|
||||
"DE.Controllers.Main.txtShape_pie": "円グラフ",
|
||||
"DE.Controllers.Main.txtShape_plaque": "サイン",
|
||||
"DE.Controllers.Main.txtShape_plaque": "署名する",
|
||||
"DE.Controllers.Main.txtShape_plus": "プラス",
|
||||
"DE.Controllers.Main.txtShape_polyline1": "走り書き",
|
||||
"DE.Controllers.Main.txtShape_polyline2": "フリーフォーム",
|
||||
|
@ -880,7 +880,7 @@
|
|||
"DE.Controllers.Main.uploadImageTitleText": "画像のアップロード中",
|
||||
"DE.Controllers.Main.waitText": "少々お待ちください...",
|
||||
"DE.Controllers.Main.warnBrowserIE9": "このアプリケーションはIE9では低機能です。IE10以上のバージョンをご使用ください。",
|
||||
"DE.Controllers.Main.warnBrowserZoom": "お使いのブラウザの現在のZoomの設定は完全にサポートされていません。Ctrl+0を押して、デフォルトのZoomにリセットしてください。",
|
||||
"DE.Controllers.Main.warnBrowserZoom": "お使いのブラウザの現在のZoomの設定は完全にはサポートされていません。Ctrl+0を押して、デフォルトのZoomにリセットしてください。",
|
||||
"DE.Controllers.Main.warnLicenseExceeded": "%1エディターへの同時接続の制限に達しました。 このドキュメントは表示専用で開かれます。<br>詳細については、管理者にお問い合わせください。",
|
||||
"DE.Controllers.Main.warnLicenseExp": "ライセンスの有効期限が切れています。<br>ライセンスを更新してページをリロードしてください。",
|
||||
"DE.Controllers.Main.warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。<br>ドキュメント編集機能にアクセスできません。<br>管理者にご連絡ください。",
|
||||
|
@ -938,8 +938,8 @@
|
|||
"DE.Controllers.Toolbar.txtAccent_DDDot": "トリプルドット",
|
||||
"DE.Controllers.Toolbar.txtAccent_DDot": "複付点",
|
||||
"DE.Controllers.Toolbar.txtAccent_Dot": "点",
|
||||
"DE.Controllers.Toolbar.txtAccent_DoubleBar": "二重上線",
|
||||
"DE.Controllers.Toolbar.txtAccent_Grave": "グレーブ",
|
||||
"DE.Controllers.Toolbar.txtAccent_DoubleBar": "二重オーバーライン",
|
||||
"DE.Controllers.Toolbar.txtAccent_Grave": "グレイヴ",
|
||||
"DE.Controllers.Toolbar.txtAccent_GroupBot": "グループ化文字(下)",
|
||||
"DE.Controllers.Toolbar.txtAccent_GroupTop": "グループ化文字(上)",
|
||||
"DE.Controllers.Toolbar.txtAccent_HarpoonL": "左半矢印(上)",
|
||||
|
@ -1050,15 +1050,15 @@
|
|||
"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_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_4": "製品",
|
||||
"DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "和集合",
|
||||
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "V字形",
|
||||
"DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "V字形",
|
||||
|
@ -1070,11 +1070,11 @@
|
|||
"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": "製品",
|
||||
"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": "合計",
|
||||
|
@ -1123,9 +1123,9 @@
|
|||
"DE.Controllers.Toolbar.txtOperator_ArrowL_Top": "左に矢印 (上)",
|
||||
"DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "右向き矢印 (下)",
|
||||
"DE.Controllers.Toolbar.txtOperator_ArrowR_Top": "右向き矢印 (上)",
|
||||
"DE.Controllers.Toolbar.txtOperator_ColonEquals": "コロン付き等号",
|
||||
"DE.Controllers.Toolbar.txtOperator_Custom_1": "収率",
|
||||
"DE.Controllers.Toolbar.txtOperator_Custom_2": "デルタイールド",
|
||||
"DE.Controllers.Toolbar.txtOperator_ColonEquals": "コロンイコール",
|
||||
"DE.Controllers.Toolbar.txtOperator_Custom_1": "導出",
|
||||
"DE.Controllers.Toolbar.txtOperator_Custom_2": "デルタ収量",
|
||||
"DE.Controllers.Toolbar.txtOperator_Definition": "定義上等しい",
|
||||
"DE.Controllers.Toolbar.txtOperator_DeltaEquals": "デルタ付き等号",
|
||||
"DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "左右双方向矢印 (下)",
|
||||
|
@ -1134,12 +1134,12 @@
|
|||
"DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "左に矢印 (上)",
|
||||
"DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "右向き矢印 (下)",
|
||||
"DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "右向き矢印 (上)",
|
||||
"DE.Controllers.Toolbar.txtOperator_EqualsEquals": "等号等号",
|
||||
"DE.Controllers.Toolbar.txtOperator_MinusEquals": "マイナス付き等号",
|
||||
"DE.Controllers.Toolbar.txtOperator_EqualsEquals": "イコールイコール",
|
||||
"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.txtOperator_UnitOfMeasure": "によって測定",
|
||||
"DE.Controllers.Toolbar.txtRadicalCustom_1": "ラジカル",
|
||||
"DE.Controllers.Toolbar.txtRadicalCustom_2": "ラジカル",
|
||||
"DE.Controllers.Toolbar.txtRadicalRoot_2": "次数付き平方根",
|
||||
"DE.Controllers.Toolbar.txtRadicalRoot_3": "立方根",
|
||||
"DE.Controllers.Toolbar.txtRadicalRoot_n": "度付きラジカル",
|
||||
|
@ -1156,7 +1156,7 @@
|
|||
"DE.Controllers.Toolbar.txtSymbol_additional": "補数",
|
||||
"DE.Controllers.Toolbar.txtSymbol_aleph": "アレフ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_alpha": "アルファ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_approx": "ほぼ等しい",
|
||||
"DE.Controllers.Toolbar.txtSymbol_approx": "にほぼ等しい",
|
||||
"DE.Controllers.Toolbar.txtSymbol_ast": "アスタリスク",
|
||||
"DE.Controllers.Toolbar.txtSymbol_beta": "ベータ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_beth": "ベート",
|
||||
|
@ -1175,7 +1175,7 @@
|
|||
"DE.Controllers.Toolbar.txtSymbol_downarrow": "下矢印",
|
||||
"DE.Controllers.Toolbar.txtSymbol_emptyset": "空集合",
|
||||
"DE.Controllers.Toolbar.txtSymbol_epsilon": "イプシロン",
|
||||
"DE.Controllers.Toolbar.txtSymbol_equals": "等号",
|
||||
"DE.Controllers.Toolbar.txtSymbol_equals": "イコール",
|
||||
"DE.Controllers.Toolbar.txtSymbol_equiv": "と同一",
|
||||
"DE.Controllers.Toolbar.txtSymbol_eta": "エータ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_exists": "存在します\t",
|
||||
|
@ -1214,7 +1214,7 @@
|
|||
"DE.Controllers.Toolbar.txtSymbol_pi": "パイ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_plus": "プラス",
|
||||
"DE.Controllers.Toolbar.txtSymbol_pm": "プラス マイナス",
|
||||
"DE.Controllers.Toolbar.txtSymbol_propto": "比例",
|
||||
"DE.Controllers.Toolbar.txtSymbol_propto": "に比例",
|
||||
"DE.Controllers.Toolbar.txtSymbol_psi": "プサイ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_qdrt": "四乗根",
|
||||
"DE.Controllers.Toolbar.txtSymbol_qed": "証明終了",
|
||||
|
@ -1222,7 +1222,7 @@
|
|||
"DE.Controllers.Toolbar.txtSymbol_rho": "ロー",
|
||||
"DE.Controllers.Toolbar.txtSymbol_rightarrow": "右矢印",
|
||||
"DE.Controllers.Toolbar.txtSymbol_sigma": "シグマ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_sqrt": "平方根",
|
||||
"DE.Controllers.Toolbar.txtSymbol_sqrt": "根号",
|
||||
"DE.Controllers.Toolbar.txtSymbol_tau": "タウ",
|
||||
"DE.Controllers.Toolbar.txtSymbol_therefore": "従って",
|
||||
"DE.Controllers.Toolbar.txtSymbol_theta": "シータ",
|
||||
|
@ -1417,7 +1417,7 @@
|
|||
"DE.Views.DocumentHolder.ignoreAllSpellText": "全てを無視する",
|
||||
"DE.Views.DocumentHolder.ignoreSpellText": "無視する",
|
||||
"DE.Views.DocumentHolder.imageText": "画像の詳細設定",
|
||||
"DE.Views.DocumentHolder.insertColumnLeftText": "1 列左",
|
||||
"DE.Views.DocumentHolder.insertColumnLeftText": "左の列",
|
||||
"DE.Views.DocumentHolder.insertColumnRightText": "1 列右",
|
||||
"DE.Views.DocumentHolder.insertColumnText": "列の挿入",
|
||||
"DE.Views.DocumentHolder.insertRowAboveText": "行 (上)",
|
||||
|
@ -1435,7 +1435,7 @@
|
|||
"DE.Views.DocumentHolder.originalSizeText": "実際のサイズ",
|
||||
"DE.Views.DocumentHolder.paragraphText": "段落",
|
||||
"DE.Views.DocumentHolder.removeHyperlinkText": "ハイパーリンクの削除",
|
||||
"DE.Views.DocumentHolder.rightText": "右揃え",
|
||||
"DE.Views.DocumentHolder.rightText": "右",
|
||||
"DE.Views.DocumentHolder.rowText": "行",
|
||||
"DE.Views.DocumentHolder.saveStyleText": "新しいスタイルの作成",
|
||||
"DE.Views.DocumentHolder.selectCellText": "セルの選択",
|
||||
|
@ -1445,12 +1445,12 @@
|
|||
"DE.Views.DocumentHolder.selectText": "選択する",
|
||||
"DE.Views.DocumentHolder.shapeText": "図形の詳細設定",
|
||||
"DE.Views.DocumentHolder.spellcheckText": "スペルチェック",
|
||||
"DE.Views.DocumentHolder.splitCellsText": "セルの分割...",
|
||||
"DE.Views.DocumentHolder.splitCellTitleText": "セルの分割",
|
||||
"DE.Views.DocumentHolder.splitCellsText": "セルを分割...",
|
||||
"DE.Views.DocumentHolder.splitCellTitleText": "セルを分割",
|
||||
"DE.Views.DocumentHolder.strDelete": "署名の削除",
|
||||
"DE.Views.DocumentHolder.strDetails": "署名の詳細",
|
||||
"DE.Views.DocumentHolder.strSetup": "署名の設定",
|
||||
"DE.Views.DocumentHolder.strSign": "サイン",
|
||||
"DE.Views.DocumentHolder.strSign": "署名する",
|
||||
"DE.Views.DocumentHolder.styleText": "スタイルとしての書式設定",
|
||||
"DE.Views.DocumentHolder.tableText": "テーブル",
|
||||
"DE.Views.DocumentHolder.textAccept": "変更を承諾する",
|
||||
|
@ -1488,7 +1488,7 @@
|
|||
"DE.Views.DocumentHolder.textPaste": "貼り付け",
|
||||
"DE.Views.DocumentHolder.textPrevPage": "前のページ",
|
||||
"DE.Views.DocumentHolder.textRefreshField": "フィールドの更新",
|
||||
"DE.Views.DocumentHolder.textReject": "変更を拒否",
|
||||
"DE.Views.DocumentHolder.textReject": "変更を拒否する",
|
||||
"DE.Views.DocumentHolder.textRemCheckBox": "チェックボックスを削除する",
|
||||
"DE.Views.DocumentHolder.textRemComboBox": "コンボボックスを削除する",
|
||||
"DE.Views.DocumentHolder.textRemDropdown": "ドロップダウンリストを削除する",
|
||||
|
@ -1544,14 +1544,14 @@
|
|||
"DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "囲み文字と区切り文字の削除",
|
||||
"DE.Views.DocumentHolder.txtDeleteEq": "数式の削除",
|
||||
"DE.Views.DocumentHolder.txtDeleteGroupChar": "文字の削除",
|
||||
"DE.Views.DocumentHolder.txtDeleteRadical": "冪根を削除する",
|
||||
"DE.Views.DocumentHolder.txtDeleteRadical": "ラジカルを削除する",
|
||||
"DE.Views.DocumentHolder.txtDistribHor": "左右に整列",
|
||||
"DE.Views.DocumentHolder.txtDistribVert": "上下に整列",
|
||||
"DE.Views.DocumentHolder.txtEmpty": "(空白)",
|
||||
"DE.Views.DocumentHolder.txtFractionLinear": "分数(横)に変更",
|
||||
"DE.Views.DocumentHolder.txtFractionSkewed": "分数(斜め)に変更",
|
||||
"DE.Views.DocumentHolder.txtFractionStacked": "分数(縦)に変更\t",
|
||||
"DE.Views.DocumentHolder.txtGroup": "グループ化する",
|
||||
"DE.Views.DocumentHolder.txtGroup": "グループ",
|
||||
"DE.Views.DocumentHolder.txtGroupCharOver": "テキストの上の文字",
|
||||
"DE.Views.DocumentHolder.txtGroupCharUnder": "テキストの下の文字",
|
||||
"DE.Views.DocumentHolder.txtHideBottom": "下罫線を表示しない",
|
||||
|
@ -1590,8 +1590,8 @@
|
|||
"DE.Views.DocumentHolder.txtPrintSelection": "選択範囲の印刷",
|
||||
"DE.Views.DocumentHolder.txtRemFractionBar": "分数線の削除",
|
||||
"DE.Views.DocumentHolder.txtRemLimit": "制限を削除する",
|
||||
"DE.Views.DocumentHolder.txtRemoveAccentChar": "アクセント記号の削除",
|
||||
"DE.Views.DocumentHolder.txtRemoveBar": "線を削除する",
|
||||
"DE.Views.DocumentHolder.txtRemoveAccentChar": "アクセント記号を削除",
|
||||
"DE.Views.DocumentHolder.txtRemoveBar": "上/下線の削除",
|
||||
"DE.Views.DocumentHolder.txtRemoveWarning": "この署名を削除しますか?<br>この操作は元に戻せません。",
|
||||
"DE.Views.DocumentHolder.txtRemScripts": "スクリプトの削除",
|
||||
"DE.Views.DocumentHolder.txtRemSubscript": "下付き文字の削除",
|
||||
|
@ -1608,7 +1608,7 @@
|
|||
"DE.Views.DocumentHolder.txtStretchBrackets": "括弧の拡大",
|
||||
"DE.Views.DocumentHolder.txtThrough": "内部",
|
||||
"DE.Views.DocumentHolder.txtTight": "外周",
|
||||
"DE.Views.DocumentHolder.txtTop": "上",
|
||||
"DE.Views.DocumentHolder.txtTop": "トップ",
|
||||
"DE.Views.DocumentHolder.txtTopAndBottom": "上と下",
|
||||
"DE.Views.DocumentHolder.txtUnderbar": "テキストの下のバー",
|
||||
"DE.Views.DocumentHolder.txtUngroup": "グループ化解除",
|
||||
|
@ -1623,7 +1623,7 @@
|
|||
"DE.Views.DropcapSettingsAdvanced.textAuto": "自動",
|
||||
"DE.Views.DropcapSettingsAdvanced.textBackColor": "背景色",
|
||||
"DE.Views.DropcapSettingsAdvanced.textBorderColor": "罫線の色",
|
||||
"DE.Views.DropcapSettingsAdvanced.textBorderDesc": "図をクリックするか、ボタンで枠を選択します。",
|
||||
"DE.Views.DropcapSettingsAdvanced.textBorderDesc": "図表をクリックするか、ボタンで枠を選択します。",
|
||||
"DE.Views.DropcapSettingsAdvanced.textBorderWidth": "罫線のサイズ",
|
||||
"DE.Views.DropcapSettingsAdvanced.textBottom": "下",
|
||||
"DE.Views.DropcapSettingsAdvanced.textCenter": "中央揃え",
|
||||
|
@ -1647,11 +1647,11 @@
|
|||
"DE.Views.DropcapSettingsAdvanced.textParameters": "パラメーター",
|
||||
"DE.Views.DropcapSettingsAdvanced.textPosition": "位置",
|
||||
"DE.Views.DropcapSettingsAdvanced.textRelative": "と相対",
|
||||
"DE.Views.DropcapSettingsAdvanced.textRight": "右に",
|
||||
"DE.Views.DropcapSettingsAdvanced.textRight": "右",
|
||||
"DE.Views.DropcapSettingsAdvanced.textRowHeight": "行の高さ",
|
||||
"DE.Views.DropcapSettingsAdvanced.textTitle": "ドロップキャップの詳細設定",
|
||||
"DE.Views.DropcapSettingsAdvanced.textTitleFrame": "フレーム - 詳細設定",
|
||||
"DE.Views.DropcapSettingsAdvanced.textTop": "上",
|
||||
"DE.Views.DropcapSettingsAdvanced.textTop": "トップ",
|
||||
"DE.Views.DropcapSettingsAdvanced.textVertical": "垂直",
|
||||
"DE.Views.DropcapSettingsAdvanced.textWidth": "幅",
|
||||
"DE.Views.DropcapSettingsAdvanced.tipFontName": "フォント",
|
||||
|
@ -1700,6 +1700,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "ページ",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "ページのサイズ",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "段落",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDFメーカー",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "タグ付きPDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDFのバージョン",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "場所",
|
||||
|
@ -1715,9 +1716,9 @@
|
|||
"DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "アクセス許可の変更",
|
||||
"DE.Views.FileMenuPanels.DocumentRights.txtRights": "権利を有する者",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "パスワードを使って",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "パスワード付きで",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.strProtect": "文書を保護する",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.strSignature": "署名を使って",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.strSignature": "署名付きで",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "ドキュメントを編集",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "編集すると、文書から署名が削除されます。<br>続行しますか?",
|
||||
"DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "このドキュメントはパスワードで保護されています",
|
||||
|
@ -1739,23 +1740,23 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strTheme": "インターフェイスのテーマ",
|
||||
"DE.Views.FileMenuPanels.Settings.strUnit": "測定単位",
|
||||
"DE.Views.FileMenuPanels.Settings.strZoom": "デフォルトのズーム値",
|
||||
"DE.Views.FileMenuPanels.Settings.text10Minutes": "10 分ごと",
|
||||
"DE.Views.FileMenuPanels.Settings.text30Minutes": "30 分ごと",
|
||||
"DE.Views.FileMenuPanels.Settings.text5Minutes": "5 分ごと",
|
||||
"DE.Views.FileMenuPanels.Settings.text60Minutes": "1 時間ごと",
|
||||
"DE.Views.FileMenuPanels.Settings.text10Minutes": "10分毎",
|
||||
"DE.Views.FileMenuPanels.Settings.text30Minutes": "30分毎",
|
||||
"DE.Views.FileMenuPanels.Settings.text5Minutes": "5分毎",
|
||||
"DE.Views.FileMenuPanels.Settings.text60Minutes": "1時間毎",
|
||||
"DE.Views.FileMenuPanels.Settings.textAlignGuides": "配置ガイド",
|
||||
"DE.Views.FileMenuPanels.Settings.textAutoRecover": "自動回復",
|
||||
"DE.Views.FileMenuPanels.Settings.textAutoSave": "自動保存",
|
||||
"DE.Views.FileMenuPanels.Settings.textCompatible": "互換性",
|
||||
"DE.Views.FileMenuPanels.Settings.textDisabled": "無効",
|
||||
"DE.Views.FileMenuPanels.Settings.textForceSave": "中間バージョンの保存",
|
||||
"DE.Views.FileMenuPanels.Settings.textMinute": "1 分ごと",
|
||||
"DE.Views.FileMenuPanels.Settings.textMinute": "1分毎",
|
||||
"DE.Views.FileMenuPanels.Settings.textOldVersions": "DOCXとして保存する場合は、MS Wordの古いバージョンと互換性のあるファイルにしてください",
|
||||
"DE.Views.FileMenuPanels.Settings.txtAll": "全て表示",
|
||||
"DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "オートコレクト設定",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCacheMode": "デフォルトのキャッシュモード",
|
||||
"DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "バルーンをクリックで表示する",
|
||||
"DE.Views.FileMenuPanels.Settings.txtChangesTip": "ヒントをクリックで表示する",
|
||||
"DE.Views.FileMenuPanels.Settings.txtChangesTip": "ツールチップをクリックで表示する",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCm": "センチ",
|
||||
"DE.Views.FileMenuPanels.Settings.txtDarkMode": "ドキュメントをダークモードに変更",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitPage": "ページに合わせる",
|
||||
|
@ -1869,7 +1870,7 @@
|
|||
"DE.Views.HeaderFooterSettings.textTopPage": "ページの上部",
|
||||
"DE.Views.HeaderFooterSettings.textTopRight": "右上",
|
||||
"DE.Views.HyperlinkSettingsDialog.textDefault": "選択されたテキストフラグメント",
|
||||
"DE.Views.HyperlinkSettingsDialog.textDisplay": "表示",
|
||||
"DE.Views.HyperlinkSettingsDialog.textDisplay": "表示する",
|
||||
"DE.Views.HyperlinkSettingsDialog.textExternal": "外部リンク",
|
||||
"DE.Views.HyperlinkSettingsDialog.textInternal": "文書内の場所",
|
||||
"DE.Views.HyperlinkSettingsDialog.textTitle": "ハイパーリンクの設定",
|
||||
|
@ -1939,15 +1940,15 @@
|
|||
"DE.Views.ImageSettingsAdvanced.textEndSize": "終了サイズ",
|
||||
"DE.Views.ImageSettingsAdvanced.textEndStyle": "終了スタイル",
|
||||
"DE.Views.ImageSettingsAdvanced.textFlat": "フラット",
|
||||
"DE.Views.ImageSettingsAdvanced.textFlipped": "反転された",
|
||||
"DE.Views.ImageSettingsAdvanced.textFlipped": "反転済み",
|
||||
"DE.Views.ImageSettingsAdvanced.textHeight": "高さ",
|
||||
"DE.Views.ImageSettingsAdvanced.textHorizontal": "水平",
|
||||
"DE.Views.ImageSettingsAdvanced.textHorizontally": "水平に",
|
||||
"DE.Views.ImageSettingsAdvanced.textJoinType": "結合の種類",
|
||||
"DE.Views.ImageSettingsAdvanced.textKeepRatio": "比例の一定",
|
||||
"DE.Views.ImageSettingsAdvanced.textKeepRatio": "一定の比率",
|
||||
"DE.Views.ImageSettingsAdvanced.textLeft": "左",
|
||||
"DE.Views.ImageSettingsAdvanced.textLeftMargin": "左余白",
|
||||
"DE.Views.ImageSettingsAdvanced.textLine": "行",
|
||||
"DE.Views.ImageSettingsAdvanced.textLine": "線",
|
||||
"DE.Views.ImageSettingsAdvanced.textLineStyle": "線のスタイル",
|
||||
"DE.Views.ImageSettingsAdvanced.textMargin": "余白",
|
||||
"DE.Views.ImageSettingsAdvanced.textMiter": "留め継ぎ",
|
||||
|
@ -1962,7 +1963,7 @@
|
|||
"DE.Views.ImageSettingsAdvanced.textRelative": "と相対",
|
||||
"DE.Views.ImageSettingsAdvanced.textRelativeWH": "相対的",
|
||||
"DE.Views.ImageSettingsAdvanced.textResizeFit": "テキストに合わせて図形を調整",
|
||||
"DE.Views.ImageSettingsAdvanced.textRight": "右に",
|
||||
"DE.Views.ImageSettingsAdvanced.textRight": "右",
|
||||
"DE.Views.ImageSettingsAdvanced.textRightMargin": "右余白",
|
||||
"DE.Views.ImageSettingsAdvanced.textRightOf": "の右に",
|
||||
"DE.Views.ImageSettingsAdvanced.textRotation": "回転",
|
||||
|
@ -1974,7 +1975,7 @@
|
|||
"DE.Views.ImageSettingsAdvanced.textTitle": "画像 - 詳細設定",
|
||||
"DE.Views.ImageSettingsAdvanced.textTitleChart": "チャートー詳細設定",
|
||||
"DE.Views.ImageSettingsAdvanced.textTitleShape": "図形 - 詳細設定",
|
||||
"DE.Views.ImageSettingsAdvanced.textTop": "上",
|
||||
"DE.Views.ImageSettingsAdvanced.textTop": "トップ",
|
||||
"DE.Views.ImageSettingsAdvanced.textTopMargin": "上余白",
|
||||
"DE.Views.ImageSettingsAdvanced.textVertical": "垂直",
|
||||
"DE.Views.ImageSettingsAdvanced.textVertically": "縦に",
|
||||
|
@ -2053,7 +2054,7 @@
|
|||
"DE.Views.ListSettingsDialog.textLeft": "左",
|
||||
"DE.Views.ListSettingsDialog.textLevel": "レベル",
|
||||
"DE.Views.ListSettingsDialog.textPreview": "プレビュー",
|
||||
"DE.Views.ListSettingsDialog.textRight": "右揃え",
|
||||
"DE.Views.ListSettingsDialog.textRight": "右",
|
||||
"DE.Views.ListSettingsDialog.txtAlign": "配置",
|
||||
"DE.Views.ListSettingsDialog.txtBullet": "箇条書き",
|
||||
"DE.Views.ListSettingsDialog.txtColor": "色",
|
||||
|
@ -2164,7 +2165,7 @@
|
|||
"DE.Views.PageMarginsDialog.textPreview": "プレビュー",
|
||||
"DE.Views.PageMarginsDialog.textRight": "右",
|
||||
"DE.Views.PageMarginsDialog.textTitle": "余白",
|
||||
"DE.Views.PageMarginsDialog.textTop": "上",
|
||||
"DE.Views.PageMarginsDialog.textTop": "トップ",
|
||||
"DE.Views.PageMarginsDialog.txtMarginsH": "指定されたページの高さ対して、上下の余白が大きすぎます。",
|
||||
"DE.Views.PageMarginsDialog.txtMarginsW": "ページ幅に対して左右の余白が広すぎます。",
|
||||
"DE.Views.PageSizeDialog.textHeight": "高さ",
|
||||
|
@ -2189,11 +2190,11 @@
|
|||
"DE.Views.ParagraphSettings.textAdvanced": "詳細設定を表示",
|
||||
"DE.Views.ParagraphSettings.textAt": "行間",
|
||||
"DE.Views.ParagraphSettings.textAtLeast": "最小",
|
||||
"DE.Views.ParagraphSettings.textAuto": "複数",
|
||||
"DE.Views.ParagraphSettings.textAuto": "倍数",
|
||||
"DE.Views.ParagraphSettings.textBackColor": "背景色",
|
||||
"DE.Views.ParagraphSettings.textExact": "固定値",
|
||||
"DE.Views.ParagraphSettings.textFirstLine": "最初の行",
|
||||
"DE.Views.ParagraphSettings.textHanging": "ぶら下げインデント",
|
||||
"DE.Views.ParagraphSettings.textHanging": "ぶら下げ",
|
||||
"DE.Views.ParagraphSettings.textNoneSpecial": "(なし)",
|
||||
"DE.Views.ParagraphSettings.txtAutoText": "自動",
|
||||
"DE.Views.ParagraphSettingsAdvanced.noTabs": "指定されたタブは、このフィールドに表示されます。",
|
||||
|
@ -2205,7 +2206,7 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "行間",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "アウトラインレベル",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右に",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "後に",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "前",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特殊",
|
||||
|
@ -2227,20 +2228,20 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.strTabs": "タブ",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAlign": "配置",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAtLeast": "最小",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAuto": "複数",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAuto": "倍数",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBackColor": "背景色",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBodyText": "基本テキスト",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBorderColor": "罫線の色",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "図をクリックするか、ボタンで枠を選択し、選択したスタイルを適用します。",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "図表をクリックするか、ボタンで枠を選択し、選択したスタイルを適用します。",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "罫線のサイズ",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBottom": "下",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textCentered": "中央揃え済み",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "文字間隔",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textDefault": "デフォルトのタブ",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textEffects": "効果",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textEffects": "エフェクト",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textExact": "固定値",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textFirstLine": "最初の行",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textHanging": "ぶら下がり",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textHanging": "ぶら下げ",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textJustified": "両端揃え",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textLeader": "埋め草文字",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textLeft": "左",
|
||||
|
@ -2249,16 +2250,16 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(なし)",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textPosition": "位置",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textRemove": "削除",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "全ての削除",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textRight": "右に",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "全てを削除",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textRight": "右",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textSet": "指定",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textSpacing": "間隔",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTabCenter": "中央揃え",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTabLeft": "左",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTabPosition": "タブの位置",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTabRight": "右揃え",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTabRight": "右",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTitle": "段落 - 詳細設定",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTop": "上",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textTop": "トップ",
|
||||
"DE.Views.ParagraphSettingsAdvanced.tipAll": "外枠とすべての内枠の線を設定",
|
||||
"DE.Views.ParagraphSettingsAdvanced.tipBottom": "下罫線のみを設定",
|
||||
"DE.Views.ParagraphSettingsAdvanced.tipInner": "水平方向の内側の線のみを設定",
|
||||
|
@ -2287,7 +2288,7 @@
|
|||
"DE.Views.ShapeSettings.strPattern": "パターン",
|
||||
"DE.Views.ShapeSettings.strShadow": "影を表示する",
|
||||
"DE.Views.ShapeSettings.strSize": "サイズ",
|
||||
"DE.Views.ShapeSettings.strStroke": "行",
|
||||
"DE.Views.ShapeSettings.strStroke": "線",
|
||||
"DE.Views.ShapeSettings.strTransparency": "不透明度",
|
||||
"DE.Views.ShapeSettings.strType": "タイプ",
|
||||
"DE.Views.ShapeSettings.textAdvanced": "詳細設定を表示",
|
||||
|
@ -2300,7 +2301,7 @@
|
|||
"DE.Views.ShapeSettings.textFromFile": "ファイルから",
|
||||
"DE.Views.ShapeSettings.textFromStorage": "ストレージから",
|
||||
"DE.Views.ShapeSettings.textFromUrl": "URLから",
|
||||
"DE.Views.ShapeSettings.textGradient": "グラデーションのポイント",
|
||||
"DE.Views.ShapeSettings.textGradient": "グラデーションポイント",
|
||||
"DE.Views.ShapeSettings.textGradientFill": "塗りつぶし (グラデーション)",
|
||||
"DE.Views.ShapeSettings.textHint270": "反時計回りに90度回転",
|
||||
"DE.Views.ShapeSettings.textHint90": "時計回りに90度回転",
|
||||
|
@ -2349,7 +2350,7 @@
|
|||
"DE.Views.SignatureSettings.strInvalid": "無効な署名",
|
||||
"DE.Views.SignatureSettings.strRequested": "要求された署名",
|
||||
"DE.Views.SignatureSettings.strSetup": "署名の設定",
|
||||
"DE.Views.SignatureSettings.strSign": "サイン",
|
||||
"DE.Views.SignatureSettings.strSign": "署名する",
|
||||
"DE.Views.SignatureSettings.strSignature": "署名",
|
||||
"DE.Views.SignatureSettings.strSigner": "署名者",
|
||||
"DE.Views.SignatureSettings.strValid": "有効な署名",
|
||||
|
@ -2424,8 +2425,8 @@
|
|||
"DE.Views.TableSettings.selectColumnText": "列の選択",
|
||||
"DE.Views.TableSettings.selectRowText": "行の選択",
|
||||
"DE.Views.TableSettings.selectTableText": "テーブルの選択",
|
||||
"DE.Views.TableSettings.splitCellsText": "セルの分割...",
|
||||
"DE.Views.TableSettings.splitCellTitleText": "セルの分割",
|
||||
"DE.Views.TableSettings.splitCellsText": "セルを分割...",
|
||||
"DE.Views.TableSettings.splitCellTitleText": "セルを分割",
|
||||
"DE.Views.TableSettings.strRepeatRow": "各ページの上部に見出し行として繰り返す",
|
||||
"DE.Views.TableSettings.textAddFormula": "式を追加",
|
||||
"DE.Views.TableSettings.textAdvanced": "詳細設定を表示",
|
||||
|
@ -2480,7 +2481,7 @@
|
|||
"DE.Views.TableSettingsAdvanced.textBackColor": "セルの背景",
|
||||
"DE.Views.TableSettingsAdvanced.textBelow": "下",
|
||||
"DE.Views.TableSettingsAdvanced.textBorderColor": "罫線の色",
|
||||
"DE.Views.TableSettingsAdvanced.textBorderDesc": "図をクリックするか、ボタンで枠を選択し、選択したスタイルを適用します。",
|
||||
"DE.Views.TableSettingsAdvanced.textBorderDesc": "図表をクリックするか、ボタンで枠を選択し、選択したスタイルを適用します。",
|
||||
"DE.Views.TableSettingsAdvanced.textBordersBackgroung": "罫線と背景",
|
||||
"DE.Views.TableSettingsAdvanced.textBorderWidth": "罫線のサイズ",
|
||||
"DE.Views.TableSettingsAdvanced.textBottom": "下",
|
||||
|
@ -2508,15 +2509,15 @@
|
|||
"DE.Views.TableSettingsAdvanced.textPrefWidth": "希望する幅",
|
||||
"DE.Views.TableSettingsAdvanced.textPreview": "プレビュー",
|
||||
"DE.Views.TableSettingsAdvanced.textRelative": "と相対",
|
||||
"DE.Views.TableSettingsAdvanced.textRight": "右に",
|
||||
"DE.Views.TableSettingsAdvanced.textRight": "右",
|
||||
"DE.Views.TableSettingsAdvanced.textRightOf": "の右に",
|
||||
"DE.Views.TableSettingsAdvanced.textRightTooltip": "右揃え",
|
||||
"DE.Views.TableSettingsAdvanced.textRightTooltip": "右",
|
||||
"DE.Views.TableSettingsAdvanced.textTable": "テーブル",
|
||||
"DE.Views.TableSettingsAdvanced.textTableBackColor": "テーブルの背景",
|
||||
"DE.Views.TableSettingsAdvanced.textTablePosition": "テーブルの位置",
|
||||
"DE.Views.TableSettingsAdvanced.textTableSize": "テーブルのサイズ",
|
||||
"DE.Views.TableSettingsAdvanced.textTitle": "テーブル - 詳細設定",
|
||||
"DE.Views.TableSettingsAdvanced.textTop": "上",
|
||||
"DE.Views.TableSettingsAdvanced.textTop": "トップ",
|
||||
"DE.Views.TableSettingsAdvanced.textVertical": "垂直",
|
||||
"DE.Views.TableSettingsAdvanced.textWidth": "幅",
|
||||
"DE.Views.TableSettingsAdvanced.textWidthSpaces": "幅&スペース",
|
||||
|
@ -2551,14 +2552,14 @@
|
|||
"DE.Views.TextArtSettings.strColor": "色",
|
||||
"DE.Views.TextArtSettings.strFill": "塗りつぶし",
|
||||
"DE.Views.TextArtSettings.strSize": "サイズ",
|
||||
"DE.Views.TextArtSettings.strStroke": "行",
|
||||
"DE.Views.TextArtSettings.strStroke": "線",
|
||||
"DE.Views.TextArtSettings.strTransparency": "不透明度",
|
||||
"DE.Views.TextArtSettings.strType": "タイプ",
|
||||
"DE.Views.TextArtSettings.textAngle": "角度",
|
||||
"DE.Views.TextArtSettings.textBorderSizeErr": "入力された値が正しくありません。<br>0〜1584の数値を入力してください。",
|
||||
"DE.Views.TextArtSettings.textColor": "色で塗りつぶし",
|
||||
"DE.Views.TextArtSettings.textDirection": "方向",
|
||||
"DE.Views.TextArtSettings.textGradient": "グラデーションのポイント",
|
||||
"DE.Views.TextArtSettings.textGradient": "グラデーションポイント",
|
||||
"DE.Views.TextArtSettings.textGradientFill": "塗りつぶし (グラデーション)",
|
||||
"DE.Views.TextArtSettings.textLinear": "線形",
|
||||
"DE.Views.TextArtSettings.textNoFill": "塗りつぶしなし",
|
||||
|
@ -2611,7 +2612,7 @@
|
|||
"DE.Views.Toolbar.capImgAlign": "整列",
|
||||
"DE.Views.Toolbar.capImgBackward": "背面へ移動",
|
||||
"DE.Views.Toolbar.capImgForward": "前面へ移動",
|
||||
"DE.Views.Toolbar.capImgGroup": "グループ化する",
|
||||
"DE.Views.Toolbar.capImgGroup": "グループ",
|
||||
"DE.Views.Toolbar.capImgWrapping": "折り返し",
|
||||
"DE.Views.Toolbar.mniCapitalizeWords": "各単語を大文字にする",
|
||||
"DE.Views.Toolbar.mniCustomTable": "カスタムテーブルの挿入",
|
||||
|
@ -2644,7 +2645,7 @@
|
|||
"DE.Views.Toolbar.textColumnsCustom": "カスタム設定の列",
|
||||
"DE.Views.Toolbar.textColumnsLeft": "左",
|
||||
"DE.Views.Toolbar.textColumnsOne": "1",
|
||||
"DE.Views.Toolbar.textColumnsRight": "右に",
|
||||
"DE.Views.Toolbar.textColumnsRight": "右",
|
||||
"DE.Views.Toolbar.textColumnsThree": "3",
|
||||
"DE.Views.Toolbar.textColumnsTwo": "2",
|
||||
"DE.Views.Toolbar.textComboboxControl": "コンボボックス",
|
||||
|
@ -2787,7 +2788,7 @@
|
|||
"DE.Views.Toolbar.txtMarginAlign": "マージンに揃え",
|
||||
"DE.Views.Toolbar.txtObjectsAlign": "選択したオブジェクトを整列する",
|
||||
"DE.Views.Toolbar.txtPageAlign": "ページに揃え",
|
||||
"DE.Views.Toolbar.txtScheme1": "オフィス",
|
||||
"DE.Views.Toolbar.txtScheme1": "Office",
|
||||
"DE.Views.Toolbar.txtScheme10": "中位数",
|
||||
"DE.Views.Toolbar.txtScheme11": "メトロ",
|
||||
"DE.Views.Toolbar.txtScheme12": "モジュール",
|
||||
|
@ -2800,11 +2801,11 @@
|
|||
"DE.Views.Toolbar.txtScheme19": "トレッキング",
|
||||
"DE.Views.Toolbar.txtScheme2": "グレースケール",
|
||||
"DE.Views.Toolbar.txtScheme20": "アーバン",
|
||||
"DE.Views.Toolbar.txtScheme21": "ネオン",
|
||||
"DE.Views.Toolbar.txtScheme22": "新しいオフィス",
|
||||
"DE.Views.Toolbar.txtScheme21": "バーブ",
|
||||
"DE.Views.Toolbar.txtScheme22": "新しいOffice",
|
||||
"DE.Views.Toolbar.txtScheme3": "エイペックス",
|
||||
"DE.Views.Toolbar.txtScheme4": "アスペクト",
|
||||
"DE.Views.Toolbar.txtScheme5": "シビック",
|
||||
"DE.Views.Toolbar.txtScheme5": "市民",
|
||||
"DE.Views.Toolbar.txtScheme6": "ビジネス",
|
||||
"DE.Views.Toolbar.txtScheme7": "エクイティ",
|
||||
"DE.Views.Toolbar.txtScheme8": "フロー",
|
||||
|
|
2836
apps/documenteditor/main/locale/ms.json
Normal file
2836
apps/documenteditor/main/locale/ms.json
Normal file
File diff suppressed because it is too large
Load diff
|
@ -170,6 +170,7 @@
|
|||
"Common.UI.HSBColorPicker.textNoColor": "Geen kleur",
|
||||
"Common.UI.InputFieldBtnPassword.textHintHidePwd": "Wachtwoord verbergen",
|
||||
"Common.UI.InputFieldBtnPassword.textHintShowPwd": "Wachtwoord weergeven",
|
||||
"Common.UI.SearchBar.tipCloseSearch": "Zoekopdracht sluiten",
|
||||
"Common.UI.SearchDialog.textHighlight": "Resultaten markeren",
|
||||
"Common.UI.SearchDialog.textMatchCase": "Hoofdlettergevoelig",
|
||||
"Common.UI.SearchDialog.textReplaceDef": "Voer de vervangende tekst in",
|
||||
|
@ -213,6 +214,8 @@
|
|||
"Common.Views.AutoCorrectDialog.textBulleted": "Automatische lijsten met opsommingstekens",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Door",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Verwijderen",
|
||||
"Common.Views.AutoCorrectDialog.textDoubleSpaces": "Voeg punt toe met dubbele spatie",
|
||||
"Common.Views.AutoCorrectDialog.textFLCells": "Kapitaliseer eerste letter in tabelcellen",
|
||||
"Common.Views.AutoCorrectDialog.textFLSentence": "Maak de eerste letter van zinnen hoofdletter",
|
||||
"Common.Views.AutoCorrectDialog.textHyperlink": " Internet en netwerkpaden met hyperlinks",
|
||||
"Common.Views.AutoCorrectDialog.textHyphens": "Koppeltekens (--) met streepje (—)",
|
||||
|
@ -443,6 +446,8 @@
|
|||
"Common.Views.ReviewPopover.txtReject": "Verwerpen",
|
||||
"Common.Views.SaveAsDlg.textLoading": "Laden",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Map voor opslaan",
|
||||
"Common.Views.SearchPanel.textCaseSensitive": "Hoofdlettergevoelig",
|
||||
"Common.Views.SearchPanel.textCloseSearch": "Zoekopdracht sluiten",
|
||||
"Common.Views.SelectFileDlg.textLoading": "Laden",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Gegevensbron selecteren",
|
||||
"Common.Views.SignDialog.textBold": "Vet",
|
||||
|
@ -511,6 +516,7 @@
|
|||
"DE.Controllers.LeftMenu.txtUntitled": "Naamloos",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAs": "Als u doorgaat met opslaan in deze indeling, gaan alle kenmerken verloren en blijft alleen de tekst behouden.<br>Wilt u doorgaan?",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "Als u doorgaat met opslaan in deze indeling, kan een deel van de opmaak verloren gaan. <br> Weet u zeker dat u wilt doorgaan?",
|
||||
"DE.Controllers.LeftMenu.warnReplaceString": "{0} is geen geldig speciaal teken voor het vervangende veld.",
|
||||
"DE.Controllers.Main.applyChangesTextText": "Wijzigingen worden geladen...",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "Wijzigingen worden geladen",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "Time-out voor conversie overschreden.",
|
||||
|
@ -612,6 +618,7 @@
|
|||
"DE.Controllers.Main.textRemember": "Onthoud voorkeur",
|
||||
"DE.Controllers.Main.textRenameError": "Gebruikersnaam mag niet leeg zijn. ",
|
||||
"DE.Controllers.Main.textRenameLabel": "Voer een naam in die voor samenwerking moet worden gebruikt ",
|
||||
"DE.Controllers.Main.textRequestMacros": "Een macro maakt een verzoek naar een URL. Wil je dit verzoek naar %1 toestaan?",
|
||||
"DE.Controllers.Main.textShape": "Vorm",
|
||||
"DE.Controllers.Main.textStrict": "Strikte modus",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "De functies Ongedaan maken/Opnieuw worden uitgeschakeld in de modus Snel gezamenlijk bewerken.<br>Klik op de knop 'Strikte modus' om over te schakelen naar de strikte modus voor gezamenlijk bewerken. U kunt het bestand dan zonder interferentie van andere gebruikers bewerken en uw wijzigingen verzenden wanneer u die opslaat. U kunt schakelen tussen de modi voor gezamenlijke bewerking via Geavanceerde instellingen van de editor.",
|
||||
|
@ -886,6 +893,7 @@
|
|||
"DE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.",
|
||||
"DE.Controllers.Navigation.txtBeginning": "Begin van het document",
|
||||
"DE.Controllers.Navigation.txtGotoBeginning": "Ga naar het begin van het document",
|
||||
"DE.Controllers.Search.warnReplaceString": "{0} is geen geldig speciaal teken voor de \"Vervang met\" box.",
|
||||
"DE.Controllers.Statusbar.textDisconnect": "<b>Verbinding verbroken</b><br>Proberen opnieuw te verbinden. Controleer de netwerkinstellingen.",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "Er zijn nieuwe wijzigingen bijgehouden",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "U bevindt zich in de modus Wijzigingen bijhouden ",
|
||||
|
@ -1467,6 +1475,7 @@
|
|||
"DE.Views.DocumentHolder.textDistributeCols": "Kolommen verdelen",
|
||||
"DE.Views.DocumentHolder.textDistributeRows": "Rijen verdelen",
|
||||
"DE.Views.DocumentHolder.textEditControls": "Inhoud beheer instellingen",
|
||||
"DE.Views.DocumentHolder.textEditPoints": "Punten bewerken",
|
||||
"DE.Views.DocumentHolder.textEditWrapBoundary": "Rand tekstterugloop bewerken",
|
||||
"DE.Views.DocumentHolder.textFlipH": "Horizontaal omdraaien",
|
||||
"DE.Views.DocumentHolder.textFlipV": "Verticaal omdraaien",
|
||||
|
@ -1685,6 +1694,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Toegangsrechten wijzigen",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Opmerking",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Aangemaakt",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Snelle webweergave",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Laden...",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Laatst aangepast door",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Laatst aangepast",
|
||||
|
@ -1745,7 +1755,9 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Geef weer door klik in ballons",
|
||||
"DE.Views.FileMenuPanels.Settings.txtChangesTip": "Geef weer in tooltips door cursor over item te bewegen.",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCm": "Centimeter",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCollaboration": "Samenwerking",
|
||||
"DE.Views.FileMenuPanels.Settings.txtDarkMode": "Donkere modus voor document inschakelen",
|
||||
"DE.Views.FileMenuPanels.Settings.txtEditingSaving": "Bewerken en opslaan",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Aan pagina aanpassen",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitWidth": "Aan breedte aanpassen",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInch": "Inch",
|
||||
|
@ -1807,6 +1819,7 @@
|
|||
"DE.Views.FormSettings.textWidth": "Celbreedte",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Checkbox",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Keuzelijst",
|
||||
"DE.Views.FormsTab.capBtnDownloadForm": "Downloaden als oform",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Dropdown",
|
||||
"DE.Views.FormsTab.capBtnImage": "Afbeelding",
|
||||
"DE.Views.FormsTab.capBtnNext": "Volgend veld ",
|
||||
|
@ -1826,6 +1839,7 @@
|
|||
"DE.Views.FormsTab.textSubmited": "Formulier succesvol ingediend ",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Selectievakje invoegen",
|
||||
"DE.Views.FormsTab.tipComboBox": "Plaats de keuzelijst met invoervak",
|
||||
"DE.Views.FormsTab.tipDownloadForm": "Een bestand downloaden als invulbaar OFORM-document",
|
||||
"DE.Views.FormsTab.tipDropDown": "Dropdown-lijst invoegen",
|
||||
"DE.Views.FormsTab.tipImageField": "Afbeelding invoegen",
|
||||
"DE.Views.FormsTab.tipNextForm": "Ga naar het volgende veld ",
|
||||
|
@ -2002,6 +2016,7 @@
|
|||
"DE.Views.LineNumbersDialog.textStartAt": "Beginnen bij",
|
||||
"DE.Views.LineNumbersDialog.textTitle": "Regelnummers",
|
||||
"DE.Views.LineNumbersDialog.txtAutoText": "Automatisch",
|
||||
"DE.Views.Links.capBtnAddText": "Tekst toevoegen",
|
||||
"DE.Views.Links.capBtnBookmarks": "Bladwijzer",
|
||||
"DE.Views.Links.capBtnCaption": "Onderschrift",
|
||||
"DE.Views.Links.capBtnContentsUpdate": "Verversen",
|
||||
|
@ -2036,6 +2051,7 @@
|
|||
"DE.Views.Links.tipTableFigures": "Voeg een tabel met figuren in",
|
||||
"DE.Views.Links.tipTableFiguresUpdate": "Vernieuw de tabel met figuren",
|
||||
"DE.Views.Links.titleUpdateTOF": "Vernieuw de tabel met figuren",
|
||||
"DE.Views.Links.txtDontShowTof": "Niet weergeven in inhoudsopgave",
|
||||
"DE.Views.ListSettingsDialog.textAuto": "Automatisch",
|
||||
"DE.Views.ListSettingsDialog.textCenter": "Midden",
|
||||
"DE.Views.ListSettingsDialog.textLeft": "Links",
|
||||
|
@ -2043,7 +2059,7 @@
|
|||
"DE.Views.ListSettingsDialog.textPreview": "Voorbeeld",
|
||||
"DE.Views.ListSettingsDialog.textRight": "Rechts",
|
||||
"DE.Views.ListSettingsDialog.txtAlign": "Uitlijning",
|
||||
"DE.Views.ListSettingsDialog.txtBullet": "punt",
|
||||
"DE.Views.ListSettingsDialog.txtBullet": "Opsommingsteken",
|
||||
"DE.Views.ListSettingsDialog.txtColor": "Kleur",
|
||||
"DE.Views.ListSettingsDialog.txtFont": "Lettertype en symbool",
|
||||
"DE.Views.ListSettingsDialog.txtLikeText": "Als een text",
|
||||
|
@ -2100,6 +2116,7 @@
|
|||
"DE.Views.MailMergeSettings.txtPrev": "Naar vorige record",
|
||||
"DE.Views.MailMergeSettings.txtUntitled": "Naamloos",
|
||||
"DE.Views.MailMergeSettings.warnProcessMailMerge": "Starten samenvoeging mislukt",
|
||||
"DE.Views.Navigation.txtClosePanel": "Kopjes sluiten",
|
||||
"DE.Views.Navigation.txtCollapse": "Alles inklappen",
|
||||
"DE.Views.Navigation.txtDemote": "Degraderen",
|
||||
"DE.Views.Navigation.txtEmpty": "Er zijn geen koppen in het document.<br>Pas een kopstijl toe op de tekst zodat deze in de inhoudsopgave wordt weergegeven.",
|
||||
|
@ -2160,6 +2177,7 @@
|
|||
"DE.Views.PageSizeDialog.textTitle": "Paginaformaat",
|
||||
"DE.Views.PageSizeDialog.textWidth": "Breedte",
|
||||
"DE.Views.PageSizeDialog.txtCustom": "Aangepast",
|
||||
"DE.Views.PageThumbnails.textClosePanel": "Paginaminiaturen sluiten",
|
||||
"DE.Views.PageThumbnails.textPageThumbnails": "Pagina pictogrammen",
|
||||
"DE.Views.PageThumbnails.textThumbnailsSettings": "Pictograminstellingen",
|
||||
"DE.Views.PageThumbnails.textThumbnailsSize": "Pictogram grootte",
|
||||
|
@ -2740,6 +2758,9 @@
|
|||
"DE.Views.Toolbar.tipMarkersArrow": "Pijltjes",
|
||||
"DE.Views.Toolbar.tipMarkersCheckmark": "Vinkjes",
|
||||
"DE.Views.Toolbar.tipMarkersDash": "Streepjes",
|
||||
"DE.Views.Toolbar.tipMarkersFRhombus": "Opgevulde ruitopsommingstekens",
|
||||
"DE.Views.Toolbar.tipMarkersFRound": "Opgevulde ronde opsommingstekens",
|
||||
"DE.Views.Toolbar.tipMarkersFSquare": "Opgevulde vierkante opsommingstekens",
|
||||
"DE.Views.Toolbar.tipMultilevels": "Lijst met meerdere niveaus",
|
||||
"DE.Views.Toolbar.tipNumbers": "Nummering",
|
||||
"DE.Views.Toolbar.tipPageBreak": "Pagina- of sectie-einde invoegen",
|
||||
|
|
|
@ -170,6 +170,7 @@
|
|||
"Common.UI.HSBColorPicker.textNoColor": "Sem cor",
|
||||
"Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar palavra-passe",
|
||||
"Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar palavra-passe",
|
||||
"Common.UI.SearchBar.textFind": "Localizar",
|
||||
"Common.UI.SearchDialog.textHighlight": "Destacar resultados",
|
||||
"Common.UI.SearchDialog.textMatchCase": "Diferenciar maiúsculas de minúsculas",
|
||||
"Common.UI.SearchDialog.textReplaceDef": "Inserir o texto de substituição",
|
||||
|
@ -262,6 +263,7 @@
|
|||
"Common.Views.Comments.textResolved": "Resolvido",
|
||||
"Common.Views.Comments.textSort": "Ordenar comentários",
|
||||
"Common.Views.Comments.textViewResolved": "Não tem permissão para reabrir o comentário",
|
||||
"Common.Views.Comments.txtEmpty": "Não há comentários no documento.",
|
||||
"Common.Views.CopyWarningDialog.textDontShow": "Não exibir esta mensagem novamente",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "As ações copiar, cortar e colar através dos botões da barra de ferramentas ou através do menu de contexto apenas serão executadas neste separador.<br><br>Para copiar ou colar de outras aplicações deve utilizar estas teclas de atalho:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "Ações copiar, cortar e colar",
|
||||
|
@ -445,6 +447,9 @@
|
|||
"Common.Views.ReviewPopover.txtReject": "Rejeitar",
|
||||
"Common.Views.SaveAsDlg.textLoading": "A carregar",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Pasta para guardar",
|
||||
"Common.Views.SearchPanel.textCaseSensitive": "Diferenciar maiúsculas de minúsculas",
|
||||
"Common.Views.SearchPanel.textFind": "Localizar",
|
||||
"Common.Views.SearchPanel.textFindAndReplace": "Localizar e substituir",
|
||||
"Common.Views.SelectFileDlg.textLoading": "A carregar",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Selecionar fonte de dados",
|
||||
"Common.Views.SignDialog.textBold": "Negrito",
|
||||
|
@ -891,7 +896,7 @@
|
|||
"DE.Controllers.Navigation.txtBeginning": "Início do documento",
|
||||
"DE.Controllers.Navigation.txtGotoBeginning": "Ir para o início do documento",
|
||||
"DE.Controllers.Statusbar.textDisconnect": "<b>Sem Ligação</b><br>A tentar ligar. Por favor, verifique as definições de ligação.",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "Novas alterações foram encontradas",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "Está no modo Registar Alterações",
|
||||
"DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled",
|
||||
"DE.Controllers.Statusbar.tipReview": "Rastrear alterações",
|
||||
|
@ -1294,8 +1299,8 @@
|
|||
"DE.Views.ChartSettings.textUndock": "Desafixar do painel",
|
||||
"DE.Views.ChartSettings.textWidth": "Largura",
|
||||
"DE.Views.ChartSettings.textWrap": "Estilo de moldagem",
|
||||
"DE.Views.ChartSettings.txtBehind": "Atrás",
|
||||
"DE.Views.ChartSettings.txtInFront": "Em frente",
|
||||
"DE.Views.ChartSettings.txtBehind": "Atrás do texto",
|
||||
"DE.Views.ChartSettings.txtInFront": "À frente do texto",
|
||||
"DE.Views.ChartSettings.txtInline": "Em Linha com o Texto",
|
||||
"DE.Views.ChartSettings.txtSquare": "Quadrado",
|
||||
"DE.Views.ChartSettings.txtThrough": "Através",
|
||||
|
@ -1516,7 +1521,7 @@
|
|||
"DE.Views.DocumentHolder.textTOC": "Índice remissivo",
|
||||
"DE.Views.DocumentHolder.textTOCSettings": "Definições do índice remissivo",
|
||||
"DE.Views.DocumentHolder.textUndo": "Desfazer",
|
||||
"DE.Views.DocumentHolder.textUpdateAll": "Recarregar tabela",
|
||||
"DE.Views.DocumentHolder.textUpdateAll": "Atualizar toda a tabela",
|
||||
"DE.Views.DocumentHolder.textUpdatePages": "Recarregar apenas o número de páginas",
|
||||
"DE.Views.DocumentHolder.textUpdateTOC": "Recarregar índice remissivo",
|
||||
"DE.Views.DocumentHolder.textWrap": "Estilo de moldagem",
|
||||
|
@ -1532,7 +1537,7 @@
|
|||
"DE.Views.DocumentHolder.txtAddTop": "Adicionar contorno superior",
|
||||
"DE.Views.DocumentHolder.txtAddVer": "Adicionar linha vertical",
|
||||
"DE.Views.DocumentHolder.txtAlignToChar": "Alinhar ao carácter",
|
||||
"DE.Views.DocumentHolder.txtBehind": "Atrás",
|
||||
"DE.Views.DocumentHolder.txtBehind": "Atrás do texto",
|
||||
"DE.Views.DocumentHolder.txtBorderProps": "Propriedades do contorno",
|
||||
"DE.Views.DocumentHolder.txtBottom": "Baixo",
|
||||
"DE.Views.DocumentHolder.txtColumnAlign": "Alinhamento de colunas",
|
||||
|
@ -1568,7 +1573,7 @@
|
|||
"DE.Views.DocumentHolder.txtHideTopLimit": "Ocultar limite superior",
|
||||
"DE.Views.DocumentHolder.txtHideVer": "Ocultar linha vertical",
|
||||
"DE.Views.DocumentHolder.txtIncreaseArg": "Aumentar tamanho do argumento",
|
||||
"DE.Views.DocumentHolder.txtInFront": "Em frente",
|
||||
"DE.Views.DocumentHolder.txtInFront": "À frente do texto",
|
||||
"DE.Views.DocumentHolder.txtInline": "Inline",
|
||||
"DE.Views.DocumentHolder.txtInsertArgAfter": "Inserir argumento após",
|
||||
"DE.Views.DocumentHolder.txtInsertArgBefore": "Inserir argumento antes",
|
||||
|
@ -1690,6 +1695,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Alterar direitos de acesso",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentário",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Criado",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Visualização rápida da Web",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Carregando...",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última modificação por",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última modificação",
|
||||
|
@ -1698,6 +1704,9 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Páginas",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Tamanho da página",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Parágrafos",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Produtor de PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF marcado",
|
||||
"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",
|
||||
|
@ -1744,7 +1753,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Salvamento automático",
|
||||
"DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilidade",
|
||||
"DE.Views.FileMenuPanels.Settings.textDisabled": "Desativado",
|
||||
"DE.Views.FileMenuPanels.Settings.textForceSave": "Guardar no servidor",
|
||||
"DE.Views.FileMenuPanels.Settings.textForceSave": "Guardar versões intermédias",
|
||||
"DE.Views.FileMenuPanels.Settings.textMinute": "Cada minuto",
|
||||
"DE.Views.FileMenuPanels.Settings.textOldVersions": "Ao guardar como DOCX, tornar ficheiro compatível com versões antigas do MS Word",
|
||||
"DE.Views.FileMenuPanels.Settings.txtAll": "Ver tudo",
|
||||
|
@ -1902,8 +1911,8 @@
|
|||
"DE.Views.ImageSettings.textSize": "Tamanho",
|
||||
"DE.Views.ImageSettings.textWidth": "Largura",
|
||||
"DE.Views.ImageSettings.textWrap": "Estilo de moldagem",
|
||||
"DE.Views.ImageSettings.txtBehind": "Atrás",
|
||||
"DE.Views.ImageSettings.txtInFront": "Em frente",
|
||||
"DE.Views.ImageSettings.txtBehind": "Atrás do texto",
|
||||
"DE.Views.ImageSettings.txtInFront": "À frente do texto",
|
||||
"DE.Views.ImageSettings.txtInline": "Em Linha com o Texto",
|
||||
"DE.Views.ImageSettings.txtSquare": "Quadrado",
|
||||
"DE.Views.ImageSettings.txtThrough": "Através",
|
||||
|
@ -1977,8 +1986,8 @@
|
|||
"DE.Views.ImageSettingsAdvanced.textWeightArrows": "Pesos e Setas",
|
||||
"DE.Views.ImageSettingsAdvanced.textWidth": "Largura",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrap": "Estilo de moldagem",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Atrás",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Em frente",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Atrás do texto",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "À frente do texto",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Em Linha com o Texto",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Quadrado",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Através",
|
||||
|
@ -1988,6 +1997,7 @@
|
|||
"DE.Views.LeftMenu.tipChat": "Chat",
|
||||
"DE.Views.LeftMenu.tipComments": "Comentários",
|
||||
"DE.Views.LeftMenu.tipNavigation": "Navegação",
|
||||
"DE.Views.LeftMenu.tipOutline": "Títulos",
|
||||
"DE.Views.LeftMenu.tipPlugins": "Plugins",
|
||||
"DE.Views.LeftMenu.tipSearch": "Pesquisa",
|
||||
"DE.Views.LeftMenu.tipSupport": "Feedback e Suporte",
|
||||
|
@ -2010,6 +2020,7 @@
|
|||
"DE.Views.LineNumbersDialog.textStartAt": "Iniciar em",
|
||||
"DE.Views.LineNumbersDialog.textTitle": "Números de Linhas",
|
||||
"DE.Views.LineNumbersDialog.txtAutoText": "Automático",
|
||||
"DE.Views.Links.capBtnAddText": "Adicionar texto",
|
||||
"DE.Views.Links.capBtnBookmarks": "Marcador",
|
||||
"DE.Views.Links.capBtnCaption": "Legenda",
|
||||
"DE.Views.Links.capBtnContentsUpdate": "Atualizar Tabela",
|
||||
|
@ -2032,7 +2043,7 @@
|
|||
"DE.Views.Links.textGotoEndnote": "Ir para notas finais",
|
||||
"DE.Views.Links.textGotoFootnote": "Ir para notas de rodapé",
|
||||
"DE.Views.Links.textSwapNotes": "Trocar as notas de rodapé pelas notas de fim",
|
||||
"DE.Views.Links.textUpdateAll": "Recarregar tabela",
|
||||
"DE.Views.Links.textUpdateAll": "Atualizar toda a tabela",
|
||||
"DE.Views.Links.textUpdatePages": "Recarregar apenas o número de páginas",
|
||||
"DE.Views.Links.tipBookmarks": "Criar marcador",
|
||||
"DE.Views.Links.tipCaption": "Inserir legenda",
|
||||
|
@ -2044,6 +2055,7 @@
|
|||
"DE.Views.Links.tipTableFigures": "Inserir tabela de figuras",
|
||||
"DE.Views.Links.tipTableFiguresUpdate": "Recarregar tabela de figuras",
|
||||
"DE.Views.Links.titleUpdateTOF": "Recarregar tabela de figuras",
|
||||
"DE.Views.Links.txtLevel": "Nível",
|
||||
"DE.Views.ListSettingsDialog.textAuto": "Automático",
|
||||
"DE.Views.ListSettingsDialog.textCenter": "Centro",
|
||||
"DE.Views.ListSettingsDialog.textLeft": "Esquerda",
|
||||
|
@ -2108,12 +2120,15 @@
|
|||
"DE.Views.MailMergeSettings.txtPrev": "To previous record",
|
||||
"DE.Views.MailMergeSettings.txtUntitled": "Sem título",
|
||||
"DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed",
|
||||
"DE.Views.Navigation.strNavigate": "Títulos",
|
||||
"DE.Views.Navigation.txtCollapse": "Recolher tudo",
|
||||
"DE.Views.Navigation.txtDemote": "Rebaixar",
|
||||
"DE.Views.Navigation.txtEmpty": "Não existem títulos no documento.<br>Aplique um estilo de título ao texto para que este apareça no índice remissivo.",
|
||||
"DE.Views.Navigation.txtEmptyItem": "Título vazio",
|
||||
"DE.Views.Navigation.txtEmptyViewer": "Não há títulos no documento.",
|
||||
"DE.Views.Navigation.txtExpand": "Expandir tudo",
|
||||
"DE.Views.Navigation.txtExpandToLevel": "Expandir ao nível",
|
||||
"DE.Views.Navigation.txtFontSize": "Tamanho do tipo de letra",
|
||||
"DE.Views.Navigation.txtHeadingAfter": "Novo título depois",
|
||||
"DE.Views.Navigation.txtHeadingBefore": "Novo título antes",
|
||||
"DE.Views.Navigation.txtNewHeading": "Novo subtítulo",
|
||||
|
@ -2319,7 +2334,7 @@
|
|||
"DE.Views.ShapeSettings.textWrap": "Estilo de moldagem",
|
||||
"DE.Views.ShapeSettings.tipAddGradientPoint": "Adicionar ponto de gradiente",
|
||||
"DE.Views.ShapeSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente",
|
||||
"DE.Views.ShapeSettings.txtBehind": "Atrás",
|
||||
"DE.Views.ShapeSettings.txtBehind": "Atrás do texto",
|
||||
"DE.Views.ShapeSettings.txtBrownPaper": "Papel pardo",
|
||||
"DE.Views.ShapeSettings.txtCanvas": "Canvas",
|
||||
"DE.Views.ShapeSettings.txtCarton": "Cartão",
|
||||
|
@ -2327,7 +2342,7 @@
|
|||
"DE.Views.ShapeSettings.txtGrain": "Granulação",
|
||||
"DE.Views.ShapeSettings.txtGranite": "Granito",
|
||||
"DE.Views.ShapeSettings.txtGreyPaper": "Papel cinza",
|
||||
"DE.Views.ShapeSettings.txtInFront": "Em frente",
|
||||
"DE.Views.ShapeSettings.txtInFront": "À frente do texto",
|
||||
"DE.Views.ShapeSettings.txtInline": "Em Linha com o Texto",
|
||||
"DE.Views.ShapeSettings.txtKnit": "Unir",
|
||||
"DE.Views.ShapeSettings.txtLeather": "Couro",
|
||||
|
@ -2366,7 +2381,7 @@
|
|||
"DE.Views.Statusbar.tipZoomOut": "Reduzir",
|
||||
"DE.Views.Statusbar.txtPageNumInvalid": "Número da página inválido",
|
||||
"DE.Views.StyleTitleDialog.textHeader": "Criar novo estilo",
|
||||
"DE.Views.StyleTitleDialog.textNextStyle": "Next paragraph style",
|
||||
"DE.Views.StyleTitleDialog.textNextStyle": "Estilo do parágrafo seguinte",
|
||||
"DE.Views.StyleTitleDialog.textTitle": "Título",
|
||||
"DE.Views.StyleTitleDialog.txtEmpty": "This field is required",
|
||||
"DE.Views.StyleTitleDialog.txtNotEmpty": "Field must not be empty",
|
||||
|
@ -2810,6 +2825,7 @@
|
|||
"DE.Views.ViewTab.textFitToWidth": "Ajustar à Largura",
|
||||
"DE.Views.ViewTab.textInterfaceTheme": "Tema da interface",
|
||||
"DE.Views.ViewTab.textNavigation": "Navegação",
|
||||
"DE.Views.ViewTab.textOutline": "Títulos",
|
||||
"DE.Views.ViewTab.textRulers": "Réguas",
|
||||
"DE.Views.ViewTab.textStatusBar": "Barra de estado",
|
||||
"DE.Views.ViewTab.textZoom": "Zoom",
|
||||
|
|
|
@ -262,6 +262,7 @@
|
|||
"Common.Views.Comments.textResolved": "Resolvido",
|
||||
"Common.Views.Comments.textSort": "Ordenar comentários",
|
||||
"Common.Views.Comments.textViewResolved": "Você não tem permissão para reabrir comentários",
|
||||
"Common.Views.Comments.txtEmpty": "Não há comentários no documento.",
|
||||
"Common.Views.CopyWarningDialog.textDontShow": "Não exibir esta mensagem novamente",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "As ações copiar, cortar e colar usando os botões da barra de ferramentas do editor e as ações de menu de contexto serão realizadas apenas nesta aba do editor.<br><br>Para copiar ou colar para ou de aplicativos externos a aba do editor, use as seguintes combinações do teclado:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "Ações copiar, cortar e colar",
|
||||
|
@ -514,6 +515,7 @@
|
|||
"DE.Controllers.LeftMenu.warnDownloadAs": "If you continue saving in this format all features except the text will be lost.<br>Are you sure you want to continue?",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAsPdf": "O documento resultante será otimizado para permitir que você edite o texto, portanto, não gráficos exatamente iguais ao original, se o arquivo original contiver muitos gráficos.",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "Se você continuar salvando neste formato algumas formatações podem ser perdidas.<br>Você tem certeza que deseja continuar?",
|
||||
"DE.Controllers.LeftMenu.warnReplaceString": "{0} não é um caractere especial válido para o campo de substituição.",
|
||||
"DE.Controllers.Main.applyChangesTextText": "Carregando as alterações...",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "Carregando as alterações",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "Tempo limite de conversão excedido.",
|
||||
|
@ -1689,6 +1691,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Alterar direitos de acesso",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentário",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Criado",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Visualização rápida da Web",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Carregando...",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última Modificação Por",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última modificação",
|
||||
|
@ -1697,6 +1700,8 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Páginas",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Tamanho da página",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Parágrafos",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF marcado",
|
||||
"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",
|
||||
|
|
|
@ -121,6 +121,7 @@
|
|||
"Common.define.chartData.textScatterSmoothMarker": "Diagramă prin puncte cu linii netede și marcatori",
|
||||
"Common.define.chartData.textStock": "Bursiere",
|
||||
"Common.define.chartData.textSurface": "Suprafața",
|
||||
"Common.Translation.textMoreButton": "Mai multe",
|
||||
"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",
|
||||
|
@ -170,6 +171,11 @@
|
|||
"Common.UI.HSBColorPicker.textNoColor": "Fără culoare",
|
||||
"Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ascunde parola",
|
||||
"Common.UI.InputFieldBtnPassword.textHintShowPwd": "Afișează parola",
|
||||
"Common.UI.SearchBar.textFind": "Găsire",
|
||||
"Common.UI.SearchBar.tipCloseSearch": "Închidere căutare",
|
||||
"Common.UI.SearchBar.tipNextResult": "Următorul rezultat",
|
||||
"Common.UI.SearchBar.tipOpenAdvancedSettings": "Deschide setările avansate",
|
||||
"Common.UI.SearchBar.tipPreviousResult": "Rezultatul anterior",
|
||||
"Common.UI.SearchDialog.textHighlight": "Evidențierea rezultatelor",
|
||||
"Common.UI.SearchDialog.textMatchCase": "Sensibil la litere mari și mici",
|
||||
"Common.UI.SearchDialog.textReplaceDef": "Introduceți textul înlocuitor",
|
||||
|
@ -182,11 +188,13 @@
|
|||
"Common.UI.SearchDialog.txtBtnReplaceAll": "Înlocuire peste tot",
|
||||
"Common.UI.SynchronizeTip.textDontShow": "Nu afișa acest mesaj din nou",
|
||||
"Common.UI.SynchronizeTip.textSynchronize": "Documentul a fost modificat de către un alt utilizator.<br>Salvați modificările făcute de dumneavoastră și reîmprospătați documentul.",
|
||||
"Common.UI.ThemeColorPalette.textRecentColors": "Culori recente",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Culori standard",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Culori temă",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Clasic Luminos",
|
||||
"Common.UI.Themes.txtThemeDark": "Întunecat",
|
||||
"Common.UI.Themes.txtThemeLight": "Luminos",
|
||||
"Common.UI.Themes.txtThemeSystem": "La fel ca sistemul",
|
||||
"Common.UI.Window.cancelButtonText": "Revocare",
|
||||
"Common.UI.Window.closeButtonText": "Închidere",
|
||||
"Common.UI.Window.noButtonText": "Nu",
|
||||
|
@ -285,6 +293,7 @@
|
|||
"Common.Views.Header.textHideLines": "Ascundere rigle",
|
||||
"Common.Views.Header.textHideStatusBar": "Ascundere bară de stare",
|
||||
"Common.Views.Header.textRemoveFavorite": "Eliminare din Preferințe",
|
||||
"Common.Views.Header.textShare": "Partajează",
|
||||
"Common.Views.Header.textZoom": "Zoom",
|
||||
"Common.Views.Header.tipAccessRights": "Administrarea permisiunilor de acces la document",
|
||||
"Common.Views.Header.tipDownload": "Descărcare fișier",
|
||||
|
@ -292,7 +301,9 @@
|
|||
"Common.Views.Header.tipPrint": "Se imprimă tot fișierul",
|
||||
"Common.Views.Header.tipRedo": "Refacere",
|
||||
"Common.Views.Header.tipSave": "Salvează",
|
||||
"Common.Views.Header.tipSearch": "Căutare",
|
||||
"Common.Views.Header.tipUndo": "Anulează",
|
||||
"Common.Views.Header.tipUsers": "Vizualizare utilizatori",
|
||||
"Common.Views.Header.tipViewSettings": "Setări vizualizare",
|
||||
"Common.Views.Header.tipViewUsers": "Vizualizare utilizatori și gestionare permisiuni de acces",
|
||||
"Common.Views.Header.txtAccessRights": "Modificare permisiuni",
|
||||
|
@ -446,6 +457,21 @@
|
|||
"Common.Views.ReviewPopover.txtReject": "Respingere",
|
||||
"Common.Views.SaveAsDlg.textLoading": "Încărcare",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Folderul de salvare",
|
||||
"Common.Views.SearchPanel.textCaseSensitive": "Sensibil la litere mari și mici",
|
||||
"Common.Views.SearchPanel.textCloseSearch": "Închidere căutare",
|
||||
"Common.Views.SearchPanel.textFind": "Găsire",
|
||||
"Common.Views.SearchPanel.textFindAndReplace": "Găsire și înlocuire",
|
||||
"Common.Views.SearchPanel.textMatchUsingRegExp": "Potrivire expresie regulată",
|
||||
"Common.Views.SearchPanel.textNoMatches": "Nicio potrivire",
|
||||
"Common.Views.SearchPanel.textNoSearchResults": "Niciun rezultat de căutare",
|
||||
"Common.Views.SearchPanel.textReplace": "Înlocuire",
|
||||
"Common.Views.SearchPanel.textReplaceAll": "Înlocuire peste tot",
|
||||
"Common.Views.SearchPanel.textReplaceWith": "Înlocuire cu",
|
||||
"Common.Views.SearchPanel.textSearchResults": "Rezultatele căutării: {0}/{1}",
|
||||
"Common.Views.SearchPanel.textTooManyResults": "Prea multe rezultate ca să fie afișate aici",
|
||||
"Common.Views.SearchPanel.textWholeWords": "Numai cuvinte întregi",
|
||||
"Common.Views.SearchPanel.tipNextResult": "Următorul rezultat",
|
||||
"Common.Views.SearchPanel.tipPreviousResult": "Rezultatul anterior",
|
||||
"Common.Views.SelectFileDlg.textLoading": "Încărcare",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Selectați sursa de date",
|
||||
"Common.Views.SignDialog.textBold": "Aldin",
|
||||
|
@ -540,6 +566,7 @@
|
|||
"DE.Controllers.Main.errorEditingDownloadas": "S-a produs o eroare în timpul editării documentului.<br>Pentru copierea de rezervă pe PC utilizați opțiunea Descărcare ca...",
|
||||
"DE.Controllers.Main.errorEditingSaveas": "S-a produs o eroare în timpul editării documentului.<br>Pentru copierea de rezervă pe PC utilizați opțiunea Salvare ca...",
|
||||
"DE.Controllers.Main.errorEmailClient": "Client de poștă electronică imposibil de găsit. ",
|
||||
"DE.Controllers.Main.errorEmptyTOC": "Începeți să creați un cuprins prin aplicarea stilurilor de titlu din Galeria de stiluri la textul selectat.",
|
||||
"DE.Controllers.Main.errorFilePassProtect": "Fișierul este protejat cu parolă și deaceea nu poate fi deschis.",
|
||||
"DE.Controllers.Main.errorFileSizeExceed": "Dimensiunea fișierului depășește limita permisă de serverul Dvs.<br>Pentru detalii, contactați administratorul dumneavoastră de Server Documente.",
|
||||
"DE.Controllers.Main.errorForceSave": "S-a produs o eroare în timpul salvării fișierului. Pentru copierea de rezervă pe PC utilizați opțiunea Descărcare ca... sau încercați din nou mai târziu.",
|
||||
|
@ -548,6 +575,7 @@
|
|||
"DE.Controllers.Main.errorLoadingFont": "Fonturile nu sunt încărcate.<br>Contactați administratorul dvs de Server Documente.",
|
||||
"DE.Controllers.Main.errorMailMergeLoadFile": "Încărcarea fișierului eșuată. Selectați un alt fișier.",
|
||||
"DE.Controllers.Main.errorMailMergeSaveFile": "Îmbinarea eșuată.",
|
||||
"DE.Controllers.Main.errorNoTOC": "Nu există niciun cuprins de actualizat. Accesați fila Referințe ca să puteți insera un cuprins.",
|
||||
"DE.Controllers.Main.errorProcessSaveResult": "Salvarea nu a reușit.",
|
||||
"DE.Controllers.Main.errorServerVersion": "Editorul a fost actualizat. Pagina va fi reîmprospătată pentru a aplica această actualizare.",
|
||||
"DE.Controllers.Main.errorSessionAbsolute": "Sesiunea de editare a expirat. Încercați să reîmprospătați pagina.",
|
||||
|
@ -615,8 +643,10 @@
|
|||
"DE.Controllers.Main.textPaidFeature": "Funcția contra plată",
|
||||
"DE.Controllers.Main.textReconnect": "Conexiunea este restabilită",
|
||||
"DE.Controllers.Main.textRemember": "Salvează setările pentru toate fișiere",
|
||||
"DE.Controllers.Main.textRememberMacros": "Rețineți alegerea mea pentru toate macrocomenzi",
|
||||
"DE.Controllers.Main.textRenameError": "Numele utilizatorului trebuie comletat.",
|
||||
"DE.Controllers.Main.textRenameLabel": "Introduceți numele pentru lucrul în colaborare",
|
||||
"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.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ă. ",
|
||||
|
@ -891,6 +921,8 @@
|
|||
"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.Search.notcriticalErrorTitle": "Avertisment",
|
||||
"DE.Controllers.Search.warnReplaceString": "{0} este un caracter special nevalid care nu este permis în caseta Înlocuire cu.",
|
||||
"DE.Controllers.Statusbar.textDisconnect": "<b>Conexiunea a fost pierdută</b><br>Încercare de conectare. Verificați setările conexiunii.",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "Au fost identificate noile modificări",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "Sunteți în modul Urmărire Modificări",
|
||||
|
@ -1700,6 +1732,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pagini",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Dimensiune pagină",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragrafe",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Producător de PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF etichetat",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versiune a PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Locația",
|
||||
|
@ -1731,9 +1764,13 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strFast": "Rapid",
|
||||
"DE.Views.FileMenuPanels.Settings.strFontRender": "Sugestie font",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Versiunea se adaugă la stocarea după ce faceți clic pe Salvare sau Ctrl+S",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsInUPPERCASE": "Ignoră cuvintele cu MAJUSCULE",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsWithNumbers": "Ignoră cuvintele care conțin numere",
|
||||
"DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Setări macrocomandă",
|
||||
"DE.Views.FileMenuPanels.Settings.strPasteButton": "Afișarea butonului Opțiuni lipire de fiecare dată când lipiți conținut",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowChanges": "Modificările aduse documentului la colaborarea în timp real",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowComments": "Afișare comentarii din text",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowResolvedComments": "Afișare comentarii rezolvate",
|
||||
"DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activarea verificare ortografică",
|
||||
"DE.Views.FileMenuPanels.Settings.strStrict": "Strict",
|
||||
"DE.Views.FileMenuPanels.Settings.strTheme": "Tema interfeței",
|
||||
|
@ -1757,9 +1794,13 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Afișare în baloane cu un clic",
|
||||
"DE.Views.FileMenuPanels.Settings.txtChangesTip": "Afișarea sfaturilor ecran la trecere",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCm": "Centimetru",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCollaboration": "Colaborare",
|
||||
"DE.Views.FileMenuPanels.Settings.txtDarkMode": "Activează modul întunecat la nivel de document",
|
||||
"DE.Views.FileMenuPanels.Settings.txtEditingSaving": "Editare și salvare",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFastTip": "Co-editare în timp real. Toate modificările sunt salvate automat.",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Portivire la pagina",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitWidth": "Potrivire lățime",
|
||||
"DE.Views.FileMenuPanels.Settings.txtHieroglyphs": "Hieroglife",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInch": "Inch",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInput": "Intrare alternativă",
|
||||
"DE.Views.FileMenuPanels.Settings.txtLast": "Vizualizare ultima",
|
||||
|
@ -1771,12 +1812,17 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtPt": "Punct",
|
||||
"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",
|
||||
"DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Verificarea ortografică",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStopMacros": "Se dezactivează toate",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Se dezactivează toate macrocomenzile, fără notificare",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStrictTip": "Utilizați butonul Salvare pentru a sincroniza modificările pe care le efectuați dvs. sau alte persoane",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseAltKey": "Utilizați tasta Alt pentru a naviga în interfața de utilizator cu ajutorul tastaturii",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseOptionKey": "Utilizați tasta Option pentru a naviga în interfața de utilizator cu ajutorul tastaturii",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Afișare notificări",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Se dezactivează toate macrocomenzile, cu notificare ",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWin": "ca Windows",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWorkspace": "Workspace",
|
||||
"DE.Views.FormSettings.textAlways": "Întotdeauna",
|
||||
"DE.Views.FormSettings.textAspect": "Blocare raport aspect",
|
||||
"DE.Views.FormSettings.textAutofit": "Potrivire automată",
|
||||
|
@ -1819,6 +1865,7 @@
|
|||
"DE.Views.FormSettings.textWidth": "Lățimea celulei",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Caseta de selectare",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Casetă combo",
|
||||
"DE.Views.FormsTab.capBtnDownloadForm": "Descărcare în formatul oform",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Derulant",
|
||||
"DE.Views.FormsTab.capBtnImage": "Imagine",
|
||||
"DE.Views.FormsTab.capBtnNext": "Câmpul următor",
|
||||
|
@ -1838,6 +1885,7 @@
|
|||
"DE.Views.FormsTab.textSubmited": "Formularul a fost remis cu succes",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Se inserează un control casetă de selectare",
|
||||
"DE.Views.FormsTab.tipComboBox": "Se inserează un control casetă combo",
|
||||
"DE.Views.FormsTab.tipDownloadForm": "Descărcare ca un fișer OFORM spre completare",
|
||||
"DE.Views.FormsTab.tipDropDown": "Se inserează un control listă verticală",
|
||||
"DE.Views.FormsTab.tipImageField": "Se inserează un control imagine",
|
||||
"DE.Views.FormsTab.tipNextForm": "Salt la câmpul următor",
|
||||
|
@ -1992,6 +2040,7 @@
|
|||
"DE.Views.LeftMenu.tipChat": "Chat",
|
||||
"DE.Views.LeftMenu.tipComments": "Comentarii",
|
||||
"DE.Views.LeftMenu.tipNavigation": "Navigare",
|
||||
"DE.Views.LeftMenu.tipOutline": "Titluri",
|
||||
"DE.Views.LeftMenu.tipPlugins": "Plugin-uri",
|
||||
"DE.Views.LeftMenu.tipSearch": "Căutare",
|
||||
"DE.Views.LeftMenu.tipSupport": "Feedback și asistența",
|
||||
|
@ -2014,6 +2063,7 @@
|
|||
"DE.Views.LineNumbersDialog.textStartAt": "Pornire de la",
|
||||
"DE.Views.LineNumbersDialog.textTitle": "Numere de linie",
|
||||
"DE.Views.LineNumbersDialog.txtAutoText": "Auto",
|
||||
"DE.Views.Links.capBtnAddText": "Adăugare text",
|
||||
"DE.Views.Links.capBtnBookmarks": "Marcaj",
|
||||
"DE.Views.Links.capBtnCaption": "Legenda",
|
||||
"DE.Views.Links.capBtnContentsUpdate": "Actualizare tabel",
|
||||
|
@ -2029,7 +2079,7 @@
|
|||
"DE.Views.Links.mniInsEndnote": "Inserare notă de final",
|
||||
"DE.Views.Links.mniInsFootnote": "Inserarea notei de subsol",
|
||||
"DE.Views.Links.mniNoteSettings": "Setări note",
|
||||
"DE.Views.Links.textContentsRemove": "Ștergere cuprins",
|
||||
"DE.Views.Links.textContentsRemove": "Eliminare cuprins",
|
||||
"DE.Views.Links.textContentsSettings": "Setări",
|
||||
"DE.Views.Links.textConvertToEndnotes": "Conversia tuturor notelor de subsol în note de final",
|
||||
"DE.Views.Links.textConvertToFootnotes": "Conversia tuturor notelor de final în note de subsol",
|
||||
|
@ -2038,6 +2088,7 @@
|
|||
"DE.Views.Links.textSwapNotes": "Transfer note de final în note de subsol",
|
||||
"DE.Views.Links.textUpdateAll": "Actualizare tabel întreg",
|
||||
"DE.Views.Links.textUpdatePages": "Actualizare numai numere de pagină",
|
||||
"DE.Views.Links.tipAddText": "Include titlul în Cupris",
|
||||
"DE.Views.Links.tipBookmarks": "Crearea unui marcaj",
|
||||
"DE.Views.Links.tipCaption": "Inserare legendă",
|
||||
"DE.Views.Links.tipContents": "Inserare cuprins",
|
||||
|
@ -2048,6 +2099,8 @@
|
|||
"DE.Views.Links.tipTableFigures": "Inserare tabel de figuri",
|
||||
"DE.Views.Links.tipTableFiguresUpdate": "Actualizare tabel de figuri",
|
||||
"DE.Views.Links.titleUpdateTOF": "Actualizare tabel de figuri",
|
||||
"DE.Views.Links.txtDontShowTof": "Nu se afișează în Cuprins",
|
||||
"DE.Views.Links.txtLevel": "Nivel",
|
||||
"DE.Views.ListSettingsDialog.textAuto": "Automat",
|
||||
"DE.Views.ListSettingsDialog.textCenter": "La centru",
|
||||
"DE.Views.ListSettingsDialog.textLeft": "Stânga",
|
||||
|
@ -2112,6 +2165,8 @@
|
|||
"DE.Views.MailMergeSettings.txtPrev": "Înregistrarea anterioară",
|
||||
"DE.Views.MailMergeSettings.txtUntitled": "Fără titlu",
|
||||
"DE.Views.MailMergeSettings.warnProcessMailMerge": "Îmbinarea corespondenței nu a reușit",
|
||||
"DE.Views.Navigation.strNavigate": "Titluri",
|
||||
"DE.Views.Navigation.txtClosePanel": "Închidere titluri",
|
||||
"DE.Views.Navigation.txtCollapse": "Restrângeți toate",
|
||||
"DE.Views.Navigation.txtDemote": "Retrogradare",
|
||||
"DE.Views.Navigation.txtEmpty": "Documentul nu are anteturi.<br>Aplicați un stil de titlu pentru textul care va fi inclus în cuprins.",
|
||||
|
@ -2119,11 +2174,17 @@
|
|||
"DE.Views.Navigation.txtEmptyViewer": "Documentul nu are anteturi.",
|
||||
"DE.Views.Navigation.txtExpand": "Extindere totală ",
|
||||
"DE.Views.Navigation.txtExpandToLevel": "Extindere la nivel",
|
||||
"DE.Views.Navigation.txtFontSize": "Dimensiune font",
|
||||
"DE.Views.Navigation.txtHeadingAfter": "Titlul nou după",
|
||||
"DE.Views.Navigation.txtHeadingBefore": "Titlul nou înainte",
|
||||
"DE.Views.Navigation.txtLarge": "Mare",
|
||||
"DE.Views.Navigation.txtMedium": "Mediu",
|
||||
"DE.Views.Navigation.txtNewHeading": "Subtitlu nou",
|
||||
"DE.Views.Navigation.txtPromote": "Promovare",
|
||||
"DE.Views.Navigation.txtSelect": "Selectați conținut",
|
||||
"DE.Views.Navigation.txtSettings": "Setarea titlurilor",
|
||||
"DE.Views.Navigation.txtSmall": "Mic",
|
||||
"DE.Views.Navigation.txtWrapHeadings": "Încadrare titluri lungi",
|
||||
"DE.Views.NoteSettingsDialog.textApply": "Aplicare",
|
||||
"DE.Views.NoteSettingsDialog.textApplyTo": "Aplicarea modificărilor pentru",
|
||||
"DE.Views.NoteSettingsDialog.textContinue": "Continuă",
|
||||
|
@ -2631,6 +2692,8 @@
|
|||
"DE.Views.Toolbar.mniImageFromStorage": "Imaginea din serviciul stocare",
|
||||
"DE.Views.Toolbar.mniImageFromUrl": "Imaginea prin URL",
|
||||
"DE.Views.Toolbar.mniLowerCase": "minuscule",
|
||||
"DE.Views.Toolbar.mniRemoveFooter": "Eliminare subsol",
|
||||
"DE.Views.Toolbar.mniRemoveHeader": "Eliminare antet",
|
||||
"DE.Views.Toolbar.mniSentenceCase": "Tip propoziție.",
|
||||
"DE.Views.Toolbar.mniTextToTable": "Conversie text în tabel",
|
||||
"DE.Views.Toolbar.mniToggleCase": "cOMURARE LITERE MARI/MICI.",
|
||||
|
@ -2815,6 +2878,7 @@
|
|||
"DE.Views.ViewTab.textFitToWidth": "Potrivire lățime",
|
||||
"DE.Views.ViewTab.textInterfaceTheme": "Tema interfeței",
|
||||
"DE.Views.ViewTab.textNavigation": "Navigare",
|
||||
"DE.Views.ViewTab.textOutline": "Titluri",
|
||||
"DE.Views.ViewTab.textRulers": "Rigle",
|
||||
"DE.Views.ViewTab.textStatusBar": "Bară de stare",
|
||||
"DE.Views.ViewTab.textZoom": "Zoom",
|
||||
|
|
|
@ -121,7 +121,7 @@
|
|||
"Common.define.chartData.textScatterSmoothMarker": "Точечная с гладкими кривыми и маркерами",
|
||||
"Common.define.chartData.textStock": "Биржевая",
|
||||
"Common.define.chartData.textSurface": "Поверхность",
|
||||
"Common.Translation.textMoreButton": "Больше",
|
||||
"Common.Translation.textMoreButton": "Ещё",
|
||||
"Common.Translation.warnFileLocked": "Вы не можете редактировать этот файл, потому что он уже редактируется в другом приложении.",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Создать копию",
|
||||
"Common.Translation.warnFileLockedBtnView": "Открыть на просмотр",
|
||||
|
@ -171,6 +171,11 @@
|
|||
"Common.UI.HSBColorPicker.textNoColor": "Без цвета",
|
||||
"Common.UI.InputFieldBtnPassword.textHintHidePwd": "Скрыть пароль",
|
||||
"Common.UI.InputFieldBtnPassword.textHintShowPwd": "Показать пароль",
|
||||
"Common.UI.SearchBar.textFind": "Поиск",
|
||||
"Common.UI.SearchBar.tipCloseSearch": "Закрыть поиск",
|
||||
"Common.UI.SearchBar.tipNextResult": "Следующий результат",
|
||||
"Common.UI.SearchBar.tipOpenAdvancedSettings": "Открыть дополнительные параметры",
|
||||
"Common.UI.SearchBar.tipPreviousResult": "Предыдущий результат",
|
||||
"Common.UI.SearchDialog.textHighlight": "Выделить результаты",
|
||||
"Common.UI.SearchDialog.textMatchCase": "С учетом регистра",
|
||||
"Common.UI.SearchDialog.textReplaceDef": "Введите текст для замены",
|
||||
|
@ -183,11 +188,13 @@
|
|||
"Common.UI.SearchDialog.txtBtnReplaceAll": "Заменить все",
|
||||
"Common.UI.SynchronizeTip.textDontShow": "Больше не показывать это сообщение",
|
||||
"Common.UI.SynchronizeTip.textSynchronize": "Документ изменен другим пользователем.<br>Нажмите, чтобы сохранить свои изменения и загрузить обновления.",
|
||||
"Common.UI.ThemeColorPalette.textRecentColors": "Недавние цвета",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Классическая светлая",
|
||||
"Common.UI.Themes.txtThemeDark": "Темная",
|
||||
"Common.UI.Themes.txtThemeLight": "Светлая",
|
||||
"Common.UI.Themes.txtThemeSystem": "Системная",
|
||||
"Common.UI.Window.cancelButtonText": "Отмена",
|
||||
"Common.UI.Window.closeButtonText": "Закрыть",
|
||||
"Common.UI.Window.noButtonText": "Нет",
|
||||
|
@ -286,6 +293,7 @@
|
|||
"Common.Views.Header.textHideLines": "Скрыть линейки",
|
||||
"Common.Views.Header.textHideStatusBar": "Скрыть строку состояния",
|
||||
"Common.Views.Header.textRemoveFavorite": "Удалить из избранного",
|
||||
"Common.Views.Header.textShare": "Доступ",
|
||||
"Common.Views.Header.textZoom": "Масштаб",
|
||||
"Common.Views.Header.tipAccessRights": "Управление правами доступа к документу",
|
||||
"Common.Views.Header.tipDownload": "Скачать файл",
|
||||
|
@ -293,7 +301,9 @@
|
|||
"Common.Views.Header.tipPrint": "Напечатать файл",
|
||||
"Common.Views.Header.tipRedo": "Повторить",
|
||||
"Common.Views.Header.tipSave": "Сохранить",
|
||||
"Common.Views.Header.tipSearch": "Поиск",
|
||||
"Common.Views.Header.tipUndo": "Отменить",
|
||||
"Common.Views.Header.tipUsers": "Просмотр пользователей",
|
||||
"Common.Views.Header.tipViewSettings": "Параметры вида",
|
||||
"Common.Views.Header.tipViewUsers": "Просмотр пользователей и управление правами доступа к документу",
|
||||
"Common.Views.Header.txtAccessRights": "Изменить права доступа",
|
||||
|
@ -447,6 +457,21 @@
|
|||
"Common.Views.ReviewPopover.txtReject": "Отклонить",
|
||||
"Common.Views.SaveAsDlg.textLoading": "Загрузка",
|
||||
"Common.Views.SaveAsDlg.textTitle": "Папка для сохранения",
|
||||
"Common.Views.SearchPanel.textCaseSensitive": "С учетом регистра",
|
||||
"Common.Views.SearchPanel.textCloseSearch": "Закрыть поиск",
|
||||
"Common.Views.SearchPanel.textFind": "Поиск",
|
||||
"Common.Views.SearchPanel.textFindAndReplace": "Поиск и замена",
|
||||
"Common.Views.SearchPanel.textMatchUsingRegExp": "Сопоставление с использованием регулярных выражений",
|
||||
"Common.Views.SearchPanel.textNoMatches": "Совпадений нет",
|
||||
"Common.Views.SearchPanel.textNoSearchResults": "Ничего не найдено",
|
||||
"Common.Views.SearchPanel.textReplace": "Заменить",
|
||||
"Common.Views.SearchPanel.textReplaceAll": "Заменить все",
|
||||
"Common.Views.SearchPanel.textReplaceWith": "Заменить на",
|
||||
"Common.Views.SearchPanel.textSearchResults": "Результаты поиска: {0}/{1}",
|
||||
"Common.Views.SearchPanel.textTooManyResults": "Слишком много результатов, чтобы отобразить их здесь",
|
||||
"Common.Views.SearchPanel.textWholeWords": "Только слово целиком",
|
||||
"Common.Views.SearchPanel.tipNextResult": "Следующий результат",
|
||||
"Common.Views.SearchPanel.tipPreviousResult": "Предыдущий результат",
|
||||
"Common.Views.SelectFileDlg.textLoading": "Загрузка",
|
||||
"Common.Views.SelectFileDlg.textTitle": "Выбрать источник данных",
|
||||
"Common.Views.SignDialog.textBold": "Полужирный",
|
||||
|
@ -538,17 +563,19 @@
|
|||
"DE.Controllers.Main.errorDataRange": "Некорректный диапазон данных.",
|
||||
"DE.Controllers.Main.errorDefaultMessage": "Код ошибки: %1",
|
||||
"DE.Controllers.Main.errorDirectUrl": "Проверьте ссылку на документ.<br>Эта ссылка должна быть прямой ссылкой для скачивания файла.",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "В ходе работы с документом произошла ошибка.<br>Используйте опцию 'Скачать как...', чтобы сохранить резервную копию файла на жесткий диск компьютера.",
|
||||
"DE.Controllers.Main.errorEditingSaveas": "В ходе работы с документом произошла ошибка.<br>Используйте опцию 'Сохранить как...', чтобы сохранить резервную копию файла на жесткий диск компьютера.",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "В ходе работы с документом произошла ошибка.<br>Используйте опцию 'Скачать как...', чтобы сохранить резервную копию файла на диск.",
|
||||
"DE.Controllers.Main.errorEditingSaveas": "В ходе работы с документом произошла ошибка.<br>Используйте опцию 'Сохранить как...', чтобы сохранить резервную копию файла на диск.",
|
||||
"DE.Controllers.Main.errorEmailClient": "Не найден почтовый клиент",
|
||||
"DE.Controllers.Main.errorEmptyTOC": "Начните создавать оглавление, применив к выделенному тексту стиль заголовка из галереи Стилей.",
|
||||
"DE.Controllers.Main.errorFilePassProtect": "Файл защищен паролем и не может быть открыт.",
|
||||
"DE.Controllers.Main.errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.<br>Обратитесь к администратору Сервера документов для получения дополнительной информации.",
|
||||
"DE.Controllers.Main.errorForceSave": "При сохранении файла произошла ошибка. Используйте опцию 'Скачать как', чтобы сохранить файл на жестком диске компьютера или повторите попытку позже.",
|
||||
"DE.Controllers.Main.errorForceSave": "При сохранении файла произошла ошибка. Используйте опцию 'Скачать как', чтобы сохранить файл на диск или повторите попытку позже.",
|
||||
"DE.Controllers.Main.errorKeyEncrypt": "Неизвестный дескриптор ключа",
|
||||
"DE.Controllers.Main.errorKeyExpire": "Срок действия дескриптора ключа истек",
|
||||
"DE.Controllers.Main.errorLoadingFont": "Шрифты не загружены.<br>Пожалуйста, обратитесь к администратору Сервера документов.",
|
||||
"DE.Controllers.Main.errorMailMergeLoadFile": "Загрузка документа не удалась. Выберите другой файл.",
|
||||
"DE.Controllers.Main.errorMailMergeSaveFile": "Не удалось выполнить слияние.",
|
||||
"DE.Controllers.Main.errorNoTOC": "Нет оглавления, которое нужно обновить. Вы можете вставить его на вкладке Ссылки.",
|
||||
"DE.Controllers.Main.errorProcessSaveResult": "Сбой при сохранении.",
|
||||
"DE.Controllers.Main.errorServerVersion": "Версия редактора была обновлена. Страница будет перезагружена, чтобы применить изменения.",
|
||||
"DE.Controllers.Main.errorSessionAbsolute": "Время сеанса редактирования документа истекло. Пожалуйста, обновите страницу.",
|
||||
|
@ -616,8 +643,10 @@
|
|||
"DE.Controllers.Main.textPaidFeature": "Платная функция",
|
||||
"DE.Controllers.Main.textReconnect": "Соединение восстановлено",
|
||||
"DE.Controllers.Main.textRemember": "Запомнить мой выбор для всех файлов",
|
||||
"DE.Controllers.Main.textRememberMacros": "Запомнить мой выбор для всех макросов",
|
||||
"DE.Controllers.Main.textRenameError": "Имя пользователя не должно быть пустым.",
|
||||
"DE.Controllers.Main.textRenameLabel": "Введите имя, которое будет использоваться для совместной работы",
|
||||
"DE.Controllers.Main.textRequestMacros": "Макрос делает запрос на URL. Вы хотите разрешить запрос на %1?",
|
||||
"DE.Controllers.Main.textShape": "Фигура",
|
||||
"DE.Controllers.Main.textStrict": "Строгий режим",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.<br>Нажмите на кнопку 'Строгий режим' для переключения в Строгий режим совместного редактирования, чтобы редактировать файл без вмешательства других пользователей и отправлять изменения только после того, как вы их сохраните. Переключаться между режимами совместного редактирования можно с помощью Дополнительных параметров редактора.",
|
||||
|
@ -892,6 +921,8 @@
|
|||
"DE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.",
|
||||
"DE.Controllers.Navigation.txtBeginning": "Начало документа",
|
||||
"DE.Controllers.Navigation.txtGotoBeginning": "Перейти в начало документа",
|
||||
"DE.Controllers.Search.notcriticalErrorTitle": "Внимание",
|
||||
"DE.Controllers.Search.warnReplaceString": "{0} нельзя использовать как специальный символ в поле Заменить на.",
|
||||
"DE.Controllers.Statusbar.textDisconnect": "<b>Соединение потеряно</b><br>Попытка подключения. Проверьте настройки подключения.",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "Отслежены новые изменения",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "Вы находитесь в режиме отслеживания изменений",
|
||||
|
@ -1701,9 +1732,9 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Страницы",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Размер страницы",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Абзацы",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Производитель PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF с тегами",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Версия PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Производитель PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Размещение",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Люди, имеющие права",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Символы с пробелами",
|
||||
|
@ -1733,9 +1764,13 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strFast": "Быстрый",
|
||||
"DE.Views.FileMenuPanels.Settings.strFontRender": "Хинтинг шрифтов",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Добавлять версию в хранилище после нажатия кнопки Сохранить или Ctrl+S",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsInUPPERCASE": "Пропускать слова из ПРОПИСНЫХ БУКВ",
|
||||
"DE.Views.FileMenuPanels.Settings.strIgnoreWordsWithNumbers": "Пропускать слова с цифрами",
|
||||
"DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Настройки макросов",
|
||||
"DE.Views.FileMenuPanels.Settings.strPasteButton": "Показывать кнопку Параметры вставки при вставке содержимого",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowChanges": "Отображать изменения при совместной работе",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowComments": "Показывать комментарии в тексте",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowResolvedComments": "Показывать решенные комментарии",
|
||||
"DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Включить проверку орфографии",
|
||||
"DE.Views.FileMenuPanels.Settings.strStrict": "Строгий",
|
||||
"DE.Views.FileMenuPanels.Settings.strTheme": "Тема интерфейса",
|
||||
|
@ -1759,9 +1794,13 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Показывать при клике в выносках",
|
||||
"DE.Views.FileMenuPanels.Settings.txtChangesTip": "Показывать при наведении в подсказках",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCm": "Сантиметр",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCollaboration": "Совместная работа",
|
||||
"DE.Views.FileMenuPanels.Settings.txtDarkMode": "Включить темный режим",
|
||||
"DE.Views.FileMenuPanels.Settings.txtEditingSaving": "Редактирование и сохранение",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFastTip": "Совместное редактирование в режиме реального времени. Все изменения сохраняются автоматически",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitPage": "По размеру страницы",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitWidth": "По ширине",
|
||||
"DE.Views.FileMenuPanels.Settings.txtHieroglyphs": "Иероглифы",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInch": "Дюйм",
|
||||
"DE.Views.FileMenuPanels.Settings.txtInput": "Альтернативный ввод",
|
||||
"DE.Views.FileMenuPanels.Settings.txtLast": "Последние",
|
||||
|
@ -1773,12 +1812,17 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtPt": "Пункт",
|
||||
"DE.Views.FileMenuPanels.Settings.txtRunMacros": "Включить все",
|
||||
"DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Включить все макросы без уведомления",
|
||||
"DE.Views.FileMenuPanels.Settings.txtShowTrackChanges": "Показывать изменения при рецензировании",
|
||||
"DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Проверка орфографии",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStopMacros": "Отключить все",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Отключить все макросы без уведомления",
|
||||
"DE.Views.FileMenuPanels.Settings.txtStrictTip": "Используйте кнопку \"Сохранить\" для синхронизации изменений, внесенных вами и другими пользователями.",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseAltKey": "Использовать клавишу Alt для навигации по интерфейсу с помощью клавиатуры",
|
||||
"DE.Views.FileMenuPanels.Settings.txtUseOptionKey": "Использовать клавишу Option для навигации по интерфейсу с помощью клавиатуры",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Показывать уведомление",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Отключить все макросы с уведомлением",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWin": "как Windows",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWorkspace": "Рабочая область",
|
||||
"DE.Views.FormSettings.textAlways": "Всегда",
|
||||
"DE.Views.FormSettings.textAspect": "Сохранять пропорции",
|
||||
"DE.Views.FormSettings.textAutofit": "Автоподбор",
|
||||
|
@ -1809,6 +1853,7 @@
|
|||
"DE.Views.FormSettings.textRequired": "Обязательно",
|
||||
"DE.Views.FormSettings.textScale": "Когда масштабировать",
|
||||
"DE.Views.FormSettings.textSelectImage": "Выбрать изображение",
|
||||
"DE.Views.FormSettings.textTag": "Тег",
|
||||
"DE.Views.FormSettings.textTip": "Подсказка",
|
||||
"DE.Views.FormSettings.textTipAdd": "Добавить новое значение",
|
||||
"DE.Views.FormSettings.textTipDelete": "Удалить значение",
|
||||
|
@ -1821,6 +1866,7 @@
|
|||
"DE.Views.FormSettings.textWidth": "Ширина ячейки",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Флажок",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Поле со списком",
|
||||
"DE.Views.FormsTab.capBtnDownloadForm": "Скачать как oform",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Выпадающий список",
|
||||
"DE.Views.FormsTab.capBtnImage": "Изображение",
|
||||
"DE.Views.FormsTab.capBtnNext": "Следующее поле",
|
||||
|
@ -1840,6 +1886,7 @@
|
|||
"DE.Views.FormsTab.textSubmited": "Форма успешно отправлена",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Вставить флажок",
|
||||
"DE.Views.FormsTab.tipComboBox": "Вставить поле со списком",
|
||||
"DE.Views.FormsTab.tipDownloadForm": "Скачать файл как заполняемый документ OFORM",
|
||||
"DE.Views.FormsTab.tipDropDown": "Вставить выпадающий список",
|
||||
"DE.Views.FormsTab.tipImageField": "Вставить изображение",
|
||||
"DE.Views.FormsTab.tipNextForm": "Перейти к следующему полю",
|
||||
|
@ -1994,6 +2041,7 @@
|
|||
"DE.Views.LeftMenu.tipChat": "Чат",
|
||||
"DE.Views.LeftMenu.tipComments": "Комментарии",
|
||||
"DE.Views.LeftMenu.tipNavigation": "Навигация",
|
||||
"DE.Views.LeftMenu.tipOutline": "Заголовки",
|
||||
"DE.Views.LeftMenu.tipPlugins": "Плагины",
|
||||
"DE.Views.LeftMenu.tipSearch": "Поиск",
|
||||
"DE.Views.LeftMenu.tipSupport": "Обратная связь и поддержка",
|
||||
|
@ -2002,6 +2050,7 @@
|
|||
"DE.Views.LeftMenu.txtLimit": "Ограниченный доступ",
|
||||
"DE.Views.LeftMenu.txtTrial": "ПРОБНЫЙ РЕЖИМ",
|
||||
"DE.Views.LeftMenu.txtTrialDev": "Пробный режим разработчика",
|
||||
"DE.Views.LeftMenu.txtEditor": "Редактор документов",
|
||||
"DE.Views.LineNumbersDialog.textAddLineNumbering": "Добавить нумерацию строк",
|
||||
"DE.Views.LineNumbersDialog.textApplyTo": "Применить изменения к",
|
||||
"DE.Views.LineNumbersDialog.textContinuous": "Непрерывная",
|
||||
|
@ -2016,6 +2065,7 @@
|
|||
"DE.Views.LineNumbersDialog.textStartAt": "Начать с",
|
||||
"DE.Views.LineNumbersDialog.textTitle": "Нумерация строк",
|
||||
"DE.Views.LineNumbersDialog.txtAutoText": "Авто",
|
||||
"DE.Views.Links.capBtnAddText": "Добавить текст",
|
||||
"DE.Views.Links.capBtnBookmarks": "Закладка",
|
||||
"DE.Views.Links.capBtnCaption": "Название",
|
||||
"DE.Views.Links.capBtnContentsUpdate": "Обновить таблицу",
|
||||
|
@ -2040,6 +2090,7 @@
|
|||
"DE.Views.Links.textSwapNotes": "Поменять сноски",
|
||||
"DE.Views.Links.textUpdateAll": "Обновить целиком",
|
||||
"DE.Views.Links.textUpdatePages": "Обновить только номера страниц",
|
||||
"DE.Views.Links.tipAddText": "Включать заголовки в оглавление",
|
||||
"DE.Views.Links.tipBookmarks": "Создать закладку",
|
||||
"DE.Views.Links.tipCaption": "Вставить название",
|
||||
"DE.Views.Links.tipContents": "Вставить оглавление",
|
||||
|
@ -2050,6 +2101,8 @@
|
|||
"DE.Views.Links.tipTableFigures": "Вставить список иллюстраций",
|
||||
"DE.Views.Links.tipTableFiguresUpdate": "Обновить список иллюстраций",
|
||||
"DE.Views.Links.titleUpdateTOF": "Обновить список иллюстраций",
|
||||
"DE.Views.Links.txtDontShowTof": "Не включать в оглавление",
|
||||
"DE.Views.Links.txtLevel": "Уровень",
|
||||
"DE.Views.ListSettingsDialog.textAuto": "Автоматически",
|
||||
"DE.Views.ListSettingsDialog.textCenter": "По центру",
|
||||
"DE.Views.ListSettingsDialog.textLeft": "По левому краю",
|
||||
|
@ -2114,6 +2167,8 @@
|
|||
"DE.Views.MailMergeSettings.txtPrev": "Предыдущая запись",
|
||||
"DE.Views.MailMergeSettings.txtUntitled": "Без имени",
|
||||
"DE.Views.MailMergeSettings.warnProcessMailMerge": "Не удалось начать слияние",
|
||||
"DE.Views.Navigation.strNavigate": "Заголовки",
|
||||
"DE.Views.Navigation.txtClosePanel": "Закрыть заголовки",
|
||||
"DE.Views.Navigation.txtCollapse": "Свернуть все",
|
||||
"DE.Views.Navigation.txtDemote": "Понизить уровень",
|
||||
"DE.Views.Navigation.txtEmpty": "В документе нет заголовков.<br>Примените стиль заголовка к тексту, чтобы он появился в оглавлении.",
|
||||
|
@ -2121,11 +2176,17 @@
|
|||
"DE.Views.Navigation.txtEmptyViewer": "В документе нет заголовков.",
|
||||
"DE.Views.Navigation.txtExpand": "Развернуть все",
|
||||
"DE.Views.Navigation.txtExpandToLevel": "Развернуть до уровня",
|
||||
"DE.Views.Navigation.txtFontSize": "Размер шрифта",
|
||||
"DE.Views.Navigation.txtHeadingAfter": "Новый заголовок после",
|
||||
"DE.Views.Navigation.txtHeadingBefore": "Новый заголовок перед",
|
||||
"DE.Views.Navigation.txtLarge": "Большой",
|
||||
"DE.Views.Navigation.txtMedium": "Средний",
|
||||
"DE.Views.Navigation.txtNewHeading": "Новый подзаголовок",
|
||||
"DE.Views.Navigation.txtPromote": "Повысить уровень",
|
||||
"DE.Views.Navigation.txtSelect": "Выделить содержимое",
|
||||
"DE.Views.Navigation.txtSettings": "Параметры заголовков",
|
||||
"DE.Views.Navigation.txtSmall": "Маленький",
|
||||
"DE.Views.Navigation.txtWrapHeadings": "Переносить длинные заголовки",
|
||||
"DE.Views.NoteSettingsDialog.textApply": "Применить",
|
||||
"DE.Views.NoteSettingsDialog.textApplyTo": "Применить изменения",
|
||||
"DE.Views.NoteSettingsDialog.textContinue": "Непрерывная",
|
||||
|
@ -2633,6 +2694,8 @@
|
|||
"DE.Views.Toolbar.mniImageFromStorage": "Изображение из хранилища",
|
||||
"DE.Views.Toolbar.mniImageFromUrl": "Изображение по URL",
|
||||
"DE.Views.Toolbar.mniLowerCase": "нижний регистр",
|
||||
"DE.Views.Toolbar.mniRemoveFooter": "Удалить нижний колонтитул",
|
||||
"DE.Views.Toolbar.mniRemoveHeader": "Удалить верхний колонтитул",
|
||||
"DE.Views.Toolbar.mniSentenceCase": "Как в предложениях.",
|
||||
"DE.Views.Toolbar.mniTextToTable": "Преобразовать текст в таблицу",
|
||||
"DE.Views.Toolbar.mniToggleCase": "иЗМЕНИТЬ рЕГИСТР",
|
||||
|
@ -2817,6 +2880,7 @@
|
|||
"DE.Views.ViewTab.textFitToWidth": "По ширине",
|
||||
"DE.Views.ViewTab.textInterfaceTheme": "Тема интерфейса",
|
||||
"DE.Views.ViewTab.textNavigation": "Навигация",
|
||||
"DE.Views.ViewTab.textOutline": "Заголовки",
|
||||
"DE.Views.ViewTab.textRulers": "Линейки",
|
||||
"DE.Views.ViewTab.textStatusBar": "Строка состояния",
|
||||
"DE.Views.ViewTab.textZoom": "Масштаб",
|
||||
|
|
|
@ -262,6 +262,7 @@
|
|||
"Common.Views.Comments.textResolved": "已解決",
|
||||
"Common.Views.Comments.textSort": "註解分類",
|
||||
"Common.Views.Comments.textViewResolved": "你沒有權限來重新開啟這個註解",
|
||||
"Common.Views.Comments.txtEmpty": "文件裡沒有註解。",
|
||||
"Common.Views.CopyWarningDialog.textDontShow": "不再顯示此消息",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "使用編輯器工具欄按鈕進行[複制],[剪下]和[貼上]的操作以及內文選單操作僅能在此編輯器中執行。<br> <br>要在“編輯器”之外的應用程式之間進行[複製]或[貼上],請使用以下鍵盤組合:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "複製, 剪下, 與貼上之動作",
|
||||
|
@ -514,6 +515,7 @@
|
|||
"DE.Controllers.LeftMenu.warnDownloadAs": "如果繼續以這種格式保存,則除文本外的所有功能都將丟失。<br>確定要繼續嗎?",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAsPdf": "您的 {0} 將轉換成一份可修改的文件。系統需要處理一段時間。轉換後的文件即可隨之修改,但可能不完全跟您的原 {0} 相同,特別是如果原文件有過多的圖像將會更有差異。",
|
||||
"DE.Controllers.LeftMenu.warnDownloadAsRTF": "如果繼續以這種格式保存,則某些格式可能會丟失。<br>確定要繼續嗎?",
|
||||
"DE.Controllers.LeftMenu.warnReplaceString": "{0}不可用於替換段文字落的有效特殊符號。",
|
||||
"DE.Controllers.Main.applyChangesTextText": "加載更改...",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "加載更改",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "轉換逾時。",
|
||||
|
@ -1689,6 +1691,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "變更存取權限",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtComment": "註解",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "已建立",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "快速Web預覽",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "載入中...",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "最後修改者",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "上一次更改",
|
||||
|
@ -1697,6 +1700,9 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "頁",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "頁面大小",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "段落",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF產生器",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "已標記為PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF版本",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "位置",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtRights": "有權利的人",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "帶空格的符號",
|
||||
|
|
|
@ -355,9 +355,9 @@
|
|||
"Common.Views.ReviewChanges.mniFromUrl": "url中的文档",
|
||||
"Common.Views.ReviewChanges.mniSettings": "比较设置",
|
||||
"Common.Views.ReviewChanges.strFast": "快速",
|
||||
"Common.Views.ReviewChanges.strFastDesc": "实时共同编辑。所有更改将会自动保存。",
|
||||
"Common.Views.ReviewChanges.strStrict": "严格",
|
||||
"Common.Views.ReviewChanges.strStrictDesc": "使用“保存”按钮同步您和其他人所做的更改。",
|
||||
"Common.Views.ReviewChanges.strFastDesc": "自动共同编辑模式,自动保存修改痕迹。",
|
||||
"Common.Views.ReviewChanges.strStrict": "手动",
|
||||
"Common.Views.ReviewChanges.strStrictDesc": "手动共同编辑模式,点击保存按钮后,才会同步用户所做的修改。",
|
||||
"Common.Views.ReviewChanges.textEnable": "启动",
|
||||
"Common.Views.ReviewChanges.textWarnTrackChanges": "对全体有完整控制权的用户,“跟踪修改”功能将会启动。任何人下次打开该文档,“跟踪修改”功能都会保持在启动状态。",
|
||||
"Common.Views.ReviewChanges.textWarnTrackChangesTitle": "是否为所有人启动“跟踪修改”?",
|
||||
|
@ -618,8 +618,8 @@
|
|||
"DE.Controllers.Main.textRenameError": "用户名不能留空。",
|
||||
"DE.Controllers.Main.textRenameLabel": "输入名称,可用于协作。",
|
||||
"DE.Controllers.Main.textShape": "形状",
|
||||
"DE.Controllers.Main.textStrict": "严格模式",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "对于快速的协同编辑模式,取消/重做功能是禁用的。< br >单击“严格模式”按钮切换到严格co-editing模式编辑该文件没有其他用户干扰和发送您的更改只后你拯救他们。您可以使用编辑器高级设置在编辑模式之间切换。",
|
||||
"DE.Controllers.Main.textStrict": "手动模式",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "对于自动的协同编辑模式,取消/重做功能是禁用的。< br >单击“手动模式”按钮切换到手动协同编辑模式,这样,编辑该文件时只有您保存修改之后,其他用户才能访问这些修改。您可以使用编辑器高级设置易于切换编辑模式。",
|
||||
"DE.Controllers.Main.textTryUndoRedoWarn": "快速共同编辑模式下,撤销/重做功能被禁用。",
|
||||
"DE.Controllers.Main.titleLicenseExp": "许可证过期",
|
||||
"DE.Controllers.Main.titleServerVersion": "编辑器已更新",
|
||||
|
@ -1700,6 +1700,7 @@
|
|||
"DE.Views.FileMenuPanels.DocumentInfo.txtPages": "页面",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "页面大小",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "段落",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF制作器",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "已标记为PDF",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF版",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "位置",
|
||||
|
@ -1735,7 +1736,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strPasteButton": "在执行粘贴操作后显示“粘贴选项”按钮",
|
||||
"DE.Views.FileMenuPanels.Settings.strShowChanges": "实时协作变更",
|
||||
"DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "显示拼写检查选项",
|
||||
"DE.Views.FileMenuPanels.Settings.strStrict": "严格",
|
||||
"DE.Views.FileMenuPanels.Settings.strStrict": "手动",
|
||||
"DE.Views.FileMenuPanels.Settings.strTheme": "界面主题",
|
||||
"DE.Views.FileMenuPanels.Settings.strUnit": "测量单位",
|
||||
"DE.Views.FileMenuPanels.Settings.strZoom": "默认缩放比率",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "E-poçt",
|
||||
"textPoweredBy": "ilə enerji ilə təmin olunur",
|
||||
"textTel": "Telefon",
|
||||
"textVersion": "Versiya"
|
||||
"textVersion": "Versiya",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Xəbərdarlıq",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"txtNotUrl": "Bu sahədə \"http://www.example.com\" formatında URL olmalıdır",
|
||||
"textOk": "Ok",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -276,7 +277,6 @@
|
|||
"textPageBreakBefore": "Yeni Səhifədən",
|
||||
"textPageNumbering": "Səhifənin Nömrələnməsi",
|
||||
"textParagraph": "Paraqraf",
|
||||
"textParagraphStyles": "Paraqraf Üslubları",
|
||||
"textPictureFromLibrary": "Kitabxanadan şəkil",
|
||||
"textPictureFromURL": "URL-dən şəkil",
|
||||
"textPt": "pt",
|
||||
|
@ -314,50 +314,57 @@
|
|||
"textTotalRow": "Yekun Sətir",
|
||||
"textType": "Növ",
|
||||
"textWrap": "Keçirin",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textApril": "April",
|
||||
"textAugust": "August",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDecember": "December",
|
||||
"textDesign": "Design",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEmpty": "Empty",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFebruary": "February",
|
||||
"textFormal": "Formal",
|
||||
"textFr": "Fr",
|
||||
"textJanuary": "January",
|
||||
"textJuly": "July",
|
||||
"textJune": "June",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textMarch": "March",
|
||||
"textMay": "May",
|
||||
"textMo": "Mo",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textNovember": "November",
|
||||
"textOctober": "October",
|
||||
"textOk": "Ok",
|
||||
"textSa": "Sa",
|
||||
"textSeptember": "September",
|
||||
"textSu": "Su",
|
||||
"textTh": "Th",
|
||||
"textTu": "Tu",
|
||||
"textWe": "We",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSa": "Sa",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSeptember": "September",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textSu": "Su",
|
||||
"textTableOfCont": "TOC",
|
||||
"textTh": "Th",
|
||||
"textTitle": "Title",
|
||||
"textTu": "Tu",
|
||||
"textWe": "We"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Çevrilmə vaxtı maksimumu keçdi.",
|
||||
|
@ -646,18 +653,22 @@
|
|||
"txtScheme7": "Bərabər",
|
||||
"txtScheme8": "Axın",
|
||||
"txtScheme9": "Emalatxana",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Saxlanmamış dəyişiklikləriniz var. Avtomatik saxlanmanı gözləmək üçün \"Bu Səhifədə Qalın\" üzərinə klikləyin. Bütün saxlanmamış dəyişiklikləri ləğv etmək üçün \"Bu səhifədən Çıxın\" hissəsinin üzərinə klikləyin.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Электронная пошта",
|
||||
"textPoweredBy": "Распрацавана",
|
||||
"textTel": "Тэлефон",
|
||||
"textVersion": "Версія"
|
||||
"textVersion": "Версія",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Увага",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Памеры табліцы",
|
||||
"txtNotUrl": "Гэтае поле мусіць быць URL-адрасам фармату \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -288,7 +289,6 @@
|
|||
"textPageBreakBefore": "З новай старонкі",
|
||||
"textPageNumbering": "Нумарацыя старонак",
|
||||
"textParagraph": "Абзац",
|
||||
"textParagraphStyles": "Стылі абзаца",
|
||||
"textPictureFromLibrary": "Выява з бібліятэкі",
|
||||
"textPictureFromURL": "Выява па URL",
|
||||
"textPt": "пт",
|
||||
|
@ -330,34 +330,41 @@
|
|||
"textType": "Тып",
|
||||
"textWe": "Сер",
|
||||
"textWrap": "Абцяканне",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textBehind": "Behind Text",
|
||||
"textBulletsAndNumbers": "Bullets & Numbers",
|
||||
"textFirstLine": "FirstLine",
|
||||
"textNoStyles": "No styles for this type of charts.",
|
||||
"textSelectObjectToEdit": "Select object to edit",
|
||||
"textSquare": "Square",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFirstLine": "FirstLine",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textNoStyles": "No styles for this type of charts.",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSelectObjectToEdit": "Select object to edit",
|
||||
"textSimple": "Simple",
|
||||
"textSquare": "Square",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Час чакання пераўтварэння сышоў.",
|
||||
|
@ -384,18 +391,18 @@
|
|||
"errorAccessDeny": "You are trying to perform an action you do not have rights for.<br>Please, contact your admin.",
|
||||
"errorConnectToServer": "Can't save this doc. Check your connection settings or contact the admin.<br>When you click OK, you will be prompted to download the document.",
|
||||
"errorEditingDownloadas": "An error occurred during the work with the document.<br>Download document to save the file backup copy locally.",
|
||||
"errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"errorFilePassProtect": "The file is password protected and could not be opened.",
|
||||
"errorFileSizeExceed": "The file size exceeds your server limit.<br>Please, contact your admin.",
|
||||
"errorLoadingFont": "Fonts are not loaded.<br>Please contact your Document Server administrator.",
|
||||
"errorMailMergeLoadFile": "Loading failed",
|
||||
"errorNoTOC": "There's no table of contents to update. You can insert one from the References tab.",
|
||||
"errorSessionAbsolute": "The document editing session has expired. Please, reload the page.",
|
||||
"errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.",
|
||||
"errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.",
|
||||
"errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:<br> opening price, max price, min price, closing price.",
|
||||
"errorUserDrop": "The file can't be accessed right now.",
|
||||
"errorViewerDisconnect": "Connection is lost. You can still view the document,<br>but you won't be able to download or print it until the connection is restored and the page is reloaded.",
|
||||
"errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"errorNoTOC": "There's no table of contents to update. You can insert one from the References tab.",
|
||||
"openErrorText": "An error has occurred while opening the file",
|
||||
"saveErrorText": "An error has occurred while saving the file",
|
||||
"scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.",
|
||||
|
@ -525,6 +532,7 @@
|
|||
"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.",
|
||||
"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.",
|
||||
"warnLicenseExp": "Your license has expired. Please, update your license and refresh the page.",
|
||||
"warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your admin.",
|
||||
|
@ -532,8 +540,7 @@
|
|||
"warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.",
|
||||
"warnNoLicense": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact %1 sales team for personal upgrade terms.",
|
||||
"warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.",
|
||||
"warnProcessRightsChange": "You don't have permission to edit this file.",
|
||||
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
|
||||
"warnProcessRightsChange": "You don't have permission to edit this file."
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Абаронены файл",
|
||||
|
@ -634,30 +641,34 @@
|
|||
"txtScheme8": "Плынь",
|
||||
"txtScheme9": "Ліцейня",
|
||||
"textAbout": "About",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textChooseEncoding": "Choose Encoding",
|
||||
"textDirection": "Direction",
|
||||
"textDisableAllMacrosWithNotification": "Disable all macros with notification",
|
||||
"textDisableAllMacrosWithoutNotification": "Disable all macros without notification",
|
||||
"textDownloadAs": "Download As",
|
||||
"textDownloadRtf": "If you continue saving in this format some of the formatting might be lost. Are you sure you want to continue?",
|
||||
"textDownloadTxt": "If you continue saving in this format all features except the text will be lost. Are you sure you want to continue?",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textEnableAllMacrosWithoutNotification": "Enable all macros without notification",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFindAndReplaceAll": "Find and Replace All",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textFindAndReplaceAll": "Find and Replace All",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes",
|
||||
"txtDownloadTxt": "Download TXT",
|
||||
"txtIncorrectPwd": "Password is incorrect",
|
||||
"txtProtected": "Once you enter the password and open the file, the current password will be reset",
|
||||
"txtScheme22": "New Office",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"txtScheme22": "New Office"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveTitleText": "Вы выходзіце з праграмы",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Correu electrònic",
|
||||
"textPoweredBy": "Amb tecnologia de",
|
||||
"textTel": "Tel.",
|
||||
"textVersion": "Versió"
|
||||
"textVersion": "Versió",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Advertiment",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Mida de la taula",
|
||||
"txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Salt de pàgina anterior",
|
||||
"textPageNumbering": "Numeració de pàgines",
|
||||
"textParagraph": "Paràgraf",
|
||||
"textParagraphStyles": "Estils de paràgraf",
|
||||
"textPictureFromLibrary": "Imatge de la biblioteca",
|
||||
"textPictureFromURL": "Imatge de l'URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Tipus",
|
||||
"textWe": "dc.",
|
||||
"textWrap": "Ajustament",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "S'ha superat el temps de conversió.",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "Equitat",
|
||||
"txtScheme8": "Flux",
|
||||
"txtScheme9": "Foneria",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Tens canvis sense desar. Fes clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Fes clic a \"Deixar aquesta pàgina\" per descartar tots els canvis no desats.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Poháněno",
|
||||
"textTel": "Telefon",
|
||||
"textVersion": "Verze"
|
||||
"textVersion": "Verze",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Varování",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Velikost tabulky",
|
||||
"txtNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Konec stránky před",
|
||||
"textPageNumbering": "Číslování stránek",
|
||||
"textParagraph": "Odstavec",
|
||||
"textParagraphStyles": "Styly odstavce",
|
||||
"textPictureFromLibrary": "Obrázek z knihovny",
|
||||
"textPictureFromURL": "Obrázek z adresy URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Typ",
|
||||
"textWe": "st",
|
||||
"textWrap": "Obtékání",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Vypršel čas konverze.",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "Rovnost",
|
||||
"txtScheme8": "Tok",
|
||||
"txtScheme9": "Slévárna",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "V tomto dokumentu máte neuložené změny. Klikněte na 'Zůstat na této stránce'. Klikněte na 'Opustit tuto stránku' pro zahození neuložených změn.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "E-Mail",
|
||||
"textPoweredBy": "Unterstützt von",
|
||||
"textTel": "Tel.",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warnung",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Tabellengröße",
|
||||
"txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Seitenumbruch vor",
|
||||
"textPageNumbering": "Seitennummerierung",
|
||||
"textParagraph": "Absatz",
|
||||
"textParagraphStyles": "Absatzformatvorlage",
|
||||
"textPictureFromLibrary": "Bild aus dem Verzeichnis",
|
||||
"textPictureFromURL": "Bild aus URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Typ",
|
||||
"textWe": "Mi",
|
||||
"textWrap": "Umbrechen",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.",
|
||||
|
@ -439,7 +446,7 @@
|
|||
"Main": {
|
||||
"criticalErrorTitle": "Fehler",
|
||||
"errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.<br>Bitte wenden Sie sich an Administratoren.",
|
||||
"errorOpensource": "In der kostenlosen Community-Version können Sie Dokumente nur öffnen. Für Bearbeitung in mobilen Web-Editoren ist die kommerzielle Lizenz erforderlich.",
|
||||
"errorOpensource": "Mit der kostenlosen Community-Version können Sie Dokumente nur schreibgeschützt öffnen. Für den Zugriff auf mobilen Web-Editoren ist eine kommerzielle Lizenz erforderlich.",
|
||||
"errorProcessSaveResult": "Speichern ist fehlgeschlagen.",
|
||||
"errorServerVersion": "Version des Editors wurde aktualisiert. Die Seite wird neu geladen, um die Änderungen zu übernehmen.",
|
||||
"errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.",
|
||||
|
@ -646,18 +653,22 @@
|
|||
"txtScheme7": "Kapital",
|
||||
"txtScheme8": "Fluss",
|
||||
"txtScheme9": "Gießerei",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF-Ersteller"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Sie haben nicht gespeicherte Änderungen. Klicken Sie auf \"Auf dieser Seite bleiben\" und warten Sie, bis die Datei automatisch gespeichert wird. Klicken Sie auf \"Die Seite verlassen\", um nicht gespeicherte Änderungen zu verwerfen.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Ηλεκτρονική διεύθυνση",
|
||||
"textPoweredBy": "Υποστηρίζεται Από",
|
||||
"textTel": "Τηλ",
|
||||
"textVersion": "Έκδοση"
|
||||
"textVersion": "Έκδοση",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Προειδοποίηση",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Μέγεθος Πίνακα",
|
||||
"txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Αλλαγή Σελίδας Πριν",
|
||||
"textPageNumbering": "Αρίθμηση Σελίδας",
|
||||
"textParagraph": "Παράγραφος",
|
||||
"textParagraphStyles": "Τεχνοτροπίες Παραγράφου",
|
||||
"textPictureFromLibrary": "Εικόνα από τη Βιβλιοθήκη",
|
||||
"textPictureFromURL": "Εικόνα από Σύνδεσμο",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Τύπος",
|
||||
"textWe": "Τετ",
|
||||
"textWrap": "Αναδίπλωση",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Υπέρβαση χρονικού ορίου μετατροπής.",
|
||||
|
@ -573,6 +580,7 @@
|
|||
"textEnableAll": "Ενεργοποίηση Όλων",
|
||||
"textEnableAllMacrosWithoutNotification": "Ενεργοποίηση όλων των μακροεντολών χωρίς ειδοποίηση",
|
||||
"textEncoding": "Κωδικοποίηση",
|
||||
"textFastWV": "Γρήγορη Προβολή Δικτύου",
|
||||
"textFind": "Εύρεση",
|
||||
"textFindAndReplace": "Εύρεση και Αντικατάσταση",
|
||||
"textFindAndReplaceAll": "Εύρεση και Αντικατάσταση Όλων",
|
||||
|
@ -591,6 +599,7 @@
|
|||
"textMargins": "Περιθώρια",
|
||||
"textMarginsH": "Τα πάνω και κάτω περιθώρια είναι πολύ ψηλά για δεδομένο ύψος σελίδας",
|
||||
"textMarginsW": "Το αριστερό και το δεξιό περιθώριο είναι πολύ πλατιά για δεδομένο πλάτος σελίδας",
|
||||
"textNo": "Όχι",
|
||||
"textNoCharacters": "Μη Εκτυπώσιμοι Χαρακτήρες",
|
||||
"textNoTextFound": "Δεν βρέθηκε το κείμενο",
|
||||
"textOk": "Εντάξει",
|
||||
|
@ -598,7 +607,10 @@
|
|||
"textOrientation": "Προσανατολισμός",
|
||||
"textOwner": "Κάτοχος",
|
||||
"textPages": "Σελίδες",
|
||||
"textPageSize": "Μέγεθος Σελίδας",
|
||||
"textParagraphs": "Παράγραφοι",
|
||||
"textPdfTagged": "PDF με ετικέτες",
|
||||
"textPdfVer": "Έκδοση PDF",
|
||||
"textPoint": "Σημείο",
|
||||
"textPortrait": "Κατακόρυφος",
|
||||
"textPrint": "Εκτύπωση",
|
||||
|
@ -620,6 +632,7 @@
|
|||
"textUnitOfMeasurement": "Μονάδα Μέτρησης",
|
||||
"textUploaded": "Μεταφορτώθηκε",
|
||||
"textWords": "Λέξεις",
|
||||
"textYes": "Ναι",
|
||||
"txtDownloadTxt": "Λήψη TXT",
|
||||
"txtIncorrectPwd": "Το συνθηματικό είναι εσφαλμένο",
|
||||
"txtOk": "Εντάξει",
|
||||
|
@ -646,18 +659,16 @@
|
|||
"txtScheme7": "Μετοχή",
|
||||
"txtScheme8": "Ροή",
|
||||
"txtScheme9": "Χυτήριο",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Έχετε μη αποθηκευμένες αλλαγές. Πατήστε 'Παραμονή στη Σελίδα' για να περιμένετε την αυτόματη αποθήκευση. Πατήστε 'Έξοδος από τη Σελίδα' για να απορρίψετε όλες τις μη αποθηκευμένες αλλαγές.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -56,11 +57,11 @@
|
|||
"textShape": "Shape",
|
||||
"textStartAt": "Start At",
|
||||
"textTable": "Table",
|
||||
"textTableSize": "Table Size",
|
||||
"txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textTableSize": "Table Size",
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"txtNotUrl": "This field should be a URL in the format \"http://www.example.com\""
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -196,9 +197,9 @@
|
|||
"textDoNotShowAgain": "Don't show again",
|
||||
"textNumberingValue": "Numbering Value",
|
||||
"textOk": "OK",
|
||||
"textRows": "Rows",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only"
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRows": "Rows"
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -213,6 +214,7 @@
|
|||
"textAlign": "Align",
|
||||
"textAllCaps": "All caps",
|
||||
"textAllowOverlap": "Allow overlap",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textApril": "April",
|
||||
"textAugust": "August",
|
||||
"textAuto": "Auto",
|
||||
|
@ -227,11 +229,16 @@
|
|||
"textBringToForeground": "Bring to Foreground",
|
||||
"textBullets": "Bullets",
|
||||
"textBulletsAndNumbers": "Bullets & Numbers",
|
||||
"textCancel": "Cancel",
|
||||
"textCellMargins": "Cell Margins",
|
||||
"textCentered": "Centered",
|
||||
"textChart": "Chart",
|
||||
"textClassic": "Classic",
|
||||
"textClose": "Close",
|
||||
"textColor": "Color",
|
||||
"textContinueFromPreviousSection": "Continue from previous section",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textCustomColor": "Custom Color",
|
||||
"textDecember": "December",
|
||||
"textDesign": "Design",
|
||||
|
@ -239,11 +246,14 @@
|
|||
"textDifferentOddAndEvenPages": "Different odd and even pages",
|
||||
"textDisplay": "Display",
|
||||
"textDistanceFromText": "Distance from text",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textDoubleStrikethrough": "Double Strikethrough",
|
||||
"textEditLink": "Edit Link",
|
||||
"textEffects": "Effects",
|
||||
"textEmpty": "Empty",
|
||||
"textEmptyImgUrl": "You need to specify image URL.",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFebruary": "February",
|
||||
"textFill": "Fill",
|
||||
"textFirstColumn": "First Column",
|
||||
|
@ -253,6 +263,7 @@
|
|||
"textFontColors": "Font Colors",
|
||||
"textFonts": "Fonts",
|
||||
"textFooter": "Footer",
|
||||
"textFormal": "Formal",
|
||||
"textFr": "Fr",
|
||||
"textHeader": "Header",
|
||||
"textHeaderRow": "Header Row",
|
||||
|
@ -268,7 +279,9 @@
|
|||
"textKeepLinesTogether": "Keep Lines Together",
|
||||
"textKeepWithNext": "Keep with Next",
|
||||
"textLastColumn": "Last Column",
|
||||
"textLeader": "Leader",
|
||||
"textLetterSpacing": "Letter Spacing",
|
||||
"textLevels": "Levels",
|
||||
"textLineSpacing": "Line Spacing",
|
||||
"textLink": "Link",
|
||||
"textLinkSettings": "Link Settings",
|
||||
|
@ -276,9 +289,11 @@
|
|||
"textMarch": "March",
|
||||
"textMay": "May",
|
||||
"textMo": "Mo",
|
||||
"textModern": "Modern",
|
||||
"textMoveBackward": "Move Backward",
|
||||
"textMoveForward": "Move Forward",
|
||||
"textMoveWithText": "Move with Text",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textNone": "None",
|
||||
"textNoStyles": "No styles for this type of charts.",
|
||||
"textNotUrl": "This field should be a URL in the format \"http://www.example.com\"",
|
||||
|
@ -286,85 +301,70 @@
|
|||
"textNumbers": "Numbers",
|
||||
"textOctober": "October",
|
||||
"textOk": "Ok",
|
||||
"textOnline": "Online",
|
||||
"textOpacity": "Opacity",
|
||||
"textOptions": "Options",
|
||||
"textOrphanControl": "Orphan Control",
|
||||
"textPageBreakBefore": "Page Break Before",
|
||||
"textPageNumbering": "Page Numbering",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraph": "Paragraph",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"del_textParagraphStyles": "Paragraph Styles",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textPictureFromLibrary": "Picture from Library",
|
||||
"textPictureFromURL": "Picture from URL",
|
||||
"textPt": "pt",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveChart": "Remove Chart",
|
||||
"textRemoveImage": "Remove Image",
|
||||
"textRemoveLink": "Remove Link",
|
||||
"textRemoveShape": "Remove Shape",
|
||||
"textRemoveTable": "Remove Table",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textReorder": "Reorder",
|
||||
"textRepeatAsHeaderRow": "Repeat as Header Row",
|
||||
"textReplace": "Replace",
|
||||
"textReplaceImage": "Replace Image",
|
||||
"textResizeToFitContent": "Resize to Fit Content",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSa": "Sa",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textScreenTip": "Screen Tip",
|
||||
"textSelectObjectToEdit": "Select object to edit",
|
||||
"textSendToBackground": "Send to Background",
|
||||
"textSeptember": "September",
|
||||
"textSettings": "Settings",
|
||||
"textShape": "Shape",
|
||||
"textSimple": "Simple",
|
||||
"textSize": "Size",
|
||||
"textSmallCaps": "Small Caps",
|
||||
"textSpaceBetweenParagraphs": "Space Between Paragraphs",
|
||||
"textSquare": "Square",
|
||||
"textStandard": "Standard",
|
||||
"textStartAt": "Start at",
|
||||
"textStrikethrough": "Strikethrough",
|
||||
"textStructure": "Structure",
|
||||
"textStyle": "Style",
|
||||
"textStyleOptions": "Style Options",
|
||||
"textStyles": "Styles",
|
||||
"textSu": "Su",
|
||||
"textSubscript": "Subscript",
|
||||
"textSuperscript": "Superscript",
|
||||
"textTable": "Table",
|
||||
"textTableOfCont": "TOC",
|
||||
"textTableOptions": "Table Options",
|
||||
"textText": "Text",
|
||||
"textTh": "Th",
|
||||
"textThrough": "Through",
|
||||
"textTight": "Tight",
|
||||
"textTitle": "Title",
|
||||
"textTopAndBottom": "Top and Bottom",
|
||||
"textTotalRow": "Total Row",
|
||||
"textTu": "Tu",
|
||||
"textType": "Type",
|
||||
"textWe": "We",
|
||||
"textWrap": "Wrap",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textWrap": "Wrap"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -379,6 +379,7 @@
|
|||
"errorDataRange": "Incorrect data range.",
|
||||
"errorDefaultMessage": "Error code: %1",
|
||||
"errorEditingDownloadas": "An error occurred during the work with the document.<br>Download document to save the file backup copy locally.",
|
||||
"errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"errorFilePassProtect": "The file is password protected and could not be opened.",
|
||||
"errorFileSizeExceed": "The file size exceeds your server limit.<br>Please, contact your admin.",
|
||||
"errorKeyEncrypt": "Unknown key descriptor",
|
||||
|
@ -386,6 +387,7 @@
|
|||
"errorLoadingFont": "Fonts are not loaded.<br>Please contact your Document Server administrator.",
|
||||
"errorMailMergeLoadFile": "Loading failed",
|
||||
"errorMailMergeSaveFile": "Merge failed.",
|
||||
"errorNoTOC": "There's no table of contents to update. You can insert one from the References tab.",
|
||||
"errorSessionAbsolute": "The document editing session has expired. Please, reload the page.",
|
||||
"errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.",
|
||||
"errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.",
|
||||
|
@ -394,8 +396,6 @@
|
|||
"errorUserDrop": "The file can't be accessed right now.",
|
||||
"errorUsersExceed": "The number of users allowed by the pricing plan was exceeded",
|
||||
"errorViewerDisconnect": "Connection is lost. You can still view the document,<br>but you won't be able to download or print it until the connection is restored and the page is reloaded.",
|
||||
"errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"errorNoTOC": "There's no table of contents to update. You can insert one from the References tab.",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"openErrorText": "An error has occurred while opening the file",
|
||||
"saveErrorText": "An error has occurred while saving the file",
|
||||
|
@ -528,6 +528,7 @@
|
|||
"textRemember": "Remember my choice",
|
||||
"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?",
|
||||
"textYes": "Yes",
|
||||
"titleLicenseExp": "License expired",
|
||||
"titleServerVersion": "Editor updated",
|
||||
|
@ -539,8 +540,7 @@
|
|||
"warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.",
|
||||
"warnNoLicense": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact %1 sales team for personal upgrade terms.",
|
||||
"warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.",
|
||||
"warnProcessRightsChange": "You don't have permission to edit this file.",
|
||||
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
|
||||
"warnProcessRightsChange": "You don't have permission to edit this file."
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Protected File",
|
||||
|
@ -553,6 +553,7 @@
|
|||
"textApplicationSettings": "Application Settings",
|
||||
"textAuthor": "Author",
|
||||
"textBack": "Back",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textBottom": "Bottom",
|
||||
"textCancel": "Cancel",
|
||||
"textCaseSensitive": "Case Sensitive",
|
||||
|
@ -566,6 +567,7 @@
|
|||
"textCommentsDisplay": "Comments Display",
|
||||
"textCreated": "Created",
|
||||
"textCustomSize": "Custom Size",
|
||||
"textDirection": "Direction",
|
||||
"textDisableAll": "Disable All",
|
||||
"textDisableAllMacrosWithNotification": "Disable all macros with notification",
|
||||
"textDisableAllMacrosWithoutNotification": "Disable all macros without notification",
|
||||
|
@ -577,16 +579,18 @@
|
|||
"textDownloadAs": "Download As",
|
||||
"textDownloadRtf": "If you continue saving in this format some of the formatting might be lost. Are you sure you want to continue?",
|
||||
"textDownloadTxt": "If you continue saving in this format all features except the text will be lost. Are you sure you want to continue?",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textEnableAll": "Enable All",
|
||||
"textEnableAllMacrosWithoutNotification": "Enable all macros without notification",
|
||||
"textEncoding": "Encoding",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textFind": "Find",
|
||||
"textFindAndReplace": "Find and Replace",
|
||||
"textFindAndReplaceAll": "Find and Replace All",
|
||||
"textFormat": "Format",
|
||||
"textHelp": "Help",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textHiddenTableBorders": "Hidden Table Borders",
|
||||
"textHighlightResults": "Highlight Results",
|
||||
"textInch": "Inch",
|
||||
|
@ -594,16 +598,14 @@
|
|||
"textLastModified": "Last Modified",
|
||||
"textLastModifiedBy": "Last Modified By",
|
||||
"textLeft": "Left",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textLoading": "Loading...",
|
||||
"textLocation": "Location",
|
||||
"textMacrosSettings": "Macros Settings",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textMargins": "Margins",
|
||||
"textMarginsH": "Top and bottom margins are too high for a given page height",
|
||||
"textMarginsW": "Left and right margins are too wide for a given page width",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textNoCharacters": "Nonprinting Characters",
|
||||
"textNoTextFound": "Text not found",
|
||||
|
@ -614,9 +616,9 @@
|
|||
"textPages": "Pages",
|
||||
"textPageSize": "Page Size",
|
||||
"textParagraphs": "Paragraphs",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPoint": "Point",
|
||||
"textPortrait": "Portrait",
|
||||
"textPrint": "Print",
|
||||
|
@ -624,7 +626,9 @@
|
|||
"textReplace": "Replace",
|
||||
"textReplaceAll": "Replace All",
|
||||
"textResolvedComments": "Resolved Comments",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRight": "Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textSearch": "Search",
|
||||
"textSettings": "Settings",
|
||||
"textShowNotification": "Show Notification",
|
||||
|
@ -664,11 +668,7 @@
|
|||
"txtScheme6": "Concourse",
|
||||
"txtScheme7": "Equity",
|
||||
"txtScheme8": "Flow",
|
||||
"txtScheme9": "Foundry",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading"
|
||||
"txtScheme9": "Foundry"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Correo",
|
||||
"textPoweredBy": "Con tecnología de",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versión "
|
||||
"textVersion": "Versión ",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Advertencia",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Tamaño de tabla",
|
||||
"txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Salto de página antes",
|
||||
"textPageNumbering": "Numeración de páginas",
|
||||
"textParagraph": "Párrafo",
|
||||
"textParagraphStyles": "Estilos de párrafo",
|
||||
"textPictureFromLibrary": "Imagen desde biblioteca",
|
||||
"textPictureFromURL": "Imagen desde URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Tipo",
|
||||
"textWe": "mi.",
|
||||
"textWrap": "Ajuste",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Tiempo de conversión está superado.",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "Equidad ",
|
||||
"txtScheme8": "Flujo",
|
||||
"txtScheme9": "Fundición",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "Productor PDF"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Tiene cambios sin guardar. Haga clic en \"Permanecer en esta página\" para esperar a que se guarde automáticamente. Haga clic en \"Salir de esta página\" para descartar todos los cambios no guardados.",
|
||||
|
|
679
apps/documenteditor/mobile/locale/eu.json
Normal file
679
apps/documenteditor/mobile/locale/eu.json
Normal file
|
@ -0,0 +1,679 @@
|
|||
{
|
||||
"About": {
|
||||
"textAbout": "Honi buruz",
|
||||
"textAddress": "Helbidea",
|
||||
"textBack": "Atzera",
|
||||
"textEmail": "Posta elektronikoa",
|
||||
"textPoweredBy": "Garatzailea:",
|
||||
"textTel": "Tel.",
|
||||
"textVersion": "Bertsioa",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Abisua",
|
||||
"textAddLink": "Gehitu esteka",
|
||||
"textAddress": "Helbidea",
|
||||
"textBack": "Atzera",
|
||||
"textBelowText": "Testuaren azpian",
|
||||
"textBottomOfPage": "Orriaren bukaera",
|
||||
"textBreak": "Jauzia",
|
||||
"textCancel": "Utzi",
|
||||
"textCenterBottom": "Behean erdian",
|
||||
"textCenterTop": "Goian erdian",
|
||||
"textColumnBreak": "Zutabe-jauzia",
|
||||
"textColumns": "Zutabeak",
|
||||
"textComment": "Iruzkina",
|
||||
"textContinuousPage": "Orri jarraitua",
|
||||
"textCurrentPosition": "Uneko kokapena",
|
||||
"textDisplay": "Bistaratzea",
|
||||
"textEmptyImgUrl": "Irudiaren URLa zehaztu behar duzu.",
|
||||
"textEvenPage": "Orrialde bikoitia",
|
||||
"textFootnote": "Oin-oharra",
|
||||
"textFormat": "Formatua",
|
||||
"textImage": "Irudia",
|
||||
"textImageURL": "Irudiaren URLa",
|
||||
"textInsert": "Txertatu",
|
||||
"textInsertFootnote": "Txertatu oin-oharra",
|
||||
"textInsertImage": "Txertatu irudia",
|
||||
"textLeftBottom": "Behean ezkerrean",
|
||||
"textLeftTop": "Goian ezkerrean",
|
||||
"textLink": "Esteka",
|
||||
"textLinkSettings": "Esteka-ezarpenak",
|
||||
"textLocation": "Kokalekua",
|
||||
"textNextPage": "Hurrengo orria",
|
||||
"textOddPage": "Orri bakoitia",
|
||||
"textOk": "Ados",
|
||||
"textOther": "Beste bat",
|
||||
"textPageBreak": "Orri-jauzia",
|
||||
"textPageNumber": "Orrialde-zenbakia",
|
||||
"textPictureFromLibrary": "Irudia liburutegitik",
|
||||
"textPictureFromURL": "Irudia URL-tik",
|
||||
"textPosition": "Posizioa",
|
||||
"textRightBottom": "Behean eskuinean",
|
||||
"textRightTop": "Goian eskuinean",
|
||||
"textRows": "Errenkadak",
|
||||
"textScreenTip": "Pantailako aholkua",
|
||||
"textSectionBreak": "Sekzio-jauzia",
|
||||
"textShape": "Forma",
|
||||
"textStartAt": "Hasi hemendik:",
|
||||
"textTable": "Taula",
|
||||
"textTableContents": "Aurkibidea",
|
||||
"textTableSize": "Taularen tamaina",
|
||||
"textWithBlueLinks": "Esteka urdinekin",
|
||||
"textWithPageNumbers": "Orri-zenbakiekin",
|
||||
"txtNotUrl": "Eremu hau URL helbide bat izan behar da \"http://www.adibidea.eus\" bezalakoa"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "Abisua",
|
||||
"textAccept": "Onartu",
|
||||
"textAcceptAllChanges": "Onartu aldaketa guztiak",
|
||||
"textAddComment": "Gehitu iruzkina",
|
||||
"textAddReply": "Gehitu erantzuna",
|
||||
"textAllChangesAcceptedPreview": "Aldaketa guztiak onartuta (Aurrebista)",
|
||||
"textAllChangesEditing": "Aldaketa guztiak (Editatzen)",
|
||||
"textAllChangesRejectedPreview": "Aldaketa guztiak baztertuta (Aurrebista)",
|
||||
"textAtLeast": "gutxienez",
|
||||
"textAuto": "auto",
|
||||
"textBack": "Atzera",
|
||||
"textBaseline": "Oinarri-lerroa",
|
||||
"textBold": "Lodia",
|
||||
"textBreakBefore": "Orri-jauzia aurretik",
|
||||
"textCancel": "Utzi",
|
||||
"textCaps": "Maiuskulak",
|
||||
"textCenter": "Lerrokatu erdian",
|
||||
"textChart": "Diagrama",
|
||||
"textCollaboration": "Lankidetza",
|
||||
"textColor": "Letra-kolorea",
|
||||
"textComments": "Iruzkinak",
|
||||
"textContextual": "Ez gehitu tarteak estilo bereko paragrafoen artean",
|
||||
"textDelete": "Ezabatu",
|
||||
"textDeleteComment": "Ezabatu iruzkina",
|
||||
"textDeleted": "Ezabatua:",
|
||||
"textDeleteReply": "Ezabatu erantzuna",
|
||||
"textDisplayMode": "Bistaratze modua",
|
||||
"textDone": "Eginda",
|
||||
"textDStrikeout": "Marratze bikoitza",
|
||||
"textEdit": "Editatu",
|
||||
"textEditComment": "Editatu iruzkina",
|
||||
"textEditReply": "Editatu erantzuna",
|
||||
"textEditUser": "Fitxategia editatzen ari diren erabiltzaileak:",
|
||||
"textEquation": "Ekuazioa",
|
||||
"textExact": "zehazki",
|
||||
"textFinal": "Azkena",
|
||||
"textFirstLine": "Lehen lerroa",
|
||||
"textFormatted": "Formatuduna",
|
||||
"textHighlight": "Nabarmentze-kolorea",
|
||||
"textImage": "Irudia",
|
||||
"textIndentLeft": "Ezkerreko koska",
|
||||
"textIndentRight": "Eskuineko koska",
|
||||
"textInserted": "Txertatua:",
|
||||
"textItalic": "Etzana",
|
||||
"textJustify": "Lerrokatu justifikatuta",
|
||||
"textKeepLines": "Mantendu lerroak elkarrekin",
|
||||
"textKeepNext": "Mantendu hurrengoarekin",
|
||||
"textLeft": "Lerrokatu ezkerrean",
|
||||
"textLineSpacing": "Lerroartea:",
|
||||
"textMarkup": "Markak",
|
||||
"textMessageDeleteComment": "Ziur zaude iruzkin hau ezabatu nahi duzula?",
|
||||
"textMessageDeleteReply": "Ziur zaude erantzun hau ezabatu nahi duzula?",
|
||||
"textMultiple": "hainbat",
|
||||
"textNoBreakBefore": "Lerro jauzirik ez aurretik",
|
||||
"textNoChanges": "Ez dago aldaketarik.",
|
||||
"textNoComments": "Dokumentu honetan ez dago iruzkinik",
|
||||
"textNoContextual": "Gehitu estilo berdineko paragrafoen arteko tartea",
|
||||
"textNoKeepLines": "Ez mantendu lerroak elkarrekin",
|
||||
"textNoKeepNext": "Ez mantendu hurrengoarekin",
|
||||
"textNot": "Ez",
|
||||
"textNoWidow": "Lerro alargunen kontrolik ez",
|
||||
"textNum": "Aldatu numerazioa",
|
||||
"textOk": "Ados",
|
||||
"textOriginal": "Jatorrizkoa",
|
||||
"textParaDeleted": "Paragrafoa ezabatuta",
|
||||
"textParaFormatted": "Paragrafoari formatua emanda",
|
||||
"textParaInserted": "Paragrafoa txertatuta",
|
||||
"textParaMoveFromDown": "Behera eraman da:",
|
||||
"textParaMoveFromUp": "Gora eraman da:",
|
||||
"textParaMoveTo": "Mugitua:",
|
||||
"textPosition": "Posizioa",
|
||||
"textReject": "Baztertu",
|
||||
"textRejectAllChanges": "Baztertu aldaketa guztiak",
|
||||
"textReopen": "Ireki berriro",
|
||||
"textResolve": "Ebatzi",
|
||||
"textReview": "Berrikusi",
|
||||
"textReviewChange": "Berrikusi aldaketa",
|
||||
"textRight": "Lerrokatu eskuinean",
|
||||
"textShape": "Forma",
|
||||
"textShd": "Atzeko planoaren kolorea",
|
||||
"textSmallCaps": "Maiuskula txikiak",
|
||||
"textSpacing": "Tartea",
|
||||
"textSpacingAfter": "Tartea ondoren",
|
||||
"textSpacingBefore": "Tartea aurretik",
|
||||
"textStrikeout": "Marratua",
|
||||
"textSubScript": "Azpi-indizea",
|
||||
"textSuperScript": "Goi-indizea",
|
||||
"textTableChanged": "Taularen ezaugarriak aldatuta",
|
||||
"textTableRowsAdd": "Taularen errenkadak gehituta",
|
||||
"textTableRowsDel": "Taularen errenkadak kenduta",
|
||||
"textTabs": "Aldatu tabulazioak",
|
||||
"textTrackChanges": "Aldaketen kontrola",
|
||||
"textTryUndoRedo": "Desegin/Berregin funtzioak desgaituta daude batera azkar editatzeko moduan.",
|
||||
"textUnderline": "Azpimarra",
|
||||
"textUsers": "Erabiltzaileak",
|
||||
"textWidow": "Lerro solteen kontrola"
|
||||
},
|
||||
"HighlightColorPalette": {
|
||||
"textNoFill": "Betegarririk ez"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "Kolore pertsonalizatuak",
|
||||
"textStandartColors": "Kolore estandarrak",
|
||||
"textThemeColors": "Itxuraren koloreak"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"errorCopyCutPaste": "Laster-menuko kopiatu, ebaki eta itsatsi ekintzak uneko fitxategian bakarrik egingo dira.",
|
||||
"menuAddComment": "Gehitu iruzkina",
|
||||
"menuAddLink": "Gehitu esteka",
|
||||
"menuCancel": "Utzi",
|
||||
"menuContinueNumbering": "Jarraitu numerazioa",
|
||||
"menuDelete": "Ezabatu",
|
||||
"menuDeleteTable": "Ezabatu taula",
|
||||
"menuEdit": "Editatu",
|
||||
"menuJoinList": "Batu aurreko zerrendarekin",
|
||||
"menuMerge": "Konbinatu",
|
||||
"menuMore": "Gehiago",
|
||||
"menuOpenLink": "Ireki esteka",
|
||||
"menuReview": "Berrikusi",
|
||||
"menuReviewChange": "Berrikusi aldaketa",
|
||||
"menuSeparateList": "Aparteko zerrenda",
|
||||
"menuSplit": "Zatitu",
|
||||
"menuStartNewList": "Hasi zerrenda berria",
|
||||
"menuStartNumberingFrom": "Ezarri zenbakitze-balioa",
|
||||
"menuViewComment": "Ikusi iruzkina",
|
||||
"textCancel": "Utzi",
|
||||
"textColumns": "Zutabeak",
|
||||
"textCopyCutPasteActions": "Kopiatu, ebaki eta itsatsi ekintzak",
|
||||
"textDoNotShowAgain": "Ez erakutsi berriro",
|
||||
"textNumberingValue": "Zenbakitze balioa",
|
||||
"textOk": "Ados",
|
||||
"textRefreshEntireTable": "Freskatu taula osoa",
|
||||
"textRefreshPageNumbersOnly": "Freskatu orri-zenbakiak soilik",
|
||||
"textRows": "Errenkadak"
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Abisua",
|
||||
"textActualSize": "Benetako tamaina",
|
||||
"textAddCustomColor": "Gehitu kolore pertsonalizatua",
|
||||
"textAdditional": "Gehigarria",
|
||||
"textAdditionalFormatting": "Formatu gehigarria",
|
||||
"textAddress": "Helbidea",
|
||||
"textAdvanced": "Aurreratua",
|
||||
"textAdvancedSettings": "Ezarpen aurreratuak",
|
||||
"textAfter": "Ondoren",
|
||||
"textAlign": "Lerrokatu",
|
||||
"textAllCaps": "Maiuskulak",
|
||||
"textAllowOverlap": "Onartu teilakatzea",
|
||||
"textAmountOfLevels": "Maila kopurua",
|
||||
"textApril": "Apirila",
|
||||
"textAugust": "Abuztua",
|
||||
"textAuto": "Auto",
|
||||
"textAutomatic": "Automatikoa",
|
||||
"textBack": "Atzera",
|
||||
"textBackground": "Atzeko planoa",
|
||||
"textBandedColumn": "Zutabe bandaduna",
|
||||
"textBandedRow": "Errenkada bandaduna",
|
||||
"textBefore": "Aurretik",
|
||||
"textBehind": "Testuaren atzean",
|
||||
"textBorder": "Ertza",
|
||||
"textBringToForeground": "Ekarri aurreko planora",
|
||||
"textBullets": "Buletak",
|
||||
"textBulletsAndNumbers": "Buletak eta zenbakiak",
|
||||
"textCancel": "Utzi",
|
||||
"textCellMargins": "Gelaxkaren marjinak",
|
||||
"textCentered": "Erdian",
|
||||
"textChart": "Diagrama",
|
||||
"textClassic": "Klasikoa",
|
||||
"textClose": "Itxi",
|
||||
"textColor": "Kolorea",
|
||||
"textContinueFromPreviousSection": "Jarraitu aurreko sekziotik",
|
||||
"textCreateTextStyle": "Sortu testu-estilo berria",
|
||||
"textCurrent": "Unekoa",
|
||||
"textCustomColor": "Kolore pertsonalizatua",
|
||||
"textDecember": "Abendua",
|
||||
"textDesign": "Diseinua",
|
||||
"textDifferentFirstPage": "Lehen orri desberdina",
|
||||
"textDifferentOddAndEvenPages": "Orri bakoiti-bikoitiak desberdin",
|
||||
"textDisplay": "Bistaratzea",
|
||||
"textDistanceFromText": "Distantzia testutik",
|
||||
"textDistinctive": "Bereizgarria",
|
||||
"textDone": "Eginda",
|
||||
"textDoubleStrikethrough": "Marratu bikoitza",
|
||||
"textEditLink": "Editatu esteka",
|
||||
"textEffects": "Efektuak",
|
||||
"textEmpty": "Hutsa",
|
||||
"textEmptyImgUrl": "Irudiaren URLa zehaztu behar duzu.",
|
||||
"textEnterTitleNewStyle": "Idatzi estilo berriaren izenburua",
|
||||
"textFebruary": "Otsaila",
|
||||
"textFill": "Bete",
|
||||
"textFirstColumn": "Lehen zutabea",
|
||||
"textFirstLine": "Lehen lerroa",
|
||||
"textFlow": "Fluxua",
|
||||
"textFontColor": "Letra-kolorea",
|
||||
"textFontColors": "Letra koloreak",
|
||||
"textFonts": "Letra-tipoak",
|
||||
"textFooter": "Orri-oina",
|
||||
"textFormal": "Formala",
|
||||
"textFr": "ol.",
|
||||
"textHeader": "Goiburua",
|
||||
"textHeaderRow": "Goiburu lerroa",
|
||||
"textHighlightColor": "Nabarmentze-kolorea",
|
||||
"textHyperlink": "Hiperesteka",
|
||||
"textImage": "Irudia",
|
||||
"textImageURL": "Irudiaren URLa",
|
||||
"textInFront": "Testuaren aurrean",
|
||||
"textInline": "Testuarekin lerrokatuta",
|
||||
"textJanuary": "Urtarrila",
|
||||
"textJuly": "Uztaila",
|
||||
"textJune": "Ekaina",
|
||||
"textKeepLinesTogether": "Mantendu lerroak elkarrekin",
|
||||
"textKeepWithNext": "Mantendu hurrengoarekin",
|
||||
"textLastColumn": "Azken zutabea",
|
||||
"textLeader": "Gida-marra",
|
||||
"textLetterSpacing": "Letren arteko tartea",
|
||||
"textLevels": "Mailak",
|
||||
"textLineSpacing": "Lerroartea",
|
||||
"textLink": "Esteka",
|
||||
"textLinkSettings": "Esteka-ezarpenak",
|
||||
"textLinkToPrevious": "Esteka aurrekora",
|
||||
"textMarch": "Martxoa",
|
||||
"textMay": "Maiatza",
|
||||
"textMo": "al.",
|
||||
"textModern": "Modernoa",
|
||||
"textMoveBackward": "Eraman atzera",
|
||||
"textMoveForward": "Eraman aurrera",
|
||||
"textMoveWithText": "Eraman testuarekin",
|
||||
"textNextParagraphStyle": "Hurrengo paragrafoaren estiloa",
|
||||
"textNone": "Bat ere ez",
|
||||
"textNoStyles": "Ez dago estilorik diagrama mota honetarako.",
|
||||
"textNotUrl": "Eremu hau URL helbide bat izan behar da \"http://www.adibidea.eus\" bezalakoa",
|
||||
"textNovember": "Azaroa",
|
||||
"textNumbers": "Zenbakiak",
|
||||
"textOctober": "Urria",
|
||||
"textOk": "Ados",
|
||||
"textOnline": "Linean",
|
||||
"textOpacity": "Opakutasuna",
|
||||
"textOptions": "Aukerak",
|
||||
"textOrphanControl": "Lerro solteen kontrola",
|
||||
"textPageBreakBefore": "Orri-jauzia aurretik",
|
||||
"textPageNumbering": "Orri-zenbakitzea",
|
||||
"textPageNumbers": "Orri-zenbakiak",
|
||||
"textParagraph": "Paragrafoa",
|
||||
"textParagraphStyle": "Paragrafo-estiloa",
|
||||
"textPictureFromLibrary": "Irudia liburutegitik",
|
||||
"textPictureFromURL": "Irudia URL-tik",
|
||||
"textPt": "pt",
|
||||
"textRefresh": "Freskatu",
|
||||
"textRefreshEntireTable": "Freskatu taula osoa",
|
||||
"textRefreshPageNumbersOnly": "Freskatu orri-zenbakiak soilik",
|
||||
"textRemoveChart": "Kendu diagrama",
|
||||
"textRemoveImage": "Kendu irudia",
|
||||
"textRemoveLink": "Kendu esteka",
|
||||
"textRemoveShape": "Kendu forma",
|
||||
"textRemoveTable": "Kendu taula",
|
||||
"textRemoveTableContent": "Kendu aurkibidea",
|
||||
"textReorder": "Berrordenatu",
|
||||
"textRepeatAsHeaderRow": "Errepikatu goiburuko lerro bezala",
|
||||
"textReplace": "Ordeztu",
|
||||
"textReplaceImage": "Ordeztu irudia",
|
||||
"textResizeToFitContent": "Aldatu tamaina edukira egokitzeko",
|
||||
"textRightAlign": "Lerrokatu eskuinean",
|
||||
"textSa": "lr.",
|
||||
"textSameCreatedNewStyle": "Sortutako estilo berriaren berdina",
|
||||
"textScreenTip": "Pantailako aholkua",
|
||||
"textSelectObjectToEdit": "Hautatu objektua editatzeko",
|
||||
"textSendToBackground": "Eraman atzeko planora",
|
||||
"textSeptember": "Iraila",
|
||||
"textSettings": "Ezarpenak",
|
||||
"textShape": "Forma",
|
||||
"textSimple": "Soila",
|
||||
"textSize": "Tamaina",
|
||||
"textSmallCaps": "Maiuskula txikiak",
|
||||
"textSpaceBetweenParagraphs": "Paragrafoen arteko tartea",
|
||||
"textSquare": "Karratua",
|
||||
"textStandard": "Estandarra",
|
||||
"textStartAt": "Hasi hemendik:",
|
||||
"textStrikethrough": "Marratua",
|
||||
"textStructure": "Egitura",
|
||||
"textStyle": "Estiloa",
|
||||
"textStyleOptions": "Estiloaren aukerak",
|
||||
"textStyles": "Estiloak",
|
||||
"textSu": "ig.",
|
||||
"textSubscript": "Azpi-indizea",
|
||||
"textSuperscript": "Goi-indizea",
|
||||
"textTable": "Taula",
|
||||
"textTableOfCont": "Aurkibidea",
|
||||
"textTableOptions": "Taularen aukerak",
|
||||
"textText": "Testua",
|
||||
"textTh": "og.",
|
||||
"textThrough": "Zeharkatu",
|
||||
"textTight": "Estua",
|
||||
"textTitle": "Izenburua",
|
||||
"textTopAndBottom": "Goian eta behean",
|
||||
"textTotalRow": "Guztizkoen errenkada",
|
||||
"textTu": "ar.",
|
||||
"textType": "Mota",
|
||||
"textWe": "az.",
|
||||
"textWrap": "Doikuntza"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Bihurketaren denbora-muga gainditu da.",
|
||||
"criticalErrorExtText": "Sakatu 'Ados' dokumentuen zerrendara itzultzeko.",
|
||||
"criticalErrorTitle": "Errorea",
|
||||
"downloadErrorText": "Deskargak huts egin du.",
|
||||
"errorAccessDeny": "Baimenik ez duzun ekintza bat egiten saiatzen ari zara.<br>Mesedez, jarri harremanetan kudeatzaileekin.",
|
||||
"errorBadImageUrl": "Irudiaren URLa ez da zuzena",
|
||||
"errorConnectToServer": "Ezin da dokumentua gorde. Egiaztatu zure konexioaren ezarpenak edo jar zaitez harremanetan administratzailearekin.<br>\"Ados\" klik egitean dokumentua deskargatzeko aukera emango zaizu.",
|
||||
"errorDatabaseConnection": "Kanpoko errorea.<br>Datu-basera konektatzeko errorea. Mesedez, jarri harremanetan laguntza-teknikoko taldearekin.",
|
||||
"errorDataEncrypted": "Enkriptatutako aldaketak jaso dira, ezin dira deszifratu.",
|
||||
"errorDataRange": "Datu-barruti okerra.",
|
||||
"errorDefaultMessage": "Errore-kodea: %1",
|
||||
"errorEditingDownloadas": "Errore bat gertatu da fitxategiarekin lan egitean.<br>Deskargatu dokumentua fitxategiaren kopia lokalean gordetzeko.",
|
||||
"errorEmptyTOC": "Hasi aurkibide bat sortzen hautatutako testuari Estiloak galeriako goiburu-estilo bat aplikatuz.",
|
||||
"errorFilePassProtect": "Fitxategia pasahitzez babestua dago eta ezin izan da ireki.",
|
||||
"errorFileSizeExceed": "Fitxategiaren tamainak zerbitzariak onartzen duena gainditzen du.<br>Mesedez, jarri harremanetan kudeatzailearekin.",
|
||||
"errorKeyEncrypt": "Gako-deskriptore ezezaguna",
|
||||
"errorKeyExpire": "Gakoaren deskriptorea iraungi da",
|
||||
"errorLoadingFont": "Letra-tipoak ez dira kargatu.<br>Jarri zure dokumentu-zerbitzariaren administratzailearekin harremanetan.",
|
||||
"errorMailMergeLoadFile": "Huts egin du kargatzean",
|
||||
"errorMailMergeSaveFile": "Konbinazioak huts egin du.",
|
||||
"errorNoTOC": "Ez dago aurkibiderik eguneratzeko. Bat txertatu dezakezu Erreferentziak fitxatik.",
|
||||
"errorSessionAbsolute": "Dokumentua editatzeko saioa iraungi da. Mesedez, kargatu berriro orria",
|
||||
"errorSessionIdle": "Dokumentua ez da editatu denbora luzean. Mesedez, kargatu berriro orria.",
|
||||
"errorSessionToken": "Zerbitzarira konexioa eten egin da. Mesedez, kargatu berriro orria.",
|
||||
"errorStockChart": "Errenkaden ordena okerra. Kotizazio-diagrama bat sortzeko, sartu datuak orrian ordena honetan:<br> irekierako prezioa, gehienezko prezioa, gutxieneko prezioa, itxierako prezioa.",
|
||||
"errorUpdateVersionOnDisconnect": "Interneteko konexioa berrezarri da eta fitxategiaren bertsioa aldatu da.<br>Lanean jarraitu aurretik, beharrezkoa da fitxategia deskargatzea edo edukia kopiatzea, ezer ez dela galduko ziurtatzeko, eta gero orri hau berriro kargatzea.",
|
||||
"errorUserDrop": "Une honetan ezin da fitxategia eskuratu.",
|
||||
"errorUsersExceed": "Ordainketa planak onartzen duen erabiltzaile kopurua gainditu da",
|
||||
"errorViewerDisconnect": "Konexioa galdu da. Oraindik dokumentua ikus dezakezu,<br>baina ezingo duzu deskargatu edo inprimatu konexioa berreskuratu eta orria birkargatu arte.",
|
||||
"notcriticalErrorTitle": "Abisua",
|
||||
"openErrorText": "Errore bat gertatu da fitxategia irekitzean",
|
||||
"saveErrorText": "Errore bat gertatu da fitxategia gordetzean",
|
||||
"scriptLoadError": "Konexioa oso motela da, osagarrietako batzuk ezin izan dira kargatu. Mesedez, kargatu berriro orria.",
|
||||
"splitDividerErrorText": "Errenkada kopuruak %1(e)n zatitzailea izan behar du",
|
||||
"splitMaxColsErrorText": "Zutabe kopurua %1a baino txikiago izan behar da",
|
||||
"splitMaxRowsErrorText": "Errenkada kopurua %1 baino txikiago izan behar da",
|
||||
"unknownErrorText": "Errore ezezaguna.",
|
||||
"uploadImageExtMessage": "Irudi-formatu ezezaguna.",
|
||||
"uploadImageFileCountMessage": "Ez da irudirik kargatu.",
|
||||
"uploadImageSizeMessage": "Irudia handiegia da. Gehienezko tamaina 25 MB da."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Datuak kargatzen...",
|
||||
"applyChangesTitleText": "Datuak kargatzen",
|
||||
"downloadMergeText": "Deskargatzen...",
|
||||
"downloadMergeTitle": "Deskargatzen",
|
||||
"downloadTextText": "Dokumentua deskargatzen...",
|
||||
"downloadTitleText": "Dokumentua deskargatzen",
|
||||
"loadFontsTextText": "Datuak kargatzen...",
|
||||
"loadFontsTitleText": "Datuak kargatzen",
|
||||
"loadFontTextText": "Datuak kargatzen...",
|
||||
"loadFontTitleText": "Datuak kargatzen",
|
||||
"loadImagesTextText": "Irudiak kargatzen...",
|
||||
"loadImagesTitleText": "Irudiak kargatzen",
|
||||
"loadImageTextText": "Irudia kargatzen...",
|
||||
"loadImageTitleText": "Irudia kargatzen",
|
||||
"loadingDocumentTextText": "Dokumentua kargatzen...",
|
||||
"loadingDocumentTitleText": "Dokumentua kargatzen",
|
||||
"mailMergeLoadFileText": "Datu-iturburua kargatzen...",
|
||||
"mailMergeLoadFileTitle": "Datu-iturburua kargatzen",
|
||||
"openTextText": "Dokumentua irekitzen...",
|
||||
"openTitleText": "Dokumentua irekitzen",
|
||||
"printTextText": "Dokumentua inprimatzen...",
|
||||
"printTitleText": "Dokumentua inprimatzen",
|
||||
"savePreparingText": "Gordetzeko prestatzen",
|
||||
"savePreparingTitle": "Gordetzeko prestatzen. Itxaron mesedez...",
|
||||
"saveTextText": "Dokumentua gordetzen...",
|
||||
"saveTitleText": "Dokumentua gordetzen",
|
||||
"sendMergeText": "Konbinazioa bidaltzen...",
|
||||
"sendMergeTitle": "Konbinazioa bidaltzen",
|
||||
"textLoadingDocument": "Dokumentua kargatzen",
|
||||
"txtEditingMode": "Ezarri edizio modua...",
|
||||
"uploadImageTextText": "Irudia kargatzen...",
|
||||
"uploadImageTitleText": "Irudia kargatzen",
|
||||
"waitText": "Mesedez, itxaron..."
|
||||
},
|
||||
"Main": {
|
||||
"criticalErrorTitle": "Errorea",
|
||||
"errorAccessDeny": "Baimenik ez duzun ekintza bat egiten saiatzen ari zara.<br>Mesedez, jarri administratzailearekin harremanetan.",
|
||||
"errorOpensource": "Doako Community bertsioa erabiliz dokumentuak ikusteko bakarrik ireki ditzakezu. Mugikorreko web editoreetara sarbidea izateko lizentzia komertziala behar da.",
|
||||
"errorProcessSaveResult": "Gordetzeak huts egin du.",
|
||||
"errorServerVersion": "Editorearen bertsioa eguneratu da. Orria berriz kargatuko da aldaketak aplikatzeko.",
|
||||
"errorUpdateVersion": "Fitxategiaren bertsioa aldatu da. Orria berriz kargatuko da.",
|
||||
"leavePageText": "Gorde gabeko aldaketak dituzu. Egin klik \"Jarraitu orri honetan\" gordetze-automatikoari itxaroteko. Egin klik \"Utzi orri hau\" gorde gabeko aldaketa guztiak baztertzeko.",
|
||||
"notcriticalErrorTitle": "Abisua",
|
||||
"SDK": {
|
||||
" -Section ": "-Sekzioa",
|
||||
"above": "gainean",
|
||||
"below": "azpian",
|
||||
"Caption": "Epigrafea",
|
||||
"Choose an item": "Aukeratu elementu bat",
|
||||
"Click to load image": "Egin klik irudia kargatzeko",
|
||||
"Current Document": "Uneko dokumentua",
|
||||
"Diagram Title": "Diagramaren titulua",
|
||||
"endnote text": "Amaiera-oharraren testua",
|
||||
"Enter a date": "Idatzi data",
|
||||
"Error! Bookmark not defined": "Errorea! Laster-marka definitu gabe.",
|
||||
"Error! Main Document Only": "Errorea! Dokumentu nagusia soilik.",
|
||||
"Error! No text of specified style in document": "Errorea! Dokumentuan ez dago zehazturiko estiloko testurik.",
|
||||
"Error! Not a valid bookmark self-reference": "Errorea! Laster-markaren auto-erreferentzia ez da baliozkoa.",
|
||||
"Even Page ": "Orrialde bikoitia",
|
||||
"First Page ": "Lehen orria",
|
||||
"Footer": "Orri-oina",
|
||||
"footnote text": "Oin-oharraren testua",
|
||||
"Header": "Goiburua",
|
||||
"Heading 1": "1. izenburua",
|
||||
"Heading 2": "2. izenburua",
|
||||
"Heading 3": "3. izenburua",
|
||||
"Heading 4": "4. izenburua",
|
||||
"Heading 5": "5. izenburua",
|
||||
"Heading 6": "6. izenburua",
|
||||
"Heading 7": "7. izenburua",
|
||||
"Heading 8": "8. izenburua",
|
||||
"Heading 9": "9. izenburua",
|
||||
"Hyperlink": "Hiperesteka",
|
||||
"Index Too Large": "Indizea handiegia da",
|
||||
"Intense Quote": "Aipu handia",
|
||||
"Is Not In Table": "Ez dago taulan",
|
||||
"List Paragraph": "Zerrenda-paragrafoa",
|
||||
"Missing Argument": "Argumentua falta da",
|
||||
"Missing Operator": "Eragilea falta da",
|
||||
"No Spacing": "Tarterik ez",
|
||||
"No table of contents entries found": "Ez dago izenbururik dokumentuan. Aplikatu izenburu-estilo bat testuari aurkibidean agertu dadin.",
|
||||
"No table of figures entries found": "Ez da irudien aurkibideko sarrerarik aurkitu.",
|
||||
"None": "Bat ere ez",
|
||||
"Normal": "Normala",
|
||||
"Number Too Large To Format": "Zenbakia handiegia da formatua emateko",
|
||||
"Odd Page ": "Orri bakoitia",
|
||||
"Quote": "Aipua",
|
||||
"Same as Previous": "Aurrekoaren berdina",
|
||||
"Series": "Seriea",
|
||||
"Subtitle": "Azpititulua",
|
||||
"Syntax Error": "Sintaxi-errorea",
|
||||
"Table Index Cannot be Zero": "Taula-indizea ezin da zero izan",
|
||||
"Table of Contents": "Aurkibidea",
|
||||
"table of figures": "Irudien aurkibidea",
|
||||
"The Formula Not In Table": "Formula ez dago taulan",
|
||||
"Title": "Izenburua",
|
||||
"TOC Heading": "Aurkibidearen izenburua",
|
||||
"Type equation here": "Idatzi hemen ekuazioa",
|
||||
"Undefined Bookmark": "Zehaztu gabeko laster-marka",
|
||||
"Unexpected End of Formula": "Formularen ustekabeko amaiera",
|
||||
"X Axis": "X ardatza XAS",
|
||||
"Y Axis": "Y ardatza",
|
||||
"Your text here": "Zure testua hemen",
|
||||
"Zero Divide": "Zatitzailea zero"
|
||||
},
|
||||
"textAnonymous": "Anonimoa",
|
||||
"textBuyNow": "Bisitatu webgunea",
|
||||
"textClose": "Itxi",
|
||||
"textContactUs": "Jarri harremanetan salmenta-sailarekin",
|
||||
"textCustomLoader": "Sentitzen dugu, ez duzu kargatzailea aldatzeko baimenik. Jarri harremanetan gure salmenta-sailarekin aurrekontu bat lortzeko.",
|
||||
"textGuest": "Gonbidatua",
|
||||
"textHasMacros": "Fitxategiak makro automatikoak dauzka.<br>Makroak exekutatu nahi dituzu?",
|
||||
"textNo": "Ez",
|
||||
"textNoLicenseTitle": "Lizentzien mugara iritsi zara",
|
||||
"textNoTextFound": "Ez da testua aurkitu",
|
||||
"textPaidFeature": "Ordainpeko ezaugarria",
|
||||
"textRemember": "Gogoratu nire aukera",
|
||||
"textReplaceSkipped": "Ordezkapena burutu da. {0} agerraldi saltatu dira.",
|
||||
"textReplaceSuccess": "Bilaketa burutu da. Ordezkatu diren agerraldiak: {0}",
|
||||
"textRequestMacros": "Makro batek URL baterako eskaera egiten du. %1 URL-rako eskaera onartu nahi duzu?",
|
||||
"textYes": "Bai",
|
||||
"titleLicenseExp": "Lizentzia iraungi da",
|
||||
"titleServerVersion": "Editorea eguneratu da",
|
||||
"titleUpdateVersion": "Bertsioa aldatu da",
|
||||
"warnLicenseExceeded": "Aldibereko %1 editoreren konexio-mugara iritsi zara. Dokumentu hau ikusteko bakarrik irekiko da. Jarri harremanetan administratzailearekin informazio gehiago lortzeko.",
|
||||
"warnLicenseExp": "Zure lizentzia iraungi da. Mesedez, eguneratu zure lizentzia eta freskatu orria.",
|
||||
"warnLicenseLimitedNoAccess": "Lizentzia iraungi da. Ez daukazu dokumentu-edizio funtzionalitaterako sarbidea. Mesedez, kontaktatu zure administratzailea.",
|
||||
"warnLicenseLimitedRenewed": "Lizentziak berritzea behar du. Dokumentu-edizioaren funtzionalitatera sarbide mugatua duzu.<br>Mesedez jarri harremanetan zure administratzailearekin sarbide osoa lortzeko",
|
||||
"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."
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Babestutako fitxategia",
|
||||
"advDRMPassword": "Pasahitza",
|
||||
"advTxtOptions": "Aukeratu TXT aukerak",
|
||||
"closeButtonText": "Itxi fitxategia",
|
||||
"notcriticalErrorTitle": "Abisua",
|
||||
"textAbout": "Honi buruz",
|
||||
"textApplication": "Aplikazioa",
|
||||
"textApplicationSettings": "Aplikazioaren ezarpenak",
|
||||
"textAuthor": "Egilea",
|
||||
"textBack": "Atzera",
|
||||
"textBeginningDocument": "Dokumentuaren hasiera",
|
||||
"textBottom": "Behean",
|
||||
"textCancel": "Utzi",
|
||||
"textCaseSensitive": "Bereizi maiuskulak eta minuskulak",
|
||||
"textCentimeter": "Zentimetro",
|
||||
"textChooseEncoding": "Aukeratu kodeketa",
|
||||
"textChooseTxtOptions": "Aukeratu TXT aukerak",
|
||||
"textCollaboration": "Lankidetza",
|
||||
"textColorSchemes": "Kolore-eskemak",
|
||||
"textComment": "Iruzkina",
|
||||
"textComments": "Iruzkinak",
|
||||
"textCommentsDisplay": "Iruzkinen bistaratzea",
|
||||
"textCreated": "Sortze-data",
|
||||
"textCustomSize": "Tamaina pertsonalizatua",
|
||||
"textDirection": "Norabidea",
|
||||
"textDisableAll": "Desgaitu guztiak",
|
||||
"textDisableAllMacrosWithNotification": "Desgaitu makro guztiak jakinarazpenarekin",
|
||||
"textDisableAllMacrosWithoutNotification": "Desgaitu makro guztiak abisurik gabe",
|
||||
"textDocumentInfo": "Dokumentuaren informazioa",
|
||||
"textDocumentSettings": "Dokumentuarekin ezarpenak",
|
||||
"textDocumentTitle": "Dokumentuaren izenburua",
|
||||
"textDone": "Eginda",
|
||||
"textDownload": "Deskargatu",
|
||||
"textDownloadAs": "Deskargatu horrela",
|
||||
"textDownloadRtf": "Formatu honetan gordetzen baduzu formatuaren zati bat galdu daiteke. Ziur zaude jarraitu nahi duzula?",
|
||||
"textDownloadTxt": "Formatu honetan gordetzen baduzu ezaugarri guztiak galduko dira testua izan ezik. Ziur zaude jarraitu nahi duzula?",
|
||||
"textEmptyHeading": "Goiburu hutsa",
|
||||
"textEmptyScreens": "Ez dago izenbururik dokumentuan. Aplikatu izenburu-estilo bat testuari aurkibidean ager dadin.",
|
||||
"textEnableAll": "Gaitu guztiak",
|
||||
"textEnableAllMacrosWithoutNotification": "Gaitu makro guztiak jakinarazpenik gabe",
|
||||
"textEncoding": "Kodeketa",
|
||||
"textFastWV": "Web-ikuspegi azkarra",
|
||||
"textFeedback": "Oharrak eta laguntza",
|
||||
"textFind": "Bilatu",
|
||||
"textFindAndReplace": "Bilatu eta ordeztu",
|
||||
"textFindAndReplaceAll": "Bilatu eta ordeztu guztia",
|
||||
"textFormat": "Formatua",
|
||||
"textHelp": "Laguntza",
|
||||
"textHiddenTableBorders": "Taularen ertzak ezkutuan",
|
||||
"textHighlightResults": "Nabarmendu emaitzak",
|
||||
"textInch": "Hazbete",
|
||||
"textLandscape": "Horizontala",
|
||||
"textLastModified": "Azken aldaketa",
|
||||
"textLastModifiedBy": "Azken aldaketaren egilea",
|
||||
"textLeft": "Ezkerra",
|
||||
"textLeftToRight": "Ezkerretik eskuinera",
|
||||
"textLoading": "Kargatzen...",
|
||||
"textLocation": "Kokalekua",
|
||||
"textMacrosSettings": "Makroen ezarpenak",
|
||||
"textMargins": "Marjinak",
|
||||
"textMarginsH": "Goiko eta beheko marjinak altuegiak dira orriaren altuerarako",
|
||||
"textMarginsW": "Ezkerreko eta eskuineko marjinak zabalegiak dira erabilitako orriaren zabalerarako",
|
||||
"textNavigation": "Nabigazioa",
|
||||
"textNo": "Ez",
|
||||
"textNoCharacters": "Inprimatzekoak ez diren karaktereak",
|
||||
"textNoTextFound": "Ez da testua aurkitu",
|
||||
"textOk": "Ados",
|
||||
"textOpenFile": "Idatzi pasahitza fitxategia irekitzeko",
|
||||
"textOrientation": "Orientazioa",
|
||||
"textOwner": "Jabea",
|
||||
"textPages": "Orriak",
|
||||
"textPageSize": "Orriaren tamaina",
|
||||
"textParagraphs": "Paragrafoak",
|
||||
"textPdfProducer": "PDF ekoizlea",
|
||||
"textPdfTagged": "Etiketatutako PDFa",
|
||||
"textPdfVer": "PDF bertsioa",
|
||||
"textPoint": "Puntua",
|
||||
"textPortrait": "Bertikala",
|
||||
"textPrint": "Inprimatu",
|
||||
"textReaderMode": "Irakurketa modua",
|
||||
"textReplace": "Ordeztu",
|
||||
"textReplaceAll": "Ordeztu guztia",
|
||||
"textResolvedComments": "Ebatzitako iruzkinak",
|
||||
"textRestartApplication": "Mesedez berrabiarazi aplikazioa aldaketek eragina izan dezaten",
|
||||
"textRight": "Eskuina",
|
||||
"textRightToLeft": "Eskuinetik ezkerrera",
|
||||
"textSearch": "Bilatu",
|
||||
"textSettings": "Ezarpenak",
|
||||
"textShowNotification": "Erakutsi jakinarazpena",
|
||||
"textSpaces": "Tarteak",
|
||||
"textSpellcheck": "Ortografia-egiaztapena",
|
||||
"textStatistic": "Estatistikak",
|
||||
"textSubject": "Gaia",
|
||||
"textSymbols": "Ikurrak",
|
||||
"textTitle": "Izenburua",
|
||||
"textTop": "Goian",
|
||||
"textUnitOfMeasurement": "Neurri-unitatea",
|
||||
"textUploaded": "Kargatuta",
|
||||
"textWords": "Hitzak",
|
||||
"textYes": "Bai",
|
||||
"txtDownloadTxt": "Deskargatu TXT",
|
||||
"txtIncorrectPwd": "Pasahitza ez da zuzena",
|
||||
"txtOk": "Ados",
|
||||
"txtProtected": "Behin pasahitza sartu eta fitxategia ireki duzula, uneko pasahitza berrezarri egingo da",
|
||||
"txtScheme1": "Bulegoa",
|
||||
"txtScheme10": "Mediana",
|
||||
"txtScheme11": "Metroa",
|
||||
"txtScheme12": "Modulua",
|
||||
"txtScheme13": "Oparoa",
|
||||
"txtScheme14": "Begiratokia",
|
||||
"txtScheme15": "Jatorria",
|
||||
"txtScheme16": "Papera",
|
||||
"txtScheme17": "Solstizioa",
|
||||
"txtScheme18": "Teknikoa",
|
||||
"txtScheme19": "Bidea",
|
||||
"txtScheme2": "Gris-eskala",
|
||||
"txtScheme20": "Hiritarra",
|
||||
"txtScheme21": "Kemena",
|
||||
"txtScheme22": "Office berria",
|
||||
"txtScheme3": "Punta",
|
||||
"txtScheme4": "Aspektua",
|
||||
"txtScheme5": "Hirikoa",
|
||||
"txtScheme6": "Zabaldegia",
|
||||
"txtScheme7": "Berdintza",
|
||||
"txtScheme8": "Fluxua",
|
||||
"txtScheme9": "Sortzailea"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Gorde gabeko aldaketak dituzu. Egin klik \"Jarraitu orri honetan\" gordetze-automatikoari itxaroteko. Egin klik \"Utzi orri hau\" gorde gabeko aldaketa guztiak baztertzeko.",
|
||||
"dlgLeaveTitleText": "Aplikazioa uzten duzu",
|
||||
"leaveButtonText": "Irten orritik",
|
||||
"stayButtonText": "Jarraitu orrian"
|
||||
}
|
||||
}
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "E-mail",
|
||||
"textPoweredBy": "Réalisation",
|
||||
"textTel": "Tél.",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Avertissement",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Taille du tableau",
|
||||
"txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Saut de page avant",
|
||||
"textPageNumbering": "Numérotation des pages",
|
||||
"textParagraph": "Paragraphe",
|
||||
"textParagraphStyles": "Styles de paragraphe",
|
||||
"textPictureFromLibrary": "Image depuis la bibliothèque",
|
||||
"textPictureFromURL": "Image depuis URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Type",
|
||||
"textWe": "mer.",
|
||||
"textWrap": "Renvoi à la ligne",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Délai de conversion expiré.",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "Capitaux",
|
||||
"txtScheme8": "Flux",
|
||||
"txtScheme9": "Fonderie",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "Producteur PDF"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur Rester sur cette page et attendez l'enregistrement automatique. Cliquez sur Quitter cette page pour annuler toutes les modifications non enregistrées.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Correo electrónico",
|
||||
"textPoweredBy": "Desenvolvido por",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versión"
|
||||
"textVersion": "Versión",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Aviso",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Tamaño da táboa",
|
||||
"txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Salto de páxina antes",
|
||||
"textPageNumbering": "Numeración de páxinas",
|
||||
"textParagraph": "Parágrafo",
|
||||
"textParagraphStyles": "Estilos do parágrafo",
|
||||
"textPictureFromLibrary": "Imaxe da biblioteca",
|
||||
"textPictureFromURL": "Imaxe da URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Tipo",
|
||||
"textWe": "Me",
|
||||
"textWrap": "Axuste",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Excedeu o tempo límite de conversión.",
|
||||
|
@ -646,18 +653,22 @@
|
|||
"txtScheme7": "Equidade",
|
||||
"txtScheme8": "Fluxo",
|
||||
"txtScheme9": "Fundición",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Ten cambios sen gardar. Prema en \"Permanecer nesta páxina\" para esperar a que se garde automaticamente. Prema en \"Saír desta páxina\" para descartar todos os cambios non gardados.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "E-mail",
|
||||
"textPoweredBy": "Powered by",
|
||||
"textTel": "Tel.",
|
||||
"textVersion": "Verzió"
|
||||
"textVersion": "Verzió",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Figyelmeztetés",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Táblázat mérete",
|
||||
"txtNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Oldaltörés Előtte",
|
||||
"textPageNumbering": "Oldalszámozás",
|
||||
"textParagraph": "Bekezdés",
|
||||
"textParagraphStyles": "Bekezdés stílusok",
|
||||
"textPictureFromLibrary": "Kép a könyvtárból",
|
||||
"textPictureFromURL": "Kép URL-en keresztül",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Típus",
|
||||
"textWe": "Sze",
|
||||
"textWrap": "Tördel",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Időtúllépés az átalakítás során.",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "Saját tőke",
|
||||
"txtScheme8": "Folyam",
|
||||
"txtScheme9": "Öntöde",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Nem mentett módosításai vannak. Kattintson a „Maradj ezen az oldalon” gombra az automatikus mentés megvárásához. Kattintson a \"Hagyja el ezt az oldalt\" gombra az összes nem mentett módosítás elvetéséhez.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Didukung oleh",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versi"
|
||||
"textVersion": "Versi",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Peringatan",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Ukuran Tabel",
|
||||
"txtNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Jeda halaman sebelum",
|
||||
"textPageNumbering": "Penomoran Halaman",
|
||||
"textParagraph": "Paragraf",
|
||||
"textParagraphStyles": "Style Paragraf",
|
||||
"textPictureFromLibrary": "Gambar dari Perpustakaan",
|
||||
"textPictureFromURL": "Gambar dari URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Ketik",
|
||||
"textWe": "Rab",
|
||||
"textWrap": "Wrap",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Waktu konversi habis.",
|
||||
|
@ -649,15 +656,19 @@
|
|||
"txtScheme7": "Margin Sisa",
|
||||
"txtScheme8": "Alur",
|
||||
"txtScheme9": "Cetakan",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Anda memiliki perubahan yang belum tersimpan. Klik 'Tetap di Halaman Ini' untuk menunggu simpan otomatis. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Sviluppato da",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versione"
|
||||
"textVersion": "Versione",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Avvertimento",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Dimensione di tabella",
|
||||
"txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Interruzione di pagina davanti",
|
||||
"textPageNumbering": "Numerazione di pagine",
|
||||
"textParagraph": "Paragrafo",
|
||||
"textParagraphStyles": "Stili di paragrafo",
|
||||
"textPictureFromLibrary": "Immagine dalla libreria",
|
||||
"textPictureFromURL": "Immagine dall'URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Tipo",
|
||||
"textWe": "Mer",
|
||||
"textWrap": "Avvolgere",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "È stato superato il tempo massimo della conversione.",
|
||||
|
@ -646,18 +653,22 @@
|
|||
"txtScheme7": "Equità",
|
||||
"txtScheme8": "Flusso",
|
||||
"txtScheme9": "Fonderia",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "Produttore PDF"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Hai dei cambiamenti non salvati. Premi 'Rimanere sulla pagina' per attendere il salvataggio automatico. Premi 'Lasciare la pagina' per eliminare tutte le modifiche non salvate.",
|
||||
|
|
|
@ -4,9 +4,10 @@
|
|||
"textAddress": "アドレス",
|
||||
"textBack": "戻る",
|
||||
"textEmail": "メール",
|
||||
"textPoweredBy": "Powered by",
|
||||
"textPoweredBy": "によって提供されています",
|
||||
"textTel": "電話",
|
||||
"textVersion": "バージョン"
|
||||
"textVersion": "バージョン",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": " 警告",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "表のサイズ",
|
||||
"txtNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "前に改ページ",
|
||||
"textPageNumbering": "ページ番号",
|
||||
"textParagraph": "段落",
|
||||
"textParagraphStyles": "段落のスタイル",
|
||||
"textPictureFromLibrary": "ライブラリからのイメージ",
|
||||
"textPictureFromURL": "URLからのイメージ",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "タイプ",
|
||||
"textWe": "水",
|
||||
"textWrap": "折り返す",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "変換のタイムアウトを超過しました。",
|
||||
|
@ -376,7 +383,7 @@
|
|||
"errorFileSizeExceed": "ファイルのサイズがサーバの制限を超過します。アドミニストレータを連絡してください。",
|
||||
"errorKeyEncrypt": "不明なキーの記述子",
|
||||
"errorKeyExpire": "キーの記述子の有効期間が満期した",
|
||||
"errorLoadingFont": "フォントがダウンロードしませんでした。文書のサーバのアドミ二ストレータを連絡してください。",
|
||||
"errorLoadingFont": "フォントがダウンロードしませんでした。<br>文書のサーバのアドミ二ストレータを連絡してください。",
|
||||
"errorMailMergeLoadFile": "読み込みの失敗",
|
||||
"errorMailMergeSaveFile": "結合に失敗しました。",
|
||||
"errorSessionAbsolute": "文書を変更のセッションの有効期間が満期しました。ページを再びお読み込みしてください。",
|
||||
|
@ -590,7 +597,7 @@
|
|||
"textLocation": "場所",
|
||||
"textMacrosSettings": "マクロの設定",
|
||||
"textMargins": "余白",
|
||||
"textMarginsH": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。",
|
||||
"textMarginsH": "指定されたページの高さ対して、上下の余白が大きすぎます。",
|
||||
"textMarginsW": "右左の余白がこのページの幅に広すぎる。",
|
||||
"textNo": "いいえ",
|
||||
"textNoCharacters": "印刷されない文字",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "株主資本",
|
||||
"txtScheme8": "フロー",
|
||||
"txtScheme9": "ファウンドリ",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "保存されていない変更があります。自動保存を待つように「このページから移動しない」をクリックしてください。保存されていない変更を破棄ように「このページから移動する」をクリックしてください。",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "이메일",
|
||||
"textPoweredBy": "기술 지원",
|
||||
"textTel": "전화 번호",
|
||||
"textVersion": "버전"
|
||||
"textVersion": "버전",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "경고",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "표 크기",
|
||||
"txtNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "현재 단락 앞에서 페이지 나누기",
|
||||
"textPageNumbering": "페이지 넘버링",
|
||||
"textParagraph": "단락",
|
||||
"textParagraphStyles": "단락 스타일",
|
||||
"textPictureFromLibrary": "그림 라이브러리에서",
|
||||
"textPictureFromURL": "URL에서 그림",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "유형",
|
||||
"textWe": "수요일",
|
||||
"textWrap": "줄 바꾸기",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "변환 시간을 초과했습니다.",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "같음",
|
||||
"txtScheme8": "플로우",
|
||||
"txtScheme9": "발견",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "저장하지 않은 변경 사항이 있습니다. 자동 저장이 완료될 때까지 기다리려면 \"이 페이지에 머물기\"를 클릭하십시오. \"이 페이지에서 나가기\"를 클릭하면 저장되지 않은 모든 변경 사항이 삭제됩니다.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "ອີເມລ",
|
||||
"textPoweredBy": "ສ້າງໂດຍ",
|
||||
"textTel": "ໂທ",
|
||||
"textVersion": "ລຸ້ນ"
|
||||
"textVersion": "ລຸ້ນ",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "ເຕືອນ",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "ຂະໜາດຕາຕະລາງ",
|
||||
"txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "ແຍກໜ້າເອກະສານກ່ອນໜ້າ",
|
||||
"textPageNumbering": "ເລກໜ້າ",
|
||||
"textParagraph": "ວັກ",
|
||||
"textParagraphStyles": "ຮຸບແບບວັກ",
|
||||
"textPictureFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ",
|
||||
"textPictureFromURL": "ຮູບພາບຈາກ URL",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "ພິມ",
|
||||
"textWe": "ພວກເຮົາ",
|
||||
"textWrap": "ຫໍ່",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "ຄວາມເທົ່າທຽມກັນ",
|
||||
"txtScheme8": "ຂະບວນການ",
|
||||
"txtScheme9": "ໂຮງຫລໍ່",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "ທ່ານມີການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກໄວ້. ຄລິກທີ່ 'ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທຶກອັດຕະໂນມັດ. ຄລິກ 'ອອກຈາກໜ້ານີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໄວ້ທັງໝົດ.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
679
apps/documenteditor/mobile/locale/ms.json
Normal file
679
apps/documenteditor/mobile/locale/ms.json
Normal file
|
@ -0,0 +1,679 @@
|
|||
{
|
||||
"About": {
|
||||
"textAbout": "Perihal",
|
||||
"textAddress": "Alamat",
|
||||
"textBack": "Kembali",
|
||||
"textEmail": "E-mel",
|
||||
"textPoweredBy": "Dikuasakan Oleh",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versi",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Amaran",
|
||||
"textAddLink": "Tambah pautan",
|
||||
"textAddress": "Alamat",
|
||||
"textBack": "Kembali",
|
||||
"textBelowText": "Di bawah teks",
|
||||
"textBottomOfPage": "Di bawah halaman",
|
||||
"textBreak": "Rehat",
|
||||
"textCancel": "Batalkan",
|
||||
"textCenterBottom": "Pusat Bawah",
|
||||
"textCenterTop": "Atas Tengah",
|
||||
"textColumnBreak": "Pemutus Lajur",
|
||||
"textColumns": "Lajur",
|
||||
"textComment": "Komen",
|
||||
"textContinuousPage": "Halaman Berterusan",
|
||||
"textCurrentPosition": "Kedudukan Semasa",
|
||||
"textDisplay": "Paparan",
|
||||
"textEmptyImgUrl": "Anda perlu menentukan imej URL.",
|
||||
"textEvenPage": "Halaman Genap",
|
||||
"textFootnote": "Nota Kaki",
|
||||
"textFormat": "Format",
|
||||
"textImage": "Imej",
|
||||
"textImageURL": "Imej URL",
|
||||
"textInsert": "Sisipkan",
|
||||
"textInsertFootnote": "Sisipkan Nota Kaki",
|
||||
"textInsertImage": "Sisipkan Imej",
|
||||
"textLeftBottom": "Ke Bawah Kiri",
|
||||
"textLeftTop": "Atas Kiri",
|
||||
"textLink": "Pautan",
|
||||
"textLinkSettings": "Seting Pautan",
|
||||
"textLocation": "Lokasi",
|
||||
"textNextPage": "Halaman seterusnya",
|
||||
"textOddPage": "Halaman Ganjil",
|
||||
"textOk": "Okey",
|
||||
"textOther": "Lain",
|
||||
"textPageBreak": "Pemutus Halaman",
|
||||
"textPageNumber": "Nombor Halaman",
|
||||
"textPictureFromLibrary": "Gambar daripada Perpustakaan",
|
||||
"textPictureFromURL": "Gambar daripada URL",
|
||||
"textPosition": "Kedudukan",
|
||||
"textRightBottom": "Bawah Kanan",
|
||||
"textRightTop": "Atas Kanan",
|
||||
"textRows": "Baris",
|
||||
"textScreenTip": "Petua Skrin",
|
||||
"textSectionBreak": "Bahagian Rehat",
|
||||
"textShape": "Bentuk",
|
||||
"textStartAt": "Mulakan pada",
|
||||
"textTable": "Jadual",
|
||||
"textTableSize": "Saiz Jadual",
|
||||
"txtNotUrl": "Medan ini perlu sebagai URL dalam \"http://www.example.com\" formatnya",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "Amaran",
|
||||
"textAccept": "Terima",
|
||||
"textAcceptAllChanges": "Terima semua perubahan",
|
||||
"textAddComment": "Tambah komen",
|
||||
"textAddReply": "Tambah balasan",
|
||||
"textAllChangesAcceptedPreview": "Semua perubahan diterima (Pratonton)",
|
||||
"textAllChangesEditing": "Semua perubahan (Pengeditan)",
|
||||
"textAllChangesRejectedPreview": "Semua perubahan ditolak (Pratonton)",
|
||||
"textAtLeast": "sekurang-kurangnya",
|
||||
"textAuto": "auto",
|
||||
"textBack": "Kembali",
|
||||
"textBaseline": "Garis Asas",
|
||||
"textBold": "Tebal",
|
||||
"textBreakBefore": "Pemutus halaman sebelum",
|
||||
"textCancel": "Batalkan",
|
||||
"textCaps": "Semua Huruf Besar",
|
||||
"textCenter": "Jajarkan pusat",
|
||||
"textChart": "Carta",
|
||||
"textCollaboration": "Kerjasama",
|
||||
"textColor": "Warna fon",
|
||||
"textComments": "Komen",
|
||||
"textContextual": "Jangan tambah selang di antara perenggan bagi gaya yang sama",
|
||||
"textDelete": "Padam",
|
||||
"textDeleteComment": "Padam Komen",
|
||||
"textDeleted": "Dipadamkan:",
|
||||
"textDeleteReply": "Padam Balasan",
|
||||
"textDisplayMode": "Mod Paparan",
|
||||
"textDone": "Siap",
|
||||
"textDStrikeout": "Garis Batal berganda",
|
||||
"textEdit": "Edit",
|
||||
"textEditComment": "Edit Komen",
|
||||
"textEditReply": "Edit Balasan",
|
||||
"textEditUser": "Pengguna yang mengedit fail:",
|
||||
"textEquation": "Persamaan",
|
||||
"textExact": "tepat sekali",
|
||||
"textFinal": "Akhir",
|
||||
"textFirstLine": "Garis pertama",
|
||||
"textFormatted": "Diformatkan",
|
||||
"textHighlight": "Warna Sorotan Penting",
|
||||
"textImage": "Imej",
|
||||
"textIndentLeft": "Inden kiri",
|
||||
"textIndentRight": "Inden kanan",
|
||||
"textInserted": "Disisipkan:",
|
||||
"textItalic": "Italik",
|
||||
"textJustify": "Jajarkan seimbang",
|
||||
"textKeepLines": "Kekalkan Garis Bersama",
|
||||
"textKeepNext": "Kekal dengan Seterusnya",
|
||||
"textLeft": "Jajarkan kiri",
|
||||
"textLineSpacing": "Jarak Garis:",
|
||||
"textMarkup": "Penanda",
|
||||
"textMessageDeleteComment": "Adakah anda betul mahu memadam komen ini?",
|
||||
"textMessageDeleteReply": "Adakah anda betul mahu memadam balasan ini?",
|
||||
"textMultiple": "pelbagai",
|
||||
"textNoBreakBefore": "Tiada pemutusan halaman sebelum",
|
||||
"textNoChanges": "Tdak ada perubahan.",
|
||||
"textNoComments": "Dokumen ini tidak mengandungi komen",
|
||||
"textNoContextual": "Tambah selang di antara perenggan bagi gaya yang sama",
|
||||
"textNoKeepLines": "Jangan simpan baris bersama",
|
||||
"textNoKeepNext": "Jangan simpan dengan teks",
|
||||
"textNot": "Bukan",
|
||||
"textNoWidow": "Tiada kawalan balu",
|
||||
"textNum": "Ubah penomboran",
|
||||
"textOk": "Okey",
|
||||
"textOriginal": "Asli",
|
||||
"textParaDeleted": "Perenggan Dipadamkan",
|
||||
"textParaFormatted": "Perenggan Diformatkan",
|
||||
"textParaInserted": "Perenggan Disisipkan",
|
||||
"textParaMoveFromDown": "Alih Ke Bawah:",
|
||||
"textParaMoveFromUp": "Alih Ke Atas:",
|
||||
"textParaMoveTo": "Alihkan:",
|
||||
"textPosition": "Kedudukan",
|
||||
"textReject": "Tolak",
|
||||
"textRejectAllChanges": "Tolak Semua Perubahan",
|
||||
"textReopen": "Membuka semula",
|
||||
"textResolve": "Selesaikan",
|
||||
"textReview": "Semak",
|
||||
"textReviewChange": "Semak Perubahan",
|
||||
"textRight": "Jajarkan kanan",
|
||||
"textShape": "Bentuk",
|
||||
"textShd": "Warna latar belakang",
|
||||
"textSmallCaps": "Huruf Besar Kecil",
|
||||
"textSpacing": "Penjarakan",
|
||||
"textSpacingAfter": "Penjarakan selepas",
|
||||
"textSpacingBefore": "Penjarakan sebelum",
|
||||
"textStrikeout": "Garis Batal",
|
||||
"textSubScript": "Subskrip",
|
||||
"textSuperScript": "Superskrip",
|
||||
"textTableChanged": "Seting Jadual Berubah",
|
||||
"textTableRowsAdd": "Baris Jadual Ditambah",
|
||||
"textTableRowsDel": "Baris Jadual Dipadam",
|
||||
"textTabs": "Ubah tab",
|
||||
"textTrackChanges": "Jejak Perubahan",
|
||||
"textTryUndoRedo": "Fungsi Buat asal/Buat semula dinyahdayakan bagi mod pengeditan Bersama Pantas.",
|
||||
"textUnderline": "Garis bawah",
|
||||
"textUsers": "Pengguna",
|
||||
"textWidow": "Kawalan Balu"
|
||||
},
|
||||
"HighlightColorPalette": {
|
||||
"textNoFill": "Tiada Isian"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "Warna Tersuai",
|
||||
"textStandartColors": "Warna Standard",
|
||||
"textThemeColors": "Warna Tema"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"errorCopyCutPaste": "Tindakan salin, potong dan tampal menggunakan konteks tindakan menu akan dilakukan dalam tab semasa sahaja.",
|
||||
"menuAddComment": "Tambah komen",
|
||||
"menuAddLink": "Tambah pautan",
|
||||
"menuCancel": "Batalkan",
|
||||
"menuContinueNumbering": "Teruskan penomboran",
|
||||
"menuDelete": "Padam",
|
||||
"menuDeleteTable": "Padam Jadual",
|
||||
"menuEdit": "Edit",
|
||||
"menuJoinList": "Sertai senarai sebelumnya",
|
||||
"menuMerge": "Cantum",
|
||||
"menuMore": "Selanjutnya",
|
||||
"menuOpenLink": "Buka Pautan",
|
||||
"menuReview": "Semak",
|
||||
"menuReviewChange": "Semak Perubahan",
|
||||
"menuSeparateList": "Pisahkan senarai",
|
||||
"menuSplit": "Pisah",
|
||||
"menuStartNewList": "Mulakan senarai baharu",
|
||||
"menuStartNumberingFrom": "Tetapkan nilai berangka",
|
||||
"menuViewComment": "Lihat Komen",
|
||||
"textCancel": "Batalkan",
|
||||
"textColumns": "Lajur",
|
||||
"textCopyCutPasteActions": "Tindakan Salin, Potong dan Tampal",
|
||||
"textDoNotShowAgain": "Jangan tunjukkan semula",
|
||||
"textNumberingValue": "Nilai Bernombor",
|
||||
"textOk": "Okey",
|
||||
"textRows": "Baris",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only"
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Amaran",
|
||||
"textActualSize": "Saiz sebenar",
|
||||
"textAddCustomColor": "Tambah Warna Tersuai",
|
||||
"textAdditional": "Tambahan",
|
||||
"textAdditionalFormatting": "Pemformatan tambahan",
|
||||
"textAddress": "Alamat",
|
||||
"textAdvanced": "Lanjutan",
|
||||
"textAdvancedSettings": "Seting lanjutan",
|
||||
"textAfter": "Selepas",
|
||||
"textAlign": "Jajar",
|
||||
"textAllCaps": "Semua Huruf Besar",
|
||||
"textAllowOverlap": "Benarkan pertindihan",
|
||||
"textApril": "April",
|
||||
"textAugust": "Ogos",
|
||||
"textAuto": "Auto",
|
||||
"textAutomatic": "Automatik",
|
||||
"textBack": "Kembali",
|
||||
"textBackground": "Latar Belakang",
|
||||
"textBandedColumn": "Baris Berjalur",
|
||||
"textBandedRow": "Lajur Berjalur",
|
||||
"textBefore": "Sebelum",
|
||||
"textBehind": "Di Belakang Teks",
|
||||
"textBorder": "Sempadan",
|
||||
"textBringToForeground": "Bawa ke Tanah",
|
||||
"textBullets": "Bullet",
|
||||
"textBulletsAndNumbers": "Bulet dan Angka",
|
||||
"textCellMargins": "Margin Sel",
|
||||
"textChart": "Carta",
|
||||
"textClose": "Tutup",
|
||||
"textColor": "Warna",
|
||||
"textContinueFromPreviousSection": "Teruskan daripada bahagian sebelumnya",
|
||||
"textCustomColor": "Warna Tersuai",
|
||||
"textDecember": "Disember",
|
||||
"textDesign": "Rekaan",
|
||||
"textDifferentFirstPage": "Halaman pertama berbeza",
|
||||
"textDifferentOddAndEvenPages": "Halaman genap dan ganjil berbeza",
|
||||
"textDisplay": "Paparan",
|
||||
"textDistanceFromText": "Jarak dari teks",
|
||||
"textDoubleStrikethrough": "Garis Lorek Berganda",
|
||||
"textEditLink": "Edit Pautan",
|
||||
"textEffects": "Kesan",
|
||||
"textEmpty": "Kosong",
|
||||
"textEmptyImgUrl": "Anda perlu menentukan imej URL.",
|
||||
"textFebruary": "Februari",
|
||||
"textFill": "Isi",
|
||||
"textFirstColumn": "Lajur Pertama",
|
||||
"textFirstLine": "GarisPertama",
|
||||
"textFlow": "Aliran",
|
||||
"textFontColor": "Warna Fon",
|
||||
"textFontColors": "Warna Fon",
|
||||
"textFonts": "Fon",
|
||||
"textFooter": "Pengaki",
|
||||
"textFr": "Jum",
|
||||
"textHeader": "Pengepala",
|
||||
"textHeaderRow": "Baris Pengepala",
|
||||
"textHighlightColor": "Warna Sorotan Penting",
|
||||
"textHyperlink": "Hiperpautan",
|
||||
"textImage": "Imej",
|
||||
"textImageURL": "Imej URL",
|
||||
"textInFront": "Ke Depan Teks",
|
||||
"textInline": "Sebaris dengan Teks",
|
||||
"textJanuary": "Januari",
|
||||
"textJuly": "Julai",
|
||||
"textJune": "Jun",
|
||||
"textKeepLinesTogether": "Kekalkan Garis Bersama",
|
||||
"textKeepWithNext": "Kekal dengan Seterusnya",
|
||||
"textLastColumn": "Lajur Terakhir",
|
||||
"textLetterSpacing": "Jarak Perkataan",
|
||||
"textLineSpacing": "Jarak Garis",
|
||||
"textLink": "Pautan",
|
||||
"textLinkSettings": "Seting Pautan",
|
||||
"textLinkToPrevious": "Paut pada Sebelumnya",
|
||||
"textMarch": "Mac",
|
||||
"textMay": "Mei",
|
||||
"textMo": "Is",
|
||||
"textMoveBackward": "Alih Ke Belakang",
|
||||
"textMoveForward": "Alih Ke Hadapan",
|
||||
"textMoveWithText": "Alih dengan Teks",
|
||||
"textNone": "Tiada",
|
||||
"textNoStyles": "Tiada gaya untuk carta jenis ini.",
|
||||
"textNotUrl": "Medan ini perlu sebagai URL dalam “http://www.example.com” formatnya",
|
||||
"textNovember": "November",
|
||||
"textNumbers": "Nombor",
|
||||
"textOctober": "Oktober",
|
||||
"textOk": "Okey",
|
||||
"textOpacity": "Kelegapan",
|
||||
"textOptions": "Pilihan",
|
||||
"textOrphanControl": "Kawalan Yatim",
|
||||
"textPageBreakBefore": "Pemutus Halaman Sebelum",
|
||||
"textPageNumbering": "Penomboran Halaman",
|
||||
"textParagraph": "Perenggan",
|
||||
"textPictureFromLibrary": "Gambar daripada Perpustakaan",
|
||||
"textPictureFromURL": "Gambar daripada URL",
|
||||
"textPt": "pt",
|
||||
"textRemoveChart": "Alih Keluar Carta",
|
||||
"textRemoveImage": "Alih Keluar Imej",
|
||||
"textRemoveLink": "Alih Keluar Pautan",
|
||||
"textRemoveShape": "Alih Keluar Bentuk",
|
||||
"textRemoveTable": "Alih Keluar Jadual",
|
||||
"textReorder": "Order Semula",
|
||||
"textRepeatAsHeaderRow": "Ulang sebagai Baris Pengepala",
|
||||
"textReplace": "Gantikan",
|
||||
"textReplaceImage": "Gantikan Imej",
|
||||
"textResizeToFitContent": "Saiz Semula untuk Memuatkan Kandungan",
|
||||
"textSa": "Sa",
|
||||
"textScreenTip": "Petua Skrin",
|
||||
"textSelectObjectToEdit": "Pilih objek untuk edit",
|
||||
"textSendToBackground": "Hantar ke Latar Belakang",
|
||||
"textSeptember": "September",
|
||||
"textSettings": "Seting",
|
||||
"textShape": "Bentuk",
|
||||
"textSize": "Saiz",
|
||||
"textSmallCaps": "Huruf Besar Kecil",
|
||||
"textSpaceBetweenParagraphs": "Jarak Di Antara Perenggan",
|
||||
"textSquare": "Kuasa dua",
|
||||
"textStartAt": "Mulakan pada",
|
||||
"textStrikethrough": "Garis Lorek",
|
||||
"textStyle": "Gaya",
|
||||
"textStyleOptions": "Pilihan Gaya",
|
||||
"textSu": "Su",
|
||||
"textSubscript": "Subskrip",
|
||||
"textSuperscript": "Superskrip",
|
||||
"textTable": "Jadual",
|
||||
"textTableOptions": "Jadual Pilihan",
|
||||
"textText": "Teks",
|
||||
"textTh": "Kha",
|
||||
"textThrough": "Melalui",
|
||||
"textTight": "Ketat",
|
||||
"textTopAndBottom": "Atas dan bawah",
|
||||
"textTotalRow": "Baris Jumlah",
|
||||
"textTu": "Sel",
|
||||
"textType": "Jenis",
|
||||
"textWe": "Kami",
|
||||
"textWrap": "Balut",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Melebihi masa tamat penukaran.",
|
||||
"criticalErrorExtText": "Tekan 'OK' untuk Kembali ke senarai dokumen.",
|
||||
"criticalErrorTitle": "Ralat",
|
||||
"downloadErrorText": "Muat turun telah gagal.",
|
||||
"errorAccessDeny": "Anda sedang cuba untuk melakukan tindakan yang anda tidak mempunyai hak untuk.<br>Sila, hubungi pentadbir anda.",
|
||||
"errorBadImageUrl": "Imej URL tidak betul",
|
||||
"errorConnectToServer": "Tidak dapat menyimpan dok ini. Semak seting sambungan anda atau hubungi pentadbir.<br>Apabila anda klik 'OK', anda akan diminta untuk muat turun dokumennya.",
|
||||
"errorDatabaseConnection": "Ralat luaran.<br>Ralat sambungan data asas. Sila hubungi sokongan sekiranya ralat masih berlaku.",
|
||||
"errorDataEncrypted": "Sulitkan perubahan yang telah diterima, mereka tidak dapat ditafsirkan.",
|
||||
"errorDataRange": "Julat data tidak betul.",
|
||||
"errorDefaultMessage": "Kod ralat: %1",
|
||||
"errorEditingDownloadas": "Terdapat ralat yang berlaku semasa bekerja dengan dokumen.<br>Muat Turun dokumen untuk menyimpan salinan fail sandaran secara setempat.",
|
||||
"errorFilePassProtect": "Fail dilindungi kata laluan dan tidak dapat dibuka.",
|
||||
"errorFileSizeExceed": "Saiz fail melebihi had pelayan anda.<br>Sila, hubungi pentadbir anda.",
|
||||
"errorKeyEncrypt": "Pemerihal kunci tidak diketahui.",
|
||||
"errorKeyExpire": "Pemerihal kunci tamat tempoh",
|
||||
"errorLoadingFont": "Fon tidak dimuatkan.<br>Sila hubungi pentadbir Pelayan Dokumen anda.",
|
||||
"errorMailMergeLoadFile": "Memuatkan telah gagal",
|
||||
"errorMailMergeSaveFile": "Gagal cantum",
|
||||
"errorSessionAbsolute": "Sesi pengeditan dokumen telah tamat tempoh. Sila muat semula halaman.",
|
||||
"errorSessionIdle": "Dokumen tidak diedit buat masa yang lama. Sila muat semula halaman.",
|
||||
"errorSessionToken": "Sambungan kepada pelayan telah terganggu. Sila muat semula halaman.",
|
||||
"errorStockChart": "Urutan baris tidak betul. Untuk membina carta stok, tempatkan data pada helaian mengikut urutan:<br> harga bukaan, harga mak, harga min, harga penutup.",
|
||||
"errorUpdateVersionOnDisconnect": "Sambungan internet telah dipulihkan, dan versi fail telah berubah.<br>Sebelum anda boleh terus bekerja, anda perlu memuat turun fail atau menyalin kandungannya untuk memastikan tiada ada yang hilang, dan kemudian muat semula halaman ini.",
|
||||
"errorUserDrop": "Fail tidak boleh diakses sekarang.",
|
||||
"errorUsersExceed": "Bilangan pengguna yang didizinkan mengikut pelan pembayaran telah lebih",
|
||||
"errorViewerDisconnect": "Sambungan telah hilang. Anda masih boleh melihat dokumen,<br>tetapi tidak dapat muat turun atau cetaknya sehingga sambungan dipulihkan dan halaman dimuat semua.",
|
||||
"notcriticalErrorTitle": "Amaran",
|
||||
"openErrorText": "Ralat telah berlaku semasa membuka fail",
|
||||
"saveErrorText": "Ralat telah berlaku semasa menyimpan fail",
|
||||
"scriptLoadError": "Sambungan terlalu perlahan, beberapa komponen tidak dapat dimuatkan. Sila muat semula halaman.",
|
||||
"splitDividerErrorText": "Jumlah baris mestilah pembahagi bagi %1",
|
||||
"splitMaxColsErrorText": "Jumlah lajur mestilah kurang dari %1",
|
||||
"splitMaxRowsErrorText": "Jumlah baris mestilah kurang dari %1",
|
||||
"unknownErrorText": "Ralat tidak diketahui.",
|
||||
"uploadImageExtMessage": "Format imej yang tidak diketahui.",
|
||||
"uploadImageFileCountMessage": "Tiada Imej dimuat naik.",
|
||||
"uploadImageSizeMessage": "Imej terlalu besar. Saiz maksimum adalah 25 MB.",
|
||||
"errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"errorNoTOC": "There's no table of contents to update. You can insert one from the References tab."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Data dimuatkan…",
|
||||
"applyChangesTitleText": "Data Dimuatkan",
|
||||
"downloadMergeText": "Memuat turun…",
|
||||
"downloadMergeTitle": "Memuat turun",
|
||||
"downloadTextText": "Dokumen dimuat turun…",
|
||||
"downloadTitleText": "Dokumen dimuat turun",
|
||||
"loadFontsTextText": "Data dimuatkan…",
|
||||
"loadFontsTitleText": "Data Dimuatkan",
|
||||
"loadFontTextText": "Data dimuatkan…",
|
||||
"loadFontTitleText": "Data Dimuatkan",
|
||||
"loadImagesTextText": "Imej dimuatkan…",
|
||||
"loadImagesTitleText": "Imej dimuatkan",
|
||||
"loadImageTextText": "Imej dimuatkan…",
|
||||
"loadImageTitleText": "Imej dimuatkan",
|
||||
"loadingDocumentTextText": "Dokumen dimuatkan…",
|
||||
"loadingDocumentTitleText": "Dokumen dimuatkan",
|
||||
"mailMergeLoadFileText": "Sumber Data Dimuatkan…",
|
||||
"mailMergeLoadFileTitle": "Sumber Data Dimuatkan",
|
||||
"openTextText": "Dokumen dibuka…",
|
||||
"openTitleText": "Dokumen dibuka",
|
||||
"printTextText": "Dokumen dicetak…",
|
||||
"printTitleText": "Dokumen dicetak",
|
||||
"savePreparingText": "Penyediaan untuk simpan",
|
||||
"savePreparingTitle": "Penyediaan untuk simpan. Sila, tunggu…",
|
||||
"saveTextText": "Menyimpan dokumen…",
|
||||
"saveTitleText": "Menyimpan dokumen",
|
||||
"sendMergeText": "Menghantar Cantum…",
|
||||
"sendMergeTitle": "Menghantar Cantum",
|
||||
"textLoadingDocument": "Dokumen dimuatkan",
|
||||
"txtEditingMode": "Tetapkan mod pengeditan…",
|
||||
"uploadImageTextText": "Imej dimuat naik…",
|
||||
"uploadImageTitleText": "Imej dimuat naik",
|
||||
"waitText": "Sila, tunggu…"
|
||||
},
|
||||
"Main": {
|
||||
"criticalErrorTitle": "Ralat",
|
||||
"errorAccessDeny": "Anda sedang cuba untuk melakukan tindakan yang anda tidak mempunyai hak untuk.<br>Sila, hubungi pentadbir anda.",
|
||||
"errorOpensource": "Menggunakan versi percuma Community, anda boleh membuka dokumen untuk paparan sahaja. Untuk akses editor mobile web, lesen komersial diperlukan.",
|
||||
"errorProcessSaveResult": "Gagal disimpan.",
|
||||
"errorServerVersion": "Versi editor telah dikemas kinikan. Halaman akan dimuat semula untuk menggunakan perubahan.",
|
||||
"errorUpdateVersion": "Versi fail telah berubah. Halaman akan dimuatkan semula.",
|
||||
"leavePageText": "Anda mempunyai perubahan yang tidak disimpan. Klik 'Stay on this Page' untuk menunggu autosimpan. Klik 'Leave this Page' untuk membuang semua perubahan yang tidak disimpan.",
|
||||
"notcriticalErrorTitle": "Amaran",
|
||||
"SDK": {
|
||||
" -Section ": "-Bahagian",
|
||||
"above": "di atas",
|
||||
"below": "di Bawah",
|
||||
"Caption": "Kapsyen",
|
||||
"Choose an item": "Pilih satu item",
|
||||
"Click to load image": "Klik untuk muatkan imej",
|
||||
"Current Document": "Dokumen Semasa",
|
||||
"Diagram Title": "Tajuk Carta",
|
||||
"endnote text": "Teks Nota Hujung",
|
||||
"Enter a date": "Masukkan Tarikh",
|
||||
"Error! Bookmark not defined": "Ralat! Penanda buku tidak ditakrifkan.",
|
||||
"Error! Main Document Only": "Ralat! Dokumen Utama Sahaja.",
|
||||
"Error! No text of specified style in document": "Ralat! Tiada teks gaya tertentu dalam dokumen.",
|
||||
"Error! Not a valid bookmark self-reference": "Ralat! Bukan penanda buku rujukan-sendiri yang sah.",
|
||||
"Even Page ": "Halaman Genap",
|
||||
"First Page ": "Halaman Pertama",
|
||||
"Footer": "Pengaki",
|
||||
"footnote text": "Teks Nota Kaki",
|
||||
"Header": "Pengepala",
|
||||
"Heading 1": "Pengepala 1",
|
||||
"Heading 2": "Pengepala 2",
|
||||
"Heading 3": "Pengepala 3",
|
||||
"Heading 4": "Pengepala 4",
|
||||
"Heading 5": "Pengepala 5",
|
||||
"Heading 6": "Pengepala 6",
|
||||
"Heading 7": "Pengepala 7",
|
||||
"Heading 8": "Pengepala 8",
|
||||
"Heading 9": "Pengepala 9",
|
||||
"Hyperlink": "Hiperpautan",
|
||||
"Index Too Large": "Indeks Terlalu Besar",
|
||||
"Intense Quote": "Petikan Mendalam",
|
||||
"Is Not In Table": "Tidak Ada Dalam Jadual",
|
||||
"List Paragraph": "Senarai Perenggan",
|
||||
"Missing Argument": "Argumen Yang Hilang",
|
||||
"Missing Operator": "Operator Yang Hilang",
|
||||
"No Spacing": "Tiada Jarak",
|
||||
"No table of contents entries found": "Tidak ada pengepala di dalam dokumen. Gunakan gaya pengepala ke teks supaya ia kelihatan di dalam senarai kandungan.",
|
||||
"No table of figures entries found": "Tiada jadual rajah entri dijumpai.",
|
||||
"None": "Tiada",
|
||||
"Normal": "Normal",
|
||||
"Number Too Large To Format": "Nombor Terlalu Besar untuk Diformatkan",
|
||||
"Odd Page ": "Halaman Ganjil",
|
||||
"Quote": "Petikan",
|
||||
"Same as Previous": "Sama seperti Sebelumnya",
|
||||
"Series": "Siri",
|
||||
"Subtitle": "Subtajuk",
|
||||
"Syntax Error": "Ralat Sintaks",
|
||||
"Table Index Cannot be Zero": "Jadual Indeks Tidak Boleh Sifar",
|
||||
"Table of Contents": "Senarai Kandungan",
|
||||
"table of figures": "Jadual rajah",
|
||||
"The Formula Not In Table": "Formula Tidak Berada Dalam Jadual",
|
||||
"Title": "Tajuk",
|
||||
"TOC Heading": "Pengepala TOC",
|
||||
"Type equation here": "Taip persamaan di sini",
|
||||
"Undefined Bookmark": "Penanda Buku Tidak Ditakrif",
|
||||
"Unexpected End of Formula": "Hujung Formula yang Tidak Dijangkakan",
|
||||
"X Axis": "XAS Paksi X",
|
||||
"Y Axis": "Paksi X",
|
||||
"Your text here": "Teks anda di sini",
|
||||
"Zero Divide": "Bahagi Sifar"
|
||||
},
|
||||
"textAnonymous": "Tanpa Nama",
|
||||
"textBuyNow": "Lihat laman web",
|
||||
"textClose": "Tutup",
|
||||
"textContactUs": "Hubungi jualan",
|
||||
"textCustomLoader": "Maaf, anda tidak berhak untuk mengubah pemuat. Hubungi jabatan jualan kami untuk mendapatkan sebut harga.",
|
||||
"textGuest": "Tetamu",
|
||||
"textHasMacros": "Fail mengandungi makro automatik.<br>Adakah anda mahu jalankan makro?",
|
||||
"textNo": "Tidak",
|
||||
"textNoLicenseTitle": "Had lesen telah dicapai",
|
||||
"textNoTextFound": "Teks tidak dijumpai",
|
||||
"textPaidFeature": "Ciri Berbayar",
|
||||
"textRemember": "Ingat pilihan saya",
|
||||
"textReplaceSkipped": "Gantian telah dilakukan. {0} kejadian telah dilangkau.",
|
||||
"textReplaceSuccess": "Carian telah dilakukan. Kejadian digantikan: {0}",
|
||||
"textYes": "Ya",
|
||||
"titleLicenseExp": "Lesen tamat tempoh",
|
||||
"titleServerVersion": "Editor dikemas kini",
|
||||
"titleUpdateVersion": "Perubahan versi",
|
||||
"warnLicenseExceeded": "Anda telah mencapai had pengguna untuk sambungan serentak kepada editor %1. Dokumen ini akan dibuka untuk dilihat sahaja. Hubungi pentadbir anda untuk ketahui selanjutnya.",
|
||||
"warnLicenseExp": "Lesen anda telah tamat tempoh. Sila kemas kini lesen anda dan segarkan halaman.",
|
||||
"warnLicenseLimitedNoAccess": "Lesen tamat tempoh. Anda tidak mempunyai akses terhadap fungsi pengeditan dokumen. Sila, hubungi pentadbir anda.",
|
||||
"warnLicenseLimitedRenewed": "Lesen perlu untuk diperbaharui. Anda mempunyai akses terhad kepada fungi pengeditan dokumen.<br>Sila hubungi pentadbir anda untuk mendapatkan akses penuh",
|
||||
"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.",
|
||||
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Fail Dilindungi",
|
||||
"advDRMPassword": "Kata laluan",
|
||||
"advTxtOptions": "Pilih Pilihan TXT",
|
||||
"closeButtonText": "Tutup Fail",
|
||||
"notcriticalErrorTitle": "Amaran",
|
||||
"textAbout": "Perihal",
|
||||
"textApplication": "Permohonan",
|
||||
"textApplicationSettings": "Seting Permohonan",
|
||||
"textAuthor": "Pengarang",
|
||||
"textBack": "Kembali",
|
||||
"textBottom": "Bawah",
|
||||
"textCancel": "Batalkan",
|
||||
"textCaseSensitive": "Sensitif Huruf",
|
||||
"textCentimeter": "Sentimeter",
|
||||
"textChooseEncoding": "Pilih Pengekodan",
|
||||
"textChooseTxtOptions": "Pilih Pilihan TXT",
|
||||
"textCollaboration": "Kerjasama",
|
||||
"textColorSchemes": "Skema Warna",
|
||||
"textComment": "Komen",
|
||||
"textComments": "Komen",
|
||||
"textCommentsDisplay": "Paparan Komen",
|
||||
"textCreated": "Diciptakan",
|
||||
"textCustomSize": "Saiz Tersuai",
|
||||
"textDisableAll": "Nyahdayakan Semua",
|
||||
"textDisableAllMacrosWithNotification": "Nyahdayakan semua makro dengan pemberitahuan",
|
||||
"textDisableAllMacrosWithoutNotification": "Nyahdayakan semua makro tanpa pemberitahuan",
|
||||
"textDocumentInfo": "Maklumat Dokumen",
|
||||
"textDocumentSettings": "Seting Dokumen",
|
||||
"textDocumentTitle": "Tajuk Dokumen",
|
||||
"textDone": "Siap",
|
||||
"textDownload": "Muat turun",
|
||||
"textDownloadAs": "Muat turun sebagai",
|
||||
"textDownloadRtf": "Jika anda terus menyimpan dalam format ini beberapa pemformatan mungkin akan hilang. Adakah anda pasti mahu meneruskan?",
|
||||
"textDownloadTxt": "ika anda terus menyimpan dalam format ini semua ciri kecuali teks akan hilang. Adakah anda pasti mahu meneruskan?",
|
||||
"textEnableAll": "Mendayakan Semua",
|
||||
"textEnableAllMacrosWithoutNotification": "Mendayakan semua makro tanpa pemberitahuan",
|
||||
"textEncoding": "Pengekodan",
|
||||
"textFastWV": "Paparan Web Pantas",
|
||||
"textFind": "Cari",
|
||||
"textFindAndReplace": "Cari dan Ganti",
|
||||
"textFindAndReplaceAll": "Cari dan Ganti Semua",
|
||||
"textFormat": "Format",
|
||||
"textHelp": "Bantu",
|
||||
"textHiddenTableBorders": "Sembunyikan Sempadan Jadual",
|
||||
"textHighlightResults": "Keputusan Sorotan Penting",
|
||||
"textInch": "Inci",
|
||||
"textLandscape": "Lanskap",
|
||||
"textLastModified": "Dibodifikasi Terakhir",
|
||||
"textLastModifiedBy": "Terakhir Dimodifikasi Oleh",
|
||||
"textLeft": "Kiri",
|
||||
"textLoading": "Memuatkan",
|
||||
"textLocation": "Lokasi",
|
||||
"textMacrosSettings": "Seting Makro",
|
||||
"textMargins": "Margin",
|
||||
"textMarginsH": "Margin atas dan bawah adalah terlalu tinggi untuk ketinggian halaman yang diberikan",
|
||||
"textMarginsW": "Margin ke kiri dan kanan terlalu lebar untuk kelebaran halaman yang diberikan",
|
||||
"textNo": "Tidak",
|
||||
"textNoCharacters": "Aksara bukan cetakan",
|
||||
"textNoTextFound": "Teks tidak dijumpai",
|
||||
"textOk": "Okey",
|
||||
"textOpenFile": "Masukkan kata laluan untuk membuka fail",
|
||||
"textOrientation": "Orientasi",
|
||||
"textOwner": "Pemilik",
|
||||
"textPages": "Halaman",
|
||||
"textPageSize": "Saiz Halaman",
|
||||
"textParagraphs": "Perenggan",
|
||||
"textPdfTagged": "PDF Bertag",
|
||||
"textPdfVer": "Versi PDf",
|
||||
"textPoint": "Mata",
|
||||
"textPortrait": "Potret",
|
||||
"textPrint": "Cetak",
|
||||
"textReaderMode": "Mod Pembaca",
|
||||
"textReplace": "Gantikan",
|
||||
"textReplaceAll": "Gantikan Semua",
|
||||
"textResolvedComments": "Komen Diselesaikan",
|
||||
"textRight": "Kanan",
|
||||
"textSearch": "Carian",
|
||||
"textSettings": "Seting",
|
||||
"textShowNotification": "Tunjuk Pemberitahuan",
|
||||
"textSpaces": "Jarak",
|
||||
"textSpellcheck": "Menyemak Ejaan",
|
||||
"textStatistic": "Statistik",
|
||||
"textSymbols": "Simbol",
|
||||
"textTitle": "Tajuk",
|
||||
"textTop": "Atas",
|
||||
"textUnitOfMeasurement": "Unit Pengukuran",
|
||||
"textUploaded": "Dimuat naik",
|
||||
"textWords": "Perkataan",
|
||||
"textYes": "Ya",
|
||||
"txtDownloadTxt": "Muat turun TXT",
|
||||
"txtIncorrectPwd": "Kata laluan tidak betul",
|
||||
"txtOk": "Okey",
|
||||
"txtProtected": "Setelah anda masukkan kata laluan dan buka fail, kata laluan semasa akan diset semula",
|
||||
"txtScheme1": "Office",
|
||||
"txtScheme10": "Median",
|
||||
"txtScheme11": "Metro",
|
||||
"txtScheme12": "Modul",
|
||||
"txtScheme13": "Mewah",
|
||||
"txtScheme14": "Unjur",
|
||||
"txtScheme15": "Asal",
|
||||
"txtScheme16": "Kertas",
|
||||
"txtScheme17": "Solstis",
|
||||
"txtScheme18": "Teknik",
|
||||
"txtScheme19": "Trek",
|
||||
"txtScheme2": "Skala Kelabu",
|
||||
"txtScheme20": "Bandar",
|
||||
"txtScheme21": "Tenaga",
|
||||
"txtScheme22": "Pejabat Baharu",
|
||||
"txtScheme3": "Puncak",
|
||||
"txtScheme4": "Aspek",
|
||||
"txtScheme5": "Sivik",
|
||||
"txtScheme6": "Konkos",
|
||||
"txtScheme7": "Ekuiti",
|
||||
"txtScheme8": "Aliran",
|
||||
"txtScheme9": "Faundri",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textSubject": "Subject"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Anda mempunyai perubahan yang tidak disimpan. Klik 'Stay on this Page' untuk menunggu autosimpan. Klik 'Leave this Page' untuk membuang semua perubahan yang tidak disimpan.",
|
||||
"dlgLeaveTitleText": "Anda meninggalkan aplikasi",
|
||||
"leaveButtonText": "Tinggalkan Halaman ini",
|
||||
"stayButtonText": "Kekal pada Halaman ini"
|
||||
}
|
||||
}
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "E-mail",
|
||||
"textPoweredBy": "Aangedreven door",
|
||||
"textTel": "Tel.",
|
||||
"textVersion": "Versie"
|
||||
"textVersion": "Versie",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Waarschuwing",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"txtNotUrl": "Dit veld moet een URL bevatten in de notatie \"http://www.internet.nl\"",
|
||||
"textOk": "Ok",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -276,7 +277,6 @@
|
|||
"textPageBreakBefore": "Pagina-einde vóór",
|
||||
"textPageNumbering": "Paginanummering",
|
||||
"textParagraph": "Alinea",
|
||||
"textParagraphStyles": "Alineastijlen",
|
||||
"textPictureFromLibrary": "Afbeelding uit bibliotheek",
|
||||
"textPictureFromURL": "Afbeelding van URL",
|
||||
"textPt": "pt",
|
||||
|
@ -314,50 +314,57 @@
|
|||
"textTotalRow": "Totaalrij",
|
||||
"textType": "Type",
|
||||
"textWrap": "Wikkel",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textApril": "April",
|
||||
"textAugust": "August",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDecember": "December",
|
||||
"textDesign": "Design",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEmpty": "Empty",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFebruary": "February",
|
||||
"textFormal": "Formal",
|
||||
"textFr": "Fr",
|
||||
"textJanuary": "January",
|
||||
"textJuly": "July",
|
||||
"textJune": "June",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textMarch": "March",
|
||||
"textMay": "May",
|
||||
"textMo": "Mo",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textNovember": "November",
|
||||
"textOctober": "October",
|
||||
"textOk": "Ok",
|
||||
"textSa": "Sa",
|
||||
"textSeptember": "September",
|
||||
"textSu": "Su",
|
||||
"textTh": "Th",
|
||||
"textTu": "Tu",
|
||||
"textWe": "We",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSa": "Sa",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSeptember": "September",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textSu": "Su",
|
||||
"textTableOfCont": "TOC",
|
||||
"textTh": "Th",
|
||||
"textTitle": "Title",
|
||||
"textTu": "Tu",
|
||||
"textWe": "We"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Time-out voor conversie overschreden.",
|
||||
|
@ -646,18 +653,22 @@
|
|||
"txtScheme7": "Vermogen",
|
||||
"txtScheme8": "Stroom",
|
||||
"txtScheme9": "Gieterij",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "U heeft nog niet opgeslagen wijzigingen. Klik op 'Blijf op deze pagina' om te wachten op automatisch opslaan. Klik op 'Verlaat deze pagina' om alle niet-opgeslagen wijzigingen te verwijderen.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "E-mail",
|
||||
"textPoweredBy": "Desenvolvido por",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versão"
|
||||
"textVersion": "Versão",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Aviso",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Tamanho da tabela",
|
||||
"txtNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -213,6 +214,7 @@
|
|||
"textAlign": "Alinhar",
|
||||
"textAllCaps": "Tudo em maiúsculas",
|
||||
"textAllowOverlap": "Permitir sobreposição",
|
||||
"textAmountOfLevels": "Quantidade de níveis",
|
||||
"textApril": "Abril",
|
||||
"textAugust": "Agosto",
|
||||
"textAuto": "Automático",
|
||||
|
@ -222,16 +224,21 @@
|
|||
"textBandedColumn": "Diferenciação de colunas",
|
||||
"textBandedRow": "Diferenciação de linhas",
|
||||
"textBefore": "Antes",
|
||||
"textBehind": "Atrás",
|
||||
"textBehind": "Atrás do texto",
|
||||
"textBorder": "Contorno",
|
||||
"textBringToForeground": "Trazer para primeiro plano",
|
||||
"textBullets": "Marcas",
|
||||
"textBulletsAndNumbers": "Marcas e numeração",
|
||||
"textCancel": "Cancelar",
|
||||
"textCellMargins": "Margens da célula",
|
||||
"textCentered": "Centrado",
|
||||
"textChart": "Gráfico",
|
||||
"textClassic": "Clássico",
|
||||
"textClose": "Fechar",
|
||||
"textColor": "Cor",
|
||||
"textContinueFromPreviousSection": "Continuar da secção anterior",
|
||||
"textCreateTextStyle": "Criar novo estilo de texto",
|
||||
"textCurrent": "Atual",
|
||||
"textCustomColor": "Cor personalizada",
|
||||
"textDecember": "Dezembro",
|
||||
"textDesign": "Design",
|
||||
|
@ -239,6 +246,8 @@
|
|||
"textDifferentOddAndEvenPages": "Páginas pares e ímpares diferentes",
|
||||
"textDisplay": "Exibição",
|
||||
"textDistanceFromText": "Distância a partir do texto",
|
||||
"textDistinctive": "Distintivo",
|
||||
"textDone": "Concluído",
|
||||
"textDoubleStrikethrough": "Rasurado duplo",
|
||||
"textEditLink": "Editar ligação",
|
||||
"textEffects": "Efeitos",
|
||||
|
@ -253,6 +262,7 @@
|
|||
"textFontColors": "Cores do tipo de letra",
|
||||
"textFonts": "Tipos de letra",
|
||||
"textFooter": "Rodapé",
|
||||
"textFormal": "Formal",
|
||||
"textFr": "Sex",
|
||||
"textHeader": "Cabeçalho",
|
||||
"textHeaderRow": "Linha de cabeçalho",
|
||||
|
@ -260,7 +270,7 @@
|
|||
"textHyperlink": "Hiperligação",
|
||||
"textImage": "Imagem",
|
||||
"textImageURL": "URL da imagem",
|
||||
"textInFront": "À frente",
|
||||
"textInFront": "À frente do texto",
|
||||
"textInline": "Em Linha com o Texto",
|
||||
"textJanuary": "Janeiro",
|
||||
"textJuly": "Julho",
|
||||
|
@ -268,7 +278,9 @@
|
|||
"textKeepLinesTogether": "Manter as linhas juntas",
|
||||
"textKeepWithNext": "Manter com seguinte",
|
||||
"textLastColumn": "Última coluna",
|
||||
"textLeader": "Guia",
|
||||
"textLetterSpacing": "Espaçamento entre letras",
|
||||
"textLevels": "Níveis",
|
||||
"textLineSpacing": "Espaçamento entre linhas",
|
||||
"textLink": "Ligação",
|
||||
"textLinkSettings": "Definições da ligação",
|
||||
|
@ -276,9 +288,11 @@
|
|||
"textMarch": "Março",
|
||||
"textMay": "Maio",
|
||||
"textMo": "Seg",
|
||||
"textModern": "Moderno",
|
||||
"textMoveBackward": "Mover para trás",
|
||||
"textMoveForward": "Mover para frente",
|
||||
"textMoveWithText": "Mover com texto",
|
||||
"textNextParagraphStyle": "Estilo do parágrafo seguinte",
|
||||
"textNone": "Nenhum",
|
||||
"textNoStyles": "Sem estilos para este tipo de gráficos",
|
||||
"textNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"",
|
||||
|
@ -286,16 +300,17 @@
|
|||
"textNumbers": "Números",
|
||||
"textOctober": "Outubro",
|
||||
"textOk": "Ok",
|
||||
"textOnline": "Online",
|
||||
"textOpacity": "Opacidade",
|
||||
"textOptions": "Opções",
|
||||
"textOrphanControl": "Controlo de órfãos",
|
||||
"textPageBreakBefore": "Quebra de página antes",
|
||||
"textPageNumbering": "Numeração de páginas",
|
||||
"textParagraph": "Parágrafo",
|
||||
"textParagraphStyles": "Estilos de parágrafo",
|
||||
"textPictureFromLibrary": "Imagem da biblioteca",
|
||||
"textPictureFromURL": "Imagem de um URL",
|
||||
"textPt": "pt",
|
||||
"textRefresh": "Atualizar",
|
||||
"textRemoveChart": "Remover gráfico",
|
||||
"textRemoveImage": "Remover imagem",
|
||||
"textRemoveLink": "Remover ligação",
|
||||
|
@ -313,14 +328,18 @@
|
|||
"textSeptember": "Setembro",
|
||||
"textSettings": "Configurações",
|
||||
"textShape": "Forma",
|
||||
"textSimple": "Simples",
|
||||
"textSize": "Tamanho",
|
||||
"textSmallCaps": "Versaletes",
|
||||
"textSpaceBetweenParagraphs": "Espaçamento entre parágrafos",
|
||||
"textSquare": "Quadrado",
|
||||
"textStandard": "Padrão",
|
||||
"textStartAt": "Iniciar em",
|
||||
"textStrikethrough": "Rasurado",
|
||||
"textStructure": "Estrutura",
|
||||
"textStyle": "Estilo",
|
||||
"textStyleOptions": "Opções de estilo",
|
||||
"textStyles": "Estilos",
|
||||
"textSu": "Dom",
|
||||
"textSubscript": "Subscrito",
|
||||
"textSuperscript": "Sobrescrito",
|
||||
|
@ -336,28 +355,16 @@
|
|||
"textType": "Tipo",
|
||||
"textWe": "Qua",
|
||||
"textWrap": "Moldar",
|
||||
"textTableOfCont": "TOC",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Excedeu o tempo limite de conversão.",
|
||||
|
@ -521,6 +528,7 @@
|
|||
"textRemember": "Memorizar a minha escolha",
|
||||
"textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.",
|
||||
"textReplaceSuccess": "A pesquisa foi realizada. Ocorrências substituídas: {0}",
|
||||
"textRequestMacros": "Uma macro faz um pedido de URL. Quer permitir o pedido à %1?",
|
||||
"textYes": "Sim",
|
||||
"titleLicenseExp": "Licença expirada",
|
||||
"titleServerVersion": "Editor atualizado",
|
||||
|
@ -532,8 +540,7 @@
|
|||
"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.",
|
||||
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
|
||||
"warnProcessRightsChange": "Não tem autorização para editar este ficheiro."
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Ficheiro protegido",
|
||||
|
@ -546,6 +553,7 @@
|
|||
"textApplicationSettings": "Definições da aplicação",
|
||||
"textAuthor": "Autor",
|
||||
"textBack": "Recuar",
|
||||
"textBeginningDocument": "Início do documento",
|
||||
"textBottom": "Inferior",
|
||||
"textCancel": "Cancelar",
|
||||
"textCaseSensitive": "Diferenciar maiúsculas/minúsculas",
|
||||
|
@ -559,6 +567,7 @@
|
|||
"textCommentsDisplay": "Exibição de comentários",
|
||||
"textCreated": "Criado",
|
||||
"textCustomSize": "Tamanho personalizado",
|
||||
"textDirection": "Direção",
|
||||
"textDisableAll": "Desativar tudo",
|
||||
"textDisableAllMacrosWithNotification": "Desativar todas as macros com notificação",
|
||||
"textDisableAllMacrosWithoutNotification": "Desativar todas as macros sem notificação",
|
||||
|
@ -570,9 +579,12 @@
|
|||
"textDownloadAs": "Descarregar como",
|
||||
"textDownloadRtf": "Se continuar e guardar neste formato é possível perder alguma formatação.<br>Tem a certeza de que quer continuar?",
|
||||
"textDownloadTxt": "Se continuar e guardar neste formato é possível perder alguma formatação.<br>Tem a certeza de que quer continuar?",
|
||||
"textEmptyHeading": "Título vazio",
|
||||
"textEnableAll": "Ativar tudo",
|
||||
"textEnableAllMacrosWithoutNotification": "Ativar todas as macros sem notificação",
|
||||
"textEncoding": "Codificação",
|
||||
"textFastWV": "Visualização rápida da Web",
|
||||
"textFeedback": "Feedback e Suporte",
|
||||
"textFind": "Localizar",
|
||||
"textFindAndReplace": "Localizar e substituir",
|
||||
"textFindAndReplaceAll": "Localizar e substituir tudo",
|
||||
|
@ -585,12 +597,14 @@
|
|||
"textLastModified": "Última modificação",
|
||||
"textLastModifiedBy": "Última modificação por",
|
||||
"textLeft": "Esquerda",
|
||||
"textLeftToRight": "Da esquerda para a direita",
|
||||
"textLoading": "Carregando...",
|
||||
"textLocation": "Localização",
|
||||
"textMacrosSettings": "Definições de macros",
|
||||
"textMargins": "Margens",
|
||||
"textMarginsH": "As margens superior e inferior são muito grandes para a altura indicada",
|
||||
"textMarginsW": "As margens direita e esquerda são muito grandes para a largura indicada",
|
||||
"textNavigation": "Navegação",
|
||||
"textNo": "Não",
|
||||
"textNoCharacters": "Caracteres não imprimíveis",
|
||||
"textNoTextFound": "Texto não encontrado",
|
||||
|
@ -601,6 +615,8 @@
|
|||
"textPages": "Páginas",
|
||||
"textPageSize": "Tamanho da página",
|
||||
"textParagraphs": "Parágrafos",
|
||||
"textPdfTagged": "PDF marcado",
|
||||
"textPdfVer": "Versão PDF",
|
||||
"textPoint": "Ponto",
|
||||
"textPortrait": "Retrato",
|
||||
"textPrint": "Imprimir",
|
||||
|
@ -609,6 +625,7 @@
|
|||
"textReplaceAll": "Substituir tudo",
|
||||
"textResolvedComments": "Comentários resolvidos",
|
||||
"textRight": "Direita",
|
||||
"textRightToLeft": "Da direita para a esquerda",
|
||||
"textSearch": "Pesquisar",
|
||||
"textSettings": "Configurações",
|
||||
"textShowNotification": "Mostrar notificação",
|
||||
|
@ -649,15 +666,9 @@
|
|||
"txtScheme7": "Equidade",
|
||||
"txtScheme8": "Fluxo",
|
||||
"txtScheme9": "Fundição",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Existem alterações não guardadas. Clique 'Ficar na página' para guardar automaticamente. Clique 'Sair da página' para rejeitar todas as alterações.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Desenvolvido por",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versão"
|
||||
"textVersion": "Versão",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Aviso",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Tamanho da tabela",
|
||||
"txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Quebra de página antes",
|
||||
"textPageNumbering": "Numeração da página",
|
||||
"textParagraph": "Parágrafo",
|
||||
"textParagraphStyles": "Estilos do parágrafo",
|
||||
"textPictureFromLibrary": "Imagem da biblioteca",
|
||||
"textPictureFromURL": "Imagem da URL",
|
||||
"textPt": "Pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Tipo",
|
||||
"textWe": "Qua",
|
||||
"textWrap": "Encapsulamento",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Tempo limite de conversão excedido.",
|
||||
|
@ -573,6 +580,7 @@
|
|||
"textEnableAll": "Habilitar todos",
|
||||
"textEnableAllMacrosWithoutNotification": "Habilitar todas as macros sem notificação",
|
||||
"textEncoding": "Codificação",
|
||||
"textFastWV": "Visualização rápida da Web",
|
||||
"textFind": "Localizar",
|
||||
"textFindAndReplace": "Localizar e substituir",
|
||||
"textFindAndReplaceAll": "Encontrar e Substituir Tudo",
|
||||
|
@ -601,6 +609,8 @@
|
|||
"textPages": "Páginas",
|
||||
"textPageSize": "Tamanho da página",
|
||||
"textParagraphs": "Parágrafos",
|
||||
"textPdfTagged": "PDF marcado",
|
||||
"textPdfVer": "Versão PDF",
|
||||
"textPoint": "Ponto",
|
||||
"textPortrait": "Retrato ",
|
||||
"textPrint": "Imprimir",
|
||||
|
@ -649,15 +659,16 @@
|
|||
"txtScheme7": "Patrimônio Líquido",
|
||||
"txtScheme8": "Fluxo",
|
||||
"txtScheme9": "Fundição",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Você tem mudanças não salvas. Clique em 'Ficar nesta página' para esperar pela auto-salvar. Clique em 'Sair desta página' para descartar todas as mudanças não salvas.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Dezvoltat de",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versiune"
|
||||
"textVersion": "Versiune",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Avertisment",
|
||||
|
@ -56,11 +57,11 @@
|
|||
"textShape": "Forma",
|
||||
"textStartAt": "Pornire de la",
|
||||
"textTable": "Tabel",
|
||||
"textTableContents": "Cuprins",
|
||||
"textTableSize": "Dimensiune tabel",
|
||||
"txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "Cu linkuri albastre",
|
||||
"textWithPageNumbers": "Cu numere de pagină",
|
||||
"txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\""
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -196,9 +197,9 @@
|
|||
"textDoNotShowAgain": "Nu mai afișa",
|
||||
"textNumberingValue": "Valoare de numerotare",
|
||||
"textOk": "OK",
|
||||
"textRows": "Rânduri",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only"
|
||||
"textRefreshEntireTable": "Reîmprospătarea întregului tabel",
|
||||
"textRefreshPageNumbersOnly": "Actualizare numai numere de pagină",
|
||||
"textRows": "Rânduri"
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Avertisment",
|
||||
|
@ -213,6 +214,7 @@
|
|||
"textAlign": "Aliniere",
|
||||
"textAllCaps": "Cu majuscule",
|
||||
"textAllowOverlap": "Se permite suprapunerea",
|
||||
"textAmountOfLevels": "Număr de niveluri",
|
||||
"textApril": "Aprilie",
|
||||
"textAugust": "August",
|
||||
"textAuto": "Auto",
|
||||
|
@ -227,11 +229,16 @@
|
|||
"textBringToForeground": "Aducere în prim plan",
|
||||
"textBullets": "Marcatori",
|
||||
"textBulletsAndNumbers": "Marcatori și numerotare",
|
||||
"textCancel": "Anulare",
|
||||
"textCellMargins": "Margini de celulă",
|
||||
"textCentered": "Centrat",
|
||||
"textChart": "Diagramă",
|
||||
"textClassic": "Clasic",
|
||||
"textClose": "Închide",
|
||||
"textColor": "Culoare",
|
||||
"textContinueFromPreviousSection": "Continuare din secțiunea anterioară",
|
||||
"textCreateTextStyle": "Crearea unui nou stil de text",
|
||||
"textCurrent": "Curent",
|
||||
"textCustomColor": "Culoare particularizată",
|
||||
"textDecember": "Decembrie",
|
||||
"textDesign": "Proiectare",
|
||||
|
@ -239,11 +246,14 @@
|
|||
"textDifferentOddAndEvenPages": "Pagini pare și impare diferite",
|
||||
"textDisplay": "Afișare",
|
||||
"textDistanceFromText": "Distanță de la text",
|
||||
"textDistinctive": "Distinctiv",
|
||||
"textDone": "Gata",
|
||||
"textDoubleStrikethrough": "Tăiere cu două linii",
|
||||
"textEditLink": "Editare link",
|
||||
"textEffects": "Efecte",
|
||||
"textEmpty": "Necompletat",
|
||||
"textEmptyImgUrl": "Trebuie specificată adresa URL a imaginii.",
|
||||
"textEnterTitleNewStyle": "Introduceți un titlu pentru noul stil.",
|
||||
"textFebruary": "Februarie",
|
||||
"textFill": "Umplere",
|
||||
"textFirstColumn": "Prima coloană",
|
||||
|
@ -253,6 +263,7 @@
|
|||
"textFontColors": "Culorile font",
|
||||
"textFonts": "Fonturi",
|
||||
"textFooter": "Subsol",
|
||||
"textFormal": "Oficial",
|
||||
"textFr": "V",
|
||||
"textHeader": "Antet",
|
||||
"textHeaderRow": "Rândul de antet",
|
||||
|
@ -268,7 +279,9 @@
|
|||
"textKeepLinesTogether": "Păstrare linii împreună",
|
||||
"textKeepWithNext": "Păstrare cu următorul",
|
||||
"textLastColumn": "Ultima coloană",
|
||||
"textLeader": "Indicator",
|
||||
"textLetterSpacing": "Spațierea dintre caractere",
|
||||
"textLevels": "Nivele",
|
||||
"textLineSpacing": "Interlinie",
|
||||
"textLink": "Link",
|
||||
"textLinkSettings": "Configurarea link",
|
||||
|
@ -276,9 +289,11 @@
|
|||
"textMarch": "Martie",
|
||||
"textMay": "Mai",
|
||||
"textMo": "L",
|
||||
"textModern": "Modern",
|
||||
"textMoveBackward": "Mutare în ultimul plan",
|
||||
"textMoveForward": "Mutare înainte",
|
||||
"textMoveWithText": "Mutare odată cu textul",
|
||||
"textNextParagraphStyle": "Stil de paragraf următor",
|
||||
"textNone": "Niciunul",
|
||||
"textNoStyles": "Niciun stil pentru acest tip de diagramă.",
|
||||
"textNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"",
|
||||
|
@ -286,78 +301,70 @@
|
|||
"textNumbers": "Numere",
|
||||
"textOctober": "Octombrie",
|
||||
"textOk": "OK",
|
||||
"textOnline": "Online",
|
||||
"textOpacity": "Transparență",
|
||||
"textOptions": "Opțiuni",
|
||||
"textOrphanControl": "Control orfan",
|
||||
"textPageBreakBefore": "Sfârsit pagină inainte",
|
||||
"textPageNumbering": "Numerotare pagini",
|
||||
"textPageNumbers": "Numere de pagină",
|
||||
"textParagraph": "Paragraf",
|
||||
"textParagraphStyles": "Stiluri paragraf",
|
||||
"textParagraphStyle": "Stil paragraf",
|
||||
"textPictureFromLibrary": "Imagine dintr-o bibliotecă ",
|
||||
"textPictureFromURL": "Imaginea prin URL",
|
||||
"textPt": "pt",
|
||||
"textRefresh": "Actualizare",
|
||||
"textRefreshEntireTable": "Reîmprospătarea întregului tabel",
|
||||
"textRefreshPageNumbersOnly": "Actualizare numai numere de pagină",
|
||||
"textRemoveChart": "Ștergere diagramă",
|
||||
"textRemoveImage": "Ștergere imagine",
|
||||
"textRemoveLink": "Ștergere link",
|
||||
"textRemoveShape": "Stergere forma",
|
||||
"textRemoveTable": "Ștergere tabel",
|
||||
"textRemoveTableContent": "Eliminare cuprins",
|
||||
"textReorder": "Reordonare",
|
||||
"textRepeatAsHeaderRow": "Repetare rânduri antet",
|
||||
"textReplace": "Înlocuire",
|
||||
"textReplaceImage": "Înlocuire imagine",
|
||||
"textResizeToFitContent": "Potrivire conținut",
|
||||
"textRightAlign": "Aliniere la dreapta",
|
||||
"textSa": "S",
|
||||
"textSameCreatedNewStyle": "La fel ca stil nou",
|
||||
"textScreenTip": "Sfaturi ecran",
|
||||
"textSelectObjectToEdit": "Selectați obiectul pentru editare",
|
||||
"textSendToBackground": "Trimitere în plan secundar",
|
||||
"textSeptember": "Septembrie",
|
||||
"textSettings": "Setări",
|
||||
"textShape": "Forma",
|
||||
"textSimple": "Simplu",
|
||||
"textSize": "Dimensiune",
|
||||
"textSmallCaps": "Majuscule reduse",
|
||||
"textSpaceBetweenParagraphs": "Spațiere între paragrafe",
|
||||
"textSquare": "Pătrat",
|
||||
"textStandard": "Standard",
|
||||
"textStartAt": "Pornire de la",
|
||||
"textStrikethrough": "Tăiere cu o linie",
|
||||
"textStructure": "Structură",
|
||||
"textStyle": "Stil",
|
||||
"textStyleOptions": "Opțiuni de stil",
|
||||
"textStyles": "Stiluri",
|
||||
"textSu": "D",
|
||||
"textSubscript": "Indice",
|
||||
"textSuperscript": "Exponent",
|
||||
"textTable": "Tabel",
|
||||
"textTableOfCont": "TOC",
|
||||
"textTableOptions": "Opțiuni tabel",
|
||||
"textText": "Text",
|
||||
"textTh": "J",
|
||||
"textThrough": "Printre",
|
||||
"textTight": "Strâns",
|
||||
"textTitle": "Titlu",
|
||||
"textTopAndBottom": "Sus și jos",
|
||||
"textTotalRow": "Rând total",
|
||||
"textTu": "Ma",
|
||||
"textType": "Tip",
|
||||
"textWe": "Mi",
|
||||
"textWrap": "Încadrare",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textWrap": "Încadrare"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Timpul de așteptare pentru conversie a expirat.",
|
||||
|
@ -372,6 +379,7 @@
|
|||
"errorDataRange": "Zonă de date incorectă.",
|
||||
"errorDefaultMessage": "Codul de eroare: %1",
|
||||
"errorEditingDownloadas": "S-a produs o eroare în timpul editării documentului.<br>Încărcați documentul pentru copierea de rezervă locală. ",
|
||||
"errorEmptyTOC": "Începeți să creați un cuprins prin aplicarea stilurilor de titlu din Galeria de stiluri la textul selectat.",
|
||||
"errorFilePassProtect": "Fișierul este protejat cu parolă și deaceea nu poate fi deschis.",
|
||||
"errorFileSizeExceed": "Dimensiunea fișierului depășește limita permisă de serverul Dvs.<br>Pentru detalii, contactați administratorul dvs.",
|
||||
"errorKeyEncrypt": "Descriptor cheie nerecunoscut",
|
||||
|
@ -379,6 +387,7 @@
|
|||
"errorLoadingFont": "Fonturile nu sunt încărcate.<br>Contactați administratorul dvs de Server Documente.",
|
||||
"errorMailMergeLoadFile": "Încărcarea eșuată",
|
||||
"errorMailMergeSaveFile": "Îmbinarea eșuată.",
|
||||
"errorNoTOC": "Nu există niciun cuprins de actualizat. Accesați fila Referințe ca să puteți insera un cuprins.",
|
||||
"errorSessionAbsolute": "Sesiunea de editare a expirat. Încercați să reîmprospătați pagina.",
|
||||
"errorSessionIdle": "Acțiunile de editare a documentului nu s-au efectuat de ceva timp. Încercați să reîmprospătați pagina.",
|
||||
"errorSessionToken": "Conexeunea la server s-a întrerupt. Încercați să reîmprospătati pagina.",
|
||||
|
@ -397,9 +406,7 @@
|
|||
"unknownErrorText": "Eroare necunoscută.",
|
||||
"uploadImageExtMessage": "Format de imagine nerecunoscut.",
|
||||
"uploadImageFileCountMessage": "Nicio imagine nu a fost încărcată.",
|
||||
"uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB.",
|
||||
"errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"errorNoTOC": "There's no table of contents to update. You can insert one from the References tab."
|
||||
"uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Încărcarea datelor...",
|
||||
|
@ -521,6 +528,7 @@
|
|||
"textRemember": "Reține opțiunea mea",
|
||||
"textReplaceSkipped": "A avut loc o înlocuire. {0} apariții ignorate.",
|
||||
"textReplaceSuccess": "Căutarea a fost finalizată. Înlocuiri: {0}",
|
||||
"textRequestMacros": "O macrocomandă trimite o solicitare URL. Doriți să permiteți ca solicitarea să fie trimisă către %1?",
|
||||
"textYes": "Da",
|
||||
"titleLicenseExp": "Licența a expirat",
|
||||
"titleServerVersion": "Editorul a fost actualizat",
|
||||
|
@ -532,8 +540,7 @@
|
|||
"warnLicenseUsersExceeded": "Ați atins numărul maxim de utilizatori ai %1 editoare. Pentru detalii, contactați administratorul dvs.",
|
||||
"warnNoLicense": "Ați atins numărul maxim de conexiuni simultane la %1 de editoare. Documentul este disponibil numai pentru vizualizare. Contactați %1 Departamentul de Vânzări pentru acordarea condițiilor personale de actualizare.",
|
||||
"warnNoLicenseUsers": "Ați atins numărul maxim de utilizatori ai %1 editoare. Contactați Grup Vânzări %1 pentru acordarea condițiilor personale de licențiere.",
|
||||
"warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier.",
|
||||
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
|
||||
"warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier."
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Fișierul protejat",
|
||||
|
@ -546,6 +553,7 @@
|
|||
"textApplicationSettings": "Setări Aplicație",
|
||||
"textAuthor": "Autor",
|
||||
"textBack": "Înapoi",
|
||||
"textBeginningDocument": "Începutul documentului",
|
||||
"textBottom": "Jos",
|
||||
"textCancel": "Revocare",
|
||||
"textCaseSensitive": "Sensibil la litere mari și mici",
|
||||
|
@ -559,6 +567,7 @@
|
|||
"textCommentsDisplay": "Afișare comentarii",
|
||||
"textCreated": "A fost creat la",
|
||||
"textCustomSize": "Dimensiunea particularizată",
|
||||
"textDirection": "Orientare",
|
||||
"textDisableAll": "Se dezactivează toate",
|
||||
"textDisableAllMacrosWithNotification": "Se dezactivează toate macrocomenzileâ cu notificare",
|
||||
"textDisableAllMacrosWithoutNotification": "Se dezactivează toate macrocomenzile fără notificare",
|
||||
|
@ -570,10 +579,13 @@
|
|||
"textDownloadAs": "Descărcare ca",
|
||||
"textDownloadRtf": "Dacă salvați în acest format de fișier, este posibil ca unele dintre formatări să se piardă. Sigur doriți să continuați?",
|
||||
"textDownloadTxt": "Dacă salvați în acest format de fișier, toate caracteristici vor fi pierdute, cu excepția textului. Sunteți sigur că doriți să continuați?",
|
||||
"textEmptyHeading": "Titlul necompletat",
|
||||
"textEmptyScreens": "Nu există nicun titlu. Aplicați un stil de titlu textului pentru ca acesta să apară în cuprinsul.",
|
||||
"textEnableAll": "Se activează toate",
|
||||
"textEnableAllMacrosWithoutNotification": "Se activează toate macrocomenzile cu notificare ",
|
||||
"textEncoding": "Codificare",
|
||||
"textFastWV": "Vizualizare rapidă web",
|
||||
"textFeedback": "Feedback și asistența",
|
||||
"textFind": "Găsire",
|
||||
"textFindAndReplace": "Găsire și înlocuire",
|
||||
"textFindAndReplaceAll": "Găsire și înlocuire totală",
|
||||
|
@ -586,12 +598,14 @@
|
|||
"textLastModified": "Data ultimei modificări",
|
||||
"textLastModifiedBy": "Modificat ultima dată de către",
|
||||
"textLeft": "Stânga",
|
||||
"textLeftToRight": "De la stânga la dreapta",
|
||||
"textLoading": "Se încarcă...",
|
||||
"textLocation": "Locația",
|
||||
"textMacrosSettings": "Setări macrocomandă",
|
||||
"textMargins": "Margini",
|
||||
"textMarginsH": "Marginile sus și jos sunt prea ridicate pentru această pagină",
|
||||
"textMarginsW": "Marginile stânga și dreapta sunt prea late pentru această pagină",
|
||||
"textNavigation": "Navigare",
|
||||
"textNo": "Nu",
|
||||
"textNoCharacters": "Caractere neimprimate",
|
||||
"textNoTextFound": "Textul nu a fost găsit",
|
||||
|
@ -602,6 +616,7 @@
|
|||
"textPages": "Pagini",
|
||||
"textPageSize": "Dimensiune pagină",
|
||||
"textParagraphs": "Paragrafe",
|
||||
"textPdfProducer": "Producător de PDF",
|
||||
"textPdfTagged": "PDF etichetat",
|
||||
"textPdfVer": "Versiune a PDF",
|
||||
"textPoint": "Punct",
|
||||
|
@ -611,7 +626,9 @@
|
|||
"textReplace": "Înlocuire",
|
||||
"textReplaceAll": "Înlocuire peste tot",
|
||||
"textResolvedComments": "Comentarii rezolvate",
|
||||
"textRestartApplication": "Vă rugăm să reporniți aplicația pentru ca modificările să intre în vigoare",
|
||||
"textRight": "Dreapta",
|
||||
"textRightToLeft": "De la dreapta la stânga",
|
||||
"textSearch": "Căutare",
|
||||
"textSettings": "Setări",
|
||||
"textShowNotification": "Afișare notificări",
|
||||
|
@ -651,13 +668,7 @@
|
|||
"txtScheme6": "Concurență",
|
||||
"txtScheme7": "Echilibru",
|
||||
"txtScheme8": "Flux",
|
||||
"txtScheme9": "Forjă",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"txtScheme9": "Forjă"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Nu ați salvat modificările din documentul. Faceți clic pe Rămâi în pagină și așteptați la salvare automată. Faceți clic pe Părăsește aceasta pagina ca să renunțați la toate modificările nesalvate.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Еmail",
|
||||
"textPoweredBy": "Разработано",
|
||||
"textTel": "Телефон",
|
||||
"textVersion": "Версия"
|
||||
"textVersion": "Версия",
|
||||
"textEditor": "Редактор документов"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
|
@ -56,11 +57,11 @@
|
|||
"textShape": "Фигура",
|
||||
"textStartAt": "Начать с",
|
||||
"textTable": "Таблица",
|
||||
"textTableContents": "Оглавление",
|
||||
"textTableSize": "Размер таблицы",
|
||||
"txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "С синими ссылками",
|
||||
"textWithPageNumbers": "С номерами страниц",
|
||||
"txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\""
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -196,9 +197,9 @@
|
|||
"textDoNotShowAgain": "Больше не показывать",
|
||||
"textNumberingValue": "Начальное значение",
|
||||
"textOk": "Ok",
|
||||
"textRows": "Строки",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only"
|
||||
"textRefreshEntireTable": "Обновить целиком",
|
||||
"textRefreshPageNumbersOnly": "Обновить только номера страниц",
|
||||
"textRows": "Строки"
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
|
@ -213,6 +214,7 @@
|
|||
"textAlign": "Выравнивание",
|
||||
"textAllCaps": "Все прописные",
|
||||
"textAllowOverlap": "Разрешить перекрытие",
|
||||
"textAmountOfLevels": "Количество уровней",
|
||||
"textApril": "Апрель",
|
||||
"textAugust": "Август",
|
||||
"textAuto": "Авто",
|
||||
|
@ -227,11 +229,16 @@
|
|||
"textBringToForeground": "Перенести на передний план",
|
||||
"textBullets": "Маркеры",
|
||||
"textBulletsAndNumbers": "Маркеры и нумерация",
|
||||
"textCancel": "Отмена",
|
||||
"textCellMargins": "Поля ячейки",
|
||||
"textCentered": "По центру",
|
||||
"textChart": "Диаграмма",
|
||||
"textClassic": "Классический",
|
||||
"textClose": "Закрыть",
|
||||
"textColor": "Цвет",
|
||||
"textContinueFromPreviousSection": "Продолжить",
|
||||
"textCreateTextStyle": "Создать новый стиль текста",
|
||||
"textCurrent": "Текущий",
|
||||
"textCustomColor": "Пользовательский цвет",
|
||||
"textDecember": "Декабрь",
|
||||
"textDesign": "Дизайн",
|
||||
|
@ -239,11 +246,14 @@
|
|||
"textDifferentOddAndEvenPages": "Разные для четных и нечетных",
|
||||
"textDisplay": "Отобразить",
|
||||
"textDistanceFromText": "Расстояние до текста",
|
||||
"textDistinctive": "Изысканный",
|
||||
"textDone": "Готово",
|
||||
"textDoubleStrikethrough": "Двойное зачёркивание",
|
||||
"textEditLink": "Редактировать ссылку",
|
||||
"textEffects": "Эффекты",
|
||||
"textEmpty": "Пусто",
|
||||
"textEmptyImgUrl": "Необходимо указать URL рисунка.",
|
||||
"textEnterTitleNewStyle": "Введите название нового стиля",
|
||||
"textFebruary": "Февраль",
|
||||
"textFill": "Заливка",
|
||||
"textFirstColumn": "Первый столбец",
|
||||
|
@ -253,6 +263,7 @@
|
|||
"textFontColors": "Цвета шрифта",
|
||||
"textFonts": "Шрифты",
|
||||
"textFooter": "Колонтитул",
|
||||
"textFormal": "Официальный",
|
||||
"textFr": "Пт",
|
||||
"textHeader": "Колонтитул",
|
||||
"textHeaderRow": "Строка заголовка",
|
||||
|
@ -268,7 +279,9 @@
|
|||
"textKeepLinesTogether": "Не разрывать абзац",
|
||||
"textKeepWithNext": "Не отрывать от следующего",
|
||||
"textLastColumn": "Последний столбец",
|
||||
"textLeader": "Заполнитель",
|
||||
"textLetterSpacing": "Интервал",
|
||||
"textLevels": "Уровни",
|
||||
"textLineSpacing": "Междустрочный интервал",
|
||||
"textLink": "Ссылка",
|
||||
"textLinkSettings": "Настройки ссылки",
|
||||
|
@ -276,9 +289,11 @@
|
|||
"textMarch": "Март",
|
||||
"textMay": "Май",
|
||||
"textMo": "Пн",
|
||||
"textModern": "Современный",
|
||||
"textMoveBackward": "Перенести назад",
|
||||
"textMoveForward": "Перенести вперед",
|
||||
"textMoveWithText": "Перемещать с текстом",
|
||||
"textNextParagraphStyle": "Стиль следующего абзаца",
|
||||
"textNone": "Нет",
|
||||
"textNoStyles": "Для этого типа диаграмм нет стилей.",
|
||||
"textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"",
|
||||
|
@ -286,78 +301,70 @@
|
|||
"textNumbers": "Нумерация",
|
||||
"textOctober": "Октябрь",
|
||||
"textOk": "Ok",
|
||||
"textOnline": "Онлайн",
|
||||
"textOpacity": "Непрозрачность",
|
||||
"textOptions": "Параметры",
|
||||
"textOrphanControl": "Запрет висячих строк",
|
||||
"textPageBreakBefore": "С новой страницы",
|
||||
"textPageNumbering": "Нумерация страниц",
|
||||
"textPageNumbers": "Номера страниц",
|
||||
"textParagraph": "Абзац",
|
||||
"textParagraphStyles": "Стили абзаца",
|
||||
"textParagraphStyle": "Стиль абзаца",
|
||||
"textPictureFromLibrary": "Рисунок из библиотеки",
|
||||
"textPictureFromURL": "Рисунок по URL",
|
||||
"textPt": "пт",
|
||||
"textRefresh": "Обновить",
|
||||
"textRefreshEntireTable": "Обновить целиком",
|
||||
"textRefreshPageNumbersOnly": "Обновить только номера страниц",
|
||||
"textRemoveChart": "Удалить диаграмму",
|
||||
"textRemoveImage": "Удалить рисунок",
|
||||
"textRemoveLink": "Удалить ссылку",
|
||||
"textRemoveShape": "Удалить фигуру",
|
||||
"textRemoveTable": "Удалить таблицу",
|
||||
"textRemoveTableContent": "Удалить оглавление",
|
||||
"textReorder": "Порядок",
|
||||
"textRepeatAsHeaderRow": "Повторять как заголовок",
|
||||
"textReplace": "Заменить",
|
||||
"textReplaceImage": "Заменить рисунок",
|
||||
"textResizeToFitContent": "По размеру содержимого",
|
||||
"textRightAlign": "По правому краю",
|
||||
"textSa": "Сб",
|
||||
"textSameCreatedNewStyle": "Такой же, как создаваемый стиль",
|
||||
"textScreenTip": "Подсказка",
|
||||
"textSelectObjectToEdit": "Выберите объект для редактирования",
|
||||
"textSendToBackground": "Перенести на задний план",
|
||||
"textSeptember": "Сентябрь",
|
||||
"textSettings": "Настройки",
|
||||
"textShape": "Фигура",
|
||||
"textSimple": "Простой",
|
||||
"textSize": "Размер",
|
||||
"textSmallCaps": "Малые прописные",
|
||||
"textSpaceBetweenParagraphs": "Интервал между абзацами",
|
||||
"textSquare": "Вокруг рамки",
|
||||
"textStandard": "Стандартный",
|
||||
"textStartAt": "Начать с",
|
||||
"textStrikethrough": "Зачёркивание",
|
||||
"textStructure": "Структура",
|
||||
"textStyle": "Стиль",
|
||||
"textStyleOptions": "Настройки стиля",
|
||||
"textStyles": "Стили",
|
||||
"textSu": "Вс",
|
||||
"textSubscript": "Подстрочные",
|
||||
"textSuperscript": "Надстрочные",
|
||||
"textTable": "Таблица",
|
||||
"textTableOfCont": "Оглавление",
|
||||
"textTableOptions": "Настройки таблицы",
|
||||
"textText": "Текст",
|
||||
"textTh": "Чт",
|
||||
"textThrough": "Сквозное",
|
||||
"textTight": "По контуру",
|
||||
"textTitle": "Заголовок",
|
||||
"textTopAndBottom": "Сверху и снизу",
|
||||
"textTotalRow": "Строка итогов",
|
||||
"textTu": "Вт",
|
||||
"textType": "Тип",
|
||||
"textWe": "Ср",
|
||||
"textWrap": "Стиль обтекания",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textWrap": "Стиль обтекания"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Превышено время ожидания конвертации.",
|
||||
|
@ -372,6 +379,7 @@
|
|||
"errorDataRange": "Некорректный диапазон данных.",
|
||||
"errorDefaultMessage": "Код ошибки: %1",
|
||||
"errorEditingDownloadas": "В ходе работы с документом произошла ошибка.<br>Скачайте документ, чтобы сохранить резервную копию файла локально.",
|
||||
"errorEmptyTOC": "Начните создавать оглавление, применив к выделенному тексту стиль заголовка из галереи Стилей.",
|
||||
"errorFilePassProtect": "Файл защищен паролем и не может быть открыт.",
|
||||
"errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.<br>Пожалуйста, обратитесь к администратору.",
|
||||
"errorKeyEncrypt": "Неизвестный дескриптор ключа",
|
||||
|
@ -379,6 +387,7 @@
|
|||
"errorLoadingFont": "Шрифты не загружены.<br>Пожалуйста, обратитесь к администратору Сервера документов.",
|
||||
"errorMailMergeLoadFile": "Сбой при загрузке",
|
||||
"errorMailMergeSaveFile": "Не удалось выполнить слияние.",
|
||||
"errorNoTOC": "Нет оглавления, которое нужно обновить. Вы можете вставить его на вкладке Ссылки.",
|
||||
"errorSessionAbsolute": "Время сеанса редактирования документа истекло. Пожалуйста, обновите страницу.",
|
||||
"errorSessionIdle": "Документ долгое время не редактировался. Пожалуйста, обновите страницу.",
|
||||
"errorSessionToken": "Подключение к серверу было прервано. Пожалуйста, обновите страницу.",
|
||||
|
@ -397,9 +406,7 @@
|
|||
"unknownErrorText": "Неизвестная ошибка.",
|
||||
"uploadImageExtMessage": "Неизвестный формат рисунка.",
|
||||
"uploadImageFileCountMessage": "Ни одного рисунка не загружено.",
|
||||
"uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB.",
|
||||
"errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.",
|
||||
"errorNoTOC": "There's no table of contents to update. You can insert one from the References tab."
|
||||
"uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Загрузка данных...",
|
||||
|
@ -521,6 +528,7 @@
|
|||
"textRemember": "Запомнить мой выбор",
|
||||
"textReplaceSkipped": "Замена выполнена. Пропущено вхождений - {0}.",
|
||||
"textReplaceSuccess": "Поиск выполнен. Заменено вхождений: {0}",
|
||||
"textRequestMacros": "Макрос делает запрос на URL. Вы хотите разрешить запрос на %1?",
|
||||
"textYes": "Да",
|
||||
"titleLicenseExp": "Истек срок действия лицензии",
|
||||
"titleServerVersion": "Редактор обновлен",
|
||||
|
@ -532,8 +540,7 @@
|
|||
"warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.",
|
||||
"warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.",
|
||||
"warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.",
|
||||
"warnProcessRightsChange": "У вас нет прав на редактирование этого файла.",
|
||||
"textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?"
|
||||
"warnProcessRightsChange": "У вас нет прав на редактирование этого файла."
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Защищенный файл",
|
||||
|
@ -546,6 +553,7 @@
|
|||
"textApplicationSettings": "Настройки приложения",
|
||||
"textAuthor": "Автор",
|
||||
"textBack": "Назад",
|
||||
"textBeginningDocument": "Начало документа",
|
||||
"textBottom": "Нижнее",
|
||||
"textCancel": "Отмена",
|
||||
"textCaseSensitive": "С учетом регистра",
|
||||
|
@ -559,6 +567,7 @@
|
|||
"textCommentsDisplay": "Отображение комментариев",
|
||||
"textCreated": "Создан",
|
||||
"textCustomSize": "Особый размер",
|
||||
"textDirection": "Направление",
|
||||
"textDisableAll": "Отключить все",
|
||||
"textDisableAllMacrosWithNotification": "Отключить все макросы с уведомлением",
|
||||
"textDisableAllMacrosWithoutNotification": "Отключить все макросы без уведомления",
|
||||
|
@ -570,10 +579,13 @@
|
|||
"textDownloadAs": "Скачать как",
|
||||
"textDownloadRtf": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна. Вы действительно хотите продолжить?",
|
||||
"textDownloadTxt": "Если вы продолжите сохранение в этот формат, вся функциональность, кроме текста, будет потеряна. Вы действительно хотите продолжить?",
|
||||
"textEmptyHeading": "Пустой заголовок",
|
||||
"textEmptyScreens": "В документе нет заголовков. Примените к тексту стиль заголовков, чтобы он отображался в оглавлении.",
|
||||
"textEnableAll": "Включить все",
|
||||
"textEnableAllMacrosWithoutNotification": "Включить все макросы без уведомления",
|
||||
"textEncoding": "Кодировка",
|
||||
"textFastWV": "Быстрый веб-просмотр",
|
||||
"textFeedback": "Обратная связь и поддержка",
|
||||
"textFind": "Поиск",
|
||||
"textFindAndReplace": "Поиск и замена",
|
||||
"textFindAndReplaceAll": "Найти и заменить все",
|
||||
|
@ -586,12 +598,14 @@
|
|||
"textLastModified": "Последнее изменение",
|
||||
"textLastModifiedBy": "Автор последнего изменения",
|
||||
"textLeft": "Левое",
|
||||
"textLeftToRight": "Слева направо",
|
||||
"textLoading": "Загрузка...",
|
||||
"textLocation": "Размещение",
|
||||
"textMacrosSettings": "Настройки макросов",
|
||||
"textMargins": "Поля",
|
||||
"textMarginsH": "Верхнее и нижнее поля слишком высокие для заданной высоты страницы",
|
||||
"textMarginsW": "Левое и правое поля слишком широкие для заданной ширины страницы",
|
||||
"textNavigation": "Навигация",
|
||||
"textNo": "Нет",
|
||||
"textNoCharacters": "Непечатаемые символы",
|
||||
"textNoTextFound": "Текст не найден",
|
||||
|
@ -602,9 +616,9 @@
|
|||
"textPages": "Страницы",
|
||||
"textPageSize": "Размер страницы",
|
||||
"textParagraphs": "Абзацы",
|
||||
"textPdfProducer": "Производитель PDF",
|
||||
"textPdfTagged": "PDF с тегами",
|
||||
"textPdfVer": "Версия PDF",
|
||||
"textPdfProducer": "Производитель PDF",
|
||||
"textPoint": "Пункт",
|
||||
"textPortrait": "Книжная",
|
||||
"textPrint": "Печать",
|
||||
|
@ -612,7 +626,9 @@
|
|||
"textReplace": "Заменить",
|
||||
"textReplaceAll": "Заменить все",
|
||||
"textResolvedComments": "Решенные комментарии",
|
||||
"textRestartApplication": "Перезапустите приложение, чтобы изменения вступили в силу.",
|
||||
"textRight": "Правое",
|
||||
"textRightToLeft": "Справа налево",
|
||||
"textSearch": "Поиск",
|
||||
"textSettings": "Настройки",
|
||||
"textShowNotification": "Показывать уведомление",
|
||||
|
@ -652,12 +668,7 @@
|
|||
"txtScheme6": "Открытая",
|
||||
"txtScheme7": "Справедливость",
|
||||
"txtScheme8": "Поток",
|
||||
"txtScheme9": "Литейная",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading"
|
||||
"txtScheme9": "Литейная"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Poháňaný ",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Verzia"
|
||||
"textVersion": "Verzia",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Upozornenie",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Veľkosť tabuľky",
|
||||
"txtNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "Zlom strany pred",
|
||||
"textPageNumbering": "Číslovanie strany",
|
||||
"textParagraph": "Odsek",
|
||||
"textParagraphStyles": "Štýly odsekov",
|
||||
"textPictureFromLibrary": "Obrázok z Knižnice",
|
||||
"textPictureFromURL": "Obrázok z URL adresy",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Typ",
|
||||
"textWe": "st",
|
||||
"textWrap": "Zabaliť",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Prekročený čas konverzie.",
|
||||
|
@ -646,18 +653,22 @@
|
|||
"txtScheme7": "Spravodlivosť",
|
||||
"txtScheme8": "Tok",
|
||||
"txtScheme9": "Zlieváreň",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Máte neuložené zmeny. Kliknite na „Zostať na tejto stránke“ a počkajte na automatické uloženie. Kliknutím na „Opustiť túto stránku“ zahodíte všetky neuložené zmeny.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "E-posta",
|
||||
"textPoweredBy": "Tarafından",
|
||||
"textTel": "Telefon",
|
||||
"textVersion": "Sürüm"
|
||||
"textVersion": "Sürüm",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Dikkat",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Tablo Boyutu",
|
||||
"txtNotUrl": "Bu alan \"http://www.example.com\" formatında bir URL olmak zorundadır",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -281,7 +282,6 @@
|
|||
"textPageBreakBefore": "Sayfa Sonu Öncesi",
|
||||
"textPageNumbering": "Sayfa Numaralandırma",
|
||||
"textParagraph": "Paragraf",
|
||||
"textParagraphStyles": "Paragraf stilleri",
|
||||
"textPictureFromLibrary": "Kütüphaneden Resim",
|
||||
"textPictureFromURL": "URL'den resim",
|
||||
"textPt": "pt",
|
||||
|
@ -319,45 +319,52 @@
|
|||
"textTotalRow": "Toplam Satır",
|
||||
"textType": "Tip",
|
||||
"textWrap": "Metni Kaydır",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEmpty": "Empty",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFebruary": "February",
|
||||
"textFormal": "Formal",
|
||||
"textFr": "Fr",
|
||||
"textJanuary": "January",
|
||||
"textJuly": "July",
|
||||
"textJune": "June",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textMarch": "March",
|
||||
"textMay": "May",
|
||||
"textMo": "Mo",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textNovember": "November",
|
||||
"textOctober": "October",
|
||||
"textSa": "Sa",
|
||||
"textSeptember": "September",
|
||||
"textSu": "Su",
|
||||
"textTh": "Th",
|
||||
"textTu": "Tu",
|
||||
"textWe": "We",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textCancel": "Cancel",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSa": "Sa",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSeptember": "September",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textSu": "Su",
|
||||
"textTableOfCont": "TOC",
|
||||
"textTh": "Th",
|
||||
"textTitle": "Title",
|
||||
"textTu": "Tu",
|
||||
"textWe": "We"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Değişim süresi aşıldı.",
|
||||
|
@ -644,20 +651,24 @@
|
|||
"txtScheme7": "Net Değer",
|
||||
"txtScheme8": "Yayılma",
|
||||
"txtScheme9": "Döküm",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes",
|
||||
"txtScheme14": "Oriel",
|
||||
"txtScheme19": "Trek",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"txtScheme19": "Trek"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Kaydedilmemiş değişiklikleriniz mevcut. Otomatik kaydetmeyi beklemek için 'Bu Sayfada Kal' seçeneğini tıklayın. Kaydedilmemiş tüm değişiklikleri atmak için 'Bu Sayfadan Ayrıl'ı tıklayın.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Розроблено",
|
||||
"textTel": "Телефон",
|
||||
"textVersion": "Версія"
|
||||
"textVersion": "Версія",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Увага",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "Розмір таблиці",
|
||||
"txtNotUrl": "Це поле має бути URL-адресою у форматі \"http://www.example.com\"",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "З нової сторінки",
|
||||
"textPageNumbering": "Нумерація сторінок",
|
||||
"textParagraph": "Абзац",
|
||||
"textParagraphStyles": "Стилі абзацу",
|
||||
"textPictureFromLibrary": "Зображення з бібліотеки",
|
||||
"textPictureFromURL": "Зображення з URL",
|
||||
"textPt": "Пт",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "Тип",
|
||||
"textWe": "Ср",
|
||||
"textWrap": "Стиль обтікання",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Перевищено час очікування конверсії.",
|
||||
|
@ -646,18 +653,22 @@
|
|||
"txtScheme7": "Власний",
|
||||
"txtScheme8": "Потік",
|
||||
"txtScheme9": "Ливарна",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textNo": "No",
|
||||
"textPageSize": "Page Size",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textYes": "Yes",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textYes": "Yes"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "У документі є незбережені зміни. Натисніть 'Залишитись на сторінці', щоб дочекатися автозбереження. Натисніть 'Піти зі сторінки', щоб скинути всі незбережені зміни.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
"textVersion": "Version",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
|
@ -357,7 +358,14 @@
|
|||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textDone": "Done",
|
||||
"textTitle": "Title",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textParagraphStyle": "Paragraph Style"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
|
@ -657,7 +665,11 @@
|
|||
"textFastWV": "Fast Web View",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textDirection": "Direction",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textRightToLeft": "Right To Left",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "電子郵件",
|
||||
"textPoweredBy": "於支援",
|
||||
"textTel": "電話",
|
||||
"textVersion": "版本"
|
||||
"textVersion": "版本",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "警告",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "表格大小",
|
||||
"txtNotUrl": "此字段應為格式為“ http://www.example.com”的URL。",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "分頁之前",
|
||||
"textPageNumbering": "頁編碼",
|
||||
"textParagraph": "段落",
|
||||
"textParagraphStyles": "段落樣式",
|
||||
"textPictureFromLibrary": "來自圖庫的圖片",
|
||||
"textPictureFromURL": "網址圖片",
|
||||
"textPt": "pt",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "類型",
|
||||
"textWe": "We",
|
||||
"textWrap": "包覆",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "轉換逾時。",
|
||||
|
@ -649,15 +656,19 @@
|
|||
"txtScheme7": "產權",
|
||||
"txtScheme8": "流程",
|
||||
"txtScheme9": "鑄造廠",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFastWV": "Fast Web View",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textPdfTagged": "Tagged PDF",
|
||||
"textPdfVer": "PDF Version",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "您有未儲存的變更。點擊“留在此頁面”以等待自動儲存。點擊“離開此頁面”以放棄所有未儲存的變更。",
|
||||
|
|
|
@ -6,7 +6,8 @@
|
|||
"textEmail": "电子邮件",
|
||||
"textPoweredBy": "技术支持",
|
||||
"textTel": "电话",
|
||||
"textVersion": "版本"
|
||||
"textVersion": "版本",
|
||||
"textEditor": "Document Editor"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "警告",
|
||||
|
@ -59,8 +60,8 @@
|
|||
"textTableSize": "表格大小",
|
||||
"txtNotUrl": "该字段应为“http://www.example.com”格式的URL",
|
||||
"textTableContents": "Table of Contents",
|
||||
"textWithPageNumbers": "With Page Numbers",
|
||||
"textWithBlueLinks": "With Blue Links"
|
||||
"textWithBlueLinks": "With Blue Links",
|
||||
"textWithPageNumbers": "With Page Numbers"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
|
@ -292,7 +293,6 @@
|
|||
"textPageBreakBefore": "段前分页",
|
||||
"textPageNumbering": "页码编号",
|
||||
"textParagraph": "段",
|
||||
"textParagraphStyles": "段落样式",
|
||||
"textPictureFromLibrary": "图库",
|
||||
"textPictureFromURL": "来自网络的图片",
|
||||
"textPt": "像素",
|
||||
|
@ -336,28 +336,35 @@
|
|||
"textType": "类型",
|
||||
"textWe": "周三",
|
||||
"textWrap": "包裹",
|
||||
"textTableOfCont": "TOC",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textSimple": "Simple",
|
||||
"textRightAlign": "Right Align",
|
||||
"textLeader": "Leader",
|
||||
"textStructure": "Structure",
|
||||
"textRefresh": "Refresh",
|
||||
"textLevels": "Levels",
|
||||
"textRemoveTableContent": "Remove table of content",
|
||||
"textCurrent": "Current",
|
||||
"textOnline": "Online",
|
||||
"textClassic": "Classic",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textCentered": "Centered",
|
||||
"textFormal": "Formal",
|
||||
"textStandard": "Standard",
|
||||
"textModern": "Modern",
|
||||
"textAmountOfLevels": "Amount of Levels",
|
||||
"textCancel": "Cancel",
|
||||
"textCentered": "Centered",
|
||||
"textClassic": "Classic",
|
||||
"textCreateTextStyle": "Create new text style",
|
||||
"textCurrent": "Current",
|
||||
"textDistinctive": "Distinctive",
|
||||
"textDone": "Done",
|
||||
"textEnterTitleNewStyle": "Enter title of a new style",
|
||||
"textFormal": "Formal",
|
||||
"textLeader": "Leader",
|
||||
"textLevels": "Levels",
|
||||
"textModern": "Modern",
|
||||
"textNextParagraphStyle": "Next paragraph style",
|
||||
"textOnline": "Online",
|
||||
"textPageNumbers": "Page Numbers",
|
||||
"textParagraphStyle": "Paragraph Style",
|
||||
"textRefresh": "Refresh",
|
||||
"textRefreshEntireTable": "Refresh entire table",
|
||||
"textRefreshPageNumbersOnly": "Refresh page numbers only",
|
||||
"textRemoveTableContent": "Remove table of contents",
|
||||
"textRightAlign": "Right Align",
|
||||
"textSameCreatedNewStyle": "Same as created new style",
|
||||
"textSimple": "Simple",
|
||||
"textStandard": "Standard",
|
||||
"textStructure": "Structure",
|
||||
"textStyles": "Styles",
|
||||
"textAmountOfLevels": "Amount of Levels"
|
||||
"textTableOfCont": "TOC",
|
||||
"textTitle": "Title"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "转换超时",
|
||||
|
@ -652,12 +659,16 @@
|
|||
"txtScheme7": "公平",
|
||||
"txtScheme8": "流动",
|
||||
"txtScheme9": "发现",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textNavigation": "Navigation",
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.",
|
||||
"textBeginningDocument": "Beginning of document",
|
||||
"textDirection": "Direction",
|
||||
"textEmptyHeading": "Empty Heading",
|
||||
"textPdfProducer": "PDF Producer"
|
||||
"textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appears in the table of contents.",
|
||||
"textFeedback": "Feedback & Support",
|
||||
"textLeftToRight": "Left To Right",
|
||||
"textNavigation": "Navigation",
|
||||
"textPdfProducer": "PDF Producer",
|
||||
"textRestartApplication": "Please restart the application for the changes to take effect",
|
||||
"textRightToLeft": "Right To Left"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "你有未保存的修改。点击“留在该页”可等待自动保存完成。点击“离开该页”将丢弃全部未经保存的修改。",
|
||||
|
|
39
apps/presentationeditor/embed/locale/eu.json
Normal file
39
apps/presentationeditor/embed/locale/eu.json
Normal file
|
@ -0,0 +1,39 @@
|
|||
{
|
||||
"common.view.modals.txtCopy": "Kopiatu arbelera",
|
||||
"common.view.modals.txtEmbed": "Kapsulatu",
|
||||
"common.view.modals.txtHeight": "Altuera",
|
||||
"common.view.modals.txtShare": "Partekatu esteka",
|
||||
"common.view.modals.txtWidth": "Zabalera",
|
||||
"common.view.SearchBar.textFind": "Bilatu",
|
||||
"PE.ApplicationController.convertationErrorText": "Bihurketak huts egin du.",
|
||||
"PE.ApplicationController.convertationTimeoutText": "Bihurketaren denbora-muga gainditu da.",
|
||||
"PE.ApplicationController.criticalErrorTitle": "Errorea",
|
||||
"PE.ApplicationController.downloadErrorText": "Deskargak huts egin du.",
|
||||
"PE.ApplicationController.downloadTextText": "Aurkezpena deskargatzen...",
|
||||
"PE.ApplicationController.errorAccessDeny": "Ez duzu baimenik egin nahi duzun ekintza burutzeko.<br>Jarri harremanetan zure dokumentu-zerbitzariaren administratzailearekin.",
|
||||
"PE.ApplicationController.errorDefaultMessage": "Errore-kodea: %1",
|
||||
"PE.ApplicationController.errorFilePassProtect": "Fitxategia pasahitzez babestua dago eta ezin da ireki.",
|
||||
"PE.ApplicationController.errorFileSizeExceed": "Fitxategiaren tamainak zure zerbitzarirako ezarritako muga gainditzen du.<br>Jarri harremanetan dokumentu-zerbitzariaren administratzailearekin informazio gehiago lortzeko.",
|
||||
"PE.ApplicationController.errorForceSave": "Errore bat gertatu da dokumentua gordetzean.<br>Erabili 'Deskargatu honela' aukera fitxategia zure ordenagailuko disko gogorrean gordetzeko edo saiatu berriro geroago.",
|
||||
"PE.ApplicationController.errorLoadingFont": "Letra-tipoak ez dira kargatu.<br>Jarri zure dokumentu-zerbitzariaren administratzailearekin harremanetan.",
|
||||
"PE.ApplicationController.errorTokenExpire": "Dokumentuaren segurtasun-tokena iraungi da.<br>Jarri zure dokumentu-zerbitzariaren administratzailearekin harremanetan.",
|
||||
"PE.ApplicationController.errorUpdateVersionOnDisconnect": "Interneteko konexioa berrezarri da eta fitxategiaren bertsioa aldatu da.<br>Lanean jarraitu aurretik, beharrezkoa da fitxategia deskargatzea edo edukia kopiatzea, ezer ez dela galduko ziurtatzeko, eta gero orri hau berriro kargatzea.",
|
||||
"PE.ApplicationController.errorUserDrop": "Ezin da fitxategia atzitu une honetan.",
|
||||
"PE.ApplicationController.notcriticalErrorTitle": "Abisua",
|
||||
"PE.ApplicationController.openErrorText": "Errore bat gertatu da fitxategia irekitzean.",
|
||||
"PE.ApplicationController.scriptLoadError": "Interneterako konexioa motelegia da, ezin izan dira osagai batzuk kargatu. Kargatu berriro orria.",
|
||||
"PE.ApplicationController.textAnonymous": "Anonimoa",
|
||||
"PE.ApplicationController.textGuest": "Gonbidatua",
|
||||
"PE.ApplicationController.textLoadingDocument": "Aurkezpena kargatzen",
|
||||
"PE.ApplicationController.textOf": "/",
|
||||
"PE.ApplicationController.txtClose": "Itxi",
|
||||
"PE.ApplicationController.unknownErrorText": "Errore ezezaguna.",
|
||||
"PE.ApplicationController.unsupportedBrowserErrorText": "Zure nabigatzaileak ez du euskarririk.",
|
||||
"PE.ApplicationController.waitText": "Mesedez, itxaron...",
|
||||
"PE.ApplicationView.txtDownload": "Deskargatu",
|
||||
"PE.ApplicationView.txtEmbed": "Kapsulatu",
|
||||
"PE.ApplicationView.txtFileLocation": "Ireki fitxategiaren kokalekua",
|
||||
"PE.ApplicationView.txtFullScreen": "Pantaila osoa",
|
||||
"PE.ApplicationView.txtPrint": "Inprimatu",
|
||||
"PE.ApplicationView.txtShare": "Partekatu"
|
||||
}
|
|
@ -14,7 +14,7 @@
|
|||
"PE.ApplicationController.errorFilePassProtect": "ドキュメントがパスワードで保護されているため開くことができません",
|
||||
"PE.ApplicationController.errorFileSizeExceed": "ファイルサイズがサーバーで設定された制限を超過しています。<br>Documentサーバー管理者に詳細をお問い合わせください。",
|
||||
"PE.ApplicationController.errorForceSave": "ファイルを保存中にエラーがありました。ファイルをPCに保存するように「としてダウンロード」と言うオプションを使い、または後でもう一度してみてください。",
|
||||
"PE.ApplicationController.errorLoadingFont": "フォントがダウンロードされませんでした。文書サーバのアドミニストレータを連絡してください。",
|
||||
"PE.ApplicationController.errorLoadingFont": "フォントがダウンロードされませんでした。<br>文書サーバのアドミニストレータを連絡してください。",
|
||||
"PE.ApplicationController.errorTokenExpire": "ドキュメント・セキュリティ・トークンの有効期限が切れています。<br>ドキュメントサーバーの管理者に連絡してください。",
|
||||
"PE.ApplicationController.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されています。<br>作業を継続する前に、ファイルをダウンロードするか内容をコピーして、変更が消えてしまわないようにしてからページを再読み込みしてください。",
|
||||
"PE.ApplicationController.errorUserDrop": "今、ファイルにアクセスすることはできません。",
|
||||
|
|
38
apps/presentationeditor/embed/locale/ms.json
Normal file
38
apps/presentationeditor/embed/locale/ms.json
Normal file
|
@ -0,0 +1,38 @@
|
|||
{
|
||||
"common.view.modals.txtCopy": "Salin ke papan klip",
|
||||
"common.view.modals.txtEmbed": "Dibenamkan",
|
||||
"common.view.modals.txtHeight": "Ketinggian",
|
||||
"common.view.modals.txtShare": "Kongsi Pautan",
|
||||
"common.view.modals.txtWidth": "Lebar",
|
||||
"PE.ApplicationController.convertationErrorText": "Penukaran telah gagal.",
|
||||
"PE.ApplicationController.convertationTimeoutText": "Melebihi masa tamat penukaran.",
|
||||
"PE.ApplicationController.criticalErrorTitle": "Ralat",
|
||||
"PE.ApplicationController.downloadErrorText": "Muat turun telah gagal.",
|
||||
"PE.ApplicationController.downloadTextText": "Persembahan Dimuat Turun...",
|
||||
"PE.ApplicationController.errorAccessDeny": "Anda sedang cuba untuk melakukan tindakan yang anda tidak mempunyai hak untuk.<br>Sila, hubungi pentadbir Pelayan Dokumen anda.",
|
||||
"PE.ApplicationController.errorDefaultMessage": "Kod ralat: %1",
|
||||
"PE.ApplicationController.errorFilePassProtect": "Fail dilindungi kata laluan dan tidak boleh dibuka.",
|
||||
"PE.ApplicationController.errorFileSizeExceed": "Saiz fail melebihi had ditetapkan untuk pelayan anda.<br>Sila, hubungi pentadbir Pelayan Dokumen anda untuk butiran.",
|
||||
"PE.ApplicationController.errorForceSave": "Terdapat ralat yang berlaku semasa menyimpan fail. Sila gunakan pilihan 'Download as' untuk menyimpan salinan fail sandaran ke pemacu keras komputer anda dan cuba semula nanti.",
|
||||
"PE.ApplicationController.errorLoadingFont": "Fon tidak dimuatkan.<br>Sila hubungi pentadbir Pelayan Dokumen anda.",
|
||||
"PE.ApplicationController.errorTokenExpire": "Dokumen token keselamatan telah tamat tempoh.<br>Sila hubungi pentadbir Pelayan Dokumen.",
|
||||
"PE.ApplicationController.errorUpdateVersionOnDisconnect": "Sambungan internet telah dipulihkan, dan versi fail telah berubah.<br>Sebelum anda boleh terus bekerja, anda perlu memuat turun fail atau menyalin kandungannya untuk memastikan tiada ada yang hilang, dan kemudian muat semula halaman ini.",
|
||||
"PE.ApplicationController.errorUserDrop": "Fail tidak boleh diakses sekarang.",
|
||||
"PE.ApplicationController.notcriticalErrorTitle": "Amaran",
|
||||
"PE.ApplicationController.openErrorText": "Ralat telah berlaku semasa membuka fail.",
|
||||
"PE.ApplicationController.scriptLoadError": "Sambungan terlalu perlahan, beberapa komponen tidak dapat dimuatkan. Sila muat semula halaman.",
|
||||
"PE.ApplicationController.textAnonymous": "Tanpa Nama",
|
||||
"PE.ApplicationController.textGuest": "Tetamu",
|
||||
"PE.ApplicationController.textLoadingDocument": "Persembahan dimuatkan",
|
||||
"PE.ApplicationController.textOf": "bagi",
|
||||
"PE.ApplicationController.txtClose": "Tutup",
|
||||
"PE.ApplicationController.unknownErrorText": "Ralat tidak diketahui.",
|
||||
"PE.ApplicationController.unsupportedBrowserErrorText": "Pelayar anda tidak disokong.",
|
||||
"PE.ApplicationController.waitText": "Sila, tunggu…",
|
||||
"PE.ApplicationView.txtDownload": "Muat turun",
|
||||
"PE.ApplicationView.txtEmbed": "Dibenamkan",
|
||||
"PE.ApplicationView.txtFileLocation": "Buka lokasi fail",
|
||||
"PE.ApplicationView.txtFullScreen": "Skrin penuh",
|
||||
"PE.ApplicationView.txtPrint": "Cetak",
|
||||
"PE.ApplicationView.txtShare": "Kongsi"
|
||||
}
|
|
@ -4,6 +4,7 @@
|
|||
"common.view.modals.txtHeight": "Altura",
|
||||
"common.view.modals.txtShare": "Partilhar ligação",
|
||||
"common.view.modals.txtWidth": "Largura",
|
||||
"common.view.SearchBar.textFind": "Localizar",
|
||||
"PE.ApplicationController.convertationErrorText": "Falha na conversão.",
|
||||
"PE.ApplicationController.convertationTimeoutText": "Excedeu o tempo limite de conversão.",
|
||||
"PE.ApplicationController.criticalErrorTitle": "Erro",
|
||||
|
|
|
@ -4,6 +4,7 @@
|
|||
"common.view.modals.txtHeight": "Înălțime",
|
||||
"common.view.modals.txtShare": "Partajare link",
|
||||
"common.view.modals.txtWidth": "Lățime",
|
||||
"common.view.SearchBar.textFind": "Găsire",
|
||||
"PE.ApplicationController.convertationErrorText": "Conversia nu a reușit.",
|
||||
"PE.ApplicationController.convertationTimeoutText": "Timpul de așteptare pentru conversie a expirat.",
|
||||
"PE.ApplicationController.criticalErrorTitle": "Eroare",
|
||||
|
|
|
@ -4,6 +4,7 @@
|
|||
"common.view.modals.txtHeight": "Высота",
|
||||
"common.view.modals.txtShare": "Поделиться ссылкой",
|
||||
"common.view.modals.txtWidth": "Ширина",
|
||||
"common.view.SearchBar.textFind": "Поиск",
|
||||
"PE.ApplicationController.convertationErrorText": "Конвертация не удалась.",
|
||||
"PE.ApplicationController.convertationTimeoutText": "Превышено время ожидания конвертации.",
|
||||
"PE.ApplicationController.criticalErrorTitle": "Ошибка",
|
||||
|
|
|
@ -122,7 +122,8 @@ define([
|
|||
me.userTooltip = true;
|
||||
me.wrapEvents = {
|
||||
userTipMousover: _.bind(me.userTipMousover, me),
|
||||
userTipMousout: _.bind(me.userTipMousout, me)
|
||||
userTipMousout: _.bind(me.userTipMousout, me),
|
||||
onKeyUp: _.bind(me.onKeyUp, me)
|
||||
};
|
||||
|
||||
// Hotkeys
|
||||
|
@ -333,8 +334,9 @@ define([
|
|||
var command = message.data.command;
|
||||
var data = message.data.data;
|
||||
if (this.api) {
|
||||
if (oleEditor.isEditMode())
|
||||
this.api.asc_editTableOleObject(data);
|
||||
oleEditor.isEditMode()
|
||||
? this.api.asc_editTableOleObject(data)
|
||||
: this.api.asc_addTableOleObject(data);
|
||||
}
|
||||
}, this));
|
||||
oleEditor.on('hide', _.bind(function(cmp, message) {
|
||||
|
@ -640,6 +642,9 @@ define([
|
|||
var me = this;
|
||||
if (me.api){
|
||||
var key = event.keyCode;
|
||||
if (me.hkSpecPaste) {
|
||||
me._needShowSpecPasteMenu = !event.shiftKey && !event.altKey && event.keyCode == Common.UI.Keys.CTRL;
|
||||
}
|
||||
if ((event.ctrlKey || event.metaKey) && !event.shiftKey && !event.altKey){
|
||||
if (key === Common.UI.Keys.NUM_PLUS || key === Common.UI.Keys.EQUALITY || (Common.Utils.isGecko && key === Common.UI.Keys.EQUALITY_FF) || (Common.Utils.isOpera && key == 43)){
|
||||
me.api.zoomIn();
|
||||
|
@ -1170,8 +1175,10 @@ define([
|
|||
parentEl: $('#id-document-holder-btn-special-paste'),
|
||||
cls : 'btn-toolbar',
|
||||
iconCls : 'toolbar__icon btn-paste',
|
||||
caption : Common.Utils.String.platformKey('Ctrl', '({0})'),
|
||||
menu : new Common.UI.Menu({items: []})
|
||||
});
|
||||
me.initSpecialPasteEvents();
|
||||
}
|
||||
|
||||
if (pasteItems.length>0) {
|
||||
|
@ -1184,31 +1191,70 @@ define([
|
|||
var group_prev = -1;
|
||||
_.each(pasteItems, function(menuItem, index) {
|
||||
var mnu = new Common.UI.MenuItem({
|
||||
caption: me._arrSpecialPaste[menuItem],
|
||||
caption: me._arrSpecialPaste[menuItem] + ' (' + me.hkSpecPaste[menuItem] + ')',
|
||||
value: menuItem,
|
||||
checkable: true,
|
||||
toggleGroup : 'specialPasteGroup'
|
||||
}).on('click', function(item, e) {
|
||||
me.api.asc_SpecialPaste(item.value);
|
||||
setTimeout(function(){menu.hide();}, 100);
|
||||
});
|
||||
}).on('click', _.bind(me.onSpecialPasteItemClick, me));
|
||||
menu.addItem(mnu);
|
||||
});
|
||||
(menu.items.length>0) && menu.items[0].setChecked(true, true);
|
||||
}
|
||||
if (coord.asc_getX()<0 || coord.asc_getY()<0) {
|
||||
if (pasteContainer.is(':visible')) pasteContainer.hide();
|
||||
$(document).off('keyup', this.wrapEvents.onKeyUp);
|
||||
} else {
|
||||
var showPoint = [coord.asc_getX() + coord.asc_getWidth() + 3, coord.asc_getY() + coord.asc_getHeight() + 3];
|
||||
pasteContainer.css({left: showPoint[0], top : showPoint[1]});
|
||||
pasteContainer.show();
|
||||
setTimeout(function() {
|
||||
$(document).on('keyup', me.wrapEvents.onKeyUp);
|
||||
}, 10);
|
||||
}
|
||||
},
|
||||
|
||||
onHideSpecialPasteOptions: function() {
|
||||
var pasteContainer = this.documentHolder.cmpEl.find('#special-paste-container');
|
||||
if (pasteContainer.is(':visible'))
|
||||
if (pasteContainer.is(':visible')) {
|
||||
pasteContainer.hide();
|
||||
$(document).off('keyup', this.wrapEvents.onKeyUp);
|
||||
}
|
||||
},
|
||||
|
||||
onKeyUp: function (e) {
|
||||
if (e.keyCode == Common.UI.Keys.CTRL && this._needShowSpecPasteMenu && !this.btnSpecialPaste.menu.isVisible() && /area_id/.test(e.target.id)) {
|
||||
$('button', this.btnSpecialPaste.cmpEl).click();
|
||||
e.preventDefault();
|
||||
}
|
||||
this._needShowSpecPasteMenu = false;
|
||||
},
|
||||
|
||||
initSpecialPasteEvents: function() {
|
||||
var me = this;
|
||||
me.hkSpecPaste = [];
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.paste] = 'P';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.keepTextOnly] = 'T';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.picture] = 'U';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.sourceformatting] = 'K';
|
||||
me.hkSpecPaste[Asc.c_oSpecialPasteProps.destinationFormatting] = 'H';
|
||||
for(var key in me.hkSpecPaste){
|
||||
if(me.hkSpecPaste.hasOwnProperty(key)){
|
||||
var keymap = {};
|
||||
keymap[me.hkSpecPaste[key]] = _.bind(me.onSpecialPasteItemClick, me, {value: parseInt(key)});
|
||||
Common.util.Shortcuts.delegateShortcuts({shortcuts:keymap});
|
||||
Common.util.Shortcuts.suspendEvents(me.hkSpecPaste[key], undefined, true);
|
||||
}
|
||||
}
|
||||
|
||||
me.btnSpecialPaste.menu.on('show:after', function(menu) {
|
||||
for (var i = 0; i < menu.items.length; i++) {
|
||||
me.hkSpecPaste[menu.items[i].value] && Common.util.Shortcuts.resumeEvents(me.hkSpecPaste[menu.items[i].value]);
|
||||
}
|
||||
}).on('hide:after', function(menu) {
|
||||
for (var i = 0; i < menu.items.length; i++) {
|
||||
me.hkSpecPaste[menu.items[i].value] && Common.util.Shortcuts.suspendEvents(me.hkSpecPaste[menu.items[i].value], undefined, true);
|
||||
}
|
||||
});
|
||||
},
|
||||
|
||||
onChangeCropState: function(state) {
|
||||
|
@ -2017,6 +2063,21 @@ define([
|
|||
}
|
||||
},
|
||||
|
||||
onSpecialPasteItemClick: function(item, e) {
|
||||
if (this.api) {
|
||||
this.api.asc_SpecialPaste(item.value);
|
||||
var menu = this.btnSpecialPaste.menu;
|
||||
if (!item.cmpEl) {
|
||||
for (var i = 0; i < menu.items.length; i++) {
|
||||
menu.items[i].setChecked(menu.items[i].value===item.value, true);
|
||||
}
|
||||
}
|
||||
setTimeout(function(){
|
||||
menu.hide();
|
||||
}, 100);
|
||||
}
|
||||
return false;
|
||||
},
|
||||
|
||||
SetDisabled: function(state) {
|
||||
this._isDisabled = state;
|
||||
|
|
|
@ -614,7 +614,6 @@ define([
|
|||
// if (!this.leftMenu.isOpened()) return true;
|
||||
var btnSearch = this.getApplication().getController('Viewport').header.btnSearch;
|
||||
btnSearch.pressed && btnSearch.toggle(false);
|
||||
this.leftMenu._state.isSearchOpen && (this.leftMenu._state.isSearchOpen = false);
|
||||
|
||||
// TODO:
|
||||
if ( this.leftMenu.menuFile.isVisible() ) {
|
||||
|
@ -724,11 +723,10 @@ define([
|
|||
var mode = this.mode.isEdit && !this.viewmode ? undefined : 'no-replace';
|
||||
this.leftMenu.panelSearch.setSearchMode(mode);
|
||||
}
|
||||
this.leftMenu._state.isSearchOpen = show;
|
||||
},
|
||||
|
||||
isSearchPanelVisible: function () {
|
||||
return this.leftMenu._state.isSearchOpen;
|
||||
return this.leftMenu && this.leftMenu.panelSearch && this.leftMenu.panelSearch.isVisible();
|
||||
},
|
||||
|
||||
showHistory: function() {
|
||||
|
|
|
@ -118,7 +118,7 @@ define([
|
|||
this._state.useRegExp = checked;
|
||||
break;
|
||||
}
|
||||
if (this._state.searchText !== '') {
|
||||
if (this._state.searchText) {
|
||||
this.hideResults();
|
||||
if (this.onQuerySearch()) {
|
||||
if (this.searchTimer) {
|
||||
|
|
|
@ -1686,6 +1686,13 @@ define([
|
|||
Common.NotificationCenter.trigger('edit:complete', me.toolbar);
|
||||
}
|
||||
})).show();
|
||||
} else if (item.value == 'sse') {
|
||||
var oleEditor = this.getApplication().getController('Common.Controllers.ExternalOleEditor').getView('Common.Views.ExternalOleEditor');
|
||||
if (oleEditor) {
|
||||
oleEditor.setEditMode(false);
|
||||
oleEditor.show();
|
||||
oleEditor.setOleData("empty");
|
||||
}
|
||||
}
|
||||
},
|
||||
|
||||
|
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Reference in a new issue