Merge branch 'release/v6.4.0' into feature/bug-fixes
This commit is contained in:
commit
c934dd3640
|
@ -893,16 +893,16 @@
|
|||
|
||||
if (config.editorConfig && config.editorConfig.targetApp!=='desktop') {
|
||||
if ( (typeof(config.editorConfig.customization) == 'object') && config.editorConfig.customization.loaderName) {
|
||||
if (config.editorConfig.customization.loaderName !== 'none') params += "&customer=" + config.editorConfig.customization.loaderName;
|
||||
if (config.editorConfig.customization.loaderName !== 'none') params += "&customer=" + encodeURIComponent(config.editorConfig.customization.loaderName);
|
||||
} else
|
||||
params += "&customer={{APP_CUSTOMER_NAME}}";
|
||||
if ( (typeof(config.editorConfig.customization) == 'object') && config.editorConfig.customization.loaderLogo) {
|
||||
if (config.editorConfig.customization.loaderLogo !== '') params += "&logo=" + config.editorConfig.customization.loaderLogo;
|
||||
if (config.editorConfig.customization.loaderLogo !== '') params += "&logo=" + encodeURIComponent(config.editorConfig.customization.loaderLogo);
|
||||
} else if ( (typeof(config.editorConfig.customization) == 'object') && config.editorConfig.customization.logo) {
|
||||
if (config.type=='embedded' && config.editorConfig.customization.logo.imageEmbedded)
|
||||
params += "&headerlogo=" + config.editorConfig.customization.logo.imageEmbedded;
|
||||
params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.imageEmbedded);
|
||||
else if (config.type!='embedded' && config.editorConfig.customization.logo.image)
|
||||
params += "&headerlogo=" + config.editorConfig.customization.logo.image;
|
||||
params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.image);
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -476,7 +476,10 @@ define([
|
|||
}, this);
|
||||
this.dataViewItems = [];
|
||||
|
||||
this.store.each(this.onAddItem, this);
|
||||
var me = this;
|
||||
this.store.each(function(item){
|
||||
me.onAddItem(item, me.store);
|
||||
}, this);
|
||||
|
||||
if (this.allowScrollbar) {
|
||||
this.scroller = new Common.UI.Scroller({
|
||||
|
|
|
@ -198,7 +198,7 @@ define([
|
|||
if (innerEl) {
|
||||
(this.dataViewItems.length<1) && innerEl.find('.empty-text').remove();
|
||||
|
||||
if (opts && opts.at!==undefined) {
|
||||
if (opts && (typeof opts.at==='number')) {
|
||||
var idx = opts.at;
|
||||
var innerDivs = innerEl.find('> div');
|
||||
if (idx > 0)
|
||||
|
|
|
@ -57,4 +57,18 @@
|
|||
.form-control:not(input) {
|
||||
cursor: pointer;
|
||||
}
|
||||
|
||||
li {
|
||||
img {
|
||||
-webkit-filter: none;
|
||||
filter: none;
|
||||
}
|
||||
|
||||
&.selected {
|
||||
img {
|
||||
-webkit-filter: none;
|
||||
filter: none;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
|
@ -127,6 +127,9 @@ label {
|
|||
|
||||
.panel-menu {
|
||||
width: 260px;
|
||||
max-height: 100%;
|
||||
position: relative;
|
||||
overflow: hidden;
|
||||
float: left;
|
||||
border-right: @scaled-one-px-value-ie solid @border-toolbar-ie;
|
||||
border-right: @scaled-one-px-value solid @border-toolbar;
|
||||
|
|
|
@ -77,7 +77,7 @@ class CommentsController extends Component {
|
|||
const api = Common.EditorApi.get();
|
||||
/** coauthoring begin **/
|
||||
const isLiveCommenting = LocalStorage.getBool(`${window.editorType}-mobile-settings-livecomment`, true);
|
||||
const resolved = LocalStorage.getBool(`${window.editorType}-settings-resolvedcomment`, true);
|
||||
const resolved = LocalStorage.getBool(`${window.editorType}-settings-resolvedcomment`);
|
||||
this.storeApplicationSettings.changeDisplayComments(isLiveCommenting);
|
||||
this.storeApplicationSettings.changeDisplayResolved(resolved);
|
||||
isLiveCommenting ? api.asc_showComments(resolved) : api.asc_hideComments();
|
||||
|
@ -139,8 +139,9 @@ class CommentsController extends Component {
|
|||
changeComment.quote = data.asc_getQuoteText();
|
||||
changeComment.time = date.getTime();
|
||||
changeComment.date = dateToLocaleTimeString(date);
|
||||
changeComment.editable = this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId);
|
||||
changeComment.removable = this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId);
|
||||
changeComment.editable = (this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(name);
|
||||
changeComment.removable = (this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(name);
|
||||
changeComment.hide = !AscCommon.UserInfoParser.canViewComment(name);
|
||||
|
||||
let dateReply = null;
|
||||
const replies = [];
|
||||
|
@ -164,8 +165,8 @@ class CommentsController extends Component {
|
|||
reply: data.asc_getReply(i).asc_getText(),
|
||||
time: dateReply.getTime(),
|
||||
userInitials: this.usersStore.getInitials(parsedName),
|
||||
editable: this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId),
|
||||
removable: this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)
|
||||
editable: (this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(userName),
|
||||
removable: (this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(userName)
|
||||
});
|
||||
}
|
||||
changeComment.replies = replies;
|
||||
|
@ -197,8 +198,9 @@ class CommentsController extends Component {
|
|||
replies : [],
|
||||
groupName : (groupName && groupName.length>1) ? groupName[1] : null,
|
||||
userInitials : this.usersStore.getInitials(parsedName),
|
||||
editable : this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId),
|
||||
removable : this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId)
|
||||
editable : (this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(userName),
|
||||
removable : (this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(userName),
|
||||
hide : !AscCommon.UserInfoParser.canViewComment(userName),
|
||||
};
|
||||
if (comment) {
|
||||
const replies = this.readSDKReplies(data);
|
||||
|
@ -230,8 +232,8 @@ class CommentsController extends Component {
|
|||
reply : data.asc_getReply(i).asc_getText(),
|
||||
time : date.getTime(),
|
||||
userInitials : this.usersStore.getInitials(parsedName),
|
||||
editable : this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId),
|
||||
removable : this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)
|
||||
editable : (this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(userName),
|
||||
removable : (this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(userName)
|
||||
});
|
||||
}
|
||||
}
|
||||
|
@ -455,7 +457,11 @@ class ViewCommentsController extends Component {
|
|||
});
|
||||
}
|
||||
closeViewCurComments () {
|
||||
f7.sheet.close('#view-comment-sheet');
|
||||
if (Device.phone) {
|
||||
f7.sheet.close('#view-comment-sheet');
|
||||
} else {
|
||||
f7.popover.close('#view-comment-popover');
|
||||
}
|
||||
this.setState({isOpenViewCurComments: false});
|
||||
}
|
||||
onResolveComment (comment) {
|
||||
|
@ -493,6 +499,7 @@ class ViewCommentsController extends Component {
|
|||
});
|
||||
}
|
||||
const api = Common.EditorApi.get();
|
||||
api.asc_showComments(this.props.storeApplicationSettings.isResolvedComments);
|
||||
api.asc_changeComment(comment.uid, ascComment);
|
||||
|
||||
if(!this.props.storeApplicationSettings.isResolvedComments) {
|
||||
|
|
|
@ -80,6 +80,7 @@ export class storeComments {
|
|||
comment.editable = changeComment.editable;
|
||||
comment.removable = changeComment.removable;
|
||||
comment.replies = changeComment.replies;
|
||||
comment.hide =changeComment.hide;
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -148,9 +148,9 @@ const CommentActions = ({comment, onCommentMenuClick, opened, openActionComment}
|
|||
<ActionsGroup>
|
||||
{comment && <Fragment>
|
||||
{comment.editable && <ActionsButton onClick={() => {onCommentMenuClick('editComment', comment);}}>{_t.textEdit}</ActionsButton>}
|
||||
{!comment.resolved ?
|
||||
{!comment.resolved && comment.editable ?
|
||||
<ActionsButton onClick={() => {onCommentMenuClick('resolve', comment);}}>{_t.textResolve}</ActionsButton> :
|
||||
<ActionsButton onClick={() => {onCommentMenuClick('resolve', comment);}}>{_t.textReopen}</ActionsButton>
|
||||
comment.editable && <ActionsButton onClick={() => {onCommentMenuClick('resolve', comment);}}>{_t.textReopen}</ActionsButton>
|
||||
}
|
||||
<ActionsButton onClick={() => {onCommentMenuClick('addReply', comment);}}>{_t.textAddReply}</ActionsButton>
|
||||
{comment.removable && <ActionsButton color='red' onClick={() => {onCommentMenuClick('deleteComment', comment);}}>{_t.textDeleteComment}</ActionsButton>}
|
||||
|
@ -635,7 +635,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes
|
|||
|
||||
const viewMode = !storeAppOptions.canComments;
|
||||
const comments = storeComments.groupCollectionFilter || storeComments.collectionComments;
|
||||
const sortComments = comments.length > 0 ? [...comments].sort((a, b) => a.time > b.time ? 1 : -1) : null;
|
||||
const sortComments = comments.length > 0 ? [...comments].sort((a, b) => a.time > b.time ? -1 : 1) : null;
|
||||
|
||||
const [clickComment, setComment] = useState();
|
||||
const [commentActionsOpened, openActionComment] = useState(false);
|
||||
|
@ -659,6 +659,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes
|
|||
<List className='comment-list'>
|
||||
{sortComments.map((comment, indexComment) => {
|
||||
return (
|
||||
!comment.hide &&
|
||||
<ListItem key={`comment-${indexComment}`} onClick={e => {
|
||||
!e.target.closest('.comment-menu') && !e.target.closest('.reply-menu') ? showComment(comment) : null}}>
|
||||
<div slot='header' className='comment-header'>
|
||||
|
@ -671,7 +672,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes
|
|||
</div>
|
||||
{!viewMode &&
|
||||
<div className='right'>
|
||||
<div className='comment-resolve' onClick={() => {onResolveComment(comment);}}><Icon icon={comment.resolved ? 'icon-resolve-comment check' : 'icon-resolve-comment'} /></div>
|
||||
{comment.editable && <div className='comment-resolve' onClick={() => {onResolveComment(comment);}}><Icon icon={comment.resolved ? 'icon-resolve-comment check' : 'icon-resolve-comment'} /></div> }
|
||||
<div className='comment-menu'
|
||||
onClick={() => {setComment(comment); openActionComment(true);}}
|
||||
><Icon icon='icon-menu-comment'/></div>
|
||||
|
@ -699,7 +700,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes
|
|||
<div className='reply-date'>{reply.date}</div>
|
||||
</div>
|
||||
</div>
|
||||
{!viewMode &&
|
||||
{!viewMode && reply.editable &&
|
||||
<div className='right'>
|
||||
<div className='reply-menu'
|
||||
onClick={() => {setComment(comment); setReply(reply); openActionReply(true);}}
|
||||
|
@ -800,7 +801,7 @@ const CommentList = inject("storeComments", "storeAppOptions")(observer(({storeC
|
|||
</div>
|
||||
{!viewMode &&
|
||||
<div className='right'>
|
||||
<div className='comment-resolve' onClick={() => {onResolveComment(comment);}}><Icon icon={comment.resolved ? 'icon-resolve-comment check' : 'icon-resolve-comment'} /></div>
|
||||
{comment.editable && <div className='comment-resolve' onClick={() => {onResolveComment(comment);}}><Icon icon={comment.resolved ? 'icon-resolve-comment check' : 'icon-resolve-comment'}/></div>}
|
||||
<div className='comment-menu'
|
||||
onClick={() => {openActionComment(true);}}
|
||||
><Icon icon='icon-menu-comment'/></div>
|
||||
|
@ -828,7 +829,7 @@ const CommentList = inject("storeComments", "storeAppOptions")(observer(({storeC
|
|||
<div className='reply-date'>{reply.date}</div>
|
||||
</div>
|
||||
</div>
|
||||
{!viewMode &&
|
||||
{!viewMode && reply.editable &&
|
||||
<div className='right'>
|
||||
<div className='reply-menu'
|
||||
onClick={() => {setReply(reply); openActionReply(true);}}
|
||||
|
|
|
@ -56,8 +56,11 @@
|
|||
padding-right: 16px;
|
||||
.right {
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
justify-content: flex-end;
|
||||
width: 70px;
|
||||
.comment-resolve {
|
||||
margin-right: 10px;
|
||||
}
|
||||
}
|
||||
}
|
||||
.reply-header {
|
||||
|
|
|
@ -29,7 +29,6 @@
|
|||
--f7-range-knob-size: 16px;
|
||||
|
||||
--f7-link-highlight-color: transparent;
|
||||
--f7-touch-ripple-color: @touchColor;
|
||||
--f7-link-touch-ripple-color: @touchColor;
|
||||
|
||||
.button {
|
||||
|
@ -42,6 +41,7 @@
|
|||
--f7-dialog-button-text-color: @themeColor;
|
||||
|
||||
.navbar {
|
||||
--f7-touch-ripple-color: @touchColor;
|
||||
.sheet-close {
|
||||
width: 56px;
|
||||
height: 56px;
|
||||
|
|
|
@ -11,7 +11,7 @@
|
|||
"DE.ApplicationController.downloadTextText": "Téléchargement du document...",
|
||||
"DE.ApplicationController.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.",
|
||||
"DE.ApplicationController.errorDefaultMessage": "Code d'erreur: %1",
|
||||
"DE.ApplicationController.errorEditingDownloadas": "Une erreure s'est produite lors du travail avec le document.<br>Utilisez l'option 'Télécharger comme...' pour enregistrer une copie de sauvegarde du fichier sur le disque dur de votre ordinateur.",
|
||||
"DE.ApplicationController.errorEditingDownloadas": "Une erreur s'est produite lors du travail avec le document.<br>Utilisez l'option 'Télécharger comme...' pour enregistrer une copie de sauvegarde du fichier sur le disque dur de votre ordinateur.",
|
||||
"DE.ApplicationController.errorFilePassProtect": "Le fichier est protégé par le mot de passe et ne peut pas être ouvert.",
|
||||
"DE.ApplicationController.errorFileSizeExceed": "La taille du fichier dépasse les limites établies sur votre serveur.<br>Veuillez contacter votre administrateur de Document Server pour obtenir plus d'informations. ",
|
||||
"DE.ApplicationController.errorSubmit": "Échec de soumission",
|
||||
|
|
|
@ -19,10 +19,14 @@
|
|||
"DE.ApplicationController.errorUserDrop": "В настоящий момент файл недоступен.",
|
||||
"DE.ApplicationController.notcriticalErrorTitle": "Внимание",
|
||||
"DE.ApplicationController.scriptLoadError": "Слишком медленное подключение, некоторые компоненты не удалось загрузить. Пожалуйста, обновите страницу.",
|
||||
"DE.ApplicationController.textAnonymous": "Анонимный пользователь",
|
||||
"DE.ApplicationController.textClear": "Очистить все поля",
|
||||
"DE.ApplicationController.textGotIt": "ОК",
|
||||
"DE.ApplicationController.textGuest": "Гость",
|
||||
"DE.ApplicationController.textLoadingDocument": "Загрузка документа",
|
||||
"DE.ApplicationController.textNext": "Следующее поле",
|
||||
"DE.ApplicationController.textOf": "из",
|
||||
"DE.ApplicationController.textRequired": "Заполните все обязательные поля для отправки формы.",
|
||||
"DE.ApplicationController.textSubmit": "Отправить",
|
||||
"DE.ApplicationController.textSubmited": "<b>Форма успешно отправлена</b><br>Нажмите, чтобы закрыть подсказку",
|
||||
"DE.ApplicationController.txtClose": "Закрыть",
|
||||
|
|
|
@ -11,20 +11,29 @@
|
|||
"DE.ApplicationController.downloadTextText": "Prenašanje dokumenta ...",
|
||||
"DE.ApplicationController.errorAccessDeny": "Poskušate izvesti dejanje, za katerega nimate pravic. <br> Obrnite se na skrbnika strežnika dokumentov.",
|
||||
"DE.ApplicationController.errorDefaultMessage": "Koda napake: %1",
|
||||
"DE.ApplicationController.errorEditingDownloadas": "Med delom z dokumentom je prišlo do napake.<br>S funkcijo »Prenesi kot ...« shranite varnostno kopijo datoteke na trdi disk računalnika.",
|
||||
"DE.ApplicationController.errorFilePassProtect": "Dokument je zaščiten z geslom in ga ni mogoče odpreti.",
|
||||
"DE.ApplicationController.errorFileSizeExceed": "Velikost datoteke presega omejitev, nastavljeno za vaš strežnik. <br> Za podrobnosti se obrnite na skrbnika strežnika dokumentov.",
|
||||
"DE.ApplicationController.errorSubmit": "Pošiljanje je spodletelo",
|
||||
"DE.ApplicationController.errorUpdateVersionOnDisconnect": "Povezava s spletom je bila obnovljena in spremenjena je različica datoteke. <br> Preden nadaljujete z delom, morate datoteko prenesti ali kopirati njeno vsebino, da se prepričate, da se nič ne izgubi, in nato znova naložite to stran.",
|
||||
"DE.ApplicationController.errorUserDrop": "Do datoteke v tem trenutku ni možno dostopati.",
|
||||
"DE.ApplicationController.notcriticalErrorTitle": "Opozorilo",
|
||||
"DE.ApplicationController.scriptLoadError": "Povezava je počasna, nekatere komponente niso pravilno naložene.Prosimo osvežite stran.",
|
||||
"DE.ApplicationController.textClear": "Počisti vsa polja",
|
||||
"DE.ApplicationController.textLoadingDocument": "Nalaganje dokumenta",
|
||||
"DE.ApplicationController.textNext": "Naslednje polje",
|
||||
"DE.ApplicationController.textOf": "od",
|
||||
"DE.ApplicationController.textSubmit": "Pošlji",
|
||||
"DE.ApplicationController.textSubmited": "<b>Obrazec poslan uspešno</b><br>Pritisnite tukaj za zaprtje obvestila",
|
||||
"DE.ApplicationController.txtClose": "Zapri",
|
||||
"DE.ApplicationController.unknownErrorText": "Neznana napaka.",
|
||||
"DE.ApplicationController.unsupportedBrowserErrorText": "Vaš brskalnik ni podprt.",
|
||||
"DE.ApplicationController.waitText": "Prosimo počakajte ...",
|
||||
"DE.ApplicationView.txtDownload": "Prenesi",
|
||||
"DE.ApplicationView.txtDownloadDocx": "Prenesi kot DOCX",
|
||||
"DE.ApplicationView.txtDownloadPdf": "Prenesi kot PDF",
|
||||
"DE.ApplicationView.txtEmbed": "Vdelano",
|
||||
"DE.ApplicationView.txtFileLocation": "Odpri lokacijo dokumenta",
|
||||
"DE.ApplicationView.txtFullScreen": "Celozaslonski",
|
||||
"DE.ApplicationView.txtPrint": "Natisni",
|
||||
"DE.ApplicationView.txtShare": "Deli"
|
||||
|
|
|
@ -22,6 +22,7 @@
|
|||
"DE.ApplicationController.textNext": "Sonraki alan",
|
||||
"DE.ApplicationController.textOf": "'in",
|
||||
"DE.ApplicationController.textSubmit": "Kaydet",
|
||||
"DE.ApplicationController.textSubmited": "<b>Form başarılı bir şekilde kaydedildi</b><br>İpucunu kapatmak için tıklayın",
|
||||
"DE.ApplicationController.txtClose": "Kapat",
|
||||
"DE.ApplicationController.unknownErrorText": "Bilinmeyen hata.",
|
||||
"DE.ApplicationController.unsupportedBrowserErrorText": "Tarayıcınız desteklenmiyor.",
|
||||
|
|
|
@ -11,20 +11,29 @@
|
|||
"DE.ApplicationController.downloadTextText": "正在下载文件...",
|
||||
"DE.ApplicationController.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.",
|
||||
"DE.ApplicationController.errorDefaultMessage": "错误代码:%1",
|
||||
"DE.ApplicationController.errorEditingDownloadas": "在处理文档期间发生错误。<br>使用“下载为…”选项将文件备份复制到您的计算机硬盘中。",
|
||||
"DE.ApplicationController.errorFilePassProtect": "该文档受密码保护,无法被打开。",
|
||||
"DE.ApplicationController.errorFileSizeExceed": "文件大小超出了为服务器设置的限制.<br>有关详细信息,请与文档服务器管理员联系。",
|
||||
"DE.ApplicationController.errorSubmit": "提交失败",
|
||||
"DE.ApplicationController.errorUpdateVersionOnDisconnect": "网络连接已恢复,文件版本已变更。<br>在继续工作之前,需要下载文件或复制其内容以避免丢失数据,然后刷新此页。",
|
||||
"DE.ApplicationController.errorUserDrop": "该文件现在无法访问。",
|
||||
"DE.ApplicationController.notcriticalErrorTitle": "警告",
|
||||
"DE.ApplicationController.scriptLoadError": "连接速度过慢,部分组件无法被加载。请重新加载页面。",
|
||||
"DE.ApplicationController.textClear": "清除所有字段",
|
||||
"DE.ApplicationController.textLoadingDocument": "文件加载中…",
|
||||
"DE.ApplicationController.textNext": "下一域",
|
||||
"DE.ApplicationController.textOf": "的",
|
||||
"DE.ApplicationController.textSubmit": "提交",
|
||||
"DE.ApplicationController.textSubmited": "<b>表单成功地被提交了</b><br>点击以关闭贴士",
|
||||
"DE.ApplicationController.txtClose": "关闭",
|
||||
"DE.ApplicationController.unknownErrorText": "未知错误。",
|
||||
"DE.ApplicationController.unsupportedBrowserErrorText": "您的浏览器不受支持",
|
||||
"DE.ApplicationController.waitText": "请稍候...",
|
||||
"DE.ApplicationView.txtDownload": "下载",
|
||||
"DE.ApplicationView.txtDownloadDocx": "导出成docx格式",
|
||||
"DE.ApplicationView.txtDownloadPdf": "导出成PDF格式",
|
||||
"DE.ApplicationView.txtEmbed": "嵌入",
|
||||
"DE.ApplicationView.txtFileLocation": "打开文件所在位置",
|
||||
"DE.ApplicationView.txtFullScreen": "全屏",
|
||||
"DE.ApplicationView.txtPrint": "打印",
|
||||
"DE.ApplicationView.txtShare": "共享"
|
||||
|
|
|
@ -895,6 +895,8 @@ define([
|
|||
if (need_disable != toolbar.btnColumns.isDisabled())
|
||||
toolbar.btnColumns.setDisabled(need_disable);
|
||||
|
||||
toolbar.btnLineNumbers.setDisabled(in_image && in_para || this._state.lock_doc);
|
||||
|
||||
if (toolbar.listStylesAdditionalMenuItem && (frame_pr===undefined) !== toolbar.listStylesAdditionalMenuItem.isDisabled())
|
||||
toolbar.listStylesAdditionalMenuItem.setDisabled(frame_pr===undefined);
|
||||
|
||||
|
@ -1761,6 +1763,7 @@ define([
|
|||
|
||||
switch (item.value) {
|
||||
case 0:
|
||||
this._state.linenum = undefined;
|
||||
this.api.asc_SetLineNumbersProps(Asc.c_oAscSectionApplyType.Current, null);
|
||||
break;
|
||||
case 1:
|
||||
|
|
|
@ -235,6 +235,17 @@ define([
|
|||
this.rendered = true;
|
||||
this.$el.html($markup);
|
||||
this.$el.find('.content-box').hide();
|
||||
if (_.isUndefined(this.scroller)) {
|
||||
var me = this;
|
||||
this.scroller = new Common.UI.Scroller({
|
||||
el: this.$el.find('.panel-menu'),
|
||||
suppressScrollX: true,
|
||||
alwaysVisibleY: true
|
||||
});
|
||||
Common.NotificationCenter.on('window:resize', function() {
|
||||
me.scroller.update();
|
||||
});
|
||||
}
|
||||
this.applyMode();
|
||||
|
||||
if ( !!this.api ) {
|
||||
|
@ -257,6 +268,7 @@ define([
|
|||
if (!panel)
|
||||
panel = this.active || defPanel;
|
||||
this.$el.show();
|
||||
this.scroller.update();
|
||||
this.selectMenu(panel, opts, defPanel);
|
||||
this.api.asc_enableKeyEvents(false);
|
||||
|
||||
|
@ -400,6 +412,17 @@ define([
|
|||
this.$el.find('.content-box:visible').hide();
|
||||
panel.show(opts);
|
||||
|
||||
if (this.scroller) {
|
||||
var itemTop = item.$el.position().top,
|
||||
itemHeight = item.$el.outerHeight(),
|
||||
listHeight = this.$el.outerHeight();
|
||||
if (itemTop < 0 || itemTop + itemHeight > listHeight) {
|
||||
var height = this.scroller.$el.scrollTop() + itemTop + (itemHeight - listHeight)/2;
|
||||
height = (Math.floor(height/itemHeight) * itemHeight);
|
||||
this.scroller.scrollTop(height);
|
||||
}
|
||||
}
|
||||
|
||||
this.active = menu;
|
||||
}
|
||||
}
|
||||
|
|
|
@ -867,14 +867,14 @@ define([
|
|||
this.chMulti.setValue(!!val, true);
|
||||
this._state.Multi=val;
|
||||
}
|
||||
this.chMulti.setDisabled(!this._state.Fixed);
|
||||
this.chMulti.setDisabled(!this._state.Fixed || this._state.Comb);
|
||||
|
||||
val = formTextPr.get_AutoFit();
|
||||
if ( this._state.AutoFit!==val ) {
|
||||
this.chAutofit.setValue(!!val, true);
|
||||
this._state.AutoFit=val;
|
||||
}
|
||||
this.chAutofit.setDisabled(!this._state.Fixed);
|
||||
this.chAutofit.setDisabled(!this._state.Fixed || this._state.Comb);
|
||||
|
||||
this.btnColor.setDisabled(!this._state.Comb);
|
||||
|
||||
|
|
|
@ -1006,7 +1006,7 @@ define([
|
|||
]
|
||||
})
|
||||
});
|
||||
|
||||
this.toolbarControls.push(this.btnLineNumbers);
|
||||
|
||||
this.btnClearStyle = new Common.UI.Button({
|
||||
id: 'id-toolbar-btn-clearstyle',
|
||||
|
|
|
@ -18,6 +18,7 @@
|
|||
"Common.Controllers.ReviewChanges.textBreakBefore": "Salt de pàgina abans",
|
||||
"Common.Controllers.ReviewChanges.textCaps": "Majúscules ",
|
||||
"Common.Controllers.ReviewChanges.textCenter": "Centrar",
|
||||
"Common.Controllers.ReviewChanges.textChar": "Nivell de caràcter",
|
||||
"Common.Controllers.ReviewChanges.textChart": "Gràfic",
|
||||
"Common.Controllers.ReviewChanges.textColor": "Color de Font",
|
||||
"Common.Controllers.ReviewChanges.textContextual": "No afegiu interval entre paràgrafs del mateix estil",
|
||||
|
@ -47,6 +48,10 @@
|
|||
"Common.Controllers.ReviewChanges.textNot": "No",
|
||||
"Common.Controllers.ReviewChanges.textNoWidow": "Sense control de la finestra",
|
||||
"Common.Controllers.ReviewChanges.textNum": "Canviar numeració",
|
||||
"Common.Controllers.ReviewChanges.textOff": "{0} Ja no s'utilitza el seguiment de canvis.",
|
||||
"Common.Controllers.ReviewChanges.textOffGlobal": "{0} S'ha inhabilitat el Seguiment de Canvis per a tothom.",
|
||||
"Common.Controllers.ReviewChanges.textOn": "{0} Ara s'està utilitzant el seguiment de canvis.",
|
||||
"Common.Controllers.ReviewChanges.textOnGlobal": "{0} S'ha activat el seguiment de canvis per a tothom.",
|
||||
"Common.Controllers.ReviewChanges.textParaDeleted": "<b>Paràgraf Suprimit</b>",
|
||||
"Common.Controllers.ReviewChanges.textParaFormatted": "Paràgraf Formatat",
|
||||
"Common.Controllers.ReviewChanges.textParaInserted": "<b>Paràgraf Inserit</b>",
|
||||
|
@ -57,6 +62,7 @@
|
|||
"Common.Controllers.ReviewChanges.textRight": "Alinear dreta",
|
||||
"Common.Controllers.ReviewChanges.textShape": "Forma",
|
||||
"Common.Controllers.ReviewChanges.textShd": "Color de Fons",
|
||||
"Common.Controllers.ReviewChanges.textShow": "Mostra els canvis a",
|
||||
"Common.Controllers.ReviewChanges.textSmallCaps": "Majúscules petites",
|
||||
"Common.Controllers.ReviewChanges.textSpacing": "Espai",
|
||||
"Common.Controllers.ReviewChanges.textSpacingAfter": "Espai després",
|
||||
|
@ -68,19 +74,56 @@
|
|||
"Common.Controllers.ReviewChanges.textTableRowsAdd": "<b>Files de Taula Afegides</b>",
|
||||
"Common.Controllers.ReviewChanges.textTableRowsDel": "<b>Files de Taula Suprimides</b>",
|
||||
"Common.Controllers.ReviewChanges.textTabs": "Canviar tabulació",
|
||||
"Common.Controllers.ReviewChanges.textTitleComparison": "Paràmetres de comparació",
|
||||
"Common.Controllers.ReviewChanges.textUnderline": "Subratllar",
|
||||
"Common.Controllers.ReviewChanges.textUrl": "Enganxar la URL del document",
|
||||
"Common.Controllers.ReviewChanges.textWidow": "Control Finestra",
|
||||
"Common.Controllers.ReviewChanges.textWord": "Nivell de paraula",
|
||||
"Common.define.chartData.textArea": "Àrea",
|
||||
"Common.define.chartData.textAreaStacked": "Àrea apilada",
|
||||
"Common.define.chartData.textAreaStackedPer": "Àrea apilada al 100%",
|
||||
"Common.define.chartData.textBar": "Barra",
|
||||
"Common.define.chartData.textBarNormal": "Columna agrupada",
|
||||
"Common.define.chartData.textBarNormal3d": "Columna 3D agrupada",
|
||||
"Common.define.chartData.textBarNormal3dPerspective": "Columna 3D",
|
||||
"Common.define.chartData.textBarStacked": "Columna apilada",
|
||||
"Common.define.chartData.textBarStacked3d": "Columna 3D apilada",
|
||||
"Common.define.chartData.textBarStackedPer": "Columna apilada al 100%",
|
||||
"Common.define.chartData.textBarStackedPer3d": "columna 3D apilada al 100%",
|
||||
"Common.define.chartData.textCharts": "Gràfics",
|
||||
"Common.define.chartData.textColumn": "Columna",
|
||||
"Common.define.chartData.textCombo": "Combo",
|
||||
"Common.define.chartData.textComboAreaBar": "Àrea apilada - columna agrupada",
|
||||
"Common.define.chartData.textComboBarLine": "Columna-línia agrupada",
|
||||
"Common.define.chartData.textComboBarLineSecondary": " Columna-línia agrupada a l'eix secundari",
|
||||
"Common.define.chartData.textComboCustom": "Combinació personalitzada",
|
||||
"Common.define.chartData.textDoughnut": "Donut",
|
||||
"Common.define.chartData.textHBarNormal": "Barra agrupada",
|
||||
"Common.define.chartData.textHBarNormal3d": "Barra 3D agrupada",
|
||||
"Common.define.chartData.textHBarStacked": "Barra apilada",
|
||||
"Common.define.chartData.textHBarStacked3d": "Barra 3D apilada",
|
||||
"Common.define.chartData.textHBarStackedPer": "Barra apilada al 100%",
|
||||
"Common.define.chartData.textHBarStackedPer3d": "Barra 3-D apilada al 100%",
|
||||
"Common.define.chartData.textLine": "Línia",
|
||||
"Common.define.chartData.textLine3d": "Línia 3D",
|
||||
"Common.define.chartData.textLineMarker": "Línia amb marcadors",
|
||||
"Common.define.chartData.textLineStacked": "Línia apilada",
|
||||
"Common.define.chartData.textLineStackedMarker": "Línia apilada amb marcadors",
|
||||
"Common.define.chartData.textLineStackedPer": "Línia apilada al 100%",
|
||||
"Common.define.chartData.textLineStackedPerMarker": "Línia apilada al 100% amb marcadors",
|
||||
"Common.define.chartData.textPie": "Gràfic circular",
|
||||
"Common.define.chartData.textPie3d": "Pastís 3D",
|
||||
"Common.define.chartData.textPoint": "XY (Dispersió)",
|
||||
"Common.define.chartData.textScatter": "Dispersió",
|
||||
"Common.define.chartData.textScatterLine": "Dispersió amb línies rectes",
|
||||
"Common.define.chartData.textScatterLineMarker": "Dispersió amb línies rectes i marcadors",
|
||||
"Common.define.chartData.textScatterSmooth": "Dispersió amb línies suaus",
|
||||
"Common.define.chartData.textScatterSmoothMarker": "Dispersió amb línies suaus i marcadors",
|
||||
"Common.define.chartData.textStock": "Existències",
|
||||
"Common.define.chartData.textSurface": "Superfície",
|
||||
"Common.Translation.warnFileLocked": "El document està sent editat per una altra aplicació. Podeu continuar editant i guardar-lo com a còpia.",
|
||||
"Common.Translation.warnFileLocked": "No pot editar aquest fitxer perquè s'està editant en una altra aplicació.",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Crea una còpia",
|
||||
"Common.Translation.warnFileLockedBtnView": "Obrir per veure",
|
||||
"Common.UI.Calendar.textApril": "Abril",
|
||||
"Common.UI.Calendar.textAugust": "Agost",
|
||||
"Common.UI.Calendar.textDecember": "Desembre",
|
||||
|
@ -114,6 +157,7 @@
|
|||
"Common.UI.Calendar.textShortTuesday": "Dim",
|
||||
"Common.UI.Calendar.textShortWednesday": "Dim",
|
||||
"Common.UI.Calendar.textYears": "Anys",
|
||||
"Common.UI.ColorButton.textAutoColor": "Automàtic",
|
||||
"Common.UI.ColorButton.textNewColor": "Afegir un Nou Color Personalitzat",
|
||||
"Common.UI.ComboBorderSize.txtNoBorders": "Sense vores",
|
||||
"Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sense vores",
|
||||
|
@ -138,6 +182,9 @@
|
|||
"Common.UI.SynchronizeTip.textSynchronize": "Un altre usuari ha canviat el document.<br>Feu clic per desar els canvis i tornar a carregar les actualitzacions.",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Llum clàssica",
|
||||
"Common.UI.Themes.txtThemeDark": "Fosc",
|
||||
"Common.UI.Themes.txtThemeLight": "Llum",
|
||||
"Common.UI.Window.cancelButtonText": "Cancel·lar",
|
||||
"Common.UI.Window.closeButtonText": "Tancar",
|
||||
"Common.UI.Window.noButtonText": "No",
|
||||
|
@ -159,10 +206,12 @@
|
|||
"Common.Views.About.txtVersion": "Versió",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "Afegir",
|
||||
"Common.Views.AutoCorrectDialog.textApplyText": "Aplica a mesura que escrius",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "Correcció Automàtica",
|
||||
"Common.Views.AutoCorrectDialog.textAutoFormat": "Format automàtic a mesura que escriviu",
|
||||
"Common.Views.AutoCorrectDialog.textBulleted": "Llistes automàtiques de vinyetes",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Per",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Esborrar",
|
||||
"Common.Views.AutoCorrectDialog.textFLSentence": "Posa en majúscules la primera lletra de les frases",
|
||||
"Common.Views.AutoCorrectDialog.textHyphens": "Guions (--) amb guió (—)",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Correcció Automàtica Matemàtica",
|
||||
"Common.Views.AutoCorrectDialog.textNumbered": "Llistes numerades automàtiques",
|
||||
|
@ -212,11 +261,13 @@
|
|||
"Common.Views.ExternalMergeEditor.textSave": "Desar i Sortir",
|
||||
"Common.Views.ExternalMergeEditor.textTitle": "Receptors de Fusió de Correu",
|
||||
"Common.Views.Header.labelCoUsersDescr": "Usuaris que editen el fitxer:",
|
||||
"Common.Views.Header.textAddFavorite": "Marca com a favorit",
|
||||
"Common.Views.Header.textAdvSettings": "Configuració Avançada",
|
||||
"Common.Views.Header.textBack": "Obrir ubicació del arxiu",
|
||||
"Common.Views.Header.textCompactView": "Amagar la Barra d'Eines",
|
||||
"Common.Views.Header.textHideLines": "Amagar Regles",
|
||||
"Common.Views.Header.textHideStatusBar": "Amagar la Barra d'Estat",
|
||||
"Common.Views.Header.textRemoveFavorite": "Elimina dels Favorits",
|
||||
"Common.Views.Header.textZoom": "Zoom",
|
||||
"Common.Views.Header.tipAccessRights": "Gestiona els drets d’accés al document",
|
||||
"Common.Views.Header.tipDownload": "Descarregar arxiu",
|
||||
|
@ -290,10 +341,15 @@
|
|||
"Common.Views.ReviewChanges.strFastDesc": "Co-edició a temps real. Tots",
|
||||
"Common.Views.ReviewChanges.strStrict": "Estricte",
|
||||
"Common.Views.ReviewChanges.strStrictDesc": "Feu servir el botó \"Desa\" per sincronitzar els canvis que feu i els altres.",
|
||||
"Common.Views.ReviewChanges.textEnable": "Activar",
|
||||
"Common.Views.ReviewChanges.textWarnTrackChanges": "El seguiment de canvis s'activarà per a tots els usuaris amb accés total. La pròxima vegada que algú obri el document, el seguiment de canvis seguirà activat.",
|
||||
"Common.Views.ReviewChanges.textWarnTrackChangesTitle": "Voleu activar el seguiment de canvis per a tothom?",
|
||||
"Common.Views.ReviewChanges.tipAcceptCurrent": "Acceptar el canvi actual",
|
||||
"Common.Views.ReviewChanges.tipCoAuthMode": "Configura el mode de coedició",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "Esborrar comentaris",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Esborrar comentaris actuals",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "Resoldre els comentaris",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resol els comentaris actuals",
|
||||
"Common.Views.ReviewChanges.tipCompare": "Comparar el document actual amb un altre",
|
||||
"Common.Views.ReviewChanges.tipHistory": "Mostra l'historial de versions",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "Rebutjar canvi actual",
|
||||
|
@ -305,7 +361,7 @@
|
|||
"Common.Views.ReviewChanges.txtAccept": "Acceptar",
|
||||
"Common.Views.ReviewChanges.txtAcceptAll": "Acceptar Tots els Canvis",
|
||||
"Common.Views.ReviewChanges.txtAcceptChanges": "Acceptar canvis",
|
||||
"Common.Views.ReviewChanges.txtAcceptCurrent": "Acceptar els Canvis Actuals",
|
||||
"Common.Views.ReviewChanges.txtAcceptCurrent": "Acceptar el Canvis Actual",
|
||||
"Common.Views.ReviewChanges.txtChat": "Xat",
|
||||
"Common.Views.ReviewChanges.txtClose": "Tancar",
|
||||
"Common.Views.ReviewChanges.txtCoAuthMode": "Mode de Coedició",
|
||||
|
@ -314,6 +370,11 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "Esborrar els meus comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Esborrar els meus actuals comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "Esborrar",
|
||||
"Common.Views.ReviewChanges.txtCommentResolve": "Resol",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "Resoldre tots els comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resol els comentaris actuals",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "Resoldre els Meus Comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resoldre els Meus Comentaris Actuals",
|
||||
"Common.Views.ReviewChanges.txtCompare": "Comparar",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "Idioma",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Tots el canvis acceptats (Previsualitzar)",
|
||||
|
@ -322,6 +383,10 @@
|
|||
"Common.Views.ReviewChanges.txtMarkup": "Tots els canvis (Edició)",
|
||||
"Common.Views.ReviewChanges.txtMarkupCap": "Cambis",
|
||||
"Common.Views.ReviewChanges.txtNext": "Següent",
|
||||
"Common.Views.ReviewChanges.txtOff": "DESACTIVAT per mi",
|
||||
"Common.Views.ReviewChanges.txtOffGlobal": "DESACTIVAT per mi i per tothom",
|
||||
"Common.Views.ReviewChanges.txtOn": "ACTIU per mi",
|
||||
"Common.Views.ReviewChanges.txtOnGlobal": "ACTIU per mi i per tothom",
|
||||
"Common.Views.ReviewChanges.txtOriginal": "Tots els canvis rebutjats (Previsualitzar)",
|
||||
"Common.Views.ReviewChanges.txtOriginalCap": "Original",
|
||||
"Common.Views.ReviewChanges.txtPrev": "Anterior",
|
||||
|
@ -336,7 +401,7 @@
|
|||
"Common.Views.ReviewChangesDialog.textTitle": "Revisar canvis",
|
||||
"Common.Views.ReviewChangesDialog.txtAccept": "Acceptar",
|
||||
"Common.Views.ReviewChangesDialog.txtAcceptAll": "Acceptar Tots els Canvis",
|
||||
"Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Acceptar el Canvi Actual",
|
||||
"Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Acceptar el canvi actual",
|
||||
"Common.Views.ReviewChangesDialog.txtNext": "Al següent canvi",
|
||||
"Common.Views.ReviewChangesDialog.txtPrev": "Al canvi anterior",
|
||||
"Common.Views.ReviewChangesDialog.txtReject": "Rebutjar",
|
||||
|
@ -349,7 +414,7 @@
|
|||
"Common.Views.ReviewPopover.textEdit": "Acceptar",
|
||||
"Common.Views.ReviewPopover.textFollowMove": "Seguir Moure",
|
||||
"Common.Views.ReviewPopover.textMention": "+mention proporcionarà accés al document i enviarà un correu electrònic",
|
||||
"Common.Views.ReviewPopover.textMentionNotify": "+mention notificarà l'usuari per correu electrònic",
|
||||
"Common.Views.ReviewPopover.textMentionNotify": "+mention notificarà a l'usuari per correu electrònic",
|
||||
"Common.Views.ReviewPopover.textOpenAgain": "Obriu de nou",
|
||||
"Common.Views.ReviewPopover.textReply": "Contestar",
|
||||
"Common.Views.ReviewPopover.textResolve": "Resol",
|
||||
|
@ -362,6 +427,7 @@
|
|||
"Common.Views.SignDialog.textChange": "Canviar",
|
||||
"Common.Views.SignDialog.textInputName": "Posar nom de qui ho firma",
|
||||
"Common.Views.SignDialog.textItalic": "Itàlica",
|
||||
"Common.Views.SignDialog.textNameError": "El nom del signant no pot estar buit.",
|
||||
"Common.Views.SignDialog.textPurpose": "Finalitat de signar aquest document",
|
||||
"Common.Views.SignDialog.textSelect": "Selecciona",
|
||||
"Common.Views.SignDialog.textSelectImage": "Seleccionar Imatge",
|
||||
|
@ -407,6 +473,9 @@
|
|||
"Common.Views.SymbolTableDialog.textSymbols": "Símbols",
|
||||
"Common.Views.SymbolTableDialog.textTitle": "Símbol",
|
||||
"Common.Views.SymbolTableDialog.textTradeMark": "Símbol de Marca Comercial",
|
||||
"Common.Views.UserNameDialog.textDontShow": "No em tornis a preguntar",
|
||||
"Common.Views.UserNameDialog.textLabel": "Etiqueta:",
|
||||
"Common.Views.UserNameDialog.textLabelError": "L'etiqueta no pot estar en blanc.",
|
||||
"DE.Controllers.LeftMenu.leavePageText": "Es perdran tots els canvis no guardats en aquest document.<br>Feu clic a \"Cancel·lar\" i, a continuació, \"Desa\" per desar-los. Feu clic a \"OK\" per descartar tots els canvis no desats.",
|
||||
"DE.Controllers.LeftMenu.newDocumentTitle": "Document sense nom",
|
||||
"DE.Controllers.LeftMenu.notcriticalErrorTitle": "Avis",
|
||||
|
@ -432,6 +501,7 @@
|
|||
"DE.Controllers.Main.errorAccessDeny": "Intenteu realitzar una acció per la qual no teniu drets.<br>Poseu-vos en contacte amb l'administrador del servidor de documents.",
|
||||
"DE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte",
|
||||
"DE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. El document no es pot editar ara mateix.",
|
||||
"DE.Controllers.Main.errorComboSeries": "Per crear un diagrama combinat, seleccioneu almenys dues sèries de dades.",
|
||||
"DE.Controllers.Main.errorCompare": "La funció de comparació de documents no està disponible durant la coedició.",
|
||||
"DE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb el vostre administrador.<br>Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.",
|
||||
"DE.Controllers.Main.errorDatabaseConnection": "Error extern.<br>Error de connexió de base de dades. Contacteu amb l'assistència en cas que l'error continuï.",
|
||||
|
@ -454,7 +524,9 @@
|
|||
"DE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.",
|
||||
"DE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.",
|
||||
"DE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.",
|
||||
"DE.Controllers.Main.errorSetPassword": "No s'ha pogut establir la contrasenya.",
|
||||
"DE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. Per crear un gràfic de valors, col·loqueu les dades del full en l’ordre següent:<br>preu d’obertura, preu màxim, preu mínim, preu de tancament.",
|
||||
"DE.Controllers.Main.errorSubmit": "L'enviament ha fallat.",
|
||||
"DE.Controllers.Main.errorToken": "El testimoni de seguretat del document no està format correctament.<br>Contacteu l'administrador del servidor de documents.",
|
||||
"DE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.<br>Contacteu amb l'administrador del Document Server.",
|
||||
"DE.Controllers.Main.errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.",
|
||||
|
@ -463,6 +535,7 @@
|
|||
"DE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel pla de preus",
|
||||
"DE.Controllers.Main.errorViewerDisconnect": "Es perd la connexió. Encara podeu visualitzar el document,<br>però no podreu descarregar-lo ni imprimir-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.",
|
||||
"DE.Controllers.Main.leavePageText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" i, a continuació, \"Desa\" per desar-les. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.",
|
||||
"DE.Controllers.Main.leavePageTextOnClose": "Es perdran tots els canvis no guardats en aquest document.<br>Feu clic a \"Cancel·lar\" i, a continuació, \"Desa\" per desar-los. Feu clic a \"OK\" per descartar tots els canvis no desats.",
|
||||
"DE.Controllers.Main.loadFontsTextText": "Carregant dades...",
|
||||
"DE.Controllers.Main.loadFontsTitleText": "Carregant Dades",
|
||||
"DE.Controllers.Main.loadFontTextText": "Carregant dades...",
|
||||
|
@ -485,6 +558,7 @@
|
|||
"DE.Controllers.Main.requestEditFailedMessageText": "Algú està editant aquest document ara mateix. Si us plau, intenta-ho més tard.",
|
||||
"DE.Controllers.Main.requestEditFailedTitleText": "Accés denegat",
|
||||
"DE.Controllers.Main.saveErrorText": "S'ha produït un error en desar el fitxer.",
|
||||
"DE.Controllers.Main.saveErrorTextDesktop": "Aquest fitxer no es pot desar o crear.<br>Les raons possibles són:<br>1. El fitxer és de només lectura. <br>2. El fitxer està sent editat per altres usuaris. <br>3. El disc està ple o corromput.",
|
||||
"DE.Controllers.Main.savePreparingText": "Preparant per guardar",
|
||||
"DE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi",
|
||||
"DE.Controllers.Main.saveTextText": "Desant Document...",
|
||||
|
@ -504,15 +578,20 @@
|
|||
"DE.Controllers.Main.textContactUs": "Contacte de Vendes",
|
||||
"DE.Controllers.Main.textConvertEquation": "Aquesta equació es va crear amb una versió antiga de l'editor d'equacions que ja no és compatible. Per editar-la, converteix l’equació al format d’Office Math ML.<br>Converteix ara?",
|
||||
"DE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.<br>Consulteu el nostre departament de vendes per obtenir un pressupost.",
|
||||
"DE.Controllers.Main.textGuest": "Convidat",
|
||||
"DE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.<br>Voleu executar macros?",
|
||||
"DE.Controllers.Main.textLearnMore": "Aprèn Més",
|
||||
"DE.Controllers.Main.textLoadingDocument": "Carregant document",
|
||||
"DE.Controllers.Main.textLongName": "Introduïu un nom que sigui inferior a 128 caràcters.",
|
||||
"DE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la llicència",
|
||||
"DE.Controllers.Main.textPaidFeature": "Funció de pagament",
|
||||
"DE.Controllers.Main.textRemember": "Recorda la meva elecció",
|
||||
"DE.Controllers.Main.textRemember": "Recordar 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 per a la col·laboració",
|
||||
"DE.Controllers.Main.textShape": "Forma",
|
||||
"DE.Controllers.Main.textStrict": "Mode estricte",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "Les funcions Desfés / Rehabiliteu estan desactivades per al mode de coedició ràpida. Feu clic al botó \"Mode estricte\" per canviar al mode de coedició estricte per editar el fitxer sense que hi hagi interferències d'altres usuaris i enviar els canvis només després de desar-lo ells. Podeu canviar entre els modes de coedició mitjançant l'editor Paràmetres avançats.",
|
||||
"DE.Controllers.Main.textTryUndoRedoWarn": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.",
|
||||
"DE.Controllers.Main.titleLicenseExp": "Llicència Caducada",
|
||||
"DE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "Versió canviada",
|
||||
|
@ -525,6 +604,7 @@
|
|||
"DE.Controllers.Main.txtCallouts": "Trucades",
|
||||
"DE.Controllers.Main.txtCharts": "Gràfics",
|
||||
"DE.Controllers.Main.txtChoose": "Tria un element",
|
||||
"DE.Controllers.Main.txtClickToLoad": "Clicar per carregar la imatge",
|
||||
"DE.Controllers.Main.txtCurrentDocument": "Actual Document",
|
||||
"DE.Controllers.Main.txtDiagramTitle": "Gràfic Títol",
|
||||
"DE.Controllers.Main.txtEditingMode": "Establir el mode d'edició ...",
|
||||
|
@ -545,7 +625,9 @@
|
|||
"DE.Controllers.Main.txtMissArg": "Falta Argument",
|
||||
"DE.Controllers.Main.txtMissOperator": "Falta Operador",
|
||||
"DE.Controllers.Main.txtNeedSynchronize": "Teniu actualitzacions",
|
||||
"DE.Controllers.Main.txtNone": "cap",
|
||||
"DE.Controllers.Main.txtNoTableOfContents": "No hi ha cap títol al document. Apliqueu un estil d’encapçalament al text perquè aparegui a la taula de continguts.",
|
||||
"DE.Controllers.Main.txtNoTableOfFigures": "No s'ha trobat cap entrada a la taula de figures.",
|
||||
"DE.Controllers.Main.txtNoText": "Error! No hi ha cap text d'estil especificat al document.",
|
||||
"DE.Controllers.Main.txtNotInTable": "No està en la taula",
|
||||
"DE.Controllers.Main.txtNotValidBookmark": "Error! No és una autoreferenciació de favorit vàlid.",
|
||||
|
@ -671,7 +753,7 @@
|
|||
"DE.Controllers.Main.txtShape_mathNotEqual": "No igual",
|
||||
"DE.Controllers.Main.txtShape_mathPlus": "Més",
|
||||
"DE.Controllers.Main.txtShape_moon": "Lluna",
|
||||
"DE.Controllers.Main.txtShape_noSmoking": "\"No\" Símbol",
|
||||
"DE.Controllers.Main.txtShape_noSmoking": "Símbol \"No\"",
|
||||
"DE.Controllers.Main.txtShape_notchedRightArrow": "Fletxa a la dreta encaixada",
|
||||
"DE.Controllers.Main.txtShape_octagon": "Octagon",
|
||||
"DE.Controllers.Main.txtShape_parallelogram": "Paral·lelograma",
|
||||
|
@ -701,16 +783,16 @@
|
|||
"DE.Controllers.Main.txtShape_snip2SameRect": "Retallar Rectangle de la cantonada del mateix costat",
|
||||
"DE.Controllers.Main.txtShape_snipRoundRect": "Retallar i rondejar rectangle de cantonada senzilla",
|
||||
"DE.Controllers.Main.txtShape_spline": "Corba",
|
||||
"DE.Controllers.Main.txtShape_star10": "10-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star12": "12-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star16": "16-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star24": "24-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star32": "32-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star4": "4-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star5": "5-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star6": "6-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star7": "7-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star8": "8-Punt Principal",
|
||||
"DE.Controllers.Main.txtShape_star10": "Estrella de 10 puntes",
|
||||
"DE.Controllers.Main.txtShape_star12": "Estrella de 12 puntes",
|
||||
"DE.Controllers.Main.txtShape_star16": "Estrella de 16 puntes",
|
||||
"DE.Controllers.Main.txtShape_star24": "Estrella de 24 puntes",
|
||||
"DE.Controllers.Main.txtShape_star32": "Estrella de 32 puntes",
|
||||
"DE.Controllers.Main.txtShape_star4": "Estrella de 4 puntes",
|
||||
"DE.Controllers.Main.txtShape_star5": "Estrella de 5 puntes",
|
||||
"DE.Controllers.Main.txtShape_star6": "Estrella de 6 puntes",
|
||||
"DE.Controllers.Main.txtShape_star7": "Estrella de 7 puntes",
|
||||
"DE.Controllers.Main.txtShape_star8": "Estrella de 8 puntes",
|
||||
"DE.Controllers.Main.txtShape_stripedRightArrow": "Fletxa a la dreta amb bandes",
|
||||
"DE.Controllers.Main.txtShape_sun": "Sol",
|
||||
"DE.Controllers.Main.txtShape_teardrop": "Llàgrima",
|
||||
|
@ -728,6 +810,7 @@
|
|||
"DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Llibre rectangular de punt rodó",
|
||||
"DE.Controllers.Main.txtStarsRibbons": "Estrelles i Cintes",
|
||||
"DE.Controllers.Main.txtStyle_Caption": "Subtítol",
|
||||
"DE.Controllers.Main.txtStyle_endnote_text": "Text de nota final",
|
||||
"DE.Controllers.Main.txtStyle_footnote_text": "Tex Peu de Pàgina",
|
||||
"DE.Controllers.Main.txtStyle_Heading_1": "Títol 1",
|
||||
"DE.Controllers.Main.txtStyle_Heading_2": "Títol 2",
|
||||
|
@ -748,6 +831,8 @@
|
|||
"DE.Controllers.Main.txtSyntaxError": "Error de Sintaxis",
|
||||
"DE.Controllers.Main.txtTableInd": "L'índex de la taula no pot ser zero",
|
||||
"DE.Controllers.Main.txtTableOfContents": "Taula de continguts",
|
||||
"DE.Controllers.Main.txtTableOfFigures": "Taula de figures",
|
||||
"DE.Controllers.Main.txtTOCHeading": "Capçalera de la taula",
|
||||
"DE.Controllers.Main.txtTooLarge": "El número es massa gran per donar-l'hi format",
|
||||
"DE.Controllers.Main.txtTypeEquation": "Escrivir una equació aquí.",
|
||||
"DE.Controllers.Main.txtUndefBookmark": "Marcador no definit",
|
||||
|
@ -761,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Superat el límit màxim del document.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Cap imatge carregada.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Superat el límit màxim de la imatge.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Pujant imatge...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Pujant Imatge",
|
||||
"DE.Controllers.Main.waitText": "Si us plau, esperi...",
|
||||
|
@ -769,6 +854,8 @@
|
|||
"DE.Controllers.Main.warnBrowserZoom": "La configuració del zoom actual del navegador no és totalment compatible. Restabliu el zoom per defecte prement Ctrl+0.",
|
||||
"DE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.<br>Contacteu l'administrador per obtenir més informació.",
|
||||
"DE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.<br>Si us plau, actualitzi la llicencia i recarregui la pàgina.",
|
||||
"DE.Controllers.Main.warnLicenseLimitedNoAccess": "La llicència ha caducat.<br>No teniu accés a la funcionalitat d'edició de documents.<br>Si us plau, contacteu amb l'administrador.",
|
||||
"DE.Controllers.Main.warnLicenseLimitedRenewed": "Cal renovar la llicència.<br>Teniu un accés limitat a la funcionalitat d'edició de documents.<br>Contacteu amb l'administrador per obtenir accés complet",
|
||||
"DE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.<br>Per més informació, poseu-vos en contacte amb l'administrador.",
|
||||
"DE.Controllers.Main.warnNoLicense": "Heu arribat al límit de connexions simultànies per als editors %1. Aquest document s'obrirà al mode de només lectura. Contacteu l'equip de vendes %1 per a les condicions personals de millora del servei.",
|
||||
"DE.Controllers.Main.warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a editors %1.<br> Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.",
|
||||
|
@ -776,6 +863,7 @@
|
|||
"DE.Controllers.Navigation.txtBeginning": "Inici del document",
|
||||
"DE.Controllers.Navigation.txtGotoBeginning": "Anar al començament del document",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "S'han fet un seguiment de nous canvis",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "Esteu en mode de seguiment de canvis",
|
||||
"DE.Controllers.Statusbar.textTrackChanges": "El document s'obre amb el mode Canvis de pista activat",
|
||||
"DE.Controllers.Statusbar.tipReview": "Control de Canvis",
|
||||
"DE.Controllers.Statusbar.zoomText": "Zoom {0}%",
|
||||
|
@ -787,6 +875,7 @@
|
|||
"DE.Controllers.Toolbar.textFontSizeErr": "El valor introduït és incorrecte.<br>Introduïu un valor numèric entre 1 i 300.",
|
||||
"DE.Controllers.Toolbar.textFraction": "Fraccions",
|
||||
"DE.Controllers.Toolbar.textFunction": "Funcions",
|
||||
"DE.Controllers.Toolbar.textGroup": "Grup",
|
||||
"DE.Controllers.Toolbar.textInsert": "Inserta",
|
||||
"DE.Controllers.Toolbar.textIntegral": "Integrals",
|
||||
"DE.Controllers.Toolbar.textLargeOperator": "Operadors Grans",
|
||||
|
@ -796,6 +885,7 @@
|
|||
"DE.Controllers.Toolbar.textRadical": "Radicals",
|
||||
"DE.Controllers.Toolbar.textScript": "Lletres",
|
||||
"DE.Controllers.Toolbar.textSymbols": "Símbols",
|
||||
"DE.Controllers.Toolbar.textTabForms": "Formularis",
|
||||
"DE.Controllers.Toolbar.textWarning": "Avis",
|
||||
"DE.Controllers.Toolbar.txtAccent_Accent": "Agut",
|
||||
"DE.Controllers.Toolbar.txtAccent_ArrowD": "Fletxa dreta-esquerra superior",
|
||||
|
@ -810,7 +900,7 @@
|
|||
"DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Clau Subjacent",
|
||||
"DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Clau superposada",
|
||||
"DE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A",
|
||||
"DE.Controllers.Toolbar.txtAccent_Custom_2": "ABC amb barra",
|
||||
"DE.Controllers.Toolbar.txtAccent_Custom_2": "ABC amb barra a sobre",
|
||||
"DE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR i amb barra sobreposada",
|
||||
"DE.Controllers.Toolbar.txtAccent_DDDot": "Tres punts",
|
||||
"DE.Controllers.Toolbar.txtAccent_DDot": "Doble punt",
|
||||
|
@ -981,9 +1071,9 @@
|
|||
"DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriu buida amb claudàtors",
|
||||
"DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriu buida amb claudàtors",
|
||||
"DE.Controllers.Toolbar.txtMatrix_2_3": "2x3 matriu buida",
|
||||
"DE.Controllers.Toolbar.txtMatrix_3_1": "3x1 matriu buida",
|
||||
"DE.Controllers.Toolbar.txtMatrix_3_2": "3x2 matriu buida",
|
||||
"DE.Controllers.Toolbar.txtMatrix_3_3": "3s3 matriu buida",
|
||||
"DE.Controllers.Toolbar.txtMatrix_3_1": "Matriu buida 3x1",
|
||||
"DE.Controllers.Toolbar.txtMatrix_3_2": "Matriu buida 3x2",
|
||||
"DE.Controllers.Toolbar.txtMatrix_3_3": "Matriu buida 3x3",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Punts Subíndexs",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Dots_Center": "Punts en línia mitja",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Punts en diagonal",
|
||||
|
@ -991,9 +1081,9 @@
|
|||
"DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matriu escassa",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matriu escassa",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 matriu d’identitat",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 matriu d’identitat",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 matriu d’identitat",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 matriu d’identitat",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matriu d’identitat 3x3",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Identity_3": "Matriu d’identitat 3x3",
|
||||
"DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Matriu d’identitat 3x3",
|
||||
"DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Fletxa dreta-esquerra inferior",
|
||||
"DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Fletxa dreta-esquerra superior",
|
||||
"DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Fletxa inferior cap a esquerra",
|
||||
|
@ -1335,6 +1425,7 @@
|
|||
"DE.Views.DocumentHolder.textArrangeForward": "Portar Endavant",
|
||||
"DE.Views.DocumentHolder.textArrangeFront": "Porta a Primer pla",
|
||||
"DE.Views.DocumentHolder.textCells": "Cel·les",
|
||||
"DE.Views.DocumentHolder.textCol": "Suprimeix tota la columna",
|
||||
"DE.Views.DocumentHolder.textContentControls": "Control de contingut",
|
||||
"DE.Views.DocumentHolder.textContinueNumbering": "Continua la numeració",
|
||||
"DE.Views.DocumentHolder.textCopy": "Copiar",
|
||||
|
@ -1353,18 +1444,26 @@
|
|||
"DE.Views.DocumentHolder.textFromStorage": "Des d'Emmagatzematge",
|
||||
"DE.Views.DocumentHolder.textFromUrl": "Des d'un Enllaç",
|
||||
"DE.Views.DocumentHolder.textJoinList": "Uniu-vos a la llista anterior",
|
||||
"DE.Views.DocumentHolder.textLeft": "Desplaça les cel·les a l'esquerra",
|
||||
"DE.Views.DocumentHolder.textNest": "Taula niu",
|
||||
"DE.Views.DocumentHolder.textNextPage": "Pàgina Següent",
|
||||
"DE.Views.DocumentHolder.textNumberingValue": "Valor d'inici",
|
||||
"DE.Views.DocumentHolder.textPaste": "Pegar",
|
||||
"DE.Views.DocumentHolder.textPrevPage": "Pàgina anterior",
|
||||
"DE.Views.DocumentHolder.textRefreshField": "Actualitza el camp",
|
||||
"DE.Views.DocumentHolder.textRemCheckBox": "Elimina la casella de selecció",
|
||||
"DE.Views.DocumentHolder.textRemComboBox": "Elimina el quadre de combinació",
|
||||
"DE.Views.DocumentHolder.textRemDropdown": "Elimina el desplegable",
|
||||
"DE.Views.DocumentHolder.textRemField": "Eliminar camp de text",
|
||||
"DE.Views.DocumentHolder.textRemove": "Esborrar",
|
||||
"DE.Views.DocumentHolder.textRemoveControl": "Esborrar el control de contingut",
|
||||
"DE.Views.DocumentHolder.textRemPicture": "Suprimir Imatge",
|
||||
"DE.Views.DocumentHolder.textRemRadioBox": "Eliminar botó de selecció",
|
||||
"DE.Views.DocumentHolder.textReplace": "Canviar Imatge",
|
||||
"DE.Views.DocumentHolder.textRotate": "Girar",
|
||||
"DE.Views.DocumentHolder.textRotate270": "Girar 90° a l'esquerra",
|
||||
"DE.Views.DocumentHolder.textRotate90": "Girar 90° a la dreta",
|
||||
"DE.Views.DocumentHolder.textRow": "Suprimeix tota la fila",
|
||||
"DE.Views.DocumentHolder.textSeparateList": "Separar llista",
|
||||
"DE.Views.DocumentHolder.textSettings": "Configuració",
|
||||
"DE.Views.DocumentHolder.textSeveral": "Diverses Files/Columnes",
|
||||
|
@ -1376,6 +1475,7 @@
|
|||
"DE.Views.DocumentHolder.textShapeAlignTop": "Alinear Superior",
|
||||
"DE.Views.DocumentHolder.textStartNewList": "Iniciar una llista nova",
|
||||
"DE.Views.DocumentHolder.textStartNumberingFrom": "Establir el valor de numeració",
|
||||
"DE.Views.DocumentHolder.textTitleCellsRemove": "Suprimeix Cel·les",
|
||||
"DE.Views.DocumentHolder.textTOC": "Taula de continguts",
|
||||
"DE.Views.DocumentHolder.textTOCSettings": "Configuració de la taula de continguts",
|
||||
"DE.Views.DocumentHolder.textUndo": "Desfer",
|
||||
|
@ -1589,7 +1689,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Haureu d’acceptar canvis abans de poder-los veure",
|
||||
"DE.Views.FileMenuPanels.Settings.strFast": "Ràpid",
|
||||
"DE.Views.FileMenuPanels.Settings.strFontRender": "Font Suggerida",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Deseu sempre al servidor (en cas contrari, deseu-lo al servidor quan el tanqueu)",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Afegeix una versió a l'emmagatzematge després de fer clic a Desa o Ctrl+S",
|
||||
"DE.Views.FileMenuPanels.Settings.strInputMode": "Activar els jeroglífics",
|
||||
"DE.Views.FileMenuPanels.Settings.strLiveComment": "Activa la visualització dels comentaris",
|
||||
"DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuració de macros",
|
||||
|
@ -1599,6 +1699,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strShowChanges": "Canvis de Col·laboració en temps real",
|
||||
"DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar l’opció de correcció ortogràfica",
|
||||
"DE.Views.FileMenuPanels.Settings.strStrict": "Estricte",
|
||||
"DE.Views.FileMenuPanels.Settings.strTheme": "Tema de la interfície",
|
||||
"DE.Views.FileMenuPanels.Settings.strUnit": "Unitat de Mesura",
|
||||
"DE.Views.FileMenuPanels.Settings.strZoom": "Valor de Zoom Predeterminat",
|
||||
"DE.Views.FileMenuPanels.Settings.text10Minutes": "Cada 10 minuts",
|
||||
|
@ -1610,7 +1711,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Guardar Automàticament",
|
||||
"DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilitat",
|
||||
"DE.Views.FileMenuPanels.Settings.textDisabled": "Desactivat",
|
||||
"DE.Views.FileMenuPanels.Settings.textForceSave": "Desar al Servidor",
|
||||
"DE.Views.FileMenuPanels.Settings.textForceSave": "Desant versions intermèdies",
|
||||
"DE.Views.FileMenuPanels.Settings.textMinute": "Cada Minut",
|
||||
"DE.Views.FileMenuPanels.Settings.textOldVersions": "Feu que els fitxers siguin compatibles amb versions anteriors de MS Word quan els deseu com a DOCX",
|
||||
"DE.Views.FileMenuPanels.Settings.txtAll": "Veure Tot",
|
||||
|
@ -1636,6 +1737,63 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Mostra la Notificació",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Desactiveu totes les macros amb una notificació",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWin": "com Windows",
|
||||
"DE.Views.FormSettings.textCheckbox": "\nCasella de selecció",
|
||||
"DE.Views.FormSettings.textColor": "Color Vora",
|
||||
"DE.Views.FormSettings.textComb": "Pinta de caràcters",
|
||||
"DE.Views.FormSettings.textCombobox": "Quadre combinat",
|
||||
"DE.Views.FormSettings.textConnected": "Camps connectats",
|
||||
"DE.Views.FormSettings.textDelete": "Suprimeix",
|
||||
"DE.Views.FormSettings.textDisconnect": "Desconnectar",
|
||||
"DE.Views.FormSettings.textDropDown": "Desplegar",
|
||||
"DE.Views.FormSettings.textField": "Camp de text",
|
||||
"DE.Views.FormSettings.textFixed": "Camp de mida fixa",
|
||||
"DE.Views.FormSettings.textFromFile": "Des d'un fitxer",
|
||||
"DE.Views.FormSettings.textFromStorage": "Des de l'Emmagatzematge",
|
||||
"DE.Views.FormSettings.textFromUrl": "Des de l'URL",
|
||||
"DE.Views.FormSettings.textGroupKey": "Clau de grup",
|
||||
"DE.Views.FormSettings.textImage": "Imatge",
|
||||
"DE.Views.FormSettings.textKey": "Clau",
|
||||
"DE.Views.FormSettings.textLock": "Bloqueja",
|
||||
"DE.Views.FormSettings.textMaxChars": "Límit de caràcters",
|
||||
"DE.Views.FormSettings.textNoBorder": "Sense vora",
|
||||
"DE.Views.FormSettings.textPlaceholder": "Marcador de posició",
|
||||
"DE.Views.FormSettings.textRadiobox": "Botó d'opció",
|
||||
"DE.Views.FormSettings.textRequired": "Requerit",
|
||||
"DE.Views.FormSettings.textSelectImage": "Seleccionar imatge",
|
||||
"DE.Views.FormSettings.textTip": "Consell",
|
||||
"DE.Views.FormSettings.textTipAdd": "Afegeir nou valor",
|
||||
"DE.Views.FormSettings.textTipDelete": "Suprimeix el valor",
|
||||
"DE.Views.FormSettings.textTipDown": "Mou avall",
|
||||
"DE.Views.FormSettings.textTipUp": "Mou amunt",
|
||||
"DE.Views.FormSettings.textUnlock": "Desbloquejar",
|
||||
"DE.Views.FormSettings.textValue": "Opcions de valor",
|
||||
"DE.Views.FormSettings.textWidth": "Ample de cel·la",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Casella de selecció",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Quadre combinat",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Desplegable",
|
||||
"DE.Views.FormsTab.capBtnImage": "Imatge",
|
||||
"DE.Views.FormsTab.capBtnNext": "Camp Següent",
|
||||
"DE.Views.FormsTab.capBtnPrev": "Camp anterior",
|
||||
"DE.Views.FormsTab.capBtnRadioBox": "Botó d'opció",
|
||||
"DE.Views.FormsTab.capBtnSubmit": "Enviar",
|
||||
"DE.Views.FormsTab.capBtnText": "Camp de text",
|
||||
"DE.Views.FormsTab.capBtnView": "Visualitzar formulari",
|
||||
"DE.Views.FormsTab.textClear": "Neteja els camps",
|
||||
"DE.Views.FormsTab.textClearFields": "Esborrar tots els camps",
|
||||
"DE.Views.FormsTab.textHighlight": "Paràmetres de ressaltat",
|
||||
"DE.Views.FormsTab.textNewColor": "Afegeix Color Personalitzat Nou",
|
||||
"DE.Views.FormsTab.textNoHighlight": "Sense ressaltat",
|
||||
"DE.Views.FormsTab.textSubmited": "El formulari s'ha enviat correctament",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Insereix casella de selecció",
|
||||
"DE.Views.FormsTab.tipComboBox": "Insereix casella de combinació",
|
||||
"DE.Views.FormsTab.tipDropDown": "Insereix llista desplegable",
|
||||
"DE.Views.FormsTab.tipImageField": "Insereix imatge",
|
||||
"DE.Views.FormsTab.tipNextForm": "Vés al camp següent",
|
||||
"DE.Views.FormsTab.tipPrevForm": "Vés al camp anterior",
|
||||
"DE.Views.FormsTab.tipRadioBox": "Insereix botó d'opció",
|
||||
"DE.Views.FormsTab.tipSubmit": "Enviar formulari",
|
||||
"DE.Views.FormsTab.tipTextField": "Insereix camp de text",
|
||||
"DE.Views.FormsTab.tipViewForm": "Visualitzar formulari",
|
||||
"DE.Views.HeaderFooterSettings.textBottomCenter": "Inferior centre",
|
||||
"DE.Views.HeaderFooterSettings.textBottomLeft": "Inferior esquerra",
|
||||
"DE.Views.HeaderFooterSettings.textBottomPage": "Al Peu de Pàgina",
|
||||
|
@ -1668,6 +1826,7 @@
|
|||
"DE.Views.HyperlinkSettingsDialog.txtEmpty": "Aquest camp és obligatori",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtHeadings": "Rúbriques",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Aquest camp està limitat a 2083 caràcters",
|
||||
"DE.Views.ImageSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
"DE.Views.ImageSettings.textCrop": "Retallar",
|
||||
"DE.Views.ImageSettings.textCropFill": "Omplir",
|
||||
|
@ -1773,7 +1932,7 @@
|
|||
"DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "A través",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Estret",
|
||||
"DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "Superior e Inferior",
|
||||
"DE.Views.LeftMenu.tipAbout": "Sobre el programa",
|
||||
"DE.Views.LeftMenu.tipAbout": "Quant a...",
|
||||
"DE.Views.LeftMenu.tipChat": "Xat",
|
||||
"DE.Views.LeftMenu.tipComments": "Comentaris",
|
||||
"DE.Views.LeftMenu.tipNavigation": "Navegació",
|
||||
|
@ -1782,7 +1941,9 @@
|
|||
"DE.Views.LeftMenu.tipSupport": "Opinió & Suport",
|
||||
"DE.Views.LeftMenu.tipTitles": "Títols",
|
||||
"DE.Views.LeftMenu.txtDeveloper": "MODALITAT DE DESENVOLUPADOR",
|
||||
"DE.Views.LeftMenu.txtLimit": "Limitar l'accés",
|
||||
"DE.Views.LeftMenu.txtTrial": "ESTAT DE PROVA",
|
||||
"DE.Views.LeftMenu.txtTrialDev": "Mode de desenvolupador de prova",
|
||||
"DE.Views.LineNumbersDialog.textAddLineNumbering": "Afegir numeració de línies",
|
||||
"DE.Views.LineNumbersDialog.textApplyTo": "Aplicar els canvis a",
|
||||
"DE.Views.LineNumbersDialog.textContinuous": "Contínua",
|
||||
|
@ -1796,6 +1957,7 @@
|
|||
"DE.Views.LineNumbersDialog.textSection": "Secció actual",
|
||||
"DE.Views.LineNumbersDialog.textStartAt": "Començar a",
|
||||
"DE.Views.LineNumbersDialog.textTitle": "Números de Línies",
|
||||
"DE.Views.LineNumbersDialog.txtAutoText": "Automàtic",
|
||||
"DE.Views.Links.capBtnBookmarks": "Marcador",
|
||||
"DE.Views.Links.capBtnCaption": "Subtítol",
|
||||
"DE.Views.Links.capBtnContentsUpdate": "Actualitzar",
|
||||
|
@ -1803,9 +1965,11 @@
|
|||
"DE.Views.Links.capBtnInsContents": "Taula de continguts",
|
||||
"DE.Views.Links.capBtnInsFootnote": "Nota a peu de pàgina",
|
||||
"DE.Views.Links.capBtnInsLink": "Hiperenllaç",
|
||||
"DE.Views.Links.capBtnTOF": "Taula de figures",
|
||||
"DE.Views.Links.confirmDeleteFootnotes": "Voleu suprimir totes les notes al peu de pàgina?",
|
||||
"DE.Views.Links.confirmReplaceTOF": "Voleu substituir la taula de figures seleccionada?",
|
||||
"DE.Views.Links.mniConvertNote": "Converteix Totes les Notes",
|
||||
"DE.Views.Links.mniDelFootnote": "Suprimeix totes les notes al peu de pàgina",
|
||||
"DE.Views.Links.mniDelFootnote": "Suprimeix Totes les Notes",
|
||||
"DE.Views.Links.mniInsEndnote": "Inseriu Nota Final",
|
||||
"DE.Views.Links.mniInsFootnote": "Inserir Nota Peu Pàgina",
|
||||
"DE.Views.Links.mniNoteSettings": "Ajust de les notes a peu de pàgina",
|
||||
|
@ -1825,6 +1989,9 @@
|
|||
"DE.Views.Links.tipCrossRef": "Inseriu referència creuada",
|
||||
"DE.Views.Links.tipInsertHyperlink": "Afegir enllaç",
|
||||
"DE.Views.Links.tipNotes": "Inseriu o editeu notes a la pàgina de pàgina",
|
||||
"DE.Views.Links.tipTableFigures": "Insereix taula de figures",
|
||||
"DE.Views.Links.tipTableFiguresUpdate": "Actualitza la taula de figures",
|
||||
"DE.Views.Links.titleUpdateTOF": "Actualitza la taula de figures",
|
||||
"DE.Views.ListSettingsDialog.textAuto": "Automàtic",
|
||||
"DE.Views.ListSettingsDialog.textCenter": "Centre",
|
||||
"DE.Views.ListSettingsDialog.textLeft": "Esquerra",
|
||||
|
@ -1883,7 +2050,7 @@
|
|||
"DE.Views.MailMergeSettings.textSendMsg": "Tots els missatges de correu electrònic estan preparats i seran enviats properament.<br>La velocitat de la publicació depèn del servei de correu.<br>Podeu continuar treballant amb el document o tancar-lo. Un cop finalitzada l’operació, la notificació s’enviarà a la vostra adreça de correu electrònic de registre.",
|
||||
"DE.Views.MailMergeSettings.textTo": "Per a",
|
||||
"DE.Views.MailMergeSettings.txtFirst": "Al Primer Camp",
|
||||
"DE.Views.MailMergeSettings.txtFromToError": "El valor \"de\" ha de ser inferior al valor \"a\"",
|
||||
"DE.Views.MailMergeSettings.txtFromToError": "El valor «De» ha de ser més petit que el valor «Fins»",
|
||||
"DE.Views.MailMergeSettings.txtLast": "A l'Últim camp",
|
||||
"DE.Views.MailMergeSettings.txtNext": "Al camp següent",
|
||||
"DE.Views.MailMergeSettings.txtPrev": "Al registre anterior",
|
||||
|
@ -1904,6 +2071,7 @@
|
|||
"DE.Views.NoteSettingsDialog.textApplyTo": "Aplicar els canvis a",
|
||||
"DE.Views.NoteSettingsDialog.textContinue": "Contínua",
|
||||
"DE.Views.NoteSettingsDialog.textCustom": "Personalitzar Marca",
|
||||
"DE.Views.NoteSettingsDialog.textDocEnd": "Final del document",
|
||||
"DE.Views.NoteSettingsDialog.textDocument": "Tot el document",
|
||||
"DE.Views.NoteSettingsDialog.textEachPage": "Reinicieu cada pàgina",
|
||||
"DE.Views.NoteSettingsDialog.textEachSection": "Reinicieu cada secció",
|
||||
|
@ -1947,6 +2115,10 @@
|
|||
"DE.Views.PageSizeDialog.textTitle": "Mida de Pàgina",
|
||||
"DE.Views.PageSizeDialog.textWidth": "Amplada",
|
||||
"DE.Views.PageSizeDialog.txtCustom": "Personalitzat",
|
||||
"DE.Views.ParagraphSettings.strIndent": "Sagnats",
|
||||
"DE.Views.ParagraphSettings.strIndentsLeftText": "Esquerra",
|
||||
"DE.Views.ParagraphSettings.strIndentsRightText": "Dreta",
|
||||
"DE.Views.ParagraphSettings.strIndentsSpecial": "Especial",
|
||||
"DE.Views.ParagraphSettings.strLineHeight": "Espai entre Línies",
|
||||
"DE.Views.ParagraphSettings.strParagraphSpacing": "Espaiat de Paràgraf",
|
||||
"DE.Views.ParagraphSettings.strSomeParagraphSpace": "No afegiu interval entre paràgrafs del mateix estil",
|
||||
|
@ -1958,6 +2130,9 @@
|
|||
"DE.Views.ParagraphSettings.textAuto": "multiplicador",
|
||||
"DE.Views.ParagraphSettings.textBackColor": "Color de Fons",
|
||||
"DE.Views.ParagraphSettings.textExact": "Exacte",
|
||||
"DE.Views.ParagraphSettings.textFirstLine": "Primera línia",
|
||||
"DE.Views.ParagraphSettings.textHanging": "Penjat",
|
||||
"DE.Views.ParagraphSettings.textNoneSpecial": "(cap)",
|
||||
"DE.Views.ParagraphSettings.txtAutoText": "Auto",
|
||||
"DE.Views.ParagraphSettingsAdvanced.noTabs": "Les pestanyes especificades apareixeran en aquest camp",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Majúscules ",
|
||||
|
@ -2033,6 +2208,7 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
|
||||
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sense vores",
|
||||
"DE.Views.RightMenu.txtChartSettings": "Gràfic Configuració",
|
||||
"DE.Views.RightMenu.txtFormSettings": "Paràmetres del formulari",
|
||||
"DE.Views.RightMenu.txtHeaderFooterSettings": "Configuració de la capçalera i el peu de pàgina",
|
||||
"DE.Views.RightMenu.txtImageSettings": "Configuració Imatge",
|
||||
"DE.Views.RightMenu.txtMailMergeSettings": "Ajusts de fusió",
|
||||
|
@ -2049,7 +2225,7 @@
|
|||
"DE.Views.ShapeSettings.strPattern": "Patró",
|
||||
"DE.Views.ShapeSettings.strShadow": "Mostra ombra",
|
||||
"DE.Views.ShapeSettings.strSize": "Mida",
|
||||
"DE.Views.ShapeSettings.strStroke": "Traça",
|
||||
"DE.Views.ShapeSettings.strStroke": "Línia",
|
||||
"DE.Views.ShapeSettings.strTransparency": "Opacitat",
|
||||
"DE.Views.ShapeSettings.strType": "Tipus",
|
||||
"DE.Views.ShapeSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
|
@ -2116,6 +2292,7 @@
|
|||
"DE.Views.SignatureSettings.strValid": "Signatures vàlides",
|
||||
"DE.Views.SignatureSettings.txtContinueEditing": "Edita de totes maneres",
|
||||
"DE.Views.SignatureSettings.txtEditWarning": "L’edició eliminarà les signatures del document.<br>Esteu segur que voleu continuar?",
|
||||
"DE.Views.SignatureSettings.txtRemoveWarning": "Voleu eliminar aquesta signatura?<br>Això no es podrà desfer.",
|
||||
"DE.Views.SignatureSettings.txtRequestedSignatures": "Aquest document s'ha de signar.",
|
||||
"DE.Views.SignatureSettings.txtSigned": "S'han afegit signatures vàlides al document. El document està protegit de l'edició.",
|
||||
"DE.Views.SignatureSettings.txtSignedInvalid": "Algunes de les signatures digitals del document no són vàlides o no s’han pogut verificar. El document està protegit de l'edició.",
|
||||
|
@ -2140,20 +2317,32 @@
|
|||
"DE.Views.TableFormulaDialog.textInsertFunction": "Funció Pegar",
|
||||
"DE.Views.TableFormulaDialog.textTitle": "Configuració de Fórmula",
|
||||
"DE.Views.TableOfContentsSettings.strAlign": "Alineeu a la dreta els números de pàgina",
|
||||
"DE.Views.TableOfContentsSettings.strFullCaption": "Inclou l'etiqueta i el número",
|
||||
"DE.Views.TableOfContentsSettings.strLinks": "Format de la taula de continguts com a enllaços",
|
||||
"DE.Views.TableOfContentsSettings.strLinksOF": "Formatar la taula de figures com a enllaços",
|
||||
"DE.Views.TableOfContentsSettings.strShowPages": "Mostra els números de la pàgina",
|
||||
"DE.Views.TableOfContentsSettings.textBuildTable": "Crea la taula de continguts a partir de",
|
||||
"DE.Views.TableOfContentsSettings.textBuildTableOF": "Construir una taula de figures a partir de",
|
||||
"DE.Views.TableOfContentsSettings.textEquation": "Equació",
|
||||
"DE.Views.TableOfContentsSettings.textFigure": "Figura",
|
||||
"DE.Views.TableOfContentsSettings.textLeader": "Director",
|
||||
"DE.Views.TableOfContentsSettings.textLevel": "Nivell",
|
||||
"DE.Views.TableOfContentsSettings.textLevels": "Nivells",
|
||||
"DE.Views.TableOfContentsSettings.textNone": "Cap",
|
||||
"DE.Views.TableOfContentsSettings.textRadioCaption": "Llegenda",
|
||||
"DE.Views.TableOfContentsSettings.textRadioLevels": "Nivells de perfil",
|
||||
"DE.Views.TableOfContentsSettings.textRadioStyle": "Estil",
|
||||
"DE.Views.TableOfContentsSettings.textRadioStyles": "Seleccionar estils",
|
||||
"DE.Views.TableOfContentsSettings.textStyle": "Estil",
|
||||
"DE.Views.TableOfContentsSettings.textStyles": "Estils",
|
||||
"DE.Views.TableOfContentsSettings.textTable": "Taula",
|
||||
"DE.Views.TableOfContentsSettings.textTitle": "Taula de continguts",
|
||||
"DE.Views.TableOfContentsSettings.textTitleTOF": "Taula de figures",
|
||||
"DE.Views.TableOfContentsSettings.txtCentered": "Centrat",
|
||||
"DE.Views.TableOfContentsSettings.txtClassic": "Clàssic",
|
||||
"DE.Views.TableOfContentsSettings.txtCurrent": "Actual",
|
||||
"DE.Views.TableOfContentsSettings.txtDistinctive": "Distintiu",
|
||||
"DE.Views.TableOfContentsSettings.txtFormal": "Formal",
|
||||
"DE.Views.TableOfContentsSettings.txtModern": "Moderna",
|
||||
"DE.Views.TableOfContentsSettings.txtOnline": "En línia",
|
||||
"DE.Views.TableOfContentsSettings.txtSimple": "Simple",
|
||||
|
@ -2181,6 +2370,7 @@
|
|||
"DE.Views.TableSettings.textBorders": "Estil de la Vora",
|
||||
"DE.Views.TableSettings.textCellSize": "Mida de Files i Columnes",
|
||||
"DE.Views.TableSettings.textColumns": "Columnes",
|
||||
"DE.Views.TableSettings.textConvert": "Converteix la taula a text",
|
||||
"DE.Views.TableSettings.textDistributeCols": "Distribuïu les columnes",
|
||||
"DE.Views.TableSettings.textDistributeRows": "Distribuïu les files",
|
||||
"DE.Views.TableSettings.textEdit": "Files i Columnes",
|
||||
|
@ -2285,10 +2475,18 @@
|
|||
"DE.Views.TableSettingsAdvanced.txtNoBorders": "Sense vores",
|
||||
"DE.Views.TableSettingsAdvanced.txtPercent": "Percentatge",
|
||||
"DE.Views.TableSettingsAdvanced.txtPt": "Punt",
|
||||
"DE.Views.TableToTextDialog.textEmpty": "Heu d'introduir un caràcter per al separador personalitzat.",
|
||||
"DE.Views.TableToTextDialog.textNested": "Converteix les taules niuades",
|
||||
"DE.Views.TableToTextDialog.textOther": "Altre",
|
||||
"DE.Views.TableToTextDialog.textPara": "Marques de paràgraf",
|
||||
"DE.Views.TableToTextDialog.textSemicolon": "Punts i coma",
|
||||
"DE.Views.TableToTextDialog.textSeparator": "Separar el text amb",
|
||||
"DE.Views.TableToTextDialog.textTab": "Pestanyes",
|
||||
"DE.Views.TableToTextDialog.textTitle": "Converteix la taula a text",
|
||||
"DE.Views.TextArtSettings.strColor": "Color",
|
||||
"DE.Views.TextArtSettings.strFill": "Omplir",
|
||||
"DE.Views.TextArtSettings.strSize": "Mida",
|
||||
"DE.Views.TextArtSettings.strStroke": "Traça",
|
||||
"DE.Views.TextArtSettings.strStroke": "Línia",
|
||||
"DE.Views.TextArtSettings.strTransparency": "Opacitat",
|
||||
"DE.Views.TextArtSettings.strType": "Tipus",
|
||||
"DE.Views.TextArtSettings.textAngle": "Angle",
|
||||
|
@ -2308,6 +2506,21 @@
|
|||
"DE.Views.TextArtSettings.tipAddGradientPoint": "Afegir punt de degradat",
|
||||
"DE.Views.TextArtSettings.tipRemoveGradientPoint": "Elimina el punt de degradat",
|
||||
"DE.Views.TextArtSettings.txtNoBorders": "Sense Línia",
|
||||
"DE.Views.TextToTableDialog.textAutofit": "Ajustament automàtic",
|
||||
"DE.Views.TextToTableDialog.textColumns": "Columnes",
|
||||
"DE.Views.TextToTableDialog.textContents": "Ajustar automàticament al contingut",
|
||||
"DE.Views.TextToTableDialog.textEmpty": "Heu d'introduir un caràcter per al separador personalitzat.",
|
||||
"DE.Views.TextToTableDialog.textFixed": "Amplada de columna fixa",
|
||||
"DE.Views.TextToTableDialog.textOther": "Altre",
|
||||
"DE.Views.TextToTableDialog.textPara": "Paràgrafs",
|
||||
"DE.Views.TextToTableDialog.textRows": "Files",
|
||||
"DE.Views.TextToTableDialog.textSemicolon": "Punts i coma",
|
||||
"DE.Views.TextToTableDialog.textSeparator": "Separar el text a",
|
||||
"DE.Views.TextToTableDialog.textTab": "Pestanyes",
|
||||
"DE.Views.TextToTableDialog.textTableSize": "Mida de la taula",
|
||||
"DE.Views.TextToTableDialog.textTitle": "Converteix el text a taula",
|
||||
"DE.Views.TextToTableDialog.textWindow": "\nAjustar automàticament a la finestra",
|
||||
"DE.Views.TextToTableDialog.txtAutoText": "Automàtic",
|
||||
"DE.Views.Toolbar.capBtnAddComment": "Afegir Comentari",
|
||||
"DE.Views.Toolbar.capBtnBlankPage": "Pàgina en Blanc",
|
||||
"DE.Views.Toolbar.capBtnColumns": "Columnes",
|
||||
|
@ -2335,6 +2548,7 @@
|
|||
"DE.Views.Toolbar.capImgForward": "Portar Endavant",
|
||||
"DE.Views.Toolbar.capImgGroup": "Agrupar",
|
||||
"DE.Views.Toolbar.capImgWrapping": "Ajustant",
|
||||
"DE.Views.Toolbar.mniCapitalizeWords": "Posar en majúscules cada paraula",
|
||||
"DE.Views.Toolbar.mniCustomTable": "Inserir Taula Personalitzada",
|
||||
"DE.Views.Toolbar.mniDrawTable": "Taula de dibuix",
|
||||
"DE.Views.Toolbar.mniEditControls": "Configuració de control",
|
||||
|
@ -2348,10 +2562,16 @@
|
|||
"DE.Views.Toolbar.mniImageFromFile": "Imatge d'un Fitxer",
|
||||
"DE.Views.Toolbar.mniImageFromStorage": "Imatge d'un Magatzem",
|
||||
"DE.Views.Toolbar.mniImageFromUrl": "Imatge d'un Enllaç",
|
||||
"DE.Views.Toolbar.mniLowerCase": "minúscules",
|
||||
"DE.Views.Toolbar.mniSentenceCase": "Cas de frase",
|
||||
"DE.Views.Toolbar.mniTextToTable": "Converteix el text a taula",
|
||||
"DE.Views.Toolbar.mniToggleCase": "iNVERTIR mAJÚSCULES",
|
||||
"DE.Views.Toolbar.mniUpperCase": "MAJÚSCULES",
|
||||
"DE.Views.Toolbar.strMenuNoFill": "Sense Omplir",
|
||||
"DE.Views.Toolbar.textAutoColor": "Automàtic",
|
||||
"DE.Views.Toolbar.textBold": "Negreta",
|
||||
"DE.Views.Toolbar.textBottom": "Inferior:",
|
||||
"DE.Views.Toolbar.textChangeLevel": "Canvia el nivell de llista",
|
||||
"DE.Views.Toolbar.textCheckboxControl": "Casella de Selecció",
|
||||
"DE.Views.Toolbar.textColumnsCustom": "Personalitzar Columnes",
|
||||
"DE.Views.Toolbar.textColumnsLeft": "Esquerra",
|
||||
|
@ -2428,6 +2648,7 @@
|
|||
"DE.Views.Toolbar.tipAlignRight": "Alinear dreta",
|
||||
"DE.Views.Toolbar.tipBack": "Enrere",
|
||||
"DE.Views.Toolbar.tipBlankPage": "Inseriu pàgina en blanc",
|
||||
"DE.Views.Toolbar.tipChangeCase": "Canvia el cas",
|
||||
"DE.Views.Toolbar.tipChangeChart": "Canviar el tipus de gràfic",
|
||||
"DE.Views.Toolbar.tipClearStyle": "Esborrar estil",
|
||||
"DE.Views.Toolbar.tipColorSchemas": "Canviar el esquema de color",
|
||||
|
|
|
@ -846,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Maximale Dokumentgröße ist überschritten.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Kein Bild wird hochgeladen.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Das Bild wird hochgeladen...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen",
|
||||
"DE.Controllers.Main.waitText": "Bitte warten...",
|
||||
|
@ -2162,7 +2162,7 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.strSubscript": "Tiefgestellt",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Hochgestellt",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "Zeilennummerierung verbieten",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulator",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulatoren",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAlign": "Ausrichtung",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Mindestens",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAuto": "Mehrfach",
|
||||
|
@ -2481,7 +2481,7 @@
|
|||
"DE.Views.TableToTextDialog.textPara": "Absatzmarken",
|
||||
"DE.Views.TableToTextDialog.textSemicolon": "Semikolons",
|
||||
"DE.Views.TableToTextDialog.textSeparator": "Text trennen durch:",
|
||||
"DE.Views.TableToTextDialog.textTab": "Registerkarten",
|
||||
"DE.Views.TableToTextDialog.textTab": "Tabulatoren",
|
||||
"DE.Views.TableToTextDialog.textTitle": "Tabelle in Text umwandeln",
|
||||
"DE.Views.TextArtSettings.strColor": "Farbe",
|
||||
"DE.Views.TextArtSettings.strFill": "Füllung",
|
||||
|
@ -2516,7 +2516,7 @@
|
|||
"DE.Views.TextToTableDialog.textRows": "Zeilen",
|
||||
"DE.Views.TextToTableDialog.textSemicolon": "Semikolons",
|
||||
"DE.Views.TextToTableDialog.textSeparator": "Text trennen bei:",
|
||||
"DE.Views.TextToTableDialog.textTab": "Registerkarten",
|
||||
"DE.Views.TextToTableDialog.textTab": "Tabulatoren",
|
||||
"DE.Views.TextToTableDialog.textTableSize": "Größe der Tabelle",
|
||||
"DE.Views.TextToTableDialog.textTitle": "Text in Tabelle umwandeln",
|
||||
"DE.Views.TextToTableDialog.textWindow": "Größe an Fenster anpassen",
|
||||
|
|
|
@ -35,7 +35,7 @@
|
|||
"Common.Controllers.ReviewChanges.textIndentRight": "Indent right",
|
||||
"Common.Controllers.ReviewChanges.textInserted": "<b>Inserted:</b>",
|
||||
"Common.Controllers.ReviewChanges.textItalic": "Italic",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Align justify",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Align justified",
|
||||
"Common.Controllers.ReviewChanges.textKeepLines": "Keep lines together",
|
||||
"Common.Controllers.ReviewChanges.textKeepNext": "Keep with next",
|
||||
"Common.Controllers.ReviewChanges.textLeft": "Align left",
|
||||
|
@ -846,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Maximum document size limit exceeded.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Unknown image format.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Maximum image size limit exceeded.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Uploading image...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Uploading Image",
|
||||
"DE.Controllers.Main.waitText": "Please, wait...",
|
||||
|
@ -1737,6 +1737,9 @@
|
|||
"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",
|
||||
"DE.Views.FormSettings.textAlways": "Always",
|
||||
"DE.Views.FormSettings.textAspect": "Lock aspect ratio",
|
||||
"DE.Views.FormSettings.textAutofit": "AutoFit",
|
||||
"DE.Views.FormSettings.textCheckbox": "Checkbox",
|
||||
"DE.Views.FormSettings.textColor": "Border color",
|
||||
"DE.Views.FormSettings.textComb": "Comb of characters",
|
||||
|
@ -1755,27 +1758,24 @@
|
|||
"DE.Views.FormSettings.textKey": "Key",
|
||||
"DE.Views.FormSettings.textLock": "Lock",
|
||||
"DE.Views.FormSettings.textMaxChars": "Characters limit",
|
||||
"DE.Views.FormSettings.textMulti": "Multiline field",
|
||||
"DE.Views.FormSettings.textNever": "Never",
|
||||
"DE.Views.FormSettings.textNoBorder": "No border",
|
||||
"DE.Views.FormSettings.textPlaceholder": "Placeholder",
|
||||
"DE.Views.FormSettings.textRadiobox": "Radio Button",
|
||||
"DE.Views.FormSettings.textRequired": "Required",
|
||||
"DE.Views.FormSettings.textScale": "When to scale",
|
||||
"DE.Views.FormSettings.textSelectImage": "Select Image",
|
||||
"DE.Views.FormSettings.textTip": "Tip",
|
||||
"DE.Views.FormSettings.textTipAdd": "Add new value",
|
||||
"DE.Views.FormSettings.textTipDelete": "Delete value",
|
||||
"DE.Views.FormSettings.textTipDown": "Move down",
|
||||
"DE.Views.FormSettings.textTipUp": "Move up",
|
||||
"DE.Views.FormSettings.textTooBig": "Image is Too Big",
|
||||
"DE.Views.FormSettings.textTooSmall": "Image is Too Small",
|
||||
"DE.Views.FormSettings.textUnlock": "Unlock",
|
||||
"DE.Views.FormSettings.textValue": "Value Options",
|
||||
"DE.Views.FormSettings.textWidth": "Cell width",
|
||||
"DE.Views.FormSettings.textAutofit": "AutoFit",
|
||||
"DE.Views.FormSettings.textMulti": "Multiline field",
|
||||
"DE.Views.FormSettings.textAspect": "Lock aspect ratio",
|
||||
"DE.Views.FormSettings.textAlways": "Always",
|
||||
"DE.Views.FormSettings.textNever": "Never",
|
||||
"DE.Views.FormSettings.textTooBig": "Image is Too Big",
|
||||
"DE.Views.FormSettings.textTooSmall": "Image is Too Small",
|
||||
"DE.Views.FormSettings.textScale": "When to scale",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Checkbox",
|
||||
"DE.Views.FormsTab.capBtnComboBox": "Combo Box",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Dropdown",
|
||||
|
|
|
@ -35,7 +35,7 @@
|
|||
"Common.Controllers.ReviewChanges.textIndentRight": "Sangría derecha",
|
||||
"Common.Controllers.ReviewChanges.textInserted": "<b>Insertado:</b>",
|
||||
"Common.Controllers.ReviewChanges.textItalic": "Cursiva",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Alinear justificar",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Alinear justificado",
|
||||
"Common.Controllers.ReviewChanges.textKeepLines": "Mantener líneas juntas",
|
||||
"Common.Controllers.ReviewChanges.textKeepNext": "Conservar con el siguiente",
|
||||
"Common.Controllers.ReviewChanges.textLeft": "Alinear a la izquierda",
|
||||
|
@ -846,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Límite de tamaño máximo del documento excedido.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Ningunas imágenes cargadas.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Tamaño máximo de imagen está superado.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Subiendo imagen...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Subiendo imagen",
|
||||
"DE.Controllers.Main.waitText": "Por favor, espere...",
|
||||
|
|
|
@ -35,7 +35,7 @@
|
|||
"Common.Controllers.ReviewChanges.textIndentRight": "Rientro a destra",
|
||||
"Common.Controllers.ReviewChanges.textInserted": "<b>Inserito:</b>",
|
||||
"Common.Controllers.ReviewChanges.textItalic": "Corsivo",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Giustificato",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Allineamento giustificato",
|
||||
"Common.Controllers.ReviewChanges.textKeepLines": "Mantieni assieme le righe",
|
||||
"Common.Controllers.ReviewChanges.textKeepNext": "Mantieni con il successivo",
|
||||
"Common.Controllers.ReviewChanges.textLeft": "Allinea a sinistra",
|
||||
|
@ -211,6 +211,7 @@
|
|||
"Common.Views.AutoCorrectDialog.textBulleted": "Elenchi puntati automatici",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Di",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Elimina",
|
||||
"Common.Views.AutoCorrectDialog.textFLSentence": "Rendere maiuscola la prima lettera di frasi",
|
||||
"Common.Views.AutoCorrectDialog.textHyphens": "Trattini (--) con trattino (-)",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Correzione automatica matematica",
|
||||
"Common.Views.AutoCorrectDialog.textNumbered": "Elenchi numerati automatici",
|
||||
|
@ -347,6 +348,8 @@
|
|||
"Common.Views.ReviewChanges.tipCoAuthMode": "Imposta modalità co-editing",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "Rimuovi i commenti",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Rimuovi i commenti correnti",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "Risolvere i commenti",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Risolvere i commenti presenti",
|
||||
"Common.Views.ReviewChanges.tipCompare": "Confronta il documento corrente con un altro",
|
||||
"Common.Views.ReviewChanges.tipHistory": "Mostra Cronologia versioni",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "Annulla la modifica attuale",
|
||||
|
@ -367,6 +370,11 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "Rimuovi i miei commenti",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Rimuovi i miei commenti attuali",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "Elimina",
|
||||
"Common.Views.ReviewChanges.txtCommentResolve": "Risolvere",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "Risolvere tutti i commenti",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Risolvere i commenti presenti",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "Risolvere i miei commenti",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Risolvere i miei commenti presenti",
|
||||
"Common.Views.ReviewChanges.txtCompare": "Confronta",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "Lingua",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Tutti le modifiche accettate (anteprima)",
|
||||
|
@ -583,6 +591,7 @@
|
|||
"DE.Controllers.Main.textShape": "Forma",
|
||||
"DE.Controllers.Main.textStrict": "Modalità Rigorosa",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "Le funzioni Annulla/Ripristina sono disabilitate per la Modalità di Co-editing Veloce.<br>Clicca il pulsante 'Modalità Rigorosa' per passare alla Modalità di Co-editing Rigorosa per poter modificare il file senza l'interferenza di altri utenti e inviare le modifiche solamente dopo averle salvate. Puoi passare da una modalità all'altra di co-editing utilizzando le Impostazioni avanzate dell'editor.",
|
||||
"DE.Controllers.Main.textTryUndoRedoWarn": "Le funzioni Annulla/Ripeti sono disattivate nella modalità rapida in modifica collaborativa.",
|
||||
"DE.Controllers.Main.titleLicenseExp": "La licenza è scaduta",
|
||||
"DE.Controllers.Main.titleServerVersion": "L'editor è stato aggiornato",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "Versione Modificata",
|
||||
|
@ -616,6 +625,7 @@
|
|||
"DE.Controllers.Main.txtMissArg": "Argomento mancante",
|
||||
"DE.Controllers.Main.txtMissOperator": "Operatore mancante",
|
||||
"DE.Controllers.Main.txtNeedSynchronize": "Ci sono aggiornamenti disponibili",
|
||||
"DE.Controllers.Main.txtNone": "Niente",
|
||||
"DE.Controllers.Main.txtNoTableOfContents": "Non ci sono titoli nel documento. Applicare uno stile di titolo al testo in modo che appaia nel sommario.",
|
||||
"DE.Controllers.Main.txtNoTableOfFigures": "Nessuna voce della tabella delle cifre trovata.",
|
||||
"DE.Controllers.Main.txtNoText": "Errore! Nessuno stile specificato per il testo nel documento.",
|
||||
|
@ -836,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Il limite massimo delle dimensioni del documento è stato superato.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Formato immagine sconosciuto.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Nessuna immagine caricata.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "È stata superata la dimensione massima dell'immagine.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Caricamento immagine in corso...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Caricamento dell'immagine",
|
||||
"DE.Controllers.Main.waitText": "Per favore, attendi...",
|
||||
|
@ -1679,7 +1689,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.",
|
||||
"DE.Views.FileMenuPanels.Settings.strFast": "Rapido",
|
||||
"DE.Views.FileMenuPanels.Settings.strFontRender": "Suggerimento per i caratteri",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)",
|
||||
"DE.Views.FileMenuPanels.Settings.strForcesave": "Aggiungere la versione all'archivio dopo aver fatto clic su Salva o CTRL+S",
|
||||
"DE.Views.FileMenuPanels.Settings.strInputMode": "Attiva geroglifici",
|
||||
"DE.Views.FileMenuPanels.Settings.strLiveComment": "Attivare visualizzazione dei commenti",
|
||||
"DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Impostazioni macro",
|
||||
|
@ -1701,7 +1711,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.textAutoSave": "Salvataggio automatico",
|
||||
"DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilità",
|
||||
"DE.Views.FileMenuPanels.Settings.textDisabled": "Disattivato",
|
||||
"DE.Views.FileMenuPanels.Settings.textForceSave": "Salva sul server",
|
||||
"DE.Views.FileMenuPanels.Settings.textForceSave": "Salvare versioni intermedie",
|
||||
"DE.Views.FileMenuPanels.Settings.textMinute": "Ogni minuto",
|
||||
"DE.Views.FileMenuPanels.Settings.textOldVersions": "Rendi i file compatibili con le versioni precedenti di MS Word quando vengono salvati come DOCX",
|
||||
"DE.Views.FileMenuPanels.Settings.txtAll": "Tutte",
|
||||
|
@ -1736,6 +1746,7 @@
|
|||
"DE.Views.FormSettings.textDisconnect": "Disconnetti",
|
||||
"DE.Views.FormSettings.textDropDown": "Menù a discesca",
|
||||
"DE.Views.FormSettings.textField": "Campo di testo",
|
||||
"DE.Views.FormSettings.textFixed": "Dimensione di campo fissa",
|
||||
"DE.Views.FormSettings.textFromFile": "Da file",
|
||||
"DE.Views.FormSettings.textFromStorage": "Da spazio di archiviazione",
|
||||
"DE.Views.FormSettings.textFromUrl": "Da URL",
|
||||
|
@ -1747,6 +1758,7 @@
|
|||
"DE.Views.FormSettings.textNoBorder": "Senza bordo",
|
||||
"DE.Views.FormSettings.textPlaceholder": "Segnaposto",
|
||||
"DE.Views.FormSettings.textRadiobox": "Pulsante opzione",
|
||||
"DE.Views.FormSettings.textRequired": "Richiesto",
|
||||
"DE.Views.FormSettings.textSelectImage": "Seleziona Immagine",
|
||||
"DE.Views.FormSettings.textTip": "Suggerimento",
|
||||
"DE.Views.FormSettings.textTipAdd": "Aggiungi un nuovo valore",
|
||||
|
@ -2358,6 +2370,7 @@
|
|||
"DE.Views.TableSettings.textBorders": "Stile bordo",
|
||||
"DE.Views.TableSettings.textCellSize": "Dimensioni di righe e colonne",
|
||||
"DE.Views.TableSettings.textColumns": "Colonne",
|
||||
"DE.Views.TableSettings.textConvert": "Convertire tabella in testo",
|
||||
"DE.Views.TableSettings.textDistributeCols": "Distribuisci colonne",
|
||||
"DE.Views.TableSettings.textDistributeRows": "Distribuisci righe",
|
||||
"DE.Views.TableSettings.textEdit": "Righe e colonne",
|
||||
|
@ -2462,6 +2475,14 @@
|
|||
"DE.Views.TableSettingsAdvanced.txtNoBorders": "Nessun bordo",
|
||||
"DE.Views.TableSettingsAdvanced.txtPercent": "Percento",
|
||||
"DE.Views.TableSettingsAdvanced.txtPt": "Punto",
|
||||
"DE.Views.TableToTextDialog.textEmpty": "È necessario digitare un carattere per il separatore personalizzato.",
|
||||
"DE.Views.TableToTextDialog.textNested": "Convertire le tabelle nidificate",
|
||||
"DE.Views.TableToTextDialog.textOther": "Altro",
|
||||
"DE.Views.TableToTextDialog.textPara": "Segni di paragrafo",
|
||||
"DE.Views.TableToTextDialog.textSemicolon": "Virgole",
|
||||
"DE.Views.TableToTextDialog.textSeparator": "Separare il testo con",
|
||||
"DE.Views.TableToTextDialog.textTab": "Schede",
|
||||
"DE.Views.TableToTextDialog.textTitle": "Convertire tabella in testo",
|
||||
"DE.Views.TextArtSettings.strColor": "Colore",
|
||||
"DE.Views.TextArtSettings.strFill": "Riempimento",
|
||||
"DE.Views.TextArtSettings.strSize": "Dimensione",
|
||||
|
@ -2485,7 +2506,20 @@
|
|||
"DE.Views.TextArtSettings.tipAddGradientPoint": "Aggiungi punto di sfumatura",
|
||||
"DE.Views.TextArtSettings.tipRemoveGradientPoint": "Rimuovi punto sfumatura",
|
||||
"DE.Views.TextArtSettings.txtNoBorders": "Nessuna linea",
|
||||
"DE.Views.TextToTableDialog.textAutofit": "Modo di autofit",
|
||||
"DE.Views.TextToTableDialog.textColumns": "Colonne",
|
||||
"DE.Views.TextToTableDialog.textContents": "Autofit ai contenuti",
|
||||
"DE.Views.TextToTableDialog.textEmpty": "È necessario digitare un carattere per il separatore personalizzato.",
|
||||
"DE.Views.TextToTableDialog.textFixed": "Larghezza di colonna fissa",
|
||||
"DE.Views.TextToTableDialog.textOther": "Altro",
|
||||
"DE.Views.TextToTableDialog.textPara": "Paragrafi",
|
||||
"DE.Views.TextToTableDialog.textRows": "Righe",
|
||||
"DE.Views.TextToTableDialog.textSemicolon": "Virgole",
|
||||
"DE.Views.TextToTableDialog.textSeparator": "Separare il testo in",
|
||||
"DE.Views.TextToTableDialog.textTab": "Schede",
|
||||
"DE.Views.TextToTableDialog.textTableSize": "Dimensione di tabella",
|
||||
"DE.Views.TextToTableDialog.textTitle": "Convertire testo in tabella",
|
||||
"DE.Views.TextToTableDialog.textWindow": "Autofit alla finestra",
|
||||
"DE.Views.TextToTableDialog.txtAutoText": "Automatico",
|
||||
"DE.Views.Toolbar.capBtnAddComment": "Aggiungi commento",
|
||||
"DE.Views.Toolbar.capBtnBlankPage": "Pagina Vuota",
|
||||
|
@ -2530,6 +2564,7 @@
|
|||
"DE.Views.Toolbar.mniImageFromUrl": "Immagine da URL",
|
||||
"DE.Views.Toolbar.mniLowerCase": "minuscolo",
|
||||
"DE.Views.Toolbar.mniSentenceCase": "Sentenza della frase",
|
||||
"DE.Views.Toolbar.mniTextToTable": "Convertire testo in tabella",
|
||||
"DE.Views.Toolbar.mniToggleCase": "mAIUSCOLO mINUSCOLO",
|
||||
"DE.Views.Toolbar.mniUpperCase": "MAIUSCOLO",
|
||||
"DE.Views.Toolbar.strMenuNoFill": "Nessun riempimento",
|
||||
|
|
|
@ -182,6 +182,9 @@
|
|||
"Common.UI.SynchronizeTip.textSynchronize": "Het document is gewijzigd door een andere gebruiker.<br>Klik om uw wijzigingen op te slaan en de updates opnieuw te laden.",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Standaardkleuren",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Themakleuren",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Klassiek Licht",
|
||||
"Common.UI.Themes.txtThemeDark": "Donker",
|
||||
"Common.UI.Themes.txtThemeLight": "Licht",
|
||||
"Common.UI.Window.cancelButtonText": "Annuleren",
|
||||
"Common.UI.Window.closeButtonText": "Sluiten",
|
||||
"Common.UI.Window.noButtonText": "Nee",
|
||||
|
@ -203,10 +206,12 @@
|
|||
"Common.Views.About.txtVersion": "Versie",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "Toevoegen",
|
||||
"Common.Views.AutoCorrectDialog.textApplyText": "Toepassen terwijl u typt",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "Auto Correctie",
|
||||
"Common.Views.AutoCorrectDialog.textAutoFormat": "AutoOpmaak terwijl u typt",
|
||||
"Common.Views.AutoCorrectDialog.textBulleted": "Automatische lijsten met opsommingstekens",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Door",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Verwijderen",
|
||||
"Common.Views.AutoCorrectDialog.textFLSentence": "Maak de eerste letter van zinnen hoofdletter",
|
||||
"Common.Views.AutoCorrectDialog.textHyphens": "Koppeltekens (--) met streepje (—)",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Wiskundige autocorrectie",
|
||||
"Common.Views.AutoCorrectDialog.textNumbered": "Automatische genummerde lijsten",
|
||||
|
@ -343,6 +348,8 @@
|
|||
"Common.Views.ReviewChanges.tipCoAuthMode": "Zet samenwerkings modus",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "Alle opmerkingen verwijderen",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Verwijder huidige opmerking",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "Oplossen van opmerkingen",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Oplossen van huidige opmerkingen",
|
||||
"Common.Views.ReviewChanges.tipCompare": "Vergelijk huidig document met een ander document.",
|
||||
"Common.Views.ReviewChanges.tipHistory": "Toon versie geschiedenis",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "Huidige wijziging afwijzen",
|
||||
|
@ -363,6 +370,11 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "Verwijder al mijn commentaar",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Verwijder mijn huidige opmerkingen",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "Verwijderen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolve": "Oplossen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "Alle opmerkingen oplossen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Oplossen van huidige opmerkingen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "Los mijn opmerkingen op",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Mijn huidige opmerkingen oplossen",
|
||||
"Common.Views.ReviewChanges.txtCompare": "Vergelijken",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "Taal",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Alle veranderingen geaccepteerd (Voorbeeld)",
|
||||
|
@ -523,6 +535,7 @@
|
|||
"DE.Controllers.Main.errorUsersExceed": "Het onder het prijsplan toegestane aantal gebruikers is overschreden",
|
||||
"DE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,<br>maar u kunt het pas downloaden of afdrukken als de verbinding is hersteld en de pagina opnieuw is geladen.",
|
||||
"DE.Controllers.Main.leavePageText": "Dit document bevat niet-opgeslagen wijzigingen. Klik op \"Op deze pagina blijven\" en dan op \"Opslaan\" om uw wijzigingen op te slaan. Klik op \"Pagina verlaten\" om alle niet-opgeslagen wijzigingen te negeren.",
|
||||
"DE.Controllers.Main.leavePageTextOnClose": "Alle niet opgeslagen wijzigingen in dit document gaan verloren. <br> Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet opgeslagen wijzigingen te verwijderen.",
|
||||
"DE.Controllers.Main.loadFontsTextText": "Gegevens worden geladen...",
|
||||
"DE.Controllers.Main.loadFontsTitleText": "Gegevens worden geladen",
|
||||
"DE.Controllers.Main.loadFontTextText": "Gegevens worden geladen...",
|
||||
|
@ -578,6 +591,7 @@
|
|||
"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.",
|
||||
"DE.Controllers.Main.textTryUndoRedoWarn": "De functies Ongedaan maken/Annuleren zijn uitgeschakeld in de modus Snel meewerken.",
|
||||
"DE.Controllers.Main.titleLicenseExp": "Licentie vervallen",
|
||||
"DE.Controllers.Main.titleServerVersion": "Editor bijgewerkt",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "Versie gewijzigd",
|
||||
|
@ -590,6 +604,7 @@
|
|||
"DE.Controllers.Main.txtCallouts": "Legenda",
|
||||
"DE.Controllers.Main.txtCharts": "Grafieken",
|
||||
"DE.Controllers.Main.txtChoose": "Kies een item",
|
||||
"DE.Controllers.Main.txtClickToLoad": "Klik om afbeelding te laden",
|
||||
"DE.Controllers.Main.txtCurrentDocument": "Huidig document",
|
||||
"DE.Controllers.Main.txtDiagramTitle": "Grafiektitel",
|
||||
"DE.Controllers.Main.txtEditingMode": "Bewerkmodus instellen...",
|
||||
|
@ -610,7 +625,9 @@
|
|||
"DE.Controllers.Main.txtMissArg": "Missende parameter",
|
||||
"DE.Controllers.Main.txtMissOperator": "Ontbrekende operator",
|
||||
"DE.Controllers.Main.txtNeedSynchronize": "U hebt updates",
|
||||
"DE.Controllers.Main.txtNone": "Geen",
|
||||
"DE.Controllers.Main.txtNoTableOfContents": "Er zijn geen koppen in het document. Pas een kopstijl toe op de tekst zodat deze in de inhoudsopgave wordt weergegeven.",
|
||||
"DE.Controllers.Main.txtNoTableOfFigures": "Geen tabel met cijfers gevonden.",
|
||||
"DE.Controllers.Main.txtNoText": "Fout! Geen gespecificeerde tekst in document",
|
||||
"DE.Controllers.Main.txtNotInTable": "Is niet in tabel",
|
||||
"DE.Controllers.Main.txtNotValidBookmark": "Fout! Geen geldige zelf referentie voor bladwijzers.",
|
||||
|
@ -793,6 +810,7 @@
|
|||
"DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Afgeronde rechthoekige Legenda",
|
||||
"DE.Controllers.Main.txtStarsRibbons": "Sterren en linten",
|
||||
"DE.Controllers.Main.txtStyle_Caption": "Onderschrift",
|
||||
"DE.Controllers.Main.txtStyle_endnote_text": "Eindnoot tekst",
|
||||
"DE.Controllers.Main.txtStyle_footnote_text": "Voetnoot tekst",
|
||||
"DE.Controllers.Main.txtStyle_Heading_1": "Kop 1",
|
||||
"DE.Controllers.Main.txtStyle_Heading_2": "Kop 2",
|
||||
|
@ -813,6 +831,8 @@
|
|||
"DE.Controllers.Main.txtSyntaxError": "Syntax error",
|
||||
"DE.Controllers.Main.txtTableInd": "Tabelindex mag niet nul zijn",
|
||||
"DE.Controllers.Main.txtTableOfContents": "Inhoudsopgave",
|
||||
"DE.Controllers.Main.txtTableOfFigures": "Tabel met cijfers",
|
||||
"DE.Controllers.Main.txtTOCHeading": "TOC rubriek",
|
||||
"DE.Controllers.Main.txtTooLarge": "te groot getal om te formatteren",
|
||||
"DE.Controllers.Main.txtTypeEquation": "Typ hier een vergelijking.",
|
||||
"DE.Controllers.Main.txtUndefBookmark": "Ongedefinieerde bladwijzer",
|
||||
|
@ -855,6 +875,7 @@
|
|||
"DE.Controllers.Toolbar.textFontSizeErr": "De ingevoerde waarde is onjuist.<br>Voer een waarde tussen 1 en 300 in",
|
||||
"DE.Controllers.Toolbar.textFraction": "Breuken",
|
||||
"DE.Controllers.Toolbar.textFunction": "Functies",
|
||||
"DE.Controllers.Toolbar.textGroup": "Groep",
|
||||
"DE.Controllers.Toolbar.textInsert": "Invoegen",
|
||||
"DE.Controllers.Toolbar.textIntegral": "Integralen",
|
||||
"DE.Controllers.Toolbar.textLargeOperator": "Grote operators",
|
||||
|
@ -1725,6 +1746,7 @@
|
|||
"DE.Views.FormSettings.textDisconnect": "Verbinding verbreken",
|
||||
"DE.Views.FormSettings.textDropDown": "Dropdown",
|
||||
"DE.Views.FormSettings.textField": "Tekstvak",
|
||||
"DE.Views.FormSettings.textFixed": "Veld met vaste afmetingen",
|
||||
"DE.Views.FormSettings.textFromFile": "Van bestand",
|
||||
"DE.Views.FormSettings.textFromStorage": "Van Opslag",
|
||||
"DE.Views.FormSettings.textFromUrl": "Van URL",
|
||||
|
@ -1736,6 +1758,7 @@
|
|||
"DE.Views.FormSettings.textNoBorder": "Geen rand",
|
||||
"DE.Views.FormSettings.textPlaceholder": "Tijdelijke aanduiding",
|
||||
"DE.Views.FormSettings.textRadiobox": "Radial knop",
|
||||
"DE.Views.FormSettings.textRequired": "Vereist",
|
||||
"DE.Views.FormSettings.textSelectImage": "Selecteer afbeelding",
|
||||
"DE.Views.FormSettings.textTip": "Tip",
|
||||
"DE.Views.FormSettings.textTipAdd": "Voeg nieuwe waarde toe",
|
||||
|
@ -1803,6 +1826,7 @@
|
|||
"DE.Views.HyperlinkSettingsDialog.txtEmpty": "Dit veld is vereist",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtHeadings": "Koppen",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Dit veld moet een URL in de notatie \"http://www.voorbeeld.com\" bevatten",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Dit veld is beperkt tot 2083 tekens",
|
||||
"DE.Views.ImageSettings.textAdvanced": "Geavanceerde instellingen tonen",
|
||||
"DE.Views.ImageSettings.textCrop": "Uitsnijden",
|
||||
"DE.Views.ImageSettings.textCropFill": "Vulling",
|
||||
|
@ -2346,6 +2370,7 @@
|
|||
"DE.Views.TableSettings.textBorders": "Randstijl",
|
||||
"DE.Views.TableSettings.textCellSize": "Rijen & Kolommen grootte",
|
||||
"DE.Views.TableSettings.textColumns": "Kolommen",
|
||||
"DE.Views.TableSettings.textConvert": "Tabel omzetten naar tekst",
|
||||
"DE.Views.TableSettings.textDistributeCols": "Kolommen verdelen",
|
||||
"DE.Views.TableSettings.textDistributeRows": "Rijen verdelen",
|
||||
"DE.Views.TableSettings.textEdit": "Rijen en kolommen",
|
||||
|
@ -2450,6 +2475,14 @@
|
|||
"DE.Views.TableSettingsAdvanced.txtNoBorders": "Geen randen",
|
||||
"DE.Views.TableSettingsAdvanced.txtPercent": "Procent",
|
||||
"DE.Views.TableSettingsAdvanced.txtPt": "Punt",
|
||||
"DE.Views.TableToTextDialog.textEmpty": "U moet een teken typen voor het aangepaste scheidingsteken.",
|
||||
"DE.Views.TableToTextDialog.textNested": "Geneste tabellen converteren",
|
||||
"DE.Views.TableToTextDialog.textOther": "Andere",
|
||||
"DE.Views.TableToTextDialog.textPara": "Paragraaf tekens",
|
||||
"DE.Views.TableToTextDialog.textSemicolon": "Puntkomma's",
|
||||
"DE.Views.TableToTextDialog.textSeparator": "Scheid tekst met",
|
||||
"DE.Views.TableToTextDialog.textTab": "Table size",
|
||||
"DE.Views.TableToTextDialog.textTitle": "Tabel omzetten naar tekst",
|
||||
"DE.Views.TextArtSettings.strColor": "Kleur",
|
||||
"DE.Views.TextArtSettings.strFill": "Vulling",
|
||||
"DE.Views.TextArtSettings.strSize": "Grootte",
|
||||
|
@ -2473,6 +2506,21 @@
|
|||
"DE.Views.TextArtSettings.tipAddGradientPoint": "Kleurovergangpunt toevoegen",
|
||||
"DE.Views.TextArtSettings.tipRemoveGradientPoint": "Kleurovergangpunt verwijderen",
|
||||
"DE.Views.TextArtSettings.txtNoBorders": "Geen lijn",
|
||||
"DE.Views.TextToTableDialog.textAutofit": "Automatisch passend gedrag",
|
||||
"DE.Views.TextToTableDialog.textColumns": "Kolommen",
|
||||
"DE.Views.TextToTableDialog.textContents": "Automatisch aanpassen aan de inhoud",
|
||||
"DE.Views.TextToTableDialog.textEmpty": "U moet een teken typen voor het aangepaste scheidingsteken.",
|
||||
"DE.Views.TextToTableDialog.textFixed": "Vaste kolombreedte",
|
||||
"DE.Views.TextToTableDialog.textOther": "Andere",
|
||||
"DE.Views.TextToTableDialog.textPara": "Paragrafen",
|
||||
"DE.Views.TextToTableDialog.textRows": "Rijen",
|
||||
"DE.Views.TextToTableDialog.textSemicolon": "Puntkomma's",
|
||||
"DE.Views.TextToTableDialog.textSeparator": "Afzonderlijke tekst op",
|
||||
"DE.Views.TextToTableDialog.textTab": "Tabs",
|
||||
"DE.Views.TextToTableDialog.textTableSize": "Tabel Grootte",
|
||||
"DE.Views.TextToTableDialog.textTitle": "Tekst omzetten naar tabel",
|
||||
"DE.Views.TextToTableDialog.textWindow": "Automatische aanpassing aan het venster",
|
||||
"DE.Views.TextToTableDialog.txtAutoText": "Auto",
|
||||
"DE.Views.Toolbar.capBtnAddComment": "Opmerking toevoegen",
|
||||
"DE.Views.Toolbar.capBtnBlankPage": "Lege pagina",
|
||||
"DE.Views.Toolbar.capBtnColumns": "Kolommen",
|
||||
|
@ -2516,6 +2564,7 @@
|
|||
"DE.Views.Toolbar.mniImageFromUrl": "Afbeelding van URL",
|
||||
"DE.Views.Toolbar.mniLowerCase": "kleine letters ",
|
||||
"DE.Views.Toolbar.mniSentenceCase": "Zin lettertype",
|
||||
"DE.Views.Toolbar.mniTextToTable": "Tekst omzetten naar tabel",
|
||||
"DE.Views.Toolbar.mniToggleCase": "Schakel lettertype",
|
||||
"DE.Views.Toolbar.mniUpperCase": "HOOFDLETTERS",
|
||||
"DE.Views.Toolbar.strMenuNoFill": "Geen vulling",
|
||||
|
@ -2599,7 +2648,7 @@
|
|||
"DE.Views.Toolbar.tipAlignRight": "Rechts uitlijnen",
|
||||
"DE.Views.Toolbar.tipBack": "Terug",
|
||||
"DE.Views.Toolbar.tipBlankPage": "Invoegen nieuwe pagina",
|
||||
"DE.Views.Toolbar.tipChangeCase": "Verander lettertype",
|
||||
"DE.Views.Toolbar.tipChangeCase": "Verander geval",
|
||||
"DE.Views.Toolbar.tipChangeChart": "Grafiektype wijzigen",
|
||||
"DE.Views.Toolbar.tipClearStyle": "Stijl wissen",
|
||||
"DE.Views.Toolbar.tipColorSchemas": "Kleurenschema wijzigen",
|
||||
|
|
|
@ -35,7 +35,7 @@
|
|||
"Common.Controllers.ReviewChanges.textIndentRight": "Indent right",
|
||||
"Common.Controllers.ReviewChanges.textInserted": "<b>Inserted:</b>",
|
||||
"Common.Controllers.ReviewChanges.textItalic": "Italic",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Align justify",
|
||||
"Common.Controllers.ReviewChanges.textJustify": "Alinhamento justificado",
|
||||
"Common.Controllers.ReviewChanges.textKeepLines": "Keep lines together",
|
||||
"Common.Controllers.ReviewChanges.textKeepNext": "Keep with next",
|
||||
"Common.Controllers.ReviewChanges.textLeft": "Align left",
|
||||
|
@ -846,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Tamanho máximo do documento excedido.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Limite máximo do tamanho da imagem excedido.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Carregando imagem...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
|
||||
"DE.Controllers.Main.waitText": "Aguarde...",
|
||||
|
|
|
@ -846,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Dimensiunea documentului depășește limita permisă.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Format de imagine nerecunoscut.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Nicio imagine nu a fost încărcată.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Dimensiunea imaginii depășește limita maximă.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Încărcarea imaginii...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Încărcarea imaginii",
|
||||
"DE.Controllers.Main.waitText": "Vă rugăm să așteptați...",
|
||||
|
@ -1737,6 +1737,8 @@
|
|||
"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.FormSettings.textAspect": "Blocare raport aspect",
|
||||
"DE.Views.FormSettings.textAutofit": "Potrivire automată",
|
||||
"DE.Views.FormSettings.textCheckbox": "Caseta de selectare",
|
||||
"DE.Views.FormSettings.textColor": "Culoare bordura",
|
||||
"DE.Views.FormSettings.textComb": "Câmp de pieptene",
|
||||
|
@ -1755,6 +1757,7 @@
|
|||
"DE.Views.FormSettings.textKey": "Cheie",
|
||||
"DE.Views.FormSettings.textLock": "Blocare",
|
||||
"DE.Views.FormSettings.textMaxChars": "Numărul limită de caractere",
|
||||
"DE.Views.FormSettings.textNever": "Niciodată",
|
||||
"DE.Views.FormSettings.textNoBorder": "Fără bordură",
|
||||
"DE.Views.FormSettings.textPlaceholder": "Substituent",
|
||||
"DE.Views.FormSettings.textRadiobox": "Buton opțiune",
|
||||
|
|
|
@ -276,7 +276,7 @@
|
|||
"Common.Views.Header.tipRedo": "Повторить",
|
||||
"Common.Views.Header.tipSave": "Сохранить",
|
||||
"Common.Views.Header.tipUndo": "Отменить",
|
||||
"Common.Views.Header.tipViewSettings": "Параметры представления",
|
||||
"Common.Views.Header.tipViewSettings": "Параметры вида",
|
||||
"Common.Views.Header.tipViewUsers": "Просмотр пользователей и управление правами доступа к документу",
|
||||
"Common.Views.Header.txtAccessRights": "Изменить права доступа",
|
||||
"Common.Views.Header.txtRename": "Переименовать",
|
||||
|
@ -846,7 +846,7 @@
|
|||
"DE.Controllers.Main.uploadDocSizeMessage": "Превышен максимальный размер документа.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Неизвестный формат изображения.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Ни одного изображения не загружено.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Превышен максимальный размер изображения.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Слишком большое изображение. Максимальный размер - 25 MB.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Загрузка изображения...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Загрузка изображения",
|
||||
"DE.Controllers.Main.waitText": "Пожалуйста, подождите...",
|
||||
|
@ -1737,6 +1737,9 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Показывать уведомление",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Отключить все макросы с уведомлением",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWin": "как Windows",
|
||||
"DE.Views.FormSettings.textAlways": "Всегда",
|
||||
"DE.Views.FormSettings.textAspect": "Сохранять пропорции",
|
||||
"DE.Views.FormSettings.textAutofit": "Автоподбор",
|
||||
"DE.Views.FormSettings.textCheckbox": "Флажок",
|
||||
"DE.Views.FormSettings.textColor": "Цвет границ",
|
||||
"DE.Views.FormSettings.textComb": "Комбинировать символы",
|
||||
|
@ -1755,16 +1758,21 @@
|
|||
"DE.Views.FormSettings.textKey": "Ключ",
|
||||
"DE.Views.FormSettings.textLock": "Заблокировать",
|
||||
"DE.Views.FormSettings.textMaxChars": "Максимальное число знаков",
|
||||
"DE.Views.FormSettings.textMulti": "Многострочное поле",
|
||||
"DE.Views.FormSettings.textNever": "Никогда",
|
||||
"DE.Views.FormSettings.textNoBorder": "Без границ",
|
||||
"DE.Views.FormSettings.textPlaceholder": "Заполнитель",
|
||||
"DE.Views.FormSettings.textRadiobox": "Переключатель",
|
||||
"DE.Views.FormSettings.textRequired": "Обязательно",
|
||||
"DE.Views.FormSettings.textScale": "Когда масштабировать",
|
||||
"DE.Views.FormSettings.textSelectImage": "Выбрать изображение",
|
||||
"DE.Views.FormSettings.textTip": "Подсказка",
|
||||
"DE.Views.FormSettings.textTipAdd": "Добавить новое значение",
|
||||
"DE.Views.FormSettings.textTipDelete": "Удалить значение",
|
||||
"DE.Views.FormSettings.textTipDown": "Переместить вниз",
|
||||
"DE.Views.FormSettings.textTipUp": "Переместить вверх",
|
||||
"DE.Views.FormSettings.textTooBig": "Изображение слишком большое",
|
||||
"DE.Views.FormSettings.textTooSmall": "Изображение слишком маленькое",
|
||||
"DE.Views.FormSettings.textUnlock": "Разблокировать",
|
||||
"DE.Views.FormSettings.textValue": "Параметры значений",
|
||||
"DE.Views.FormSettings.textWidth": "Ширина ячейки",
|
||||
|
@ -1783,6 +1791,7 @@
|
|||
"DE.Views.FormsTab.textHighlight": "Цвет подсветки",
|
||||
"DE.Views.FormsTab.textNewColor": "Пользовательский цвет",
|
||||
"DE.Views.FormsTab.textNoHighlight": "Без подсветки",
|
||||
"DE.Views.FormsTab.textRequired": "Заполните все обязательные поля для отправки формы.",
|
||||
"DE.Views.FormsTab.textSubmited": "Форма успешно отправлена",
|
||||
"DE.Views.FormsTab.tipCheckBox": "Вставить флажок",
|
||||
"DE.Views.FormsTab.tipComboBox": "Вставить поле со списком",
|
||||
|
@ -2721,6 +2730,7 @@
|
|||
"DE.Views.Toolbar.txtScheme2": "Оттенки серого",
|
||||
"DE.Views.Toolbar.txtScheme20": "Городская",
|
||||
"DE.Views.Toolbar.txtScheme21": "Яркая",
|
||||
"DE.Views.Toolbar.txtScheme22": "Новая офисная",
|
||||
"DE.Views.Toolbar.txtScheme3": "Апекс",
|
||||
"DE.Views.Toolbar.txtScheme4": "Аспект",
|
||||
"DE.Views.Toolbar.txtScheme5": "Официальная",
|
||||
|
|
|
@ -60,21 +60,26 @@
|
|||
"Common.Controllers.ReviewChanges.textStrikeout": "Strikeout",
|
||||
"Common.Controllers.ReviewChanges.textSubScript": "Subscript",
|
||||
"Common.Controllers.ReviewChanges.textSuperScript": "Superscript",
|
||||
"Common.Controllers.ReviewChanges.textTableChanged": "<b>Tablo Ayarladı Değiştirildi</b>",
|
||||
"Common.Controllers.ReviewChanges.textTableRowsDel": "<b>Tablo Satırı Silindi</b>",
|
||||
"Common.Controllers.ReviewChanges.textTabs": "Change tabs",
|
||||
"Common.Controllers.ReviewChanges.textUnderline": "Underline",
|
||||
"Common.Controllers.ReviewChanges.textWidow": "Widow control",
|
||||
"Common.define.chartData.textArea": "Bölge Grafiği",
|
||||
"Common.define.chartData.textBar": "Çubuk grafik",
|
||||
"Common.define.chartData.textColumn": "Sütun grafik",
|
||||
"Common.define.chartData.textComboCustom": "Özel kombinasyon",
|
||||
"Common.define.chartData.textLine": "Çizgi grafiği",
|
||||
"Common.define.chartData.textPie": "Dilim grafik",
|
||||
"Common.define.chartData.textPoint": "Nokta grafiği",
|
||||
"Common.define.chartData.textStock": "Stok Grafiği",
|
||||
"Common.define.chartData.textSurface": "Yüzey",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Kopya oluştur",
|
||||
"Common.UI.Calendar.textApril": "Nisan",
|
||||
"Common.UI.Calendar.textAugust": "Ağustos",
|
||||
"Common.UI.Calendar.textDecember": "Aralık",
|
||||
"Common.UI.Calendar.textFebruary": "Şubat",
|
||||
"Common.UI.ColorButton.textAutoColor": "Otomatik",
|
||||
"Common.UI.ColorButton.textNewColor": "Yeni Özel Renk Ekle",
|
||||
"Common.UI.ComboBorderSize.txtNoBorders": "Sınır yok",
|
||||
"Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sınır yok",
|
||||
|
@ -119,6 +124,11 @@
|
|||
"Common.Views.About.txtTel": "tel:",
|
||||
"Common.Views.About.txtVersion": "Versiyon",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "ekle",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "Otomatik Düzeltme",
|
||||
"Common.Views.AutoCorrectDialog.textBulleted": "Otomatik madde listesi",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Sil",
|
||||
"Common.Views.AutoCorrectDialog.textNumbered": "Otomatik numaralı liste",
|
||||
"Common.Views.AutoCorrectDialog.textTitle": "Otomatik Düzeltme",
|
||||
"Common.Views.Chat.textSend": "Gönder",
|
||||
"Common.Views.Comments.textAdd": "Ekle",
|
||||
"Common.Views.Comments.textAddComment": "Yorum Ekle",
|
||||
|
@ -200,7 +210,9 @@
|
|||
"Common.Views.Plugins.textStart": "Başlat",
|
||||
"Common.Views.Plugins.textStop": "Bitir",
|
||||
"Common.Views.Protection.hintPwd": "Şifreyi değiştir veya sil",
|
||||
"Common.Views.Protection.txtAddPwd": "Şifre ekle",
|
||||
"Common.Views.Protection.txtChangePwd": "Şifre Değiştir",
|
||||
"Common.Views.Protection.txtDeletePwd": "Şifreyi sil",
|
||||
"Common.Views.Protection.txtInvisibleSignature": "Dijital imza ekle",
|
||||
"Common.Views.RenameDialog.textName": "Dosya adı",
|
||||
"Common.Views.RenameDialog.txtInvalidName": "Dosya adı aşağıdaki karakterlerden herhangi birini içeremez:",
|
||||
|
@ -224,6 +236,7 @@
|
|||
"Common.Views.ReviewChanges.txtAcceptAll": "Tüm Değişiklikleri Kabul Et",
|
||||
"Common.Views.ReviewChanges.txtAcceptChanges": "Değişiklikleri Kabul Et",
|
||||
"Common.Views.ReviewChanges.txtAcceptCurrent": "Mevcut değişiklikleri kabul et",
|
||||
"Common.Views.ReviewChanges.txtChat": "Sohbet",
|
||||
"Common.Views.ReviewChanges.txtClose": "Close",
|
||||
"Common.Views.ReviewChanges.txtCoAuthMode": "Ortak çalışma modunu ayarlayın",
|
||||
"Common.Views.ReviewChanges.txtCommentRemAll": "Tüm yorumları kaldır",
|
||||
|
@ -255,6 +268,7 @@
|
|||
"Common.Views.ReviewChangesDialog.txtRejectAll": "Tüm Değişiklikleri Reddet",
|
||||
"Common.Views.ReviewChangesDialog.txtRejectCurrent": "Mevcut Değişiklikleri Reddet",
|
||||
"Common.Views.ReviewPopover.textAdd": "Ekle",
|
||||
"Common.Views.ReviewPopover.textAddReply": "Cevap ekle",
|
||||
"Common.Views.ReviewPopover.textCancel": "İptal",
|
||||
"Common.Views.ReviewPopover.textClose": "Kapat",
|
||||
"Common.Views.ReviewPopover.textEdit": "Tamam",
|
||||
|
@ -369,6 +383,7 @@
|
|||
"DE.Controllers.Main.splitMaxColsErrorText": "Sütun sayısı %1'den az olmalıdır.",
|
||||
"DE.Controllers.Main.splitMaxRowsErrorText": "Satır sayısı %1'den az olmalıdır.",
|
||||
"DE.Controllers.Main.textAnonymous": "Anonim",
|
||||
"DE.Controllers.Main.textApplyAll": "Tüm denklemlere uygula",
|
||||
"DE.Controllers.Main.textBuyNow": "Websitesini ziyaret edin",
|
||||
"DE.Controllers.Main.textChangesSaved": "Tüm değişiklikler kaydedildi",
|
||||
"DE.Controllers.Main.textClose": "Kapat",
|
||||
|
@ -382,12 +397,16 @@
|
|||
"DE.Controllers.Main.titleLicenseExp": "Lisans süresi doldu",
|
||||
"DE.Controllers.Main.titleServerVersion": "Editör güncellendi",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "Versiyon değiştirildi",
|
||||
"DE.Controllers.Main.txtAbove": "Yukarıda",
|
||||
"DE.Controllers.Main.txtArt": "Your text here",
|
||||
"DE.Controllers.Main.txtBasicShapes": "Temel Şekiller",
|
||||
"DE.Controllers.Main.txtBelow": "Altında",
|
||||
"DE.Controllers.Main.txtBookmarkError": "Hata! Yer imi tanımlı değil",
|
||||
"DE.Controllers.Main.txtButtons": "Tuşlar",
|
||||
"DE.Controllers.Main.txtCallouts": "Belirtme Çizgiler",
|
||||
"DE.Controllers.Main.txtCharts": "Grafikler",
|
||||
"DE.Controllers.Main.txtChoose": "Bir öğe seçin",
|
||||
"DE.Controllers.Main.txtCurrentDocument": "Mevcut belge",
|
||||
"DE.Controllers.Main.txtDiagramTitle": "Diagram Başlığı",
|
||||
"DE.Controllers.Main.txtEditingMode": "Düzenleme modunu belirle",
|
||||
"DE.Controllers.Main.txtEnterDate": "Bir tarih girin",
|
||||
|
@ -400,8 +419,15 @@
|
|||
"DE.Controllers.Main.txtNotValidBookmark": "Hata! Geçersiz yer imi.",
|
||||
"DE.Controllers.Main.txtRectangles": "Dikdörtgenler",
|
||||
"DE.Controllers.Main.txtSeries": "Seriler",
|
||||
"DE.Controllers.Main.txtShape_actionButtonBeginning": "Başlangıç Butonu",
|
||||
"DE.Controllers.Main.txtShape_actionButtonHome": "Ev Tuşu",
|
||||
"DE.Controllers.Main.txtShape_bevel": "Eğimli",
|
||||
"DE.Controllers.Main.txtShape_cloud": "Bulut",
|
||||
"DE.Controllers.Main.txtShape_corner": "Köşe",
|
||||
"DE.Controllers.Main.txtShape_decagon": "Dekagon",
|
||||
"DE.Controllers.Main.txtShape_diagStripe": "Çapraz Çizgi",
|
||||
"DE.Controllers.Main.txtShape_diamond": "Elmas",
|
||||
"DE.Controllers.Main.txtShape_downArrow": "Aşağı Oku",
|
||||
"DE.Controllers.Main.txtShape_leftArrow": "Sol Ok",
|
||||
"DE.Controllers.Main.txtShape_lineWithArrow": "Ok",
|
||||
"DE.Controllers.Main.txtShape_noSmoking": "Simge \"Yok\"",
|
||||
|
@ -830,6 +856,7 @@
|
|||
"DE.Views.CaptionDialog.textSeparator": "Ayraç",
|
||||
"DE.Views.CaptionDialog.textTable": "Tablo",
|
||||
"DE.Views.CaptionDialog.textTitle": "Resim yazısı ekle",
|
||||
"DE.Views.CellsAddDialog.textCol": "Sütunlar",
|
||||
"DE.Views.ChartSettings.textAdvanced": "Gelişmiş ayarları göster",
|
||||
"DE.Views.ChartSettings.textChartType": "Grafik Tipini Değiştir",
|
||||
"DE.Views.ChartSettings.textEditData": "Veri düzenle",
|
||||
|
@ -849,13 +876,21 @@
|
|||
"DE.Views.ChartSettings.txtTitle": "Grafik",
|
||||
"DE.Views.ChartSettings.txtTopAndBottom": "Üst ve alt",
|
||||
"DE.Views.ControlSettingsDialog.textAdd": "ekle",
|
||||
"DE.Views.ControlSettingsDialog.textAppearance": "Görünüm",
|
||||
"DE.Views.ControlSettingsDialog.textApplyAll": "Tümüne Uygula",
|
||||
"DE.Views.ControlSettingsDialog.textCheckbox": "Onay kutusu",
|
||||
"DE.Views.ControlSettingsDialog.textColor": "Renk",
|
||||
"DE.Views.ControlSettingsDialog.textDate": "Tarih formatı",
|
||||
"DE.Views.ControlSettingsDialog.textDelete": "Sil",
|
||||
"DE.Views.ControlSettingsDialog.textDisplayName": "Görünen ad",
|
||||
"DE.Views.ControlSettingsDialog.textDown": "Aşağı",
|
||||
"DE.Views.ControlSettingsDialog.textDropDown": "Aşağı açılır liste",
|
||||
"DE.Views.ControlSettingsDialog.textFormat": "Tarihi böyle göster",
|
||||
"DE.Views.ControlSettingsDialog.textLang": "Dil",
|
||||
"DE.Views.ControlSettingsDialog.textName": "Başlık",
|
||||
"DE.Views.ControlSettingsDialog.textTag": "Etiket",
|
||||
"DE.Views.ControlSettingsDialog.tipChange": "Simge değiştir",
|
||||
"DE.Views.CrossReferenceDialog.textAboveBelow": "Yukarı/aşağı",
|
||||
"DE.Views.CrossReferenceDialog.textBookmark": "Yer imi",
|
||||
"DE.Views.CrossReferenceDialog.textBookmarkText": "Yer imi metni",
|
||||
"DE.Views.CrossReferenceDialog.textCaption": "Resim yazısının tamamı",
|
||||
|
@ -949,6 +984,7 @@
|
|||
"DE.Views.DocumentHolder.textArrangeBackward": "Geri Taşı",
|
||||
"DE.Views.DocumentHolder.textArrangeForward": "İleri Taşı",
|
||||
"DE.Views.DocumentHolder.textArrangeFront": "Önplana Getir",
|
||||
"DE.Views.DocumentHolder.textCol": "Tüm sütunu sil",
|
||||
"DE.Views.DocumentHolder.textCopy": "Kopyala",
|
||||
"DE.Views.DocumentHolder.textCut": "Kes",
|
||||
"DE.Views.DocumentHolder.textEditWrapBoundary": "Sargı Sınırı Düzenle",
|
||||
|
@ -959,12 +995,14 @@
|
|||
"DE.Views.DocumentHolder.textRotate": "Döndür",
|
||||
"DE.Views.DocumentHolder.textRotate270": "Döndür 90° Saatyönütersi",
|
||||
"DE.Views.DocumentHolder.textRotate90": "Döndür 90° Saatyönü",
|
||||
"DE.Views.DocumentHolder.textRow": "Tüm diziyi sil",
|
||||
"DE.Views.DocumentHolder.textShapeAlignBottom": "Alta Hizala",
|
||||
"DE.Views.DocumentHolder.textShapeAlignCenter": "Ortaya Hizala",
|
||||
"DE.Views.DocumentHolder.textShapeAlignLeft": "Sola Hizala",
|
||||
"DE.Views.DocumentHolder.textShapeAlignMiddle": "Ortaya hizala",
|
||||
"DE.Views.DocumentHolder.textShapeAlignRight": "Sağa Hizla",
|
||||
"DE.Views.DocumentHolder.textShapeAlignTop": "Üste Hizala",
|
||||
"DE.Views.DocumentHolder.textTitleCellsRemove": "Hücre Sil",
|
||||
"DE.Views.DocumentHolder.textUndo": "Geri Al",
|
||||
"DE.Views.DocumentHolder.textUpdateAll": "Tüm tabloyu güncelle",
|
||||
"DE.Views.DocumentHolder.textUpdatePages": "Sadece sayfa numaralarını güncelle",
|
||||
|
@ -1097,6 +1135,7 @@
|
|||
"DE.Views.DropcapSettingsAdvanced.textWidth": "Genişlik",
|
||||
"DE.Views.DropcapSettingsAdvanced.tipFontName": "Yazı Tipi",
|
||||
"DE.Views.DropcapSettingsAdvanced.txtNoBorders": "Sınır yok",
|
||||
"DE.Views.EditListItemDialog.textDisplayName": "Görünen ad",
|
||||
"DE.Views.FileMenu.btnBackCaption": "Dökümanlara Git",
|
||||
"DE.Views.FileMenu.btnCloseMenuCaption": "Menüyü kapat",
|
||||
"DE.Views.FileMenu.btnCreateNewCaption": "Yeni oluştur",
|
||||
|
@ -1121,7 +1160,10 @@
|
|||
"DE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Oluşturulduktan sonra düzenleme sırasında stil ve format verebileceğiniz yeni boş metin dosyası oluşturun. Yada belli tipte yada amaçta dökümana başlamak için şablonlardan birini seçin, bu şablonlar önceden düzenlenmiştir.",
|
||||
"DE.Views.FileMenuPanels.CreateNew.newDocumentText": "Yeni Metin Dökümanı",
|
||||
"DE.Views.FileMenuPanels.CreateNew.noTemplatesText": "Şablon yok",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Uygula",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Yazar Ekle",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Metin Ekle",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Uygulama",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Yayıncı",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Erişim haklarını değiştir",
|
||||
"DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Yükleniyor...",
|
||||
|
@ -1168,6 +1210,7 @@
|
|||
"DE.Views.FileMenuPanels.Settings.textForceSave": "Sunucuya Kaydet",
|
||||
"DE.Views.FileMenuPanels.Settings.textMinute": "Her Dakika",
|
||||
"DE.Views.FileMenuPanels.Settings.txtAll": "Tümünü göster",
|
||||
"DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Otomatik Düzeltme seçenekleri",
|
||||
"DE.Views.FileMenuPanels.Settings.txtCm": "Santimetre",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitPage": "Sayfaya Sığdır",
|
||||
"DE.Views.FileMenuPanels.Settings.txtFitWidth": "Genişliğe Sığdır",
|
||||
|
@ -1184,8 +1227,21 @@
|
|||
"DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Bütün macroları uyarı vermeden devre dışı bırak",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Bütün macroları uyarı vererek devre dışı bırak",
|
||||
"DE.Views.FileMenuPanels.Settings.txtWin": "Windows olarak",
|
||||
"DE.Views.FormSettings.textCheckbox": "Onay kutusu",
|
||||
"DE.Views.FormSettings.textColor": "Sınır Rengi",
|
||||
"DE.Views.FormSettings.textDelete": "Sil",
|
||||
"DE.Views.FormSettings.textDisconnect": "Bağlantıyı Kes",
|
||||
"DE.Views.FormSettings.textDropDown": "Aşağı açılır",
|
||||
"DE.Views.FormSettings.textMaxChars": "Karakter sınırı",
|
||||
"DE.Views.FormSettings.textTipAdd": "Yeni değer ekle",
|
||||
"DE.Views.FormSettings.textTipDelete": "Değeri sil",
|
||||
"DE.Views.FormsTab.capBtnCheckBox": "Onay kutusu",
|
||||
"DE.Views.FormsTab.capBtnDropDown": "Aşağı açılır",
|
||||
"DE.Views.FormsTab.textNewColor": "Yeni Özel Renk Ekle",
|
||||
"DE.Views.FormsTab.tipDropDown": "Aşağı açılır liste ekle",
|
||||
"DE.Views.HeaderFooterSettings.textBottomCenter": "Alt Orta",
|
||||
"DE.Views.HeaderFooterSettings.textBottomLeft": "Alt Sol",
|
||||
"DE.Views.HeaderFooterSettings.textBottomPage": "Sayfanın alt kısmı",
|
||||
"DE.Views.HeaderFooterSettings.textBottomRight": "Alt Sağ",
|
||||
"DE.Views.HeaderFooterSettings.textDiffFirst": "Farklı ilk sayfa",
|
||||
"DE.Views.HeaderFooterSettings.textDiffOdd": "Farklı tek ve çift sayfalar",
|
||||
|
@ -1244,6 +1300,7 @@
|
|||
"DE.Views.ImageSettingsAdvanced.textAngle": "Açı",
|
||||
"DE.Views.ImageSettingsAdvanced.textArrows": "Oklar",
|
||||
"DE.Views.ImageSettingsAdvanced.textAspectRatio": "En-boy oranını kilitle",
|
||||
"DE.Views.ImageSettingsAdvanced.textAutofit": "Otomatik Sığdır",
|
||||
"DE.Views.ImageSettingsAdvanced.textBeginSize": "Başlama Boyutu",
|
||||
"DE.Views.ImageSettingsAdvanced.textBeginStyle": "Başlama Stili",
|
||||
"DE.Views.ImageSettingsAdvanced.textBelow": "altında",
|
||||
|
@ -1322,6 +1379,7 @@
|
|||
"DE.Views.LineNumbersDialog.textSection": "Geçerli bölüm",
|
||||
"DE.Views.LineNumbersDialog.textStartAt": "Başlangıç",
|
||||
"DE.Views.LineNumbersDialog.textTitle": "Satır Numaraları",
|
||||
"DE.Views.LineNumbersDialog.txtAutoText": "Otomatik",
|
||||
"DE.Views.Links.capBtnBookmarks": "Yer imi",
|
||||
"DE.Views.Links.capBtnCaption": "Resim yazısı",
|
||||
"DE.Views.Links.capBtnContentsUpdate": "Yenile",
|
||||
|
@ -1347,6 +1405,7 @@
|
|||
"DE.Views.Links.tipContentsUpdate": "İçindekiler tablosunu yenile",
|
||||
"DE.Views.Links.tipInsertHyperlink": "Köprü ekle",
|
||||
"DE.Views.Links.tipNotes": "Dipnot ekle veya düzenle",
|
||||
"DE.Views.ListSettingsDialog.textAuto": "Otomatik",
|
||||
"DE.Views.ListSettingsDialog.textCenter": "Ortala",
|
||||
"DE.Views.ListSettingsDialog.txtAlign": "Hizalama",
|
||||
"DE.Views.ListSettingsDialog.txtFont": "Font ve Simge",
|
||||
|
@ -1422,6 +1481,7 @@
|
|||
"DE.Views.NoteSettingsDialog.textTitle": "Not ayarları",
|
||||
"DE.Views.NotesRemoveDialog.textEnd": "Tüm Son Notları sil",
|
||||
"DE.Views.NotesRemoveDialog.textFoot": "Tüm dipnotları sil",
|
||||
"DE.Views.NotesRemoveDialog.textTitle": "Notları sil",
|
||||
"DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Warning",
|
||||
"DE.Views.PageMarginsDialog.textBottom": "Bottom",
|
||||
"DE.Views.PageMarginsDialog.textLeft": "Left",
|
||||
|
@ -1433,6 +1493,7 @@
|
|||
"DE.Views.PageSizeDialog.textHeight": "Height",
|
||||
"DE.Views.PageSizeDialog.textTitle": "Page Size",
|
||||
"DE.Views.PageSizeDialog.textWidth": "Width",
|
||||
"DE.Views.PageSizeDialog.txtCustom": "Özel",
|
||||
"DE.Views.ParagraphSettings.strLineHeight": "Satır Aralığı",
|
||||
"DE.Views.ParagraphSettings.strParagraphSpacing": "Aralık",
|
||||
"DE.Views.ParagraphSettings.strSomeParagraphSpace": "Aynı stildeki paragraflar arasına aralık ekleme",
|
||||
|
@ -1453,6 +1514,7 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Sol",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Sağ",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "sonra",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Önce",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Satırları birlikte tut",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Sonrakiyle tut",
|
||||
"DE.Views.ParagraphSettingsAdvanced.strMargins": "Dolgu maddeleri",
|
||||
|
@ -1469,10 +1531,12 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.strTabs": "Sekme",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textAlign": "Hiza",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBackColor": "Arka plan rengi",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBodyText": "Basit Metin",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Sınır Rengi",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Grafiğe tıklayın yada sınır seçmek için tuşları kullanın ve seçilen stili bunlara uygulayın",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Sınır Boyutu",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textBottom": "Alt",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textCentered": "Ortalanmış",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Karakter aralığı",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textDefault": "Varsayılan Sekme",
|
||||
"DE.Views.ParagraphSettingsAdvanced.textEffects": "Efektler",
|
||||
|
@ -1498,6 +1562,7 @@
|
|||
"DE.Views.ParagraphSettingsAdvanced.tipOuter": "Sadece Dış Sınırı Belirle",
|
||||
"DE.Views.ParagraphSettingsAdvanced.tipRight": "Sadece Sağ Sınırı Belirle",
|
||||
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Sadece Üst Sınırı Belirle",
|
||||
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatik",
|
||||
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sınır yok",
|
||||
"DE.Views.RightMenu.txtChartSettings": "Grafik Ayarları",
|
||||
"DE.Views.RightMenu.txtHeaderFooterSettings": "Üst Başlık ve Alt Başlık Ayarları",
|
||||
|
@ -1578,6 +1643,7 @@
|
|||
"DE.Views.TableOfContentsSettings.textLeader": "Lider",
|
||||
"DE.Views.TableOfContentsSettings.textLevel": "Seviye",
|
||||
"DE.Views.TableOfContentsSettings.textLevels": "Seviyeler",
|
||||
"DE.Views.TableOfContentsSettings.txtCurrent": "Mevcut",
|
||||
"DE.Views.TableOfContentsSettings.txtModern": "Modern",
|
||||
"DE.Views.TableSettings.deleteColumnText": "Sütunu Sil",
|
||||
"DE.Views.TableSettings.deleteRowText": "Satırı Sil",
|
||||
|
@ -1594,6 +1660,7 @@
|
|||
"DE.Views.TableSettings.splitCellsText": "Hücreyi Böl...",
|
||||
"DE.Views.TableSettings.splitCellTitleText": "Hücreyi Böl",
|
||||
"DE.Views.TableSettings.strRepeatRow": "Her sayfanın başında üst başlık sırası olarak tekrarla",
|
||||
"DE.Views.TableSettings.textAddFormula": "Formül ekle",
|
||||
"DE.Views.TableSettings.textAdvanced": "Gelişmiş ayarları göster",
|
||||
"DE.Views.TableSettings.textBackColor": "Arka plan rengi",
|
||||
"DE.Views.TableSettings.textBanded": "Bağlı",
|
||||
|
@ -1622,6 +1689,8 @@
|
|||
"DE.Views.TableSettings.tipRight": "Sadece Dış Sağ Sınırı Belirle",
|
||||
"DE.Views.TableSettings.tipTop": "Sadece Dış Üst Sınırı Belirle",
|
||||
"DE.Views.TableSettings.txtNoBorders": "Sınır yok",
|
||||
"DE.Views.TableSettings.txtTable_Accent": "Aksan",
|
||||
"DE.Views.TableSettings.txtTable_Colorful": "Renkli",
|
||||
"DE.Views.TableSettingsAdvanced.textAlign": "Hiza",
|
||||
"DE.Views.TableSettingsAdvanced.textAlignment": "Hiza",
|
||||
"DE.Views.TableSettingsAdvanced.textAllowSpacing": "Hücreler arası aralığa izin ver",
|
||||
|
@ -1700,6 +1769,7 @@
|
|||
"DE.Views.TextArtSettings.strStroke": "Stroke",
|
||||
"DE.Views.TextArtSettings.strTransparency": "Opacity",
|
||||
"DE.Views.TextArtSettings.strType": "Tip",
|
||||
"DE.Views.TextArtSettings.textAngle": "Açı",
|
||||
"DE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.<br>Please enter a value between 0 pt and 1584 pt.",
|
||||
"DE.Views.TextArtSettings.textColor": "Color Fill",
|
||||
"DE.Views.TextArtSettings.textDirection": "Direction",
|
||||
|
@ -1713,6 +1783,10 @@
|
|||
"DE.Views.TextArtSettings.textTemplate": "Template",
|
||||
"DE.Views.TextArtSettings.textTransform": "Transform",
|
||||
"DE.Views.TextArtSettings.txtNoBorders": "No Line",
|
||||
"DE.Views.TextToTableDialog.textColumns": "Sütunlar",
|
||||
"DE.Views.TextToTableDialog.textContents": "İçeriğe otomatik sığdır",
|
||||
"DE.Views.TextToTableDialog.textWindow": "Pencereye otomatik sığdır",
|
||||
"DE.Views.TextToTableDialog.txtAutoText": "Otomatik",
|
||||
"DE.Views.Toolbar.capBtnAddComment": "Yorum ekle",
|
||||
"DE.Views.Toolbar.capBtnBlankPage": "Boş Sayfa",
|
||||
"DE.Views.Toolbar.capBtnColumns": "Sütunlar",
|
||||
|
@ -1753,6 +1827,7 @@
|
|||
"DE.Views.Toolbar.textAutoColor": "Otomatik",
|
||||
"DE.Views.Toolbar.textBold": "Kalın",
|
||||
"DE.Views.Toolbar.textBottom": "Bottom: ",
|
||||
"DE.Views.Toolbar.textCheckboxControl": "Onay kutusu",
|
||||
"DE.Views.Toolbar.textColumnsCustom": "Özel Sütunlar",
|
||||
"DE.Views.Toolbar.textColumnsLeft": "Left",
|
||||
"DE.Views.Toolbar.textColumnsOne": "One",
|
||||
|
@ -1763,6 +1838,7 @@
|
|||
"DE.Views.Toolbar.textContPage": "Devam Eden Sayfa",
|
||||
"DE.Views.Toolbar.textCustomLineNumbers": "Sayfa numaralandırma seçenekleri",
|
||||
"DE.Views.Toolbar.textDateControl": "Tarih",
|
||||
"DE.Views.Toolbar.textDropdownControl": "Aşağı açılır liste",
|
||||
"DE.Views.Toolbar.textEditWatermark": "Özel Filigran",
|
||||
"DE.Views.Toolbar.textEvenPage": "Çift Sayfa",
|
||||
"DE.Views.Toolbar.textInMargin": "Kenar boşluğunda",
|
||||
|
@ -1872,6 +1948,8 @@
|
|||
"DE.Views.Toolbar.tipSynchronize": "Döküman başka bir kullanıcı tarafından değiştirildi. Lütfen değişikleri kaydetmek için tıklayın ve güncellemeleri yenileyin.",
|
||||
"DE.Views.Toolbar.tipUndo": "Geri Al",
|
||||
"DE.Views.Toolbar.tipWatermark": "Filigranı düzenle",
|
||||
"DE.Views.Toolbar.txtMarginAlign": "Marjine ayarla",
|
||||
"DE.Views.Toolbar.txtObjectsAlign": "Seçili Objeleri Hizala",
|
||||
"DE.Views.Toolbar.txtScheme1": "Ofis",
|
||||
"DE.Views.Toolbar.txtScheme10": "Medyan",
|
||||
"DE.Views.Toolbar.txtScheme11": "Metro",
|
||||
|
|
|
@ -169,6 +169,7 @@
|
|||
"Common.Views.AutoCorrectDialog.textBy": "依据",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "删除",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "数学自动修正",
|
||||
"Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下表达式被识别为数学公式。这些表达式不会被自动设为斜体。",
|
||||
"Common.Views.AutoCorrectDialog.textReplace": "替换",
|
||||
"Common.Views.AutoCorrectDialog.textReplaceText": "输入时自动替换",
|
||||
"Common.Views.AutoCorrectDialog.textReplaceType": "输入时自动替换文字",
|
||||
|
@ -289,6 +290,7 @@
|
|||
"Common.Views.ReviewChanges.strFastDesc": "实时共同编辑。所有更改将会自动保存。",
|
||||
"Common.Views.ReviewChanges.strStrict": "严格",
|
||||
"Common.Views.ReviewChanges.strStrictDesc": "使用“保存”按钮同步您和其他人所做的更改。",
|
||||
"Common.Views.ReviewChanges.textWarnTrackChanges": "对全体有完整控制权的用户,“跟踪修改”功能将会启动。任何人下次打开该文档,“跟踪修改”功能都会保持在启动状态。",
|
||||
"Common.Views.ReviewChanges.tipAcceptCurrent": "接受当前的变化",
|
||||
"Common.Views.ReviewChanges.tipCoAuthMode": "设置共同编辑模式",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "移除批注",
|
||||
|
@ -321,6 +323,10 @@
|
|||
"Common.Views.ReviewChanges.txtMarkup": "所有更改(编辑)",
|
||||
"Common.Views.ReviewChanges.txtMarkupCap": "标记",
|
||||
"Common.Views.ReviewChanges.txtNext": "下一个变化",
|
||||
"Common.Views.ReviewChanges.txtOff": "对我自己关闭",
|
||||
"Common.Views.ReviewChanges.txtOffGlobal": "对所有人关闭",
|
||||
"Common.Views.ReviewChanges.txtOn": "对我自己启动",
|
||||
"Common.Views.ReviewChanges.txtOnGlobal": "对所有人启动",
|
||||
"Common.Views.ReviewChanges.txtOriginal": "已拒绝所有更改(预览)",
|
||||
"Common.Views.ReviewChanges.txtOriginalCap": "原始版",
|
||||
"Common.Views.ReviewChanges.txtPrev": "以前的变化",
|
||||
|
@ -432,6 +438,7 @@
|
|||
"DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.",
|
||||
"DE.Controllers.Main.errorBadImageUrl": "图片地址不正确",
|
||||
"DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑",
|
||||
"DE.Controllers.Main.errorComboSeries": "要创建联立图表,请选中至少两组数据。",
|
||||
"DE.Controllers.Main.errorCompare": "协作编辑状态下,无法使用文件比对功能。",
|
||||
"DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。",
|
||||
"DE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。如果错误仍然存在,请联系支持人员。",
|
||||
|
@ -454,6 +461,7 @@
|
|||
"DE.Controllers.Main.errorSessionAbsolute": "文档编辑会话已过期。请重新加载页面。",
|
||||
"DE.Controllers.Main.errorSessionIdle": "该文件尚未编辑相当长的时间。请重新加载页面。",
|
||||
"DE.Controllers.Main.errorSessionToken": "与服务器的连接已中断。请重新加载页面。",
|
||||
"DE.Controllers.Main.errorSetPassword": "未能成功设置密码",
|
||||
"DE.Controllers.Main.errorStockChart": "行顺序不正确。建立股票图表将数据按照以下顺序放置在表格上:<br>开盘价,最高价格,最低价格,收盘价。",
|
||||
"DE.Controllers.Main.errorToken": "文档安全令牌未正确形成。<br>请与您的文件服务器管理员联系。",
|
||||
"DE.Controllers.Main.errorTokenExpire": "文档安全令牌已过期。<br>请与您的文档服务器管理员联系。",
|
||||
|
@ -511,9 +519,11 @@
|
|||
"DE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE开源版本",
|
||||
"DE.Controllers.Main.textPaidFeature": "付费功能",
|
||||
"DE.Controllers.Main.textRemember": "记住我的选择",
|
||||
"DE.Controllers.Main.textRenameError": "用户名不能留空。",
|
||||
"DE.Controllers.Main.textShape": "形状",
|
||||
"DE.Controllers.Main.textStrict": "严格模式",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "对于快速的协同编辑模式,取消/重做功能是禁用的。< br >单击“严格模式”按钮切换到严格co-editing模式编辑该文件没有其他用户干扰和发送您的更改只后你拯救他们。您可以使用编辑器高级设置在编辑模式之间切换。",
|
||||
"DE.Controllers.Main.textTryUndoRedoWarn": "快速共同编辑模式下,撤销/重做功能被禁用。",
|
||||
"DE.Controllers.Main.titleLicenseExp": "许可证过期",
|
||||
"DE.Controllers.Main.titleServerVersion": "编辑器已更新",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "版本已变化",
|
||||
|
@ -749,6 +759,7 @@
|
|||
"DE.Controllers.Main.txtSyntaxError": "语法错误",
|
||||
"DE.Controllers.Main.txtTableInd": "表格索引不能为零",
|
||||
"DE.Controllers.Main.txtTableOfContents": "目录",
|
||||
"DE.Controllers.Main.txtTOCHeading": "目录标题",
|
||||
"DE.Controllers.Main.txtTooLarge": "数字太大,无法设定格式",
|
||||
"DE.Controllers.Main.txtTypeEquation": "在这里输入公式。",
|
||||
"DE.Controllers.Main.txtUndefBookmark": "未定义书签",
|
||||
|
@ -779,6 +790,7 @@
|
|||
"DE.Controllers.Navigation.txtBeginning": "文档开头",
|
||||
"DE.Controllers.Navigation.txtGotoBeginning": "转到文档开头",
|
||||
"DE.Controllers.Statusbar.textHasChanges": "已经跟踪了新的变化",
|
||||
"DE.Controllers.Statusbar.textSetTrackChanges": "你现在处于了“跟踪变化”模式。",
|
||||
"DE.Controllers.Statusbar.textTrackChanges": "打开文档,并启用“跟踪更改”模式",
|
||||
"DE.Controllers.Statusbar.tipReview": "跟踪变化",
|
||||
"DE.Controllers.Statusbar.zoomText": "缩放%{0}",
|
||||
|
@ -1651,6 +1663,7 @@
|
|||
"DE.Views.FormSettings.textNoBorder": "无边框",
|
||||
"DE.Views.FormSettings.textPlaceholder": "占位符",
|
||||
"DE.Views.FormSettings.textSelectImage": "选择图像",
|
||||
"DE.Views.FormSettings.textTip": "贴士",
|
||||
"DE.Views.FormSettings.textTipAdd": "新增值",
|
||||
"DE.Views.FormSettings.textTipDelete": "刪除值",
|
||||
"DE.Views.FormSettings.textTipDown": "下移",
|
||||
|
@ -1704,6 +1717,7 @@
|
|||
"DE.Views.HyperlinkSettingsDialog.txtEmpty": "这是必填栏",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtHeadings": "标题",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtNotUrl": "该字段应该是“http://www.example.com”格式的URL",
|
||||
"DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "该域字符限制为2803个。",
|
||||
"DE.Views.ImageSettings.textAdvanced": "显示高级设置",
|
||||
"DE.Views.ImageSettings.textCrop": "裁剪",
|
||||
"DE.Views.ImageSettings.textCropFill": "填满",
|
||||
|
@ -1820,6 +1834,7 @@
|
|||
"DE.Views.LeftMenu.txtDeveloper": "开发者模式",
|
||||
"DE.Views.LeftMenu.txtLimit": "限制访问",
|
||||
"DE.Views.LeftMenu.txtTrial": "试用模式",
|
||||
"DE.Views.LeftMenu.txtTrialDev": "试用开发者模式",
|
||||
"DE.Views.LineNumbersDialog.textAddLineNumbering": "新增行号",
|
||||
"DE.Views.LineNumbersDialog.textApplyTo": "应用更改",
|
||||
"DE.Views.LineNumbersDialog.textContinuous": "连续",
|
||||
|
@ -2396,6 +2411,8 @@
|
|||
"DE.Views.Toolbar.mniImageFromFile": "图片文件",
|
||||
"DE.Views.Toolbar.mniImageFromStorage": "图片来自存储",
|
||||
"DE.Views.Toolbar.mniImageFromUrl": "图片来自网络",
|
||||
"DE.Views.Toolbar.mniToggleCase": "切换大小写",
|
||||
"DE.Views.Toolbar.mniUpperCase": "大写",
|
||||
"DE.Views.Toolbar.strMenuNoFill": "没有填充",
|
||||
"DE.Views.Toolbar.textAutoColor": "自动化的",
|
||||
"DE.Views.Toolbar.textBold": "加粗",
|
||||
|
|
File diff suppressed because it is too large
Load diff
File diff suppressed because it is too large
Load diff
File diff suppressed because it is too large
Load diff
File diff suppressed because it is too large
Load diff
|
@ -1,607 +1,10 @@
|
|||
{
|
||||
"Common.Controllers.Collaboration.textAddReply": "Ajouter réponse",
|
||||
"Common.Controllers.Collaboration.textAtLeast": "au moins ",
|
||||
"Common.Controllers.Collaboration.textAuto": "auto",
|
||||
"Common.Controllers.Collaboration.textBaseline": "Ligne de base",
|
||||
"Common.Controllers.Collaboration.textBold": "Gras",
|
||||
"Common.Controllers.Collaboration.textBreakBefore": "Saut de page avant",
|
||||
"Common.Controllers.Collaboration.textCancel": "Annuler",
|
||||
"Common.Controllers.Collaboration.textCaps": "Tout en majuscules",
|
||||
"Common.Controllers.Collaboration.textCenter": "Aligner au centre",
|
||||
"Common.Controllers.Collaboration.textChart": "Graphique",
|
||||
"Common.Controllers.Collaboration.textColor": "Couleur de police",
|
||||
"Common.Controllers.Collaboration.textContextual": "Ne pas ajouter d'intervalle entre paragraphes du même style",
|
||||
"Common.Controllers.Collaboration.textDelete": "Supprimer",
|
||||
"Common.Controllers.Collaboration.textDeleteComment": "Supprimer commentaire",
|
||||
"Common.Controllers.Collaboration.textDeleted": "<b>Supprimé:</b>",
|
||||
"Common.Controllers.Collaboration.textDeleteReply": "Supprimer réponse",
|
||||
"Common.Controllers.Collaboration.textDone": "Effectué",
|
||||
"Common.Controllers.Collaboration.textDStrikeout": "Double-barré",
|
||||
"Common.Controllers.Collaboration.textEdit": "Editer",
|
||||
"Common.Controllers.Collaboration.textEditUser": "Le document est en cours de modification par plusieurs utilisateurs :",
|
||||
"Common.Controllers.Collaboration.textEquation": "Équation",
|
||||
"Common.Controllers.Collaboration.textExact": "exactement",
|
||||
"Common.Controllers.Collaboration.textFirstLine": "Première ligne",
|
||||
"Common.Controllers.Collaboration.textFormatted": "Formaté",
|
||||
"Common.Controllers.Collaboration.textHighlight": "Couleur de surlignage",
|
||||
"Common.Controllers.Collaboration.textImage": "Image",
|
||||
"Common.Controllers.Collaboration.textIndentLeft": "Retrait à gauche",
|
||||
"Common.Controllers.Collaboration.textIndentRight": "Retrait à droite",
|
||||
"Common.Controllers.Collaboration.textInserted": "<b>Inséré:</b>",
|
||||
"Common.Controllers.Collaboration.textItalic": "Italique",
|
||||
"Common.Controllers.Collaboration.textJustify": "Justifier ",
|
||||
"Common.Controllers.Collaboration.textKeepLines": "Lignes solidaires",
|
||||
"Common.Controllers.Collaboration.textKeepNext": "Paragraphes solidaires",
|
||||
"Common.Controllers.Collaboration.textLeft": "Aligner à gauche",
|
||||
"Common.Controllers.Collaboration.textLineSpacing": "Interligne:",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteComment": "Voulez-vous vraiment supprimer",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteReply": "Voulez-vous vraiment supprimer",
|
||||
"Common.Controllers.Collaboration.textMultiple": "multiple ",
|
||||
"Common.Controllers.Collaboration.textNoBreakBefore": "Pas de saut de page avant",
|
||||
"Common.Controllers.Collaboration.textNoChanges": "Aucune modification",
|
||||
"Common.Controllers.Collaboration.textNoContextual": "Ajouter un intervalle entre les paragraphes du même style",
|
||||
"Common.Controllers.Collaboration.textNoKeepLines": "Ne gardez pas de lignes ensemble",
|
||||
"Common.Controllers.Collaboration.textNoKeepNext": "Ne gardez pas avec la prochaine",
|
||||
"Common.Controllers.Collaboration.textNot": "Non",
|
||||
"Common.Controllers.Collaboration.textNoWidow": "Pas de contrôle des veuves",
|
||||
"Common.Controllers.Collaboration.textNum": "Changer la numérotation",
|
||||
"Common.Controllers.Collaboration.textParaDeleted": "<b>Paragraphe supprimé</b> ",
|
||||
"Common.Controllers.Collaboration.textParaFormatted": "<b>Paragraphe Formaté</b>",
|
||||
"Common.Controllers.Collaboration.textParaInserted": "<b>Paragraphe inséré</b> ",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromDown": "<b>Déplacé vers le bas:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromUp": "<b>Déplacé vers le haut:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveTo": "<b>Déplacé:</b>",
|
||||
"Common.Controllers.Collaboration.textPosition": "Position",
|
||||
"Common.Controllers.Collaboration.textReopen": "Rouvrir",
|
||||
"Common.Controllers.Collaboration.textResolve": "Résoudre",
|
||||
"Common.Controllers.Collaboration.textRight": "Aligner à droite",
|
||||
"Common.Controllers.Collaboration.textShape": "Forme",
|
||||
"Common.Controllers.Collaboration.textShd": "Couleur d'arrière-plan",
|
||||
"Common.Controllers.Collaboration.textSmallCaps": "Petites majuscules",
|
||||
"Common.Controllers.Collaboration.textSpacing": "Espacement",
|
||||
"Common.Controllers.Collaboration.textSpacingAfter": "Espacement après",
|
||||
"Common.Controllers.Collaboration.textSpacingBefore": "Espacement avant",
|
||||
"Common.Controllers.Collaboration.textStrikeout": "Barré",
|
||||
"Common.Controllers.Collaboration.textSubScript": "Indice",
|
||||
"Common.Controllers.Collaboration.textSuperScript": "Exposant",
|
||||
"Common.Controllers.Collaboration.textTableChanged": "<b>Paramètres du tableau modifiés</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsAdd": "<b>Lignes de tableau ajoutées</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsDel": "<b>Lignes de tableau supprimées</b>",
|
||||
"Common.Controllers.Collaboration.textTabs": "Changer les tabulations",
|
||||
"Common.Controllers.Collaboration.textUnderline": "Souligné",
|
||||
"Common.Controllers.Collaboration.textWidow": "Contrôle des veuves",
|
||||
"Common.Controllers.Collaboration.textYes": "Oui",
|
||||
"Common.UI.ThemeColorPalette.textCustomColors": "Couleurs personnalisées",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème",
|
||||
"Common.Utils.Metric.txtCm": "cm",
|
||||
"Common.Utils.Metric.txtPt": "pt",
|
||||
"Common.Views.Collaboration.textAccept": "Accepter",
|
||||
"Common.Views.Collaboration.textAcceptAllChanges": "Accepter toutes les modifications",
|
||||
"Common.Views.Collaboration.textAddReply": "Ajouter une réponse",
|
||||
"Common.Views.Collaboration.textAllChangesAcceptedPreview": "Toutes les modifications acceptées (aperçu)",
|
||||
"Common.Views.Collaboration.textAllChangesEditing": "Toutes les modifications (édition)",
|
||||
"Common.Views.Collaboration.textAllChangesRejectedPreview": "Toutes les modifications rejetées (Aperçu)",
|
||||
"Common.Views.Collaboration.textBack": "Retour",
|
||||
"Common.Views.Collaboration.textCancel": "Annuler",
|
||||
"Common.Views.Collaboration.textChange": "Réviser modifications",
|
||||
"Common.Views.Collaboration.textCollaboration": "Collaboration",
|
||||
"Common.Views.Collaboration.textDisplayMode": "Mode d'affichage",
|
||||
"Common.Views.Collaboration.textDone": "Effectué",
|
||||
"Common.Views.Collaboration.textEditReply": "Editer réponse",
|
||||
"Common.Views.Collaboration.textEditUsers": "Utilisateurs",
|
||||
"Common.Views.Collaboration.textEditСomment": "Editer commentaire",
|
||||
"Common.Views.Collaboration.textFinal": "Final",
|
||||
"Common.Views.Collaboration.textMarkup": "Balisage",
|
||||
"Common.Views.Collaboration.textNoComments": "Il n'y a pas de commentaires dans ce document",
|
||||
"Common.Views.Collaboration.textOriginal": "Original",
|
||||
"Common.Views.Collaboration.textReject": "Rejeter",
|
||||
"Common.Views.Collaboration.textRejectAllChanges": "Refuser toutes les modifications ",
|
||||
"Common.Views.Collaboration.textReview": "Suivi des modifications",
|
||||
"Common.Views.Collaboration.textReviewing": "Révision",
|
||||
"Common.Views.Collaboration.textСomments": "Commentaires",
|
||||
"DE.Controllers.AddContainer.textImage": "Image",
|
||||
"DE.Controllers.AddContainer.textOther": "Autre",
|
||||
"DE.Controllers.AddContainer.textShape": "Forme",
|
||||
"DE.Controllers.AddContainer.textTable": "Tableau",
|
||||
"DE.Controllers.AddImage.notcriticalErrorTitle": "Avertissement",
|
||||
"DE.Controllers.AddImage.textEmptyImgUrl": "Spécifiez URL de l'image",
|
||||
"DE.Controllers.AddImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'",
|
||||
"DE.Controllers.AddOther.notcriticalErrorTitle": "Avertissement",
|
||||
"DE.Controllers.AddOther.textBelowText": "Sous le texte",
|
||||
"DE.Controllers.AddOther.textBottomOfPage": "Bas de page",
|
||||
"DE.Controllers.AddOther.textCancel": "Annuler",
|
||||
"DE.Controllers.AddOther.textContinue": "Continuer",
|
||||
"DE.Controllers.AddOther.textDelete": "Supprimer",
|
||||
"DE.Controllers.AddOther.textDeleteDraft": "Voulez-vous vraiment supprimer",
|
||||
"DE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'",
|
||||
"DE.Controllers.AddTable.textCancel": "Annuler",
|
||||
"DE.Controllers.AddTable.textColumns": "Colonnes",
|
||||
"DE.Controllers.AddTable.textRows": "Lignes",
|
||||
"DE.Controllers.AddTable.textTableSize": "Taille du tableau",
|
||||
"DE.Controllers.DocumentHolder.errorCopyCutPaste": "Les actions de Copier, Couper et Coller du menu contextuel seront appliquées seulement au fichier actuel.",
|
||||
"DE.Controllers.DocumentHolder.menuAddComment": "Ajouter commentaire",
|
||||
"DE.Controllers.DocumentHolder.menuAddLink": "Ajouter le lien",
|
||||
"DE.Controllers.DocumentHolder.menuCopy": "Copier",
|
||||
"DE.Controllers.DocumentHolder.menuCut": "Couper",
|
||||
"DE.Controllers.DocumentHolder.menuDelete": "Supprimer",
|
||||
"DE.Controllers.DocumentHolder.menuDeleteTable": "Supprimer le tableau",
|
||||
"DE.Controllers.DocumentHolder.menuEdit": "Modifier",
|
||||
"DE.Controllers.DocumentHolder.menuMerge": "Fusionner les cellules",
|
||||
"DE.Controllers.DocumentHolder.menuMore": "Plus",
|
||||
"DE.Controllers.DocumentHolder.menuOpenLink": "Ouvrir le lien",
|
||||
"DE.Controllers.DocumentHolder.menuPaste": "Coller",
|
||||
"DE.Controllers.DocumentHolder.menuReview": "Révision",
|
||||
"DE.Controllers.DocumentHolder.menuReviewChange": "Réviser modifications",
|
||||
"DE.Controllers.DocumentHolder.menuSplit": "Fractionner la cellule",
|
||||
"DE.Controllers.DocumentHolder.menuViewComment": "Voir le commentaire",
|
||||
"DE.Controllers.DocumentHolder.sheetCancel": "Annuler",
|
||||
"DE.Controllers.DocumentHolder.textCancel": "Annuler",
|
||||
"DE.Controllers.DocumentHolder.textColumns": "Colonnes",
|
||||
"DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Fonctions de Copier, Couper et Coller",
|
||||
"DE.Controllers.DocumentHolder.textDoNotShowAgain": "Ne plus afficher",
|
||||
"DE.Controllers.DocumentHolder.textGuest": "Invité",
|
||||
"DE.Controllers.DocumentHolder.textRows": "Lignes",
|
||||
"DE.Controllers.EditContainer.textChart": "Graphique",
|
||||
"DE.Controllers.EditContainer.textFooter": "Pied de page",
|
||||
"DE.Controllers.EditContainer.textHeader": "En-tête",
|
||||
"DE.Controllers.EditContainer.textHyperlink": "Lien hypertexte",
|
||||
"DE.Controllers.EditContainer.textImage": "Image",
|
||||
"DE.Controllers.EditContainer.textParagraph": "Paragraphe",
|
||||
"DE.Controllers.EditContainer.textSettings": "Paramètres",
|
||||
"DE.Controllers.EditContainer.textShape": "Forme",
|
||||
"DE.Controllers.EditContainer.textTable": "Tableau",
|
||||
"DE.Controllers.EditContainer.textText": "Texte",
|
||||
"DE.Controllers.EditHyperlink.notcriticalErrorTitle": "Avertissement",
|
||||
"DE.Controllers.EditHyperlink.textEmptyImgUrl": "Specifiez URL d'image",
|
||||
"DE.Controllers.EditHyperlink.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'",
|
||||
"DE.Controllers.EditImage.notcriticalErrorTitle": "Avertissement",
|
||||
"DE.Controllers.EditImage.textEmptyImgUrl": "Spécifiez l'URL de l'image",
|
||||
"DE.Controllers.EditImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'",
|
||||
"DE.Controllers.EditText.textAuto": "Auto",
|
||||
"DE.Controllers.EditText.textFonts": "Polices",
|
||||
"DE.Controllers.EditText.textPt": "pt",
|
||||
"DE.Controllers.Main.advDRMEnterPassword": "Entrez votre mot de passe:",
|
||||
"DE.Controllers.Main.advDRMOptions": "Fichier protégé",
|
||||
"DE.Controllers.Main.advDRMPassword": "Mot de passe",
|
||||
"DE.Controllers.Main.advTxtOptions": "Choisir les options TXT",
|
||||
"DE.Controllers.Main.applyChangesTextText": "Chargement des données...",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "Chargement des données",
|
||||
"DE.Controllers.Main.closeButtonText": "Fermer le fichier",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "Délai de conversion expiré.",
|
||||
"DE.Controllers.Main.criticalErrorExtText": "Appuyez sur OK pour revenir à la liste des documents.",
|
||||
"DE.Controllers.Main.criticalErrorTitle": "Erreur",
|
||||
"DE.Controllers.Main.downloadErrorText": "Échec du téléchargement.",
|
||||
"DE.Controllers.Main.downloadMergeText": "Téléchargement en cours...",
|
||||
"DE.Controllers.Main.downloadMergeTitle": "Téléchargement en cours",
|
||||
"DE.Controllers.Main.downloadTextText": "Téléchargement du document...",
|
||||
"DE.Controllers.Main.downloadTitleText": "Téléchargement du document",
|
||||
"DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.",
|
||||
"DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte",
|
||||
"DE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.",
|
||||
"DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.",
|
||||
"DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion à la base de données.Contactez le support.",
|
||||
"DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.",
|
||||
"DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.",
|
||||
"DE.Controllers.Main.errorDefaultMessage": "Code d'erreur: %1",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "Une erreur s'est produite lors du travail sur le document.<br>Utilisez l'option \"Télécharger\" pour enregistrer la copie de sauvegarde sur le disque dur de votre ordinateur.",
|
||||
"DE.Controllers.Main.errorFilePassProtect": "Le fichier est protégé par le mot de passe et ne peut être ouvert.",
|
||||
"DE.Controllers.Main.errorFileSizeExceed": "La taille du fichier dépasse les limites établies sur votre serveur.<br>Veuillez contacter votre administrateur de Document Server pour obtenir plus d'information. ",
|
||||
"DE.Controllers.Main.errorKeyEncrypt": "Descripteur de clés inconnu",
|
||||
"DE.Controllers.Main.errorKeyExpire": "Descripteur de clés expiré",
|
||||
"DE.Controllers.Main.errorMailMergeLoadFile": "Échec du chargement",
|
||||
"DE.Controllers.Main.errorMailMergeSaveFile": "Fusion a échoué.",
|
||||
"DE.Controllers.Main.errorOpensource": "L'utilisation la version gratuite \"Community version\" permet uniquement la visualisation des documents. Pour avoir accès à l'édition sur mobile, une version commerciale est nécessaire.",
|
||||
"DE.Controllers.Main.errorProcessSaveResult": "Échec de l‘enregistrement.",
|
||||
"DE.Controllers.Main.errorServerVersion": "La version de l'éditeur a été mise à jour. La page sera rechargée pour appliquer les modifications.",
|
||||
"DE.Controllers.Main.errorSessionAbsolute": "Votre session a expiré. Veuillez recharger la page.",
|
||||
"DE.Controllers.Main.errorSessionIdle": "Le document n'a pas été modifié depuis trop longtemps. Veuillez recharger la page.",
|
||||
"DE.Controllers.Main.errorSessionToken": "La connexion au serveur a été interrompue. Veuillez recharger la page.",
|
||||
"DE.Controllers.Main.errorStockChart": "Ordre lignes incorrect. Pour créer un diagramme boursier, positionnez les données sur la feuille de calcul dans l'ordre suivant :<br>cours à l'ouverture, cours maximal, cours minimal, cours à la clôture.",
|
||||
"DE.Controllers.Main.errorUpdateVersion": "La version du fichier a été changée. La page sera rechargée.",
|
||||
"DE.Controllers.Main.errorUpdateVersionOnDisconnect": "La connexion internet a été rétablie, la version du fichier est modifiée.<br>Avant de continuer, téléchargez le fichier ou copiez le contenu pour vous assurer que tous les changements ont été enregistrés, et rechargez la page.",
|
||||
"DE.Controllers.Main.errorUserDrop": "Impossible d'accéder au fichier.",
|
||||
"DE.Controllers.Main.errorUsersExceed": "Le nombre des utilisateurs est dépassé",
|
||||
"DE.Controllers.Main.errorViewerDisconnect": "La connexion a été perdue. Vous pouvez toujours afficher le document,<br>mais vous ne pourrez pas le téléсharger tant que la connexion n'est pas restaurée.",
|
||||
"DE.Controllers.Main.leavePageText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette Page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.",
|
||||
"DE.Controllers.Main.loadFontsTextText": "Chargement des données...",
|
||||
"DE.Controllers.Main.loadFontsTitleText": "Chargement des données",
|
||||
"DE.Controllers.Main.loadFontTextText": "Chargement des données...",
|
||||
"DE.Controllers.Main.loadFontTitleText": "Chargement des données",
|
||||
"DE.Controllers.Main.loadImagesTextText": "Chargement des images...",
|
||||
"DE.Controllers.Main.loadImagesTitleText": "Chargement des images",
|
||||
"DE.Controllers.Main.loadImageTextText": "Chargement d'une image...",
|
||||
"DE.Controllers.Main.loadImageTitleText": "Chargement d'une image",
|
||||
"DE.Controllers.Main.loadingDocumentTextText": "Chargement du document...",
|
||||
"DE.Controllers.Main.loadingDocumentTitleText": "Chargement du document",
|
||||
"DE.Controllers.Main.mailMergeLoadFileText": "Chargement de la source des données...",
|
||||
"DE.Controllers.Main.mailMergeLoadFileTitle": "Chargement de la source des données",
|
||||
"DE.Controllers.Main.notcriticalErrorTitle": "Avertissement",
|
||||
"DE.Controllers.Main.openErrorText": "Une erreur s’est produite lors de l’ouverture du fichier",
|
||||
"DE.Controllers.Main.openTextText": "Ouverture du document...",
|
||||
"DE.Controllers.Main.openTitleText": "Ouverture du document",
|
||||
"DE.Controllers.Main.printTextText": "Impression du document...",
|
||||
"DE.Controllers.Main.printTitleText": "Impression du document",
|
||||
"DE.Controllers.Main.saveErrorText": "Une erreur s'est produite lors de l'enregistrement du fichier",
|
||||
"DE.Controllers.Main.savePreparingText": "La préparation de l'enregistrement",
|
||||
"DE.Controllers.Main.savePreparingTitle": "Merci de patienter, la préparation de l'enregistrement est en cours...",
|
||||
"DE.Controllers.Main.saveTextText": "Enregistrement du document...",
|
||||
"DE.Controllers.Main.saveTitleText": "Enregistrement du document",
|
||||
"DE.Controllers.Main.scriptLoadError": "La connexion est trop lente, certains éléments ne peuvent pas être chargés. Veuillez recharger la page.",
|
||||
"DE.Controllers.Main.sendMergeText": "Envoie du résultat de la fusion...",
|
||||
"DE.Controllers.Main.sendMergeTitle": "Envoie du résultat de la fusion",
|
||||
"DE.Controllers.Main.splitDividerErrorText": "Le nombre de lignes doit être un diviseur de %1",
|
||||
"DE.Controllers.Main.splitMaxColsErrorText": "Le nombre de colonnes doit être moins que %1",
|
||||
"DE.Controllers.Main.splitMaxRowsErrorText": "Le nombre de lignes doit être moins que %1",
|
||||
"DE.Controllers.Main.textAnonymous": "Anonyme",
|
||||
"DE.Controllers.Main.textBack": "Retour",
|
||||
"DE.Controllers.Main.textBuyNow": "Visiter le site web",
|
||||
"DE.Controllers.Main.textCancel": "Annuler",
|
||||
"DE.Controllers.Main.textClose": "Fermer",
|
||||
"DE.Controllers.Main.textContactUs": "L'équipe de ventes",
|
||||
"DE.Controllers.Main.textCustomLoader": "Veuillez noter que conformément aux clauses du contrat de licence vous n'êtes pas autorisé à changer le chargeur.<br>Veuillez contacter notre Service des Ventes pour obtenir le devis.",
|
||||
"DE.Controllers.Main.textDone": "Terminé",
|
||||
"DE.Controllers.Main.textGuest": "Invité",
|
||||
"DE.Controllers.Main.textHasMacros": "Le fichier contient des macros automatiques.<br>Voulez-vous exécuter les macros ?",
|
||||
"DE.Controllers.Main.textLoadingDocument": "Chargement du document",
|
||||
"DE.Controllers.Main.textNo": "Non",
|
||||
"DE.Controllers.Main.textNoLicenseTitle": "La limite de la licence est atteinte",
|
||||
"DE.Controllers.Main.textOK": "OK",
|
||||
"DE.Controllers.Main.textPaidFeature": "Fonction payée",
|
||||
"DE.Controllers.Main.textPassword": "Mot de passe",
|
||||
"DE.Controllers.Main.textPreloader": "Chargement en cours...",
|
||||
"DE.Controllers.Main.textRemember": "Se souvenir de mon choix",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "Les fonctions Annuler/Rétablir sont désactivées pour le mode collaboratif rapide.",
|
||||
"DE.Controllers.Main.textUsername": "Nom d'utilisateur",
|
||||
"DE.Controllers.Main.textYes": "Oui",
|
||||
"DE.Controllers.Main.titleLicenseExp": "Licence expirée",
|
||||
"DE.Controllers.Main.titleServerVersion": "L'éditeur est mis à jour",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "Version a été modifiée",
|
||||
"DE.Controllers.Main.txtAbove": "Au-dessus",
|
||||
"DE.Controllers.Main.txtArt": "Entrez votre texte",
|
||||
"DE.Controllers.Main.txtBelow": "En dessous",
|
||||
"DE.Controllers.Main.txtCurrentDocument": "Document actuel",
|
||||
"DE.Controllers.Main.txtDiagramTitle": "Titre du graphique",
|
||||
"DE.Controllers.Main.txtEditingMode": "Définition du mode d'édition...",
|
||||
"DE.Controllers.Main.txtEvenPage": "Page paire",
|
||||
"DE.Controllers.Main.txtFirstPage": "Première Page",
|
||||
"DE.Controllers.Main.txtFooter": "Pied de page",
|
||||
"DE.Controllers.Main.txtHeader": "En-tête",
|
||||
"DE.Controllers.Main.txtOddPage": "Page impaire",
|
||||
"DE.Controllers.Main.txtOnPage": "sur la page",
|
||||
"DE.Controllers.Main.txtProtected": "Une fois le mot de passe saisi et le ficher ouvert, le mot de passe actuel sera réinitialisé",
|
||||
"DE.Controllers.Main.txtSameAsPrev": "Identique au précédent",
|
||||
"DE.Controllers.Main.txtSection": "-Section",
|
||||
"DE.Controllers.Main.txtSeries": "Séries",
|
||||
"DE.Controllers.Main.txtStyle_footnote_text": "Texte de la note de bas de page",
|
||||
"DE.Controllers.Main.txtStyle_Heading_1": "Titre 1",
|
||||
"DE.Controllers.Main.txtStyle_Heading_2": "Titre 2",
|
||||
"DE.Controllers.Main.txtStyle_Heading_3": "Titre 3",
|
||||
"DE.Controllers.Main.txtStyle_Heading_4": "Titre 4",
|
||||
"DE.Controllers.Main.txtStyle_Heading_5": "Titre 5",
|
||||
"DE.Controllers.Main.txtStyle_Heading_6": "Titre 6",
|
||||
"DE.Controllers.Main.txtStyle_Heading_7": "Titre 7",
|
||||
"DE.Controllers.Main.txtStyle_Heading_8": "Titre 8",
|
||||
"DE.Controllers.Main.txtStyle_Heading_9": "Titre 9",
|
||||
"DE.Controllers.Main.txtStyle_Intense_Quote": "Citation intense",
|
||||
"DE.Controllers.Main.txtStyle_List_Paragraph": "Paragraphe de liste",
|
||||
"DE.Controllers.Main.txtStyle_No_Spacing": "Pas d'espacement",
|
||||
"DE.Controllers.Main.txtStyle_Normal": "Normal",
|
||||
"DE.Controllers.Main.txtStyle_Quote": "Citation",
|
||||
"DE.Controllers.Main.txtStyle_Subtitle": "Sous-titres",
|
||||
"DE.Controllers.Main.txtStyle_Title": "Titre",
|
||||
"DE.Controllers.Main.txtXAxis": "Axe X",
|
||||
"DE.Controllers.Main.txtYAxis": "Axe Y",
|
||||
"DE.Controllers.Main.unknownErrorText": "Erreur inconnue.",
|
||||
"DE.Controllers.Main.unsupportedBrowserErrorText": "Votre navigateur n'est pas pris en charge.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Format d'image inconnu.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Aucune image chargée.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "La taille de l'image a dépassé la limite maximale.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Chargement d'une image en cours...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Chargement d'une image",
|
||||
"DE.Controllers.Main.waitText": "Veuillez patienter...",
|
||||
"DE.Controllers.Main.warnLicenseExceeded": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert à la lecture seulement.<br>Contactez votre administrateur pour en savoir davantage.",
|
||||
"DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.",
|
||||
"DE.Controllers.Main.warnLicenseLimitedNoAccess": "La licence est expirée.<br>Vous n'avez plus d'accès aux outils d'édition.<br>Veuillez contacter votre administrateur.",
|
||||
"DE.Controllers.Main.warnLicenseLimitedRenewed": "Il est indispensable de renouveler la licence.<br>Vous avez un accès limité aux outils d'édition des documents.<br>Veuillez contacter votre administrateur pour obtenir un accès complet",
|
||||
"DE.Controllers.Main.warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez votre administrateur pour en savoir davantage.",
|
||||
"DE.Controllers.Main.warnNoLicense": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert à la lecture seulement.<br>Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.",
|
||||
"DE.Controllers.Main.warnNoLicenseUsers": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.",
|
||||
"DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
|
||||
"DE.Controllers.Search.textNoTextFound": "Le texte est introuvable",
|
||||
"DE.Controllers.Search.textReplaceAll": "Remplacer tout",
|
||||
"DE.Controllers.Settings.notcriticalErrorTitle": "Avertissement",
|
||||
"DE.Controllers.Settings.textCustomSize": "Taille personnalisée",
|
||||
"DE.Controllers.Settings.txtLoading": "Chargement en cours...",
|
||||
"DE.Controllers.Settings.unknownText": "Inconnu",
|
||||
"DE.Controllers.Settings.warnDownloadAs": "Si vous continuez à enregistrer dans ce format toutes les fonctions sauf le texte seront perdues.<br>Êtes-vous sûr de vouloir continuer ?",
|
||||
"DE.Controllers.Settings.warnDownloadAsRTF": "Si vous continuer à sauvegarder dans ce format une partie de la mise en forme peut être supprimée <br>Êtes-vous sûr de vouloir continuer?",
|
||||
"DE.Controllers.Toolbar.dlgLeaveMsgText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette Page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.",
|
||||
"DE.Controllers.Toolbar.dlgLeaveTitleText": "Vous quittez l'application",
|
||||
"DE.Controllers.Toolbar.leaveButtonText": "Quitter cette page",
|
||||
"DE.Controllers.Toolbar.stayButtonText": "Rester sur cette page",
|
||||
"DE.Views.AddImage.textAddress": "Adresse",
|
||||
"DE.Views.AddImage.textBack": "Retour",
|
||||
"DE.Views.AddImage.textFromLibrary": "Image de la bibliothèque",
|
||||
"DE.Views.AddImage.textFromURL": "Image à partir d'une URL",
|
||||
"DE.Views.AddImage.textImageURL": "URL d'une image",
|
||||
"DE.Views.AddImage.textInsertImage": "Insérer une image",
|
||||
"DE.Views.AddImage.textLinkSettings": "Paramètres de lien",
|
||||
"DE.Views.AddOther.textAddComment": "Ajouter commentaire",
|
||||
"DE.Views.AddOther.textAddLink": "Ajouter le lien",
|
||||
"DE.Views.AddOther.textBack": "Retour",
|
||||
"DE.Views.AddOther.textBreak": "Saut",
|
||||
"DE.Views.AddOther.textCenterBottom": "En bas au centre",
|
||||
"DE.Views.AddOther.textCenterTop": "En haut au centre",
|
||||
"DE.Views.AddOther.textColumnBreak": "Saut de colonne",
|
||||
"DE.Views.AddOther.textComment": "Commentaire",
|
||||
"DE.Views.AddOther.textContPage": "Page continue",
|
||||
"DE.Views.AddOther.textCurrentPos": "Position actuelle",
|
||||
"DE.Views.AddOther.textDisplay": "Afficher",
|
||||
"DE.Views.AddOther.textDone": "Effectué",
|
||||
"DE.Views.AddOther.textEvenPage": "Page paire",
|
||||
"DE.Views.AddOther.textFootnote": "Note de bas de page",
|
||||
"DE.Views.AddOther.textFormat": "Format",
|
||||
"DE.Views.AddOther.textInsert": "Insérer",
|
||||
"DE.Views.AddOther.textInsertFootnote": "Insérer une note de bas de page",
|
||||
"DE.Views.AddOther.textLeftBottom": "À gauche en bas",
|
||||
"DE.Views.AddOther.textLeftTop": "À gauche en haut",
|
||||
"DE.Views.AddOther.textLink": "Lien",
|
||||
"DE.Views.AddOther.textLocation": "Emplacement",
|
||||
"DE.Views.AddOther.textNextPage": "Page suivante",
|
||||
"DE.Views.AddOther.textOddPage": "Page impaire",
|
||||
"DE.Views.AddOther.textPageBreak": "Saut de page",
|
||||
"DE.Views.AddOther.textPageNumber": "Numéro de page",
|
||||
"DE.Views.AddOther.textPosition": "Position",
|
||||
"DE.Views.AddOther.textRightBottom": "À droite en bas",
|
||||
"DE.Views.AddOther.textRightTop": "À droite en haut",
|
||||
"DE.Views.AddOther.textSectionBreak": "Saut de section",
|
||||
"DE.Views.AddOther.textStartFrom": "À partir de",
|
||||
"DE.Views.AddOther.textTip": "Info-bulle",
|
||||
"DE.Views.EditChart.textAddCustomColor": "Ajouter la couleur personnalisée",
|
||||
"DE.Views.EditChart.textAlign": "Aligner",
|
||||
"DE.Views.EditChart.textBack": "Retour",
|
||||
"DE.Views.EditChart.textBackward": "Déplacer vers l'arrière",
|
||||
"DE.Views.EditChart.textBehind": "Derrière",
|
||||
"DE.Views.EditChart.textBorder": "Bordure",
|
||||
"DE.Views.EditChart.textColor": "Couleur",
|
||||
"DE.Views.EditChart.textCustomColor": "Couleur personnalisée",
|
||||
"DE.Views.EditChart.textDistanceText": "Distance du texte",
|
||||
"DE.Views.EditChart.textFill": "Remplissage",
|
||||
"DE.Views.EditChart.textForward": "Déplacer vers l'avant",
|
||||
"DE.Views.EditChart.textInFront": "Devant",
|
||||
"DE.Views.EditChart.textInline": "En ligne",
|
||||
"DE.Views.EditChart.textMoveText": "Déplacer avec le texte",
|
||||
"DE.Views.EditChart.textOverlap": "Autoriser le chevauchement",
|
||||
"DE.Views.EditChart.textRemoveChart": "Supprimer le graphique",
|
||||
"DE.Views.EditChart.textReorder": "Réorganiser",
|
||||
"DE.Views.EditChart.textSize": "Taille",
|
||||
"DE.Views.EditChart.textSquare": "Carré",
|
||||
"DE.Views.EditChart.textStyle": "Style",
|
||||
"DE.Views.EditChart.textThrough": "Au travers",
|
||||
"DE.Views.EditChart.textTight": "Rapproché",
|
||||
"DE.Views.EditChart.textToBackground": "Mettre en arrière-plan",
|
||||
"DE.Views.EditChart.textToForeground": "Mettre au premier plan",
|
||||
"DE.Views.EditChart.textTopBottom": "Haut et bas",
|
||||
"DE.Views.EditChart.textType": "Type",
|
||||
"DE.Views.EditChart.textWrap": "Enveloppant",
|
||||
"DE.Views.EditHeader.textDiffFirst": "Première page différente",
|
||||
"DE.Views.EditHeader.textDiffOdd": "Pages paires et impaires différentes",
|
||||
"DE.Views.EditHeader.textFrom": "Commencer par",
|
||||
"DE.Views.EditHeader.textPageNumbering": "Numérotation des pages",
|
||||
"DE.Views.EditHeader.textPrev": "Continuer à partir de la section précédente",
|
||||
"DE.Views.EditHeader.textSameAs": "Lier au précédent",
|
||||
"DE.Views.EditHyperlink.textDisplay": "Afficher",
|
||||
"DE.Views.EditHyperlink.textEdit": "Modifier le lien",
|
||||
"DE.Views.EditHyperlink.textLink": "Lien",
|
||||
"DE.Views.EditHyperlink.textRemove": "Supprimer le lien",
|
||||
"DE.Views.EditHyperlink.textTip": "Info-bulle",
|
||||
"DE.Views.EditImage.textAddress": "Adresse",
|
||||
"DE.Views.EditImage.textAlign": "Aligner",
|
||||
"DE.Views.EditImage.textBack": "Retour",
|
||||
"DE.Views.EditImage.textBackward": "Déplacer vers l'arrière",
|
||||
"DE.Views.EditImage.textBehind": "Derrière",
|
||||
"DE.Views.EditImage.textDefault": "Taille actuelle",
|
||||
"DE.Views.EditImage.textDistanceText": "Distance du texte",
|
||||
"DE.Views.EditImage.textForward": "Déplacer vers l'avant",
|
||||
"DE.Views.EditImage.textFromLibrary": "Image de la bibliothèque",
|
||||
"DE.Views.EditImage.textFromURL": "Image à partir d'une URL",
|
||||
"DE.Views.EditImage.textImageURL": "URL d'une image",
|
||||
"DE.Views.EditImage.textInFront": "Devant",
|
||||
"DE.Views.EditImage.textInline": "En ligne",
|
||||
"DE.Views.EditImage.textLinkSettings": "Paramètres de lien",
|
||||
"DE.Views.EditImage.textMoveText": "Déplacer avec le texte",
|
||||
"DE.Views.EditImage.textOverlap": "Autoriser le chevauchement",
|
||||
"DE.Views.EditImage.textRemove": "Supprimer l'image",
|
||||
"DE.Views.EditImage.textReorder": "Réorganiser",
|
||||
"DE.Views.EditImage.textReplace": "Remplacer",
|
||||
"DE.Views.EditImage.textReplaceImg": "Remplacer l’image",
|
||||
"DE.Views.EditImage.textSquare": "Carré",
|
||||
"DE.Views.EditImage.textThrough": "Au travers",
|
||||
"DE.Views.EditImage.textTight": "Rapproché",
|
||||
"DE.Views.EditImage.textToBackground": "Mettre en arrière-plan",
|
||||
"DE.Views.EditImage.textToForeground": "Mettre au premier plan",
|
||||
"DE.Views.EditImage.textTopBottom": "Haut et bas",
|
||||
"DE.Views.EditImage.textWrap": "Enveloppant",
|
||||
"DE.Views.EditParagraph.textAddCustomColor": "Ajouter la couleur personnalisée",
|
||||
"DE.Views.EditParagraph.textAdvanced": "Avancé",
|
||||
"DE.Views.EditParagraph.textAdvSettings": "Paramètres avancés",
|
||||
"DE.Views.EditParagraph.textAfter": "Après",
|
||||
"DE.Views.EditParagraph.textAuto": "Auto",
|
||||
"DE.Views.EditParagraph.textBack": "Retour",
|
||||
"DE.Views.EditParagraph.textBackground": "Arrière-plan",
|
||||
"DE.Views.EditParagraph.textBefore": "Avant",
|
||||
"DE.Views.EditParagraph.textCustomColor": "Couleur personnalisée",
|
||||
"DE.Views.EditParagraph.textFirstLine": "Première ligne",
|
||||
"DE.Views.EditParagraph.textFromText": "Distance du texte",
|
||||
"DE.Views.EditParagraph.textKeepLines": "Lignes solidaires",
|
||||
"DE.Views.EditParagraph.textKeepNext": "Paragraphes solidaires",
|
||||
"DE.Views.EditParagraph.textOrphan": "Éviter orphelines",
|
||||
"DE.Views.EditParagraph.textPageBreak": "Saut de page avant",
|
||||
"DE.Views.EditParagraph.textPrgStyles": "Styles de paragraphe",
|
||||
"DE.Views.EditParagraph.textSpaceBetween": "Espace après les paragraphes",
|
||||
"DE.Views.EditShape.textAddCustomColor": "Ajouter la couleur personnalisée",
|
||||
"DE.Views.EditShape.textAlign": "Aligner",
|
||||
"DE.Views.EditShape.textBack": "Retour",
|
||||
"DE.Views.EditShape.textBackward": "Déplacer vers l'arrière",
|
||||
"DE.Views.EditShape.textBehind": "Derrière",
|
||||
"DE.Views.EditShape.textBorder": "Bordure",
|
||||
"DE.Views.EditShape.textColor": "Couleur",
|
||||
"DE.Views.EditShape.textCustomColor": "Couleur personnalisée",
|
||||
"DE.Views.EditShape.textEffects": "Effets",
|
||||
"DE.Views.EditShape.textFill": "Remplissage",
|
||||
"DE.Views.EditShape.textForward": "Déplacer vers l'avant",
|
||||
"DE.Views.EditShape.textFromText": "Distance du texte",
|
||||
"DE.Views.EditShape.textInFront": "Devant",
|
||||
"DE.Views.EditShape.textInline": "En ligne",
|
||||
"DE.Views.EditShape.textOpacity": "Opacité",
|
||||
"DE.Views.EditShape.textOverlap": "Autoriser le chevauchement",
|
||||
"DE.Views.EditShape.textRemoveShape": "Supprimer la forme",
|
||||
"DE.Views.EditShape.textReorder": "Réorganiser",
|
||||
"DE.Views.EditShape.textReplace": "Remplacer",
|
||||
"DE.Views.EditShape.textSize": "Taille",
|
||||
"DE.Views.EditShape.textSquare": "Carré",
|
||||
"DE.Views.EditShape.textStyle": "Style",
|
||||
"DE.Views.EditShape.textThrough": "Au travers",
|
||||
"DE.Views.EditShape.textTight": "Rapproché",
|
||||
"DE.Views.EditShape.textToBackground": "Mettre en arrière-plan",
|
||||
"DE.Views.EditShape.textToForeground": "Mettre au premier plan",
|
||||
"DE.Views.EditShape.textTopAndBottom": "Haut et bas",
|
||||
"DE.Views.EditShape.textWithText": "Déplacer avec le texte",
|
||||
"DE.Views.EditShape.textWrap": "Enveloppant",
|
||||
"DE.Views.EditTable.textAddCustomColor": "Ajouter la couleur personnalisée",
|
||||
"DE.Views.EditTable.textAlign": "Aligner",
|
||||
"DE.Views.EditTable.textBack": "Retour",
|
||||
"DE.Views.EditTable.textBandedColumn": "Colonne à bandes",
|
||||
"DE.Views.EditTable.textBandedRow": "Ligne à bandes",
|
||||
"DE.Views.EditTable.textBorder": "Bordure",
|
||||
"DE.Views.EditTable.textCellMargins": "Marges de la cellule",
|
||||
"DE.Views.EditTable.textColor": "Couleur",
|
||||
"DE.Views.EditTable.textCustomColor": "Couleur personnalisée",
|
||||
"DE.Views.EditTable.textFill": "Remplissage",
|
||||
"DE.Views.EditTable.textFirstColumn": "Première colonne",
|
||||
"DE.Views.EditTable.textFlow": "Flux",
|
||||
"DE.Views.EditTable.textFromText": "Distance du texte",
|
||||
"DE.Views.EditTable.textHeaderRow": "Ligne d’en-tête",
|
||||
"DE.Views.EditTable.textInline": "En ligne",
|
||||
"DE.Views.EditTable.textLastColumn": "Dernière colonne",
|
||||
"DE.Views.EditTable.textOptions": "Options",
|
||||
"DE.Views.EditTable.textRemoveTable": "Supprimer la table",
|
||||
"DE.Views.EditTable.textRepeatHeader": "Répéter la ligne d'en-tête",
|
||||
"DE.Views.EditTable.textResizeFit": "Redimensionner pour adapter au contenu",
|
||||
"DE.Views.EditTable.textSize": "Taille",
|
||||
"DE.Views.EditTable.textStyle": "Style",
|
||||
"DE.Views.EditTable.textStyleOptions": "Options de style",
|
||||
"DE.Views.EditTable.textTableOptions": "Options de la table",
|
||||
"DE.Views.EditTable.textTotalRow": "Ligne de total",
|
||||
"DE.Views.EditTable.textWithText": "Déplacer avec le texte",
|
||||
"DE.Views.EditTable.textWrap": "Enveloppant",
|
||||
"DE.Views.EditText.textAddCustomColor": "Ajouter la couleur personnalisée",
|
||||
"DE.Views.EditText.textAdditional": "Supplémentaire",
|
||||
"DE.Views.EditText.textAdditionalFormat": "Mise en forme supplémentaire",
|
||||
"DE.Views.EditText.textAllCaps": "Tout en majuscules",
|
||||
"DE.Views.EditText.textAutomatic": "Automatique",
|
||||
"DE.Views.EditText.textBack": "Retour",
|
||||
"DE.Views.EditText.textBullets": "Puces",
|
||||
"DE.Views.EditText.textCharacterBold": "B",
|
||||
"DE.Views.EditText.textCharacterItalic": "I",
|
||||
"DE.Views.EditText.textCharacterStrikethrough": "S",
|
||||
"DE.Views.EditText.textCharacterUnderline": "U",
|
||||
"DE.Views.EditText.textCustomColor": "Couleur personnalisée",
|
||||
"DE.Views.EditText.textDblStrikethrough": "Barré double",
|
||||
"DE.Views.EditText.textDblSuperscript": "Exposant",
|
||||
"DE.Views.EditText.textFontColor": "Couleur de police",
|
||||
"DE.Views.EditText.textFontColors": "Couleurs de police",
|
||||
"DE.Views.EditText.textFonts": "Polices",
|
||||
"DE.Views.EditText.textHighlightColor": "Couleur de surlignage",
|
||||
"DE.Views.EditText.textHighlightColors": "Couleurs de surbrillance",
|
||||
"DE.Views.EditText.textLetterSpacing": "Espacement entre les lettres",
|
||||
"DE.Views.EditText.textLineSpacing": "Interligne",
|
||||
"DE.Views.EditText.textNone": "Aucun",
|
||||
"DE.Views.EditText.textNumbers": "Numéros",
|
||||
"DE.Views.EditText.textSize": "Taille",
|
||||
"DE.Views.EditText.textSmallCaps": "Petites majuscules",
|
||||
"DE.Views.EditText.textStrikethrough": "Barré",
|
||||
"DE.Views.EditText.textSubscript": "Indice",
|
||||
"DE.Views.Search.textCase": "Respecter la casse",
|
||||
"DE.Views.Search.textDone": "Effectué",
|
||||
"DE.Views.Search.textFind": "Rechercher",
|
||||
"DE.Views.Search.textFindAndReplace": "Rechercher et remplacer",
|
||||
"DE.Views.Search.textHighlight": "Surligner les résultats",
|
||||
"DE.Views.Search.textReplace": "Remplacer",
|
||||
"DE.Views.Search.textSearch": "Rechercher",
|
||||
"DE.Views.Settings.textAbout": "A propos",
|
||||
"DE.Views.Settings.textAddress": "adresse",
|
||||
"DE.Views.Settings.textAdvancedSettings": "Paramètres de l'application",
|
||||
"DE.Views.Settings.textApplication": "Application",
|
||||
"DE.Views.Settings.textAuthor": "Auteur",
|
||||
"DE.Views.Settings.textBack": "Retour",
|
||||
"DE.Views.Settings.textBottom": "En bas",
|
||||
"DE.Views.Settings.textCentimeter": "Centimètre",
|
||||
"DE.Views.Settings.textCollaboration": "Collaboration",
|
||||
"DE.Views.Settings.textColorSchemes": "Jeux de couleurs",
|
||||
"DE.Views.Settings.textComment": "Commentaire",
|
||||
"DE.Views.Settings.textCommentingDisplay": "Affichage des commentaires ",
|
||||
"DE.Views.Settings.textCreated": "Créé",
|
||||
"DE.Views.Settings.textCreateDate": "Date de création",
|
||||
"DE.Views.Settings.textCustom": "Personnalisé",
|
||||
"DE.Views.Settings.textCustomSize": "Taille personnalisée",
|
||||
"DE.Views.Settings.textDisableAll": "Désactiver tout",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithNotification": "Désactiver tous les macros avec",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Désactiver tous les macros sans",
|
||||
"DE.Views.Settings.textDisplayComments": "Commentaires",
|
||||
"DE.Views.Settings.textDisplayResolvedComments": "Commentaires résolus",
|
||||
"DE.Views.Settings.textDocInfo": "Position actuelle",
|
||||
"DE.Views.Settings.textDocTitle": "Titre du document",
|
||||
"DE.Views.Settings.textDocumentFormats": "Formats de document",
|
||||
"DE.Views.Settings.textDocumentSettings": "Paramètres du document",
|
||||
"DE.Views.Settings.textDone": "Effectué",
|
||||
"DE.Views.Settings.textDownload": "Télécharger",
|
||||
"DE.Views.Settings.textDownloadAs": "Télécharger comme...",
|
||||
"DE.Views.Settings.textEditDoc": "Modifier",
|
||||
"DE.Views.Settings.textEmail": "e-mail",
|
||||
"DE.Views.Settings.textEnableAll": "Activer tout",
|
||||
"DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Activer tous les macros sans",
|
||||
"DE.Views.Settings.textFind": "Rechercher",
|
||||
"DE.Views.Settings.textFindAndReplace": "Rechercher et remplacer",
|
||||
"DE.Views.Settings.textFormat": "Format",
|
||||
"DE.Views.Settings.textHelp": "Aide",
|
||||
"DE.Views.Settings.textHiddenTableBorders": "Bordures du tableau cachées",
|
||||
"DE.Views.Settings.textInch": "Pouce",
|
||||
"DE.Views.Settings.textLandscape": "Paysage",
|
||||
"DE.Views.Settings.textLastModified": "Date de dernière modification",
|
||||
"DE.Views.Settings.textLastModifiedBy": "Dernière modification par",
|
||||
"DE.Views.Settings.textLeft": "A gauche",
|
||||
"DE.Views.Settings.textLoading": "Chargement en cours...",
|
||||
"DE.Views.Settings.textLocation": "Emplacement",
|
||||
"DE.Views.Settings.textMacrosSettings": "Réglages macros",
|
||||
"DE.Views.Settings.textMargins": "Marges",
|
||||
"DE.Views.Settings.textNoCharacters": "Caractères non imprimables",
|
||||
"DE.Views.Settings.textOrientation": "Orientation",
|
||||
"DE.Views.Settings.textOwner": "Propriétaire",
|
||||
"DE.Views.Settings.textPages": "Pages",
|
||||
"DE.Views.Settings.textParagraphs": "Paragraphes",
|
||||
"DE.Views.Settings.textPoint": "Point",
|
||||
"DE.Views.Settings.textPortrait": "Portrait",
|
||||
"DE.Views.Settings.textPoweredBy": "Propulsé par ",
|
||||
"DE.Views.Settings.textPrint": "Imprimer",
|
||||
"DE.Views.Settings.textReader": "Mode de lecture",
|
||||
"DE.Views.Settings.textReview": "Suivre des modifications",
|
||||
"DE.Views.Settings.textRight": "A droite",
|
||||
"DE.Views.Settings.textSettings": "Paramètres",
|
||||
"DE.Views.Settings.textShowNotification": "Montrer la notification",
|
||||
"DE.Views.Settings.textSpaces": "Espaces",
|
||||
"DE.Views.Settings.textSpellcheck": "Vérification de l'orthographe",
|
||||
"DE.Views.Settings.textStatistic": "Statistique",
|
||||
"DE.Views.Settings.textSubject": "Sujet",
|
||||
"DE.Views.Settings.textSymbols": "Symboles",
|
||||
"DE.Views.Settings.textTel": "Tél.",
|
||||
"DE.Views.Settings.textTitle": "Titre",
|
||||
"DE.Views.Settings.textTop": "En haut",
|
||||
"DE.Views.Settings.textUnitOfMeasurement": "Unité de mesure",
|
||||
"DE.Views.Settings.textUploaded": "Chargé",
|
||||
"DE.Views.Settings.textVersion": "Version",
|
||||
"DE.Views.Settings.textWords": "Mots",
|
||||
"DE.Views.Settings.unknownText": "Inconnu",
|
||||
"DE.Views.Toolbar.textBack": "Retour"
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"textAddComment": "Ajouter un commentaire"
|
||||
}
|
||||
},
|
||||
"Settings": {
|
||||
"textAbout": "A propos"
|
||||
}
|
||||
}
|
|
@ -1,600 +1,52 @@
|
|||
{
|
||||
"Common.Controllers.Collaboration.textAddReply": "返信の追加",
|
||||
"Common.Controllers.Collaboration.textAtLeast": "最小",
|
||||
"Common.Controllers.Collaboration.textAuto": "自動",
|
||||
"Common.Controllers.Collaboration.textBaseline": "ベースライン",
|
||||
"Common.Controllers.Collaboration.textBold": "太字",
|
||||
"Common.Controllers.Collaboration.textBreakBefore": "前に改ページ",
|
||||
"Common.Controllers.Collaboration.textCancel": "キャンセル",
|
||||
"Common.Controllers.Collaboration.textCaps": "全ての大字",
|
||||
"Common.Controllers.Collaboration.textCenter": "中央揃え",
|
||||
"Common.Controllers.Collaboration.textChart": "グラフ",
|
||||
"Common.Controllers.Collaboration.textColor": "フォントの色",
|
||||
"Common.Controllers.Collaboration.textContextual": "同じスタイルの段落の間に間隔を追加しない",
|
||||
"Common.Controllers.Collaboration.textDelete": "削除",
|
||||
"Common.Controllers.Collaboration.textDeleteComment": "コメントを削除する",
|
||||
"Common.Controllers.Collaboration.textDeleted": "<b>削除済み:</b>",
|
||||
"Common.Controllers.Collaboration.textDeleteReply": "返事を削除する",
|
||||
"Common.Controllers.Collaboration.textDone": "完了",
|
||||
"Common.Controllers.Collaboration.textDStrikeout": "二重取り消し線",
|
||||
"Common.Controllers.Collaboration.textEdit": "編集",
|
||||
"Common.Controllers.Collaboration.textEditUser": "ファイルを編集しているユーザー:",
|
||||
"Common.Controllers.Collaboration.textEquation": "数式",
|
||||
"Common.Controllers.Collaboration.textExact": "固定値",
|
||||
"Common.Controllers.Collaboration.textFirstLine": "先頭行",
|
||||
"Common.Controllers.Collaboration.textFormatted": "書式付き",
|
||||
"Common.Controllers.Collaboration.textHighlight": "強調表示の色",
|
||||
"Common.Controllers.Collaboration.textImage": "画像",
|
||||
"Common.Controllers.Collaboration.textIndentLeft": "左側にインデント",
|
||||
"Common.Controllers.Collaboration.textIndentRight": "右側にインデント",
|
||||
"Common.Controllers.Collaboration.textInserted": "<b>挿入済み:</b>",
|
||||
"Common.Controllers.Collaboration.textItalic": "イタリック",
|
||||
"Common.Controllers.Collaboration.textJustify": "両端揃え",
|
||||
"Common.Controllers.Collaboration.textKeepLines": "段落を分割しない",
|
||||
"Common.Controllers.Collaboration.textKeepNext": "次の段落と分離しない",
|
||||
"Common.Controllers.Collaboration.textLeft": "左揃え",
|
||||
"Common.Controllers.Collaboration.textLineSpacing": "行間:",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteComment": "このコメントを削除してもよろしいですか?",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteReply": "この返信を削除しても宜しいでしょうか?",
|
||||
"Common.Controllers.Collaboration.textMultiple": "因子",
|
||||
"Common.Controllers.Collaboration.textNoBreakBefore": "前にページ区切りなし",
|
||||
"Common.Controllers.Collaboration.textNoChanges": "変更はありません。",
|
||||
"Common.Controllers.Collaboration.textNoContextual": "同じなスタイルの段落の間に間隔を追加する",
|
||||
"Common.Controllers.Collaboration.textNoKeepLines": "段落を分割する",
|
||||
"Common.Controllers.Collaboration.textNoKeepNext": "次の段落と分離する",
|
||||
"Common.Controllers.Collaboration.textNot": "ない",
|
||||
"Common.Controllers.Collaboration.textNoWidow": "改ページ時1行残して段落を区切らないを制御しない。",
|
||||
"Common.Controllers.Collaboration.textNum": "番号設定の変更",
|
||||
"Common.Controllers.Collaboration.textParaDeleted": "<b>段落が削除された</b> ",
|
||||
"Common.Controllers.Collaboration.textParaFormatted": "<b>段落の書式設定された:</b>",
|
||||
"Common.Controllers.Collaboration.textParaInserted": "<b>段落が挿入された</b> ",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromDown": "<b>下に移動された:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromUp": "<b>上に移動された:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveTo": "<b>移動された:</b>",
|
||||
"Common.Controllers.Collaboration.textPosition": "位置",
|
||||
"Common.Controllers.Collaboration.textReopen": "再開する",
|
||||
"Common.Controllers.Collaboration.textResolve": "解決する",
|
||||
"Common.Controllers.Collaboration.textRight": "右揃え",
|
||||
"Common.Controllers.Collaboration.textShape": "図形",
|
||||
"Common.Controllers.Collaboration.textShd": "背景色",
|
||||
"Common.Controllers.Collaboration.textSmallCaps": "小型英大文字",
|
||||
"Common.Controllers.Collaboration.textSpacing": "間隔",
|
||||
"Common.Controllers.Collaboration.textSpacingAfter": "段落の後の行間",
|
||||
"Common.Controllers.Collaboration.textSpacingBefore": "段落の前の行間",
|
||||
"Common.Controllers.Collaboration.textStrikeout": "取り消し線",
|
||||
"Common.Controllers.Collaboration.textSubScript": "下付き",
|
||||
"Common.Controllers.Collaboration.textSuperScript": "上付き",
|
||||
"Common.Controllers.Collaboration.textTableChanged": "<b>テーブル設定が変更された</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsAdd": "<b>テーブル行が追加された</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsDel": "<b>テーブル行が削除された</b>",
|
||||
"Common.Controllers.Collaboration.textTabs": "タブの変更",
|
||||
"Common.Controllers.Collaboration.textUnderline": "下線",
|
||||
"Common.Controllers.Collaboration.textWidow": " 改ページ時 1 行残して段落を区切らない]",
|
||||
"Common.Controllers.Collaboration.textYes": "はい",
|
||||
"Common.UI.ThemeColorPalette.textCustomColors": "ユーザー設定色",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "標準の色",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "テーマの色",
|
||||
"Common.Utils.Metric.txtCm": "センチ",
|
||||
"Common.Utils.Metric.txtPt": "pt",
|
||||
"Common.Views.Collaboration.textAccept": "同意する",
|
||||
"Common.Views.Collaboration.textAcceptAllChanges": "すべての変更を反映する",
|
||||
"Common.Views.Collaboration.textAddReply": "返信の追加",
|
||||
"Common.Views.Collaboration.textAllChangesAcceptedPreview": "すべての変更が承認されました(プレビュー)",
|
||||
"Common.Views.Collaboration.textAllChangesEditing": "全ての変更(編集)",
|
||||
"Common.Views.Collaboration.textAllChangesRejectedPreview": "すべての変更が拒否されました(プレビュー)",
|
||||
"Common.Views.Collaboration.textBack": "戻る",
|
||||
"Common.Views.Collaboration.textCancel": "キャンセル",
|
||||
"Common.Views.Collaboration.textChange": "変更レビュー",
|
||||
"Common.Views.Collaboration.textCollaboration": "共同編集",
|
||||
"Common.Views.Collaboration.textDisplayMode": "表示モード",
|
||||
"Common.Views.Collaboration.textDone": "完了",
|
||||
"Common.Views.Collaboration.textEditReply": "返事の編集",
|
||||
"Common.Views.Collaboration.textEditUsers": "ユーザー",
|
||||
"Common.Views.Collaboration.textEditСomment": "コメントの編集",
|
||||
"Common.Views.Collaboration.textFinal": "最終版",
|
||||
"Common.Views.Collaboration.textMarkup": "マークアップ",
|
||||
"Common.Views.Collaboration.textNoComments": "この文書にはコメントがありません",
|
||||
"Common.Views.Collaboration.textOriginal": "原本",
|
||||
"Common.Views.Collaboration.textReject": "拒否する",
|
||||
"Common.Views.Collaboration.textRejectAllChanges": "すべての変更を元に戻す",
|
||||
"Common.Views.Collaboration.textReview": "変更履歴",
|
||||
"Common.Views.Collaboration.textReviewing": "レビュー",
|
||||
"Common.Views.Collaboration.textСomments": "コメント",
|
||||
"DE.Controllers.AddContainer.textImage": "画像",
|
||||
"DE.Controllers.AddContainer.textOther": "その他",
|
||||
"DE.Controllers.AddContainer.textShape": "図形",
|
||||
"DE.Controllers.AddContainer.textTable": "表",
|
||||
"DE.Controllers.AddImage.notcriticalErrorTitle": "警告",
|
||||
"DE.Controllers.AddImage.textEmptyImgUrl": "画像のURLを指定する必要があります。",
|
||||
"DE.Controllers.AddImage.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります",
|
||||
"DE.Controllers.AddOther.notcriticalErrorTitle": "警告",
|
||||
"DE.Controllers.AddOther.textBelowText": "テキストより下",
|
||||
"DE.Controllers.AddOther.textBottomOfPage": "ページ下",
|
||||
"DE.Controllers.AddOther.textCancel": "キャンセル",
|
||||
"DE.Controllers.AddOther.textContinue": "続ける",
|
||||
"DE.Controllers.AddOther.textDelete": "削除",
|
||||
"DE.Controllers.AddOther.textDeleteDraft": "下書きを削除しても宜しいでしょうか?",
|
||||
"DE.Controllers.AddOther.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります",
|
||||
"DE.Controllers.AddTable.textCancel": "キャンセル",
|
||||
"DE.Controllers.AddTable.textColumns": "列",
|
||||
"DE.Controllers.AddTable.textRows": "行",
|
||||
"DE.Controllers.AddTable.textTableSize": "表のサイズ",
|
||||
"DE.Controllers.DocumentHolder.errorCopyCutPaste": "コンテキストメニューを使用したコピー、切り取り、貼り付けの操作は、同じファイル内でのみ実行できます。",
|
||||
"DE.Controllers.DocumentHolder.menuAddComment": "コメントの追加",
|
||||
"DE.Controllers.DocumentHolder.menuAddLink": "リンクを追加する",
|
||||
"DE.Controllers.DocumentHolder.menuCopy": "コピー",
|
||||
"DE.Controllers.DocumentHolder.menuCut": "切り取り",
|
||||
"DE.Controllers.DocumentHolder.menuDelete": "削除",
|
||||
"DE.Controllers.DocumentHolder.menuDeleteTable": "表の削除",
|
||||
"DE.Controllers.DocumentHolder.menuEdit": "編集する",
|
||||
"DE.Controllers.DocumentHolder.menuMerge": "セルの結合",
|
||||
"DE.Controllers.DocumentHolder.menuMore": "もっと",
|
||||
"DE.Controllers.DocumentHolder.menuOpenLink": "リンクを開く",
|
||||
"DE.Controllers.DocumentHolder.menuPaste": "貼り付け",
|
||||
"DE.Controllers.DocumentHolder.menuReview": "レビュー",
|
||||
"DE.Controllers.DocumentHolder.menuReviewChange": "変更レビュー",
|
||||
"DE.Controllers.DocumentHolder.menuSplit": "セルの分割",
|
||||
"DE.Controllers.DocumentHolder.menuViewComment": "コメントを見る",
|
||||
"DE.Controllers.DocumentHolder.sheetCancel": "キャンセル",
|
||||
"DE.Controllers.DocumentHolder.textCancel": "キャンセル",
|
||||
"DE.Controllers.DocumentHolder.textColumns": "列",
|
||||
"DE.Controllers.DocumentHolder.textCopyCutPasteActions": "コピー,切り取り,貼り付け操作",
|
||||
"DE.Controllers.DocumentHolder.textDoNotShowAgain": "次回から表示しない",
|
||||
"DE.Controllers.DocumentHolder.textGuest": "ゲスト",
|
||||
"DE.Controllers.DocumentHolder.textRows": "行",
|
||||
"DE.Controllers.EditContainer.textChart": "グラフ",
|
||||
"DE.Controllers.EditContainer.textFooter": "フッター",
|
||||
"DE.Controllers.EditContainer.textHeader": "ヘッダー",
|
||||
"DE.Controllers.EditContainer.textHyperlink": "ハイパーリンク",
|
||||
"DE.Controllers.EditContainer.textImage": "画像",
|
||||
"DE.Controllers.EditContainer.textParagraph": "段落",
|
||||
"DE.Controllers.EditContainer.textSettings": "設定",
|
||||
"DE.Controllers.EditContainer.textShape": "図形",
|
||||
"DE.Controllers.EditContainer.textTable": "表",
|
||||
"DE.Controllers.EditContainer.textText": "テキスト",
|
||||
"DE.Controllers.EditHyperlink.notcriticalErrorTitle": "警告",
|
||||
"DE.Controllers.EditHyperlink.textEmptyImgUrl": "画像のURLを指定する必要があります。",
|
||||
"DE.Controllers.EditHyperlink.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります",
|
||||
"DE.Controllers.EditImage.notcriticalErrorTitle": "警告",
|
||||
"DE.Controllers.EditImage.textEmptyImgUrl": "画像のURLを指定する必要があります。",
|
||||
"DE.Controllers.EditImage.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります",
|
||||
"DE.Controllers.EditText.textAuto": "自動",
|
||||
"DE.Controllers.EditText.textFonts": "フォント",
|
||||
"DE.Controllers.EditText.textPt": "pt",
|
||||
"DE.Controllers.Main.advDRMEnterPassword": "パスワード入力:",
|
||||
"DE.Controllers.Main.advDRMOptions": "保護されたファイル",
|
||||
"DE.Controllers.Main.advDRMPassword": "パスワード",
|
||||
"DE.Controllers.Main.advTxtOptions": "TXTオプションを選択する",
|
||||
"DE.Controllers.Main.applyChangesTextText": "データを読み込んでいます",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "データを読み込んでいます",
|
||||
"DE.Controllers.Main.closeButtonText": "ファイルを閉じる",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "変換のタイムアウトを超過しました。",
|
||||
"DE.Controllers.Main.criticalErrorExtText": "「OK」を押してドキュメント一覧に戻ります。",
|
||||
"DE.Controllers.Main.criticalErrorTitle": "エラー",
|
||||
"DE.Controllers.Main.downloadErrorText": "ダウンロードに失敗しました。",
|
||||
"DE.Controllers.Main.downloadMergeText": "ダウンロード中...",
|
||||
"DE.Controllers.Main.downloadMergeTitle": "ダウンロード中",
|
||||
"DE.Controllers.Main.downloadTextText": "文書のダウンロード中",
|
||||
"DE.Controllers.Main.downloadTitleText": "文書のダウンロード中",
|
||||
"DE.Controllers.Main.errorAccessDeny": "権限のない操作を実行しようとしています。<br>ドキュメントサーバーの管理者にご連絡ください。",
|
||||
"DE.Controllers.Main.errorBadImageUrl": "画像のURLが正しくありません。",
|
||||
"DE.Controllers.Main.errorCoAuthoringDisconnect": "サーバー接続が失われました。 編集することはできません。",
|
||||
"DE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。<br>OKボタンをクリックするとドキュメントをダウンロードするように求められます。",
|
||||
"DE.Controllers.Main.errorDatabaseConnection": "外部エラーです。<br>データベース接続エラーです。サポートにお問い合わせください。",
|
||||
"DE.Controllers.Main.errorDataEncrypted": "暗号化された変更を受け取りましたが、解読できません。",
|
||||
"DE.Controllers.Main.errorDataRange": "データ範囲が正しくありません",
|
||||
"DE.Controllers.Main.errorDefaultMessage": "エラー コード:%1",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "ドキュメントの操作中にエラーが発生しました。<br> [ダウンロード]オプションを使用して、ファイルのバックアップコピーをコンピューターのハードドライブにご保存ください。",
|
||||
"DE.Controllers.Main.errorFilePassProtect": "文書がパスワードで保護されているため、開くことができません。",
|
||||
"DE.Controllers.Main.errorFileSizeExceed": "ファイルサイズがサーバーで設定された制限を超過しています。<br>Documentサーバー管理者に詳細をお問い合わせください。",
|
||||
"DE.Controllers.Main.errorKeyEncrypt": "不明なキーの記述子",
|
||||
"DE.Controllers.Main.errorKeyExpire": "キー記述子は有効期限が切れました",
|
||||
"DE.Controllers.Main.errorMailMergeLoadFile": "ドキュメントの読み込みに失敗しました。 別のファイルを選択してください。",
|
||||
"DE.Controllers.Main.errorMailMergeSaveFile": "結合に失敗しました。",
|
||||
"DE.Controllers.Main.errorOpensource": "無料のコミュニティバージョンを使用すると、閲覧専用のドキュメントを開くことができます。 モバイルWebエディターにアクセスするには、商用ライセンスが必要です。",
|
||||
"DE.Controllers.Main.errorProcessSaveResult": "保存に失敗しました。",
|
||||
"DE.Controllers.Main.errorServerVersion": "エディターのバージョンが更新されました。 変更を適用するために、ページが再読み込みされます。",
|
||||
"DE.Controllers.Main.errorSessionAbsolute": "ドキュメント編集セッションが終了しました。 ページを再度お読み込みください。",
|
||||
"DE.Controllers.Main.errorSessionIdle": "このドキュメントはかなり長い間編集されていませんでした。このページを再度お読み込みください。",
|
||||
"DE.Controllers.Main.errorSessionToken": "サーバーとの接続が中断されました。このページを再度お読み込みください。",
|
||||
"DE.Controllers.Main.errorStockChart": "行の順序が正しくありません。この株価チャートを作成するには、<br>始値、高値、安値、終値の順でシートのデータを配置してください。",
|
||||
"DE.Controllers.Main.errorUpdateVersion": "ファイルのバージョンが変更されました。ページが再読み込みます。",
|
||||
"DE.Controllers.Main.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されました。<br>作業を継続する前に、ファイルをダウンロードするか、内容をコピーして、変更が消えてしまわないように確認してから、ページを再びお読み込みください。",
|
||||
"DE.Controllers.Main.errorUserDrop": "今、ファイルにアクセスすることはできません。",
|
||||
"DE.Controllers.Main.errorUsersExceed": "ユーザー数を超えました",
|
||||
"DE.Controllers.Main.errorViewerDisconnect": "接続が失われました。 ドキュメントを表示することはできますが、<br>接続が復元されてページが再読み込みされるまでダウンロードできません。",
|
||||
"DE.Controllers.Main.leavePageText": "このドキュメントには未保存の変更があります。 [このページに留まる]をクリックして、ドキュメントの自動保存をお待ちください。 保存されていない変更をすべて破棄するには、[このページから移動する]をクリックください。",
|
||||
"DE.Controllers.Main.loadFontsTextText": "データを読み込んでいます",
|
||||
"DE.Controllers.Main.loadFontsTitleText": "データを読み込んでいます",
|
||||
"DE.Controllers.Main.loadFontTextText": "データを読み込んでいます",
|
||||
"DE.Controllers.Main.loadFontTitleText": "データを読み込んでいます",
|
||||
"DE.Controllers.Main.loadImagesTextText": "画像の読み込み中...",
|
||||
"DE.Controllers.Main.loadImagesTitleText": "画像の読み込み中",
|
||||
"DE.Controllers.Main.loadImageTextText": "画像の読み込み中...",
|
||||
"DE.Controllers.Main.loadImageTitleText": "画像の読み込み中",
|
||||
"DE.Controllers.Main.loadingDocumentTextText": "ドキュメントを読み込んでいます",
|
||||
"DE.Controllers.Main.loadingDocumentTitleText": "ドキュメントを読み込んでいます",
|
||||
"DE.Controllers.Main.mailMergeLoadFileText": "データ ソースを読み込んでいます...",
|
||||
"DE.Controllers.Main.mailMergeLoadFileTitle": "データ ソースを読み込んでいます",
|
||||
"DE.Controllers.Main.notcriticalErrorTitle": "警告",
|
||||
"DE.Controllers.Main.openErrorText": "ファイルを読み込み中にエラーが発生しました",
|
||||
"DE.Controllers.Main.openTextText": "ドキュメントを開いている中...",
|
||||
"DE.Controllers.Main.openTitleText": "ドキュメントを開いている中",
|
||||
"DE.Controllers.Main.printTextText": "ドキュメント印刷中...",
|
||||
"DE.Controllers.Main.printTitleText": "ドキュメント印刷中",
|
||||
"DE.Controllers.Main.saveErrorText": "ファイルを保存中にエラーが発生しました",
|
||||
"DE.Controllers.Main.savePreparingText": "保存の準備中",
|
||||
"DE.Controllers.Main.savePreparingTitle": "保存の準備中です。少々お待ちください。",
|
||||
"DE.Controllers.Main.saveTextText": "ドキュメントの保存中...",
|
||||
"DE.Controllers.Main.saveTitleText": "ドキュメントの保存中",
|
||||
"DE.Controllers.Main.scriptLoadError": "インターネット接続が遅いため、一部のコンポーネントをロードできませんでした。ページを再度お読み込みください。",
|
||||
"DE.Controllers.Main.sendMergeText": "結合の結果の送信中...",
|
||||
"DE.Controllers.Main.sendMergeTitle": "結合の結果の送信中",
|
||||
"DE.Controllers.Main.splitDividerErrorText": "行数は%1の約数である必要があります",
|
||||
"DE.Controllers.Main.splitMaxColsErrorText": "列の数は%1未満である必要があります",
|
||||
"DE.Controllers.Main.splitMaxRowsErrorText": "行の数は%1未満である必要があります",
|
||||
"DE.Controllers.Main.textAnonymous": "匿名者",
|
||||
"DE.Controllers.Main.textBack": "戻る",
|
||||
"DE.Controllers.Main.textBuyNow": "ウェブサイトを訪問する",
|
||||
"DE.Controllers.Main.textCancel": "キャンセル",
|
||||
"DE.Controllers.Main.textClose": "閉じる",
|
||||
"DE.Controllers.Main.textContactUs": "営業部に連絡する",
|
||||
"DE.Controllers.Main.textCustomLoader": "ライセンスの条件によっては、ローダーを変更する権利がないことにご注意ください。<br>見積もりについては、営業部門にお問い合わせください。",
|
||||
"DE.Controllers.Main.textDone": "完了",
|
||||
"DE.Controllers.Main.textGuest": "ゲスト",
|
||||
"DE.Controllers.Main.textHasMacros": "ファイルには自動マクロが含まれています。<br>マクロを実行しますか?",
|
||||
"DE.Controllers.Main.textLoadingDocument": "ドキュメントを読み込んでいます",
|
||||
"DE.Controllers.Main.textNo": "いいえ",
|
||||
"DE.Controllers.Main.textNoLicenseTitle": "ライセンス制限に達しました",
|
||||
"DE.Controllers.Main.textOK": "OK",
|
||||
"DE.Controllers.Main.textPaidFeature": "有料機能",
|
||||
"DE.Controllers.Main.textPassword": "パスワード",
|
||||
"DE.Controllers.Main.textPreloader": "読み込み中...",
|
||||
"DE.Controllers.Main.textRemember": "選択内容を保存する",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "高速共同編集モードでは、元に戻す/やり直し機能が無効になります。",
|
||||
"DE.Controllers.Main.textUsername": "ユーザー名",
|
||||
"DE.Controllers.Main.textYes": "はい",
|
||||
"DE.Controllers.Main.titleLicenseExp": "ライセンスの有効期限が切れています",
|
||||
"DE.Controllers.Main.titleServerVersion": "エディターが更新された",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "バージョンを変更しました。",
|
||||
"DE.Controllers.Main.txtArt": "テキストはここです。",
|
||||
"DE.Controllers.Main.txtCurrentDocument": "現在の文書",
|
||||
"DE.Controllers.Main.txtDiagramTitle": "グラフのタイトル",
|
||||
"DE.Controllers.Main.txtEditingMode": "編集モードの設定中...",
|
||||
"DE.Controllers.Main.txtFirstPage": "最初のページ",
|
||||
"DE.Controllers.Main.txtFooter": "フッター",
|
||||
"DE.Controllers.Main.txtHeader": "ヘッダー",
|
||||
"DE.Controllers.Main.txtProtected": "パスワードを入力してファイルを開くと、ファイルの既存のパスワードがリセットされます。",
|
||||
"DE.Controllers.Main.txtSeries": "系列",
|
||||
"DE.Controllers.Main.txtStyle_footnote_text": "脚注テキスト",
|
||||
"DE.Controllers.Main.txtStyle_Heading_1": "見出し1",
|
||||
"DE.Controllers.Main.txtStyle_Heading_2": "見出し2",
|
||||
"DE.Controllers.Main.txtStyle_Heading_3": "見出し3",
|
||||
"DE.Controllers.Main.txtStyle_Heading_4": "見出し4",
|
||||
"DE.Controllers.Main.txtStyle_Heading_5": "見出し5",
|
||||
"DE.Controllers.Main.txtStyle_Heading_6": "見出し6",
|
||||
"DE.Controllers.Main.txtStyle_Heading_7": "見出し7",
|
||||
"DE.Controllers.Main.txtStyle_Heading_8": "見出し8",
|
||||
"DE.Controllers.Main.txtStyle_Heading_9": "見出し9",
|
||||
"DE.Controllers.Main.txtStyle_Intense_Quote": "強調表示された引用",
|
||||
"DE.Controllers.Main.txtStyle_List_Paragraph": "箇条書き",
|
||||
"DE.Controllers.Main.txtStyle_No_Spacing": "間隔無し",
|
||||
"DE.Controllers.Main.txtStyle_Normal": "標準",
|
||||
"DE.Controllers.Main.txtStyle_Quote": "引用",
|
||||
"DE.Controllers.Main.txtStyle_Subtitle": "小見出し",
|
||||
"DE.Controllers.Main.txtStyle_Title": "タイトル",
|
||||
"DE.Controllers.Main.txtXAxis": "X 軸",
|
||||
"DE.Controllers.Main.txtYAxis": "Y 軸",
|
||||
"DE.Controllers.Main.unknownErrorText": "不明なエラーです。",
|
||||
"DE.Controllers.Main.unsupportedBrowserErrorText": "お使いのブラウザがサポートされていません。",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "不明な画像形式です。",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "アップロードされた画像がない",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "最大の画像サイズの上限を超えました。",
|
||||
"DE.Controllers.Main.uploadImageTextText": "画像のアップロード中...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "画像のアップロード中",
|
||||
"DE.Controllers.Main.waitText": "少々お待ちください...",
|
||||
"DE.Controllers.Main.warnLicenseExceeded": "%1エディターへの同時接続の制限に達しました。 このドキュメントは表示専用で開かれます。<br>詳細については、管理者にお問い合わせください。",
|
||||
"DE.Controllers.Main.warnLicenseExp": "ライセンスの期限が切れました。<br>ライセンスを更新して、ページをリロードしてください。",
|
||||
"DE.Controllers.Main.warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。<br>ドキュメント編集機能にアクセスできません。<br>管理者にご連絡ください。",
|
||||
"DE.Controllers.Main.warnLicenseLimitedRenewed": "ライセンスを更新する必要があります。<br>ドキュメント編集機能へのアクセスが制限されています。<br>フルアクセスを取得するには、管理者にご連絡ください",
|
||||
"DE.Controllers.Main.warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細については、管理者にお問い合わせください。",
|
||||
"DE.Controllers.Main.warnNoLicense": "%1エディターへの同時接続の制限に達しました。 このドキュメントは閲覧のみを目的として開かれます。<br>個人的なアップグレード条件については、%1セールスチームにお問い合わせください。",
|
||||
"DE.Controllers.Main.warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームにお問い合わせください。",
|
||||
"DE.Controllers.Main.warnProcessRightsChange": "ファイルを編集する権限を拒否されています。",
|
||||
"DE.Controllers.Search.textNoTextFound": "テキストが見つかりません",
|
||||
"DE.Controllers.Search.textReplaceAll": "全てを置き換える",
|
||||
"DE.Controllers.Settings.notcriticalErrorTitle": "警告",
|
||||
"DE.Controllers.Settings.textCustomSize": "ユーザ設定サイズ",
|
||||
"DE.Controllers.Settings.txtLoading": "読み込み中...",
|
||||
"DE.Controllers.Settings.unknownText": "不明",
|
||||
"DE.Controllers.Settings.warnDownloadAs": "この形式で保存し続ける場合は、テキスト以外のすべての機能が失われます。<br>続行してもよろしいですか?",
|
||||
"DE.Controllers.Settings.warnDownloadAsRTF": "この形式で保存を続けると、一部の書式が失われる可能性があります。<br>続行しますか?",
|
||||
"DE.Controllers.Toolbar.dlgLeaveMsgText": "このドキュメントには未保存の変更があります。 [このページに留まる]をクリックして、ドキュメントの自動保存をお待ちください。 保存されていない変更をすべて破棄するには、[このページから移動する]をクリックください。",
|
||||
"DE.Controllers.Toolbar.dlgLeaveTitleText": "アプリケーションを終了します",
|
||||
"DE.Controllers.Toolbar.leaveButtonText": "このページから移動する",
|
||||
"DE.Controllers.Toolbar.stayButtonText": "このページに留まる",
|
||||
"DE.Views.AddImage.textAddress": "アドレス",
|
||||
"DE.Views.AddImage.textBack": "戻る",
|
||||
"DE.Views.AddImage.textFromLibrary": "ライブラリから写真を選択",
|
||||
"DE.Views.AddImage.textFromURL": "URLからの画像",
|
||||
"DE.Views.AddImage.textImageURL": "画像URL",
|
||||
"DE.Views.AddImage.textInsertImage": "画像の挿入",
|
||||
"DE.Views.AddImage.textLinkSettings": "リンク設定",
|
||||
"DE.Views.AddOther.textAddComment": "コメントの追加",
|
||||
"DE.Views.AddOther.textAddLink": "リンクを追加する",
|
||||
"DE.Views.AddOther.textBack": "戻る",
|
||||
"DE.Views.AddOther.textBreak": "区切り",
|
||||
"DE.Views.AddOther.textCenterBottom": "下部中央",
|
||||
"DE.Views.AddOther.textCenterTop": "上部中央",
|
||||
"DE.Views.AddOther.textColumnBreak": "段区切り",
|
||||
"DE.Views.AddOther.textComment": "コメント",
|
||||
"DE.Views.AddOther.textContPage": "連続ページ表示",
|
||||
"DE.Views.AddOther.textCurrentPos": "現在位置",
|
||||
"DE.Views.AddOther.textDisplay": "表示する",
|
||||
"DE.Views.AddOther.textDone": "完了",
|
||||
"DE.Views.AddOther.textEvenPage": "偶数ページから開始",
|
||||
"DE.Views.AddOther.textFootnote": "脚注",
|
||||
"DE.Views.AddOther.textFormat": "フォーマット",
|
||||
"DE.Views.AddOther.textInsert": "挿入",
|
||||
"DE.Views.AddOther.textInsertFootnote": "脚注の挿入",
|
||||
"DE.Views.AddOther.textLeftBottom": "左下",
|
||||
"DE.Views.AddOther.textLeftTop": "左上",
|
||||
"DE.Views.AddOther.textLink": "リンク",
|
||||
"DE.Views.AddOther.textLocation": "位置",
|
||||
"DE.Views.AddOther.textNextPage": "次のページ",
|
||||
"DE.Views.AddOther.textOddPage": "奇数ページから",
|
||||
"DE.Views.AddOther.textPageBreak": "ページ区切り",
|
||||
"DE.Views.AddOther.textPageNumber": "ページ番号",
|
||||
"DE.Views.AddOther.textPosition": "位置",
|
||||
"DE.Views.AddOther.textRightBottom": "右下",
|
||||
"DE.Views.AddOther.textRightTop": "右上",
|
||||
"DE.Views.AddOther.textSectionBreak": "セクション区切り",
|
||||
"DE.Views.AddOther.textStartFrom": "から始まる",
|
||||
"DE.Views.AddOther.textTip": "画面のヒント",
|
||||
"DE.Views.EditChart.textAddCustomColor": "カストム色を追加する",
|
||||
"DE.Views.EditChart.textAlign": "配置",
|
||||
"DE.Views.EditChart.textBack": "戻る",
|
||||
"DE.Views.EditChart.textBackward": "背面へ移動",
|
||||
"DE.Views.EditChart.textBehind": "テキストの背後に",
|
||||
"DE.Views.EditChart.textBorder": "罫線",
|
||||
"DE.Views.EditChart.textColor": "色",
|
||||
"DE.Views.EditChart.textCustomColor": "ユーザー設定色",
|
||||
"DE.Views.EditChart.textDistanceText": "文字列との間隔",
|
||||
"DE.Views.EditChart.textFill": "塗りつぶし",
|
||||
"DE.Views.EditChart.textForward": "前面へ移動",
|
||||
"DE.Views.EditChart.textInFront": "テキストの前に",
|
||||
"DE.Views.EditChart.textInline": "インライン",
|
||||
"DE.Views.EditChart.textMoveText": "テキストと一緒に移動する",
|
||||
"DE.Views.EditChart.textOverlap": "オーバーラップさせる",
|
||||
"DE.Views.EditChart.textRemoveChart": "図表を削除する",
|
||||
"DE.Views.EditChart.textReorder": "並べ替え",
|
||||
"DE.Views.EditChart.textSize": "太さ",
|
||||
"DE.Views.EditChart.textSquare": "四角",
|
||||
"DE.Views.EditChart.textStyle": "スタイル",
|
||||
"DE.Views.EditChart.textThrough": "内部",
|
||||
"DE.Views.EditChart.textTight": "外周",
|
||||
"DE.Views.EditChart.textToBackground": "背景へ移動",
|
||||
"DE.Views.EditChart.textToForeground": "前に移動",
|
||||
"DE.Views.EditChart.textTopBottom": "上と下",
|
||||
"DE.Views.EditChart.textType": "タイプ",
|
||||
"DE.Views.EditChart.textWrap": "折り返しスタイル",
|
||||
"DE.Views.EditHeader.textDiffFirst": "先頭ページのみ別指定\t",
|
||||
"DE.Views.EditHeader.textDiffOdd": "奇数/偶数ページ別指定",
|
||||
"DE.Views.EditHeader.textFrom": "から始まる",
|
||||
"DE.Views.EditHeader.textPageNumbering": "ページ番号",
|
||||
"DE.Views.EditHeader.textPrev": "前のセクションから続ける",
|
||||
"DE.Views.EditHeader.textSameAs": "前と同じヘッダー/フッター",
|
||||
"DE.Views.EditHyperlink.textDisplay": "表示する",
|
||||
"DE.Views.EditHyperlink.textEdit": "リンクを編集する",
|
||||
"DE.Views.EditHyperlink.textLink": "リンク",
|
||||
"DE.Views.EditHyperlink.textRemove": "リンクを削除する",
|
||||
"DE.Views.EditHyperlink.textTip": "画面のヒント",
|
||||
"DE.Views.EditImage.textAddress": "アドレス",
|
||||
"DE.Views.EditImage.textAlign": "配置",
|
||||
"DE.Views.EditImage.textBack": "戻る",
|
||||
"DE.Views.EditImage.textBackward": "背面へ移動",
|
||||
"DE.Views.EditImage.textBehind": "テキストの背後に",
|
||||
"DE.Views.EditImage.textDefault": "実際のサイズ",
|
||||
"DE.Views.EditImage.textDistanceText": "文字列との間隔",
|
||||
"DE.Views.EditImage.textForward": "前面へ移動",
|
||||
"DE.Views.EditImage.textFromLibrary": "ライブラリから写真を選択",
|
||||
"DE.Views.EditImage.textFromURL": "URLからの画像",
|
||||
"DE.Views.EditImage.textImageURL": "画像URL",
|
||||
"DE.Views.EditImage.textInFront": "テキストの前に",
|
||||
"DE.Views.EditImage.textInline": "インライン",
|
||||
"DE.Views.EditImage.textLinkSettings": "リンク設定",
|
||||
"DE.Views.EditImage.textMoveText": "テキストと一緒に移動する",
|
||||
"DE.Views.EditImage.textOverlap": "オーバーラップさせる",
|
||||
"DE.Views.EditImage.textRemove": "画像を削除する",
|
||||
"DE.Views.EditImage.textReorder": "並べ替え",
|
||||
"DE.Views.EditImage.textReplace": "置き換える",
|
||||
"DE.Views.EditImage.textReplaceImg": "画像を置き換える",
|
||||
"DE.Views.EditImage.textSquare": "四角",
|
||||
"DE.Views.EditImage.textThrough": "内部",
|
||||
"DE.Views.EditImage.textTight": "外周",
|
||||
"DE.Views.EditImage.textToBackground": "背景へ移動",
|
||||
"DE.Views.EditImage.textToForeground": "前に移動",
|
||||
"DE.Views.EditImage.textTopBottom": "上と下",
|
||||
"DE.Views.EditImage.textWrap": "折り返しスタイル",
|
||||
"DE.Views.EditParagraph.textAddCustomColor": "カストム色を追加する",
|
||||
"DE.Views.EditParagraph.textAdvanced": "高度な",
|
||||
"DE.Views.EditParagraph.textAdvSettings": "詳細設定",
|
||||
"DE.Views.EditParagraph.textAfter": "後に",
|
||||
"DE.Views.EditParagraph.textAuto": "自動",
|
||||
"DE.Views.EditParagraph.textBack": "戻る",
|
||||
"DE.Views.EditParagraph.textBackground": "背景",
|
||||
"DE.Views.EditParagraph.textBefore": "前",
|
||||
"DE.Views.EditParagraph.textCustomColor": "ユーザー設定色",
|
||||
"DE.Views.EditParagraph.textFirstLine": "先頭行",
|
||||
"DE.Views.EditParagraph.textFromText": "文字列との間隔",
|
||||
"DE.Views.EditParagraph.textKeepLines": "段落を分割しない",
|
||||
"DE.Views.EditParagraph.textKeepNext": "次の段落と分離しない",
|
||||
"DE.Views.EditParagraph.textOrphan": "改ページ時1行残して段落を区切らないを制御する",
|
||||
"DE.Views.EditParagraph.textPageBreak": "前に改ページ",
|
||||
"DE.Views.EditParagraph.textPrgStyles": "段落のスタイル",
|
||||
"DE.Views.EditParagraph.textSpaceBetween": "段落の間のスペース",
|
||||
"DE.Views.EditShape.textAddCustomColor": "カストム色を追加する",
|
||||
"DE.Views.EditShape.textAlign": "配置",
|
||||
"DE.Views.EditShape.textBack": "戻る",
|
||||
"DE.Views.EditShape.textBackward": "背面へ移動",
|
||||
"DE.Views.EditShape.textBehind": "テキストの背後に",
|
||||
"DE.Views.EditShape.textBorder": "罫線",
|
||||
"DE.Views.EditShape.textColor": "色",
|
||||
"DE.Views.EditShape.textCustomColor": "ユーザー設定色",
|
||||
"DE.Views.EditShape.textEffects": "効果",
|
||||
"DE.Views.EditShape.textFill": "塗りつぶし",
|
||||
"DE.Views.EditShape.textForward": "前面へ移動",
|
||||
"DE.Views.EditShape.textFromText": "文字列との間隔",
|
||||
"DE.Views.EditShape.textInFront": "テキストの前に",
|
||||
"DE.Views.EditShape.textInline": "インライン",
|
||||
"DE.Views.EditShape.textOpacity": "不透明度",
|
||||
"DE.Views.EditShape.textOverlap": "オーバーラップさせる",
|
||||
"DE.Views.EditShape.textRemoveShape": "図形を削除する",
|
||||
"DE.Views.EditShape.textReorder": "並べ替え",
|
||||
"DE.Views.EditShape.textReplace": "置き換える",
|
||||
"DE.Views.EditShape.textSize": "太さ",
|
||||
"DE.Views.EditShape.textSquare": "四角",
|
||||
"DE.Views.EditShape.textStyle": "スタイル",
|
||||
"DE.Views.EditShape.textThrough": "内部",
|
||||
"DE.Views.EditShape.textTight": "外周",
|
||||
"DE.Views.EditShape.textToBackground": "背景へ移動",
|
||||
"DE.Views.EditShape.textToForeground": "前に移動",
|
||||
"DE.Views.EditShape.textTopAndBottom": "上と下",
|
||||
"DE.Views.EditShape.textWithText": "テキストと一緒に移動する",
|
||||
"DE.Views.EditShape.textWrap": "折り返しスタイル",
|
||||
"DE.Views.EditTable.textAddCustomColor": "カストム色を追加する",
|
||||
"DE.Views.EditTable.textAlign": "配置",
|
||||
"DE.Views.EditTable.textBack": "戻る",
|
||||
"DE.Views.EditTable.textBandedColumn": "縦方向の縞模様",
|
||||
"DE.Views.EditTable.textBandedRow": "横方向の縞模様",
|
||||
"DE.Views.EditTable.textBorder": "罫線",
|
||||
"DE.Views.EditTable.textCellMargins": "セルの余白",
|
||||
"DE.Views.EditTable.textColor": "色",
|
||||
"DE.Views.EditTable.textCustomColor": "ユーザー設定色",
|
||||
"DE.Views.EditTable.textFill": "塗りつぶし",
|
||||
"DE.Views.EditTable.textFirstColumn": "最初の列",
|
||||
"DE.Views.EditTable.textFlow": "フロー",
|
||||
"DE.Views.EditTable.textFromText": "文字列との間隔",
|
||||
"DE.Views.EditTable.textHeaderRow": "見出し行",
|
||||
"DE.Views.EditTable.textInline": "インライン",
|
||||
"DE.Views.EditTable.textLastColumn": "最後の列",
|
||||
"DE.Views.EditTable.textOptions": "設定",
|
||||
"DE.Views.EditTable.textRemoveTable": "テーブルを削除する",
|
||||
"DE.Views.EditTable.textRepeatHeader": "ヘッダー行として繰り返す",
|
||||
"DE.Views.EditTable.textResizeFit": "内容に合わせてサイズを変更する",
|
||||
"DE.Views.EditTable.textSize": "太さ",
|
||||
"DE.Views.EditTable.textStyle": "スタイル",
|
||||
"DE.Views.EditTable.textStyleOptions": "スタイルの設定",
|
||||
"DE.Views.EditTable.textTableOptions": "表の設定",
|
||||
"DE.Views.EditTable.textTotalRow": "合計行",
|
||||
"DE.Views.EditTable.textWithText": "テキストと一緒に移動する",
|
||||
"DE.Views.EditTable.textWrap": "折り返しスタイル",
|
||||
"DE.Views.EditText.textAddCustomColor": "カストム色を追加する",
|
||||
"DE.Views.EditText.textAdditional": "追加の",
|
||||
"DE.Views.EditText.textAdditionalFormat": "追加の書式設定",
|
||||
"DE.Views.EditText.textAllCaps": "全ての大字",
|
||||
"DE.Views.EditText.textAutomatic": "自動的",
|
||||
"DE.Views.EditText.textBack": "戻る",
|
||||
"DE.Views.EditText.textBullets": "箇条書き",
|
||||
"DE.Views.EditText.textCharacterBold": "B",
|
||||
"DE.Views.EditText.textCharacterItalic": "I",
|
||||
"DE.Views.EditText.textCharacterStrikethrough": "S",
|
||||
"DE.Views.EditText.textCharacterUnderline": "U",
|
||||
"DE.Views.EditText.textCustomColor": "ユーザー設定色",
|
||||
"DE.Views.EditText.textDblStrikethrough": "二重取り消し線",
|
||||
"DE.Views.EditText.textDblSuperscript": "上付き",
|
||||
"DE.Views.EditText.textFontColor": "フォントの色",
|
||||
"DE.Views.EditText.textFontColors": "フォントの色",
|
||||
"DE.Views.EditText.textFonts": "フォント",
|
||||
"DE.Views.EditText.textHighlightColor": "強調表示の色",
|
||||
"DE.Views.EditText.textHighlightColors": "強調表示の色",
|
||||
"DE.Views.EditText.textLetterSpacing": "文字間隔",
|
||||
"DE.Views.EditText.textLineSpacing": "行間",
|
||||
"DE.Views.EditText.textNone": "なし",
|
||||
"DE.Views.EditText.textNumbers": "番号",
|
||||
"DE.Views.EditText.textSize": "サイズ",
|
||||
"DE.Views.EditText.textSmallCaps": "小型英大文字\t",
|
||||
"DE.Views.EditText.textStrikethrough": "取り消し線",
|
||||
"DE.Views.EditText.textSubscript": "下付き",
|
||||
"DE.Views.Search.textCase": "大文字と小文字の区別",
|
||||
"DE.Views.Search.textDone": "完了",
|
||||
"DE.Views.Search.textFind": "検索",
|
||||
"DE.Views.Search.textFindAndReplace": "検索と置換",
|
||||
"DE.Views.Search.textHighlight": "結果を強調表示する",
|
||||
"DE.Views.Search.textReplace": "置き換える",
|
||||
"DE.Views.Search.textSearch": "検索",
|
||||
"DE.Views.Settings.textAbout": "詳細情報",
|
||||
"DE.Views.Settings.textAddress": "アドレス",
|
||||
"DE.Views.Settings.textAdvancedSettings": "アプリ設定",
|
||||
"DE.Views.Settings.textApplication": "アプリ",
|
||||
"DE.Views.Settings.textAuthor": "作成者",
|
||||
"DE.Views.Settings.textBack": "戻る",
|
||||
"DE.Views.Settings.textBottom": "下",
|
||||
"DE.Views.Settings.textCentimeter": "センチ",
|
||||
"DE.Views.Settings.textCollaboration": "共同編集",
|
||||
"DE.Views.Settings.textColorSchemes": "配色",
|
||||
"DE.Views.Settings.textComment": "コメント",
|
||||
"DE.Views.Settings.textCommentingDisplay": "コメント表示",
|
||||
"DE.Views.Settings.textCreated": "作成しました",
|
||||
"DE.Views.Settings.textCreateDate": "作成日時",
|
||||
"DE.Views.Settings.textCustom": "カスタム",
|
||||
"DE.Views.Settings.textCustomSize": "ユーザ設定サイズ",
|
||||
"DE.Views.Settings.textDisableAll": "全てを無効にする",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithNotification": "マクロを無効にして、通知する",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithoutNotification": "マクロを無効にして、通知しない",
|
||||
"DE.Views.Settings.textDisplayComments": "コメント",
|
||||
"DE.Views.Settings.textDisplayResolvedComments": "解決されたコメント",
|
||||
"DE.Views.Settings.textDocInfo": "文書の情報",
|
||||
"DE.Views.Settings.textDocTitle": "文書名",
|
||||
"DE.Views.Settings.textDocumentFormats": "ドキュメントフォーマット",
|
||||
"DE.Views.Settings.textDocumentSettings": "文書設定",
|
||||
"DE.Views.Settings.textDone": "完了",
|
||||
"DE.Views.Settings.textDownload": "ダウンロード",
|
||||
"DE.Views.Settings.textDownloadAs": "...としてダウンロード",
|
||||
"DE.Views.Settings.textEditDoc": "文書を編集する",
|
||||
"DE.Views.Settings.textEmail": "メール",
|
||||
"DE.Views.Settings.textEnableAll": "全てを有効にする",
|
||||
"DE.Views.Settings.textEnableAllMacrosWithoutNotification": "通知しないで、すべてのマクロを有効にする",
|
||||
"DE.Views.Settings.textFind": "検索",
|
||||
"DE.Views.Settings.textFindAndReplace": "検索と置換",
|
||||
"DE.Views.Settings.textFormat": "フォーマット",
|
||||
"DE.Views.Settings.textHelp": "ヘルプ",
|
||||
"DE.Views.Settings.textHiddenTableBorders": "隠しテーブルの罫線",
|
||||
"DE.Views.Settings.textInch": "インチ",
|
||||
"DE.Views.Settings.textLandscape": "横向き",
|
||||
"DE.Views.Settings.textLastModified": "最終更新",
|
||||
"DE.Views.Settings.textLastModifiedBy": "最終更新者",
|
||||
"DE.Views.Settings.textLeft": "左",
|
||||
"DE.Views.Settings.textLoading": "読み込み中...",
|
||||
"DE.Views.Settings.textLocation": "位置",
|
||||
"DE.Views.Settings.textMacrosSettings": "マクロの設定",
|
||||
"DE.Views.Settings.textMargins": "余白",
|
||||
"DE.Views.Settings.textNoCharacters": "編集記号の表示",
|
||||
"DE.Views.Settings.textOrientation": "印刷の向き",
|
||||
"DE.Views.Settings.textOwner": "所有者",
|
||||
"DE.Views.Settings.textPages": "ページ",
|
||||
"DE.Views.Settings.textParagraphs": "段落",
|
||||
"DE.Views.Settings.textPoint": "ポイント",
|
||||
"DE.Views.Settings.textPortrait": "縦向き",
|
||||
"DE.Views.Settings.textPoweredBy": "Powered by",
|
||||
"DE.Views.Settings.textPrint": "印刷",
|
||||
"DE.Views.Settings.textReader": "編集不可モード",
|
||||
"DE.Views.Settings.textReview": "変更履歴",
|
||||
"DE.Views.Settings.textRight": "右",
|
||||
"DE.Views.Settings.textSettings": "設定",
|
||||
"DE.Views.Settings.textShowNotification": "通知を表示する",
|
||||
"DE.Views.Settings.textSpaces": "スペース",
|
||||
"DE.Views.Settings.textSpellcheck": "スペル チェック",
|
||||
"DE.Views.Settings.textStatistic": "統計値",
|
||||
"DE.Views.Settings.textSubject": "件名",
|
||||
"DE.Views.Settings.textSymbols": "記号と特殊文字",
|
||||
"DE.Views.Settings.textTel": "電話",
|
||||
"DE.Views.Settings.textTitle": "タイトル",
|
||||
"DE.Views.Settings.textTop": "上",
|
||||
"DE.Views.Settings.textUnitOfMeasurement": "測定単位",
|
||||
"DE.Views.Settings.textUploaded": "アップロードされた",
|
||||
"DE.Views.Settings.textVersion": "バージョン",
|
||||
"DE.Views.Settings.textWords": "言葉",
|
||||
"DE.Views.Settings.unknownText": "不明",
|
||||
"DE.Views.Toolbar.textBack": "戻る"
|
||||
"About": {
|
||||
"textAbout": "情報",
|
||||
"textAddress": "アドレス",
|
||||
"textBack": "戻る"
|
||||
},
|
||||
"Add": {
|
||||
"textAddLink": "リンクを追加",
|
||||
"textAddress": "アドレス",
|
||||
"textBack": "戻る"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"textAccept": "同意する",
|
||||
"textAcceptAllChanges": "すべての変更を受け入れる",
|
||||
"textAddComment": "コメントを追加",
|
||||
"textAddReply": "返信を追加",
|
||||
"textAllChangesAcceptedPreview": "すべての変更が承認されました(プレビュー)",
|
||||
"textAllChangesEditing": "全ての変更(編集)",
|
||||
"textAllChangesRejectedPreview": "すべての変更が拒否されました(プレビュー)",
|
||||
"textAuto": "自動",
|
||||
"textBack": "戻る",
|
||||
"textShd": "背景色"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"menuAddComment": "コメントを追加",
|
||||
"menuAddLink": "リンクを追加"
|
||||
},
|
||||
"Edit": {
|
||||
"textActualSize": "実際のサイズ",
|
||||
"textAddCustomColor": "カスタム色を追加",
|
||||
"textAdditionalFormatting": "追加の書式設定",
|
||||
"textAddress": "アドレス",
|
||||
"textAdvanced": "詳細",
|
||||
"textAdvancedSettings": "詳細設定",
|
||||
"textAuto": "自動",
|
||||
"textAutomatic": "自動",
|
||||
"textBack": "戻る",
|
||||
"textBackground": "背景"
|
||||
},
|
||||
"Main": {
|
||||
"textAnonymous": "匿名"
|
||||
},
|
||||
"Settings": {
|
||||
"textAbout": "情報",
|
||||
"textApplication": "アプリ",
|
||||
"textApplicationSettings": "アプリ設定",
|
||||
"textAuthor": "作成者",
|
||||
"textBack": "戻る"
|
||||
}
|
||||
}
|
|
@ -1,607 +1,5 @@
|
|||
{
|
||||
"Common.Controllers.Collaboration.textAddReply": "Adicionar resposta",
|
||||
"Common.Controllers.Collaboration.textAtLeast": "pelo menos",
|
||||
"Common.Controllers.Collaboration.textAuto": "Automático",
|
||||
"Common.Controllers.Collaboration.textBaseline": "Linha de base",
|
||||
"Common.Controllers.Collaboration.textBold": "Negrito",
|
||||
"Common.Controllers.Collaboration.textBreakBefore": "Quebra de página antes",
|
||||
"Common.Controllers.Collaboration.textCancel": "Cancelar",
|
||||
"Common.Controllers.Collaboration.textCaps": "Todas maiúsculas",
|
||||
"Common.Controllers.Collaboration.textCenter": "Centralizar Texto",
|
||||
"Common.Controllers.Collaboration.textChart": "Gráfico",
|
||||
"Common.Controllers.Collaboration.textColor": "Cor da fonte",
|
||||
"Common.Controllers.Collaboration.textContextual": "Não adicionar intervalo entre parágrafos do mesmo estilo",
|
||||
"Common.Controllers.Collaboration.textDelete": "Excluir",
|
||||
"Common.Controllers.Collaboration.textDeleteComment": "Excluir comentários",
|
||||
"Common.Controllers.Collaboration.textDeleted": "<b>Excluído:</b>",
|
||||
"Common.Controllers.Collaboration.textDeleteReply": "Excluir resposta",
|
||||
"Common.Controllers.Collaboration.textDone": "Concluído",
|
||||
"Common.Controllers.Collaboration.textDStrikeout": "Tachado duplo",
|
||||
"Common.Controllers.Collaboration.textEdit": "Editar",
|
||||
"Common.Controllers.Collaboration.textEditUser": "Usuários que estão editando o arquivo:",
|
||||
"Common.Controllers.Collaboration.textEquation": "Equação",
|
||||
"Common.Controllers.Collaboration.textExact": "exatamente",
|
||||
"Common.Controllers.Collaboration.textFirstLine": "Primeira linha",
|
||||
"Common.Controllers.Collaboration.textFormatted": "Formatado",
|
||||
"Common.Controllers.Collaboration.textHighlight": "Cor de Destaque",
|
||||
"Common.Controllers.Collaboration.textImage": "Imagem",
|
||||
"Common.Controllers.Collaboration.textIndentLeft": "Recuo à esquerda",
|
||||
"Common.Controllers.Collaboration.textIndentRight": "Recuo à direita",
|
||||
"Common.Controllers.Collaboration.textInserted": "<b>Inserido:</b>",
|
||||
"Common.Controllers.Collaboration.textItalic": "Itálico",
|
||||
"Common.Controllers.Collaboration.textJustify": "Justificar Texto",
|
||||
"Common.Controllers.Collaboration.textKeepLines": "Manter linhas juntas",
|
||||
"Common.Controllers.Collaboration.textKeepNext": "Manter com o próximo",
|
||||
"Common.Controllers.Collaboration.textLeft": "Alinhar à esquerda",
|
||||
"Common.Controllers.Collaboration.textLineSpacing": "Espaçamento de linha:",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteComment": "Você quer realmente excluir este comentário?",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteReply": "Você realmente quer apagar esta resposta?",
|
||||
"Common.Controllers.Collaboration.textMultiple": "múltiplo",
|
||||
"Common.Controllers.Collaboration.textNoBreakBefore": "Sem quebra de página antes",
|
||||
"Common.Controllers.Collaboration.textNoChanges": "Não há mudanças.",
|
||||
"Common.Controllers.Collaboration.textNoContextual": "Adicionar intervalo entre parágrafos do mesmo estilo",
|
||||
"Common.Controllers.Collaboration.textNoKeepLines": "Não mantenha linhas juntas",
|
||||
"Common.Controllers.Collaboration.textNoKeepNext": "Não mantenha com o próximo",
|
||||
"Common.Controllers.Collaboration.textNot": "Não",
|
||||
"Common.Controllers.Collaboration.textNoWidow": "Sem controle de linhas órfãs/viúvas",
|
||||
"Common.Controllers.Collaboration.textNum": "Alterar numeração",
|
||||
"Common.Controllers.Collaboration.textParaDeleted": "<b>Parágrafo Excluído</b> ",
|
||||
"Common.Controllers.Collaboration.textParaFormatted": "<b>Parágrafo Formatado</b>",
|
||||
"Common.Controllers.Collaboration.textParaInserted": "<b>Parágrafo Incluído</b> ",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromDown": "<b>Movido Para Baixo:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromUp": "<b>Movido Para Cima:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveTo": "<b>Movido:</b>",
|
||||
"Common.Controllers.Collaboration.textPosition": "Posição",
|
||||
"Common.Controllers.Collaboration.textReopen": "Reabrir",
|
||||
"Common.Controllers.Collaboration.textResolve": "Resolver",
|
||||
"Common.Controllers.Collaboration.textRight": "Alinhar à direita",
|
||||
"Common.Controllers.Collaboration.textShape": "Forma",
|
||||
"Common.Controllers.Collaboration.textShd": "Cor do plano de fundo",
|
||||
"Common.Controllers.Collaboration.textSmallCaps": "Versalete",
|
||||
"Common.Controllers.Collaboration.textSpacing": "Espaçamento",
|
||||
"Common.Controllers.Collaboration.textSpacingAfter": "Espaçamento depois",
|
||||
"Common.Controllers.Collaboration.textSpacingBefore": "Espaçamento antes",
|
||||
"Common.Controllers.Collaboration.textStrikeout": "Tachado",
|
||||
"Common.Controllers.Collaboration.textSubScript": "Subscrito",
|
||||
"Common.Controllers.Collaboration.textSuperScript": "Sobrescrito",
|
||||
"Common.Controllers.Collaboration.textTableChanged": "<b>Configurações de Tabela Alteradas</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsAdd": "<b>Linhas de Tabela Incluídas</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsDel": "<b>Linhas de Tabela Excluídas</b>",
|
||||
"Common.Controllers.Collaboration.textTabs": "Trocar tabs",
|
||||
"Common.Controllers.Collaboration.textUnderline": "Sublinhado",
|
||||
"Common.Controllers.Collaboration.textWidow": "Controle de linhas órfãs/viúvas.",
|
||||
"Common.Controllers.Collaboration.textYes": "Sim",
|
||||
"Common.UI.ThemeColorPalette.textCustomColors": "Cores personalizadas",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Cores padronizadas",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Cores do tema",
|
||||
"Common.Utils.Metric.txtCm": "cm",
|
||||
"Common.Utils.Metric.txtPt": "pt",
|
||||
"Common.Views.Collaboration.textAccept": "Aceitar",
|
||||
"Common.Views.Collaboration.textAcceptAllChanges": "Aceitar todas as alterações",
|
||||
"Common.Views.Collaboration.textAddReply": "Adicionar resposta",
|
||||
"Common.Views.Collaboration.textAllChangesAcceptedPreview": "Todas as alterações aceitas (Visualização)",
|
||||
"Common.Views.Collaboration.textAllChangesEditing": "Todas as alterações (Edição)",
|
||||
"Common.Views.Collaboration.textAllChangesRejectedPreview": "Todas as alterações rejeitadas (Visualização)",
|
||||
"Common.Views.Collaboration.textBack": "Voltar",
|
||||
"Common.Views.Collaboration.textCancel": "Cancelar",
|
||||
"Common.Views.Collaboration.textChange": "Rever Alterações",
|
||||
"Common.Views.Collaboration.textCollaboration": "Colaboração",
|
||||
"Common.Views.Collaboration.textDisplayMode": "Modo de exibição",
|
||||
"Common.Views.Collaboration.textDone": "Concluído",
|
||||
"Common.Views.Collaboration.textEditReply": "Editar resposta",
|
||||
"Common.Views.Collaboration.textEditUsers": "Usuários",
|
||||
"Common.Views.Collaboration.textEditСomment": "Editar comentário",
|
||||
"Common.Views.Collaboration.textFinal": "Final",
|
||||
"Common.Views.Collaboration.textMarkup": "Marcação",
|
||||
"Common.Views.Collaboration.textNoComments": "O documento não contém comentários",
|
||||
"Common.Views.Collaboration.textOriginal": "Original",
|
||||
"Common.Views.Collaboration.textReject": "Rejeitar",
|
||||
"Common.Views.Collaboration.textRejectAllChanges": "Rejeitar todas as alterações",
|
||||
"Common.Views.Collaboration.textReview": "Controlar alterações",
|
||||
"Common.Views.Collaboration.textReviewing": "Revisão",
|
||||
"Common.Views.Collaboration.textСomments": "Comentários",
|
||||
"DE.Controllers.AddContainer.textImage": "Imagem",
|
||||
"DE.Controllers.AddContainer.textOther": "Outro",
|
||||
"DE.Controllers.AddContainer.textShape": "Forma",
|
||||
"DE.Controllers.AddContainer.textTable": "Tabela",
|
||||
"DE.Controllers.AddImage.notcriticalErrorTitle": "Aviso",
|
||||
"DE.Controllers.AddImage.textEmptyImgUrl": "Você precisa especificar uma URL de imagem.",
|
||||
"DE.Controllers.AddImage.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"",
|
||||
"DE.Controllers.AddOther.notcriticalErrorTitle": "Aviso",
|
||||
"DE.Controllers.AddOther.textBelowText": "Abaixo do texto",
|
||||
"DE.Controllers.AddOther.textBottomOfPage": "Inferior da página",
|
||||
"DE.Controllers.AddOther.textCancel": "Cancelar",
|
||||
"DE.Controllers.AddOther.textContinue": "Continuar",
|
||||
"DE.Controllers.AddOther.textDelete": "Excluir",
|
||||
"DE.Controllers.AddOther.textDeleteDraft": "Você realmente quer apagar o rascunho?",
|
||||
"DE.Controllers.AddOther.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"",
|
||||
"DE.Controllers.AddTable.textCancel": "Cancelar",
|
||||
"DE.Controllers.AddTable.textColumns": "Colunas",
|
||||
"DE.Controllers.AddTable.textRows": "Linhas",
|
||||
"DE.Controllers.AddTable.textTableSize": "Tamanho da tabela",
|
||||
"DE.Controllers.DocumentHolder.errorCopyCutPaste": "Copiar, cortar e colar usando o menu de contexto serão aplicadas apenas a este arquivo.",
|
||||
"DE.Controllers.DocumentHolder.menuAddComment": "Adicionar comentário",
|
||||
"DE.Controllers.DocumentHolder.menuAddLink": "Adicionar Link",
|
||||
"DE.Controllers.DocumentHolder.menuCopy": "Copiar",
|
||||
"DE.Controllers.DocumentHolder.menuCut": "Cortar",
|
||||
"DE.Controllers.DocumentHolder.menuDelete": "Excluir",
|
||||
"DE.Controllers.DocumentHolder.menuDeleteTable": "Excluir tabela",
|
||||
"DE.Controllers.DocumentHolder.menuEdit": "Editar",
|
||||
"DE.Controllers.DocumentHolder.menuMerge": "Mesclar células",
|
||||
"DE.Controllers.DocumentHolder.menuMore": "Mais",
|
||||
"DE.Controllers.DocumentHolder.menuOpenLink": "Abrir link",
|
||||
"DE.Controllers.DocumentHolder.menuPaste": "Colar",
|
||||
"DE.Controllers.DocumentHolder.menuReview": "Revisão",
|
||||
"DE.Controllers.DocumentHolder.menuReviewChange": "Rever Alterações",
|
||||
"DE.Controllers.DocumentHolder.menuSplit": "Dividir célula",
|
||||
"DE.Controllers.DocumentHolder.menuViewComment": "Ver Comentário",
|
||||
"DE.Controllers.DocumentHolder.sheetCancel": "Cancelar",
|
||||
"DE.Controllers.DocumentHolder.textCancel": "Cancelar",
|
||||
"DE.Controllers.DocumentHolder.textColumns": "Colunas",
|
||||
"DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Copiar, Cortar e Colar",
|
||||
"DE.Controllers.DocumentHolder.textDoNotShowAgain": "Não exibir novamente",
|
||||
"DE.Controllers.DocumentHolder.textGuest": "Convidado",
|
||||
"DE.Controllers.DocumentHolder.textRows": "Linhas",
|
||||
"DE.Controllers.EditContainer.textChart": "Gráfico",
|
||||
"DE.Controllers.EditContainer.textFooter": "Rodapé",
|
||||
"DE.Controllers.EditContainer.textHeader": "Cabeçalho",
|
||||
"DE.Controllers.EditContainer.textHyperlink": "Hiperlink",
|
||||
"DE.Controllers.EditContainer.textImage": "Imagem",
|
||||
"DE.Controllers.EditContainer.textParagraph": "Parágrafo",
|
||||
"DE.Controllers.EditContainer.textSettings": "Configurações",
|
||||
"DE.Controllers.EditContainer.textShape": "Forma",
|
||||
"DE.Controllers.EditContainer.textTable": "Tabela",
|
||||
"DE.Controllers.EditContainer.textText": "Тexto",
|
||||
"DE.Controllers.EditHyperlink.notcriticalErrorTitle": "Aviso",
|
||||
"DE.Controllers.EditHyperlink.textEmptyImgUrl": "Você precisa especificar uma URL de imagem.",
|
||||
"DE.Controllers.EditHyperlink.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"",
|
||||
"DE.Controllers.EditImage.notcriticalErrorTitle": "Aviso",
|
||||
"DE.Controllers.EditImage.textEmptyImgUrl": "Você precisa especificar uma URL de imagem.",
|
||||
"DE.Controllers.EditImage.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"",
|
||||
"DE.Controllers.EditText.textAuto": "Auto",
|
||||
"DE.Controllers.EditText.textFonts": "Fontes",
|
||||
"DE.Controllers.EditText.textPt": "pt",
|
||||
"DE.Controllers.Main.advDRMEnterPassword": "Digite sua senha:",
|
||||
"DE.Controllers.Main.advDRMOptions": "Arquivo protegido",
|
||||
"DE.Controllers.Main.advDRMPassword": "Senha",
|
||||
"DE.Controllers.Main.advTxtOptions": "Escolha Opções de TXT",
|
||||
"DE.Controllers.Main.applyChangesTextText": "Carregando dados...",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "Carregando dados",
|
||||
"DE.Controllers.Main.closeButtonText": "Fechar Arquivo",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "Tempo limite de conversão excedido.",
|
||||
"DE.Controllers.Main.criticalErrorExtText": "Pressione \"OK\" para voltar para a lista de documento.",
|
||||
"DE.Controllers.Main.criticalErrorTitle": "Erro",
|
||||
"DE.Controllers.Main.downloadErrorText": "Transferência falhou.",
|
||||
"DE.Controllers.Main.downloadMergeText": "Transferindo...",
|
||||
"DE.Controllers.Main.downloadMergeTitle": "Transferindo",
|
||||
"DE.Controllers.Main.downloadTextText": "Transferindo documento...",
|
||||
"DE.Controllers.Main.downloadTitleText": "Transferindo documento",
|
||||
"DE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação para a qual não tem direitos.<br>Entre em contato com o administrador de Servidor de Documentos.",
|
||||
"DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta",
|
||||
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão ao servidor perdida. Você não pode mais editar.",
|
||||
"DE.Controllers.Main.errorConnectToServer": "O documento não pode ser gravado. Verifique as configurações de conexão ou entre em contato com o administrador.<br>Quando você clicar no botão 'OK', você será solicitado a transferir o documento.",
|
||||
"DE.Controllers.Main.errorDatabaseConnection": "Erro externo. <br> Erro de conexão do banco de dados. Entre em contato com o suporte.",
|
||||
"DE.Controllers.Main.errorDataEncrypted": "Alteração criptografadas foram recebidas, e não podem ser decifradas.",
|
||||
"DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.",
|
||||
"DE.Controllers.Main.errorDefaultMessage": "Código do Erro: %1",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "Ocorreu um erro durante o trabalho com o documento.<br>Utilizar a opção 'Download' para salvar a cópia de backup do arquivo no disco rígido do seu computador.",
|
||||
"DE.Controllers.Main.errorFilePassProtect": "O documento é protegido por senha e não pode ser aberto.",
|
||||
"DE.Controllers.Main.errorFileSizeExceed": "O tamanho do arquivo excede o limite de seu servidor. <br> Por favor, contate seu administrador de Servidor de Documentos para detalhes.",
|
||||
"DE.Controllers.Main.errorKeyEncrypt": "Descritor de chave desconhecido",
|
||||
"DE.Controllers.Main.errorKeyExpire": "Descritor de chave expirado",
|
||||
"DE.Controllers.Main.errorMailMergeLoadFile": "Carregamento falhou. Por favor, selecione um arquivo diferente.",
|
||||
"DE.Controllers.Main.errorMailMergeSaveFile": "Mesclagem falhou.",
|
||||
"DE.Controllers.Main.errorOpensource": "Usando a versão comunitária gratuita, você pode abrir documentos apenas para visualização. Para acessar editores web móveis, é necessária uma licença comercial.",
|
||||
"DE.Controllers.Main.errorProcessSaveResult": "O salvamento falhou.",
|
||||
"DE.Controllers.Main.errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.",
|
||||
"DE.Controllers.Main.errorSessionAbsolute": "A sessão de edição de documentos expirou. Por favor, atualize a página.",
|
||||
"DE.Controllers.Main.errorSessionIdle": "O documento ficou sem edição por muito tempo. Por favor, atualize a página.",
|
||||
"DE.Controllers.Main.errorSessionToken": "A conexão com o servidor foi interrompida. Por favor atualize a página.",
|
||||
"DE.Controllers.Main.errorStockChart": "Ordem da linha incorreta. Para criar um gráfico de ações coloque os dados na planilha na seguinte ordem:<br>preço de abertura, preço máx., preço mín., preço de fechamento.",
|
||||
"DE.Controllers.Main.errorUpdateVersion": "A versão do arquivo foi alterada. A página será recarregada.",
|
||||
"DE.Controllers.Main.errorUpdateVersionOnDisconnect": "A conexão à internet foi restabelecida, e a versão do arquivo foi alterada. <br> Antes de continuar seu trabalho, transfira o arquivo ou copie seu conteúdo para assegurar que nada seja perdido, e então, recarregue esta página.",
|
||||
"DE.Controllers.Main.errorUserDrop": "O arquivo não pode ser acessado agora.",
|
||||
"DE.Controllers.Main.errorUsersExceed": "O número de usuários foi excedido",
|
||||
"DE.Controllers.Main.errorViewerDisconnect": "Conexão perdida. Você ainda pode exibir o documento, <br> mas não poderá transferir o arquivo até que a conexão seja restaurada e a página recarregada.",
|
||||
"DE.Controllers.Main.leavePageText": "Há alterações não gravadas neste documento. Clique em 'Ficar nesta Página' para aguardar o salvamento automático do documento. Clique em 'Sair desta página' para descartar as alterações não gravadas.",
|
||||
"DE.Controllers.Main.loadFontsTextText": "Carregando dados...",
|
||||
"DE.Controllers.Main.loadFontsTitleText": "Carregando dados",
|
||||
"DE.Controllers.Main.loadFontTextText": "Carregando dados...",
|
||||
"DE.Controllers.Main.loadFontTitleText": "Carregando dados",
|
||||
"DE.Controllers.Main.loadImagesTextText": "Carregando imagens...",
|
||||
"DE.Controllers.Main.loadImagesTitleText": "Carregando imagens",
|
||||
"DE.Controllers.Main.loadImageTextText": "Carregando imagem...",
|
||||
"DE.Controllers.Main.loadImageTitleText": "Carregando imagem",
|
||||
"DE.Controllers.Main.loadingDocumentTextText": "Carregando documento...",
|
||||
"DE.Controllers.Main.loadingDocumentTitleText": "Carregando documento",
|
||||
"DE.Controllers.Main.mailMergeLoadFileText": "Carregando fonte de dados...",
|
||||
"DE.Controllers.Main.mailMergeLoadFileTitle": "Carregando fonte de dados",
|
||||
"DE.Controllers.Main.notcriticalErrorTitle": "Aviso",
|
||||
"DE.Controllers.Main.openErrorText": "Ocorreu um erro ao abrir o arquivo",
|
||||
"DE.Controllers.Main.openTextText": "Abrindo documento...",
|
||||
"DE.Controllers.Main.openTitleText": "Abrindo documento",
|
||||
"DE.Controllers.Main.printTextText": "Imprimindo documento...",
|
||||
"DE.Controllers.Main.printTitleText": "Imprimindo documento",
|
||||
"DE.Controllers.Main.saveErrorText": "Ocorreu um erro ao salvar o arquivo",
|
||||
"DE.Controllers.Main.savePreparingText": "Preparando para gravar",
|
||||
"DE.Controllers.Main.savePreparingTitle": "Preparando para gravar. Aguarde...",
|
||||
"DE.Controllers.Main.saveTextText": "Salvando documento...",
|
||||
"DE.Controllers.Main.saveTitleText": "Salvando documento",
|
||||
"DE.Controllers.Main.scriptLoadError": "A conexão está muito lenta, e alguns dos componentes não puderam ser carregados. Por favor, recarregue a página.",
|
||||
"DE.Controllers.Main.sendMergeText": "Enviando mesclar...",
|
||||
"DE.Controllers.Main.sendMergeTitle": "Enviando Mesclar",
|
||||
"DE.Controllers.Main.splitDividerErrorText": "O número de linhas deve ser um divisor de %1",
|
||||
"DE.Controllers.Main.splitMaxColsErrorText": "O número de colunas deve ser inferior a %1",
|
||||
"DE.Controllers.Main.splitMaxRowsErrorText": "O número de linhas deve ser inferior a %1",
|
||||
"DE.Controllers.Main.textAnonymous": "Anônimo",
|
||||
"DE.Controllers.Main.textBack": "Voltar",
|
||||
"DE.Controllers.Main.textBuyNow": "Visitar site",
|
||||
"DE.Controllers.Main.textCancel": "Cancelar",
|
||||
"DE.Controllers.Main.textClose": "Encerrar",
|
||||
"DE.Controllers.Main.textContactUs": "Contate as vendas",
|
||||
"DE.Controllers.Main.textCustomLoader": "Por favor, observe que de acordo com os termos de licença, você não tem autorização para alterar o carregador. <br> Por favor, contate o Departamento de Vendas para fazer cotação.",
|
||||
"DE.Controllers.Main.textDone": "Concluído",
|
||||
"DE.Controllers.Main.textGuest": "Convidado",
|
||||
"DE.Controllers.Main.textHasMacros": "O arquivo contém macros automáticas.<br> Você quer executar macros?",
|
||||
"DE.Controllers.Main.textLoadingDocument": "Carregando documento",
|
||||
"DE.Controllers.Main.textNo": "Não",
|
||||
"DE.Controllers.Main.textNoLicenseTitle": "Limite de licença atingido",
|
||||
"DE.Controllers.Main.textOK": "OK",
|
||||
"DE.Controllers.Main.textPaidFeature": "Recurso pago",
|
||||
"DE.Controllers.Main.textPassword": "Senha",
|
||||
"DE.Controllers.Main.textPreloader": "Carregando...",
|
||||
"DE.Controllers.Main.textRemember": "Lembre-se da minha escolha",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "As funções Desfazer/Refazer estão desabilitadas para o modo de coedição rápido",
|
||||
"DE.Controllers.Main.textUsername": "Nome de usuário",
|
||||
"DE.Controllers.Main.textYes": "Sim",
|
||||
"DE.Controllers.Main.titleLicenseExp": "Licença expirada",
|
||||
"DE.Controllers.Main.titleServerVersion": "Editor atualizado",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "Versão alterada",
|
||||
"DE.Controllers.Main.txtAbove": "Acima",
|
||||
"DE.Controllers.Main.txtArt": "Seu texto aqui",
|
||||
"DE.Controllers.Main.txtBelow": "Abaixo",
|
||||
"DE.Controllers.Main.txtCurrentDocument": "Documento atual",
|
||||
"DE.Controllers.Main.txtDiagramTitle": "Título do Gráfico",
|
||||
"DE.Controllers.Main.txtEditingMode": "Definir modo de edição...",
|
||||
"DE.Controllers.Main.txtEvenPage": "Página par",
|
||||
"DE.Controllers.Main.txtFirstPage": "Primeira Página",
|
||||
"DE.Controllers.Main.txtFooter": "Rodapé",
|
||||
"DE.Controllers.Main.txtHeader": "Cabeçalho",
|
||||
"DE.Controllers.Main.txtOddPage": "Página ímpar",
|
||||
"DE.Controllers.Main.txtOnPage": "na página",
|
||||
"DE.Controllers.Main.txtProtected": "Ao abrir o arquivo com sua senha, a senha atual será redefinida.",
|
||||
"DE.Controllers.Main.txtSameAsPrev": "Mesmo da Anterior",
|
||||
"DE.Controllers.Main.txtSection": "-Seção",
|
||||
"DE.Controllers.Main.txtSeries": "Série",
|
||||
"DE.Controllers.Main.txtStyle_footnote_text": "Texto de nota de rodapé",
|
||||
"DE.Controllers.Main.txtStyle_Heading_1": "Cabeçalho 1",
|
||||
"DE.Controllers.Main.txtStyle_Heading_2": "Cabeçalho 2",
|
||||
"DE.Controllers.Main.txtStyle_Heading_3": "Cabeçalho 3",
|
||||
"DE.Controllers.Main.txtStyle_Heading_4": "Cabeçalho 4",
|
||||
"DE.Controllers.Main.txtStyle_Heading_5": "Cabeçalho 5",
|
||||
"DE.Controllers.Main.txtStyle_Heading_6": "Cabeçalho 6",
|
||||
"DE.Controllers.Main.txtStyle_Heading_7": "Cabeçalho 7",
|
||||
"DE.Controllers.Main.txtStyle_Heading_8": "Cabeçalho 8",
|
||||
"DE.Controllers.Main.txtStyle_Heading_9": "Cabeçalho 9",
|
||||
"DE.Controllers.Main.txtStyle_Intense_Quote": "Intense Quote",
|
||||
"DE.Controllers.Main.txtStyle_List_Paragraph": "Listar parágrafo",
|
||||
"DE.Controllers.Main.txtStyle_No_Spacing": "Sem espaçamento",
|
||||
"DE.Controllers.Main.txtStyle_Normal": "Normal",
|
||||
"DE.Controllers.Main.txtStyle_Quote": "Citar",
|
||||
"DE.Controllers.Main.txtStyle_Subtitle": "Legenda",
|
||||
"DE.Controllers.Main.txtStyle_Title": "Título",
|
||||
"DE.Controllers.Main.txtXAxis": "Eixo X",
|
||||
"DE.Controllers.Main.txtYAxis": "Eixo Y",
|
||||
"DE.Controllers.Main.unknownErrorText": "Erro desconhecido.",
|
||||
"DE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido.",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Carregando imagem...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
|
||||
"DE.Controllers.Main.waitText": "Aguarde...",
|
||||
"DE.Controllers.Main.warnLicenseExceeded": "Você atingiu o limite de conexões simultâneas para editores %1. Este documento será aberto apenas para visualização.<br>Entre em contato com seu administrador para saber mais.",
|
||||
"DE.Controllers.Main.warnLicenseExp": "Sua licença expirou.<br>Atualize sua licença e atualize a página.",
|
||||
"DE.Controllers.Main.warnLicenseLimitedNoAccess": "A licença expirou.<br>Você não tem acesso à funcionalidade de edição de documentos.<br>Por favor, contate seu administrador.",
|
||||
"DE.Controllers.Main.warnLicenseLimitedRenewed": "A licença precisa ser renovada. <br> Você tem acesso limitado à funcionalidade de edição de documentos. <br> Entre em contato com o administrador para obter acesso total.",
|
||||
"DE.Controllers.Main.warnLicenseUsersExceeded": "Você atingiu o limite de usuários para editores %1. Entre em contato com seu administrador para saber mais.",
|
||||
"DE.Controllers.Main.warnNoLicense": "Você atingiu o limite de conexões simultâneas para editores %1. Este documento será aberto apenas para visualização.<br>Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.",
|
||||
"DE.Controllers.Main.warnNoLicenseUsers": "Você atingiu o limite de usuários para editores %1.<br>Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.",
|
||||
"DE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.",
|
||||
"DE.Controllers.Search.textNoTextFound": "Texto não encontrado",
|
||||
"DE.Controllers.Search.textReplaceAll": "Substituir tudo",
|
||||
"DE.Controllers.Settings.notcriticalErrorTitle": "Aviso",
|
||||
"DE.Controllers.Settings.textCustomSize": "Tamanho personalizado",
|
||||
"DE.Controllers.Settings.txtLoading": "Carregando...",
|
||||
"DE.Controllers.Settings.unknownText": "Desconhecido",
|
||||
"DE.Controllers.Settings.warnDownloadAs": "Se você continuar salvando neste formato, todos os recursos, exceto o texto serão perdidos. <br> Tem certeza que deseja continuar?",
|
||||
"DE.Controllers.Settings.warnDownloadAsRTF": "Se você gravar neste formato, algumas formatações podem ser perdidas.<br>Você tem certeza que deseja continuar?",
|
||||
"DE.Controllers.Toolbar.dlgLeaveMsgText": "Há alterações não gravadas neste documento. Clique em 'Ficar nesta Página' para aguardar o salvamento automático do documento. Clique em 'Sair desta página' para descartar as alterações não gravadas.",
|
||||
"DE.Controllers.Toolbar.dlgLeaveTitleText": "Você saiu do aplicativo",
|
||||
"DE.Controllers.Toolbar.leaveButtonText": "Sair desta página",
|
||||
"DE.Controllers.Toolbar.stayButtonText": "Ficar nesta página",
|
||||
"DE.Views.AddImage.textAddress": "Endereço",
|
||||
"DE.Views.AddImage.textBack": "Voltar",
|
||||
"DE.Views.AddImage.textFromLibrary": "Imagem da biblioteca",
|
||||
"DE.Views.AddImage.textFromURL": "Imagem da URL",
|
||||
"DE.Views.AddImage.textImageURL": "imagem URL",
|
||||
"DE.Views.AddImage.textInsertImage": "Inserir imagem",
|
||||
"DE.Views.AddImage.textLinkSettings": "Configurações de link",
|
||||
"DE.Views.AddOther.textAddComment": "Adicionar comentário",
|
||||
"DE.Views.AddOther.textAddLink": "Adicionar Link",
|
||||
"DE.Views.AddOther.textBack": "Voltar",
|
||||
"DE.Views.AddOther.textBreak": "pausa",
|
||||
"DE.Views.AddOther.textCenterBottom": "Centro Inferior",
|
||||
"DE.Views.AddOther.textCenterTop": "Centro Superior",
|
||||
"DE.Views.AddOther.textColumnBreak": "Quebra de Coluna",
|
||||
"DE.Views.AddOther.textComment": "Comentário",
|
||||
"DE.Views.AddOther.textContPage": "Página Contínua",
|
||||
"DE.Views.AddOther.textCurrentPos": "Posição Atual",
|
||||
"DE.Views.AddOther.textDisplay": "Exibir",
|
||||
"DE.Views.AddOther.textDone": "Concluído",
|
||||
"DE.Views.AddOther.textEvenPage": "Página par",
|
||||
"DE.Views.AddOther.textFootnote": "Nota de rodapé",
|
||||
"DE.Views.AddOther.textFormat": "Formatar",
|
||||
"DE.Views.AddOther.textInsert": "Inserir",
|
||||
"DE.Views.AddOther.textInsertFootnote": "Inserir nota de rodapé",
|
||||
"DE.Views.AddOther.textLeftBottom": "Parte inferior esquerda",
|
||||
"DE.Views.AddOther.textLeftTop": "Parte superior esquerda",
|
||||
"DE.Views.AddOther.textLink": "Link",
|
||||
"DE.Views.AddOther.textLocation": "Localização",
|
||||
"DE.Views.AddOther.textNextPage": "Próxima página",
|
||||
"DE.Views.AddOther.textOddPage": "Página ímpar",
|
||||
"DE.Views.AddOther.textPageBreak": "Quebra de página",
|
||||
"DE.Views.AddOther.textPageNumber": "Número da página",
|
||||
"DE.Views.AddOther.textPosition": "Posição",
|
||||
"DE.Views.AddOther.textRightBottom": "Parte inferior direita",
|
||||
"DE.Views.AddOther.textRightTop": "Parte superior direita",
|
||||
"DE.Views.AddOther.textSectionBreak": "Quebra de seção",
|
||||
"DE.Views.AddOther.textStartFrom": "Começar em",
|
||||
"DE.Views.AddOther.textTip": "Dica de tela",
|
||||
"DE.Views.EditChart.textAddCustomColor": "Adicionar Cor Personalizada",
|
||||
"DE.Views.EditChart.textAlign": "Alinhar",
|
||||
"DE.Views.EditChart.textBack": "Voltar",
|
||||
"DE.Views.EditChart.textBackward": "Mover para trás",
|
||||
"DE.Views.EditChart.textBehind": "Atrás",
|
||||
"DE.Views.EditChart.textBorder": "Atrás",
|
||||
"DE.Views.EditChart.textColor": "Cor",
|
||||
"DE.Views.EditChart.textCustomColor": "Cor personalizada",
|
||||
"DE.Views.EditChart.textDistanceText": "Distância do Texto",
|
||||
"DE.Views.EditChart.textFill": "Preencher",
|
||||
"DE.Views.EditChart.textForward": "Mover para frente",
|
||||
"DE.Views.EditChart.textInFront": "Em frente",
|
||||
"DE.Views.EditChart.textInline": "Embutido",
|
||||
"DE.Views.EditChart.textMoveText": "Mover com texto",
|
||||
"DE.Views.EditChart.textOverlap": "Permitir Sobreposição",
|
||||
"DE.Views.EditChart.textRemoveChart": "Remover gráfico",
|
||||
"DE.Views.EditChart.textReorder": "Reordenar",
|
||||
"DE.Views.EditChart.textSize": "Tamanho",
|
||||
"DE.Views.EditChart.textSquare": "Quadrado",
|
||||
"DE.Views.EditChart.textStyle": "Estilo",
|
||||
"DE.Views.EditChart.textThrough": "Através",
|
||||
"DE.Views.EditChart.textTight": "Justo",
|
||||
"DE.Views.EditChart.textToBackground": "Enviar para plano de fundo",
|
||||
"DE.Views.EditChart.textToForeground": "Trazer para primeiro plano",
|
||||
"DE.Views.EditChart.textTopBottom": "Parte superior e inferior",
|
||||
"DE.Views.EditChart.textType": "Tipo",
|
||||
"DE.Views.EditChart.textWrap": "Encapsulamento",
|
||||
"DE.Views.EditHeader.textDiffFirst": "Diferente na primeira página",
|
||||
"DE.Views.EditHeader.textDiffOdd": "Páginas pares e ímpares diferentes",
|
||||
"DE.Views.EditHeader.textFrom": "Começar em",
|
||||
"DE.Views.EditHeader.textPageNumbering": "Numeração da página",
|
||||
"DE.Views.EditHeader.textPrev": "Continuar da seção anterior",
|
||||
"DE.Views.EditHeader.textSameAs": "Vincular a Anterior",
|
||||
"DE.Views.EditHyperlink.textDisplay": "Exibir",
|
||||
"DE.Views.EditHyperlink.textEdit": "Editar Link",
|
||||
"DE.Views.EditHyperlink.textLink": "Link",
|
||||
"DE.Views.EditHyperlink.textRemove": "Remover link",
|
||||
"DE.Views.EditHyperlink.textTip": "Dica de tela",
|
||||
"DE.Views.EditImage.textAddress": "Endereço",
|
||||
"DE.Views.EditImage.textAlign": "Alinhar",
|
||||
"DE.Views.EditImage.textBack": "Voltar",
|
||||
"DE.Views.EditImage.textBackward": "Mover para trás",
|
||||
"DE.Views.EditImage.textBehind": "Atrás",
|
||||
"DE.Views.EditImage.textDefault": "Tamanho Real",
|
||||
"DE.Views.EditImage.textDistanceText": "Distância do Texto",
|
||||
"DE.Views.EditImage.textForward": "Mover para frente",
|
||||
"DE.Views.EditImage.textFromLibrary": "Imagem da biblioteca",
|
||||
"DE.Views.EditImage.textFromURL": "Imagem da URL",
|
||||
"DE.Views.EditImage.textImageURL": "imagem URL",
|
||||
"DE.Views.EditImage.textInFront": "Em frente",
|
||||
"DE.Views.EditImage.textInline": "Embutido",
|
||||
"DE.Views.EditImage.textLinkSettings": "Configurações de link",
|
||||
"DE.Views.EditImage.textMoveText": "Mover com texto",
|
||||
"DE.Views.EditImage.textOverlap": "Permitir sobreposição",
|
||||
"DE.Views.EditImage.textRemove": "Remover imagem",
|
||||
"DE.Views.EditImage.textReorder": "Reordenar",
|
||||
"DE.Views.EditImage.textReplace": "Substituir",
|
||||
"DE.Views.EditImage.textReplaceImg": "Substituir imagem",
|
||||
"DE.Views.EditImage.textSquare": "Quadrado",
|
||||
"DE.Views.EditImage.textThrough": "Através",
|
||||
"DE.Views.EditImage.textTight": "Justo",
|
||||
"DE.Views.EditImage.textToBackground": "Enviar para plano de fundo",
|
||||
"DE.Views.EditImage.textToForeground": "Trazer para Primeiro Plano",
|
||||
"DE.Views.EditImage.textTopBottom": "Parte superior e inferior",
|
||||
"DE.Views.EditImage.textWrap": "Encapsulamento",
|
||||
"DE.Views.EditParagraph.textAddCustomColor": "Adicionar Cor Personalizada",
|
||||
"DE.Views.EditParagraph.textAdvanced": "Avançado",
|
||||
"DE.Views.EditParagraph.textAdvSettings": "Configurações avançadas",
|
||||
"DE.Views.EditParagraph.textAfter": "Depois",
|
||||
"DE.Views.EditParagraph.textAuto": "Automático",
|
||||
"DE.Views.EditParagraph.textBack": "Voltar",
|
||||
"DE.Views.EditParagraph.textBackground": "Plano de fundo",
|
||||
"DE.Views.EditParagraph.textBefore": "Antes",
|
||||
"DE.Views.EditParagraph.textCustomColor": "Cor personalizada",
|
||||
"DE.Views.EditParagraph.textFirstLine": "Primeira linha",
|
||||
"DE.Views.EditParagraph.textFromText": "Distância do Texto",
|
||||
"DE.Views.EditParagraph.textKeepLines": "Manter as linhas juntas",
|
||||
"DE.Views.EditParagraph.textKeepNext": "Manter com o próximo",
|
||||
"DE.Views.EditParagraph.textOrphan": "Controle de órfão",
|
||||
"DE.Views.EditParagraph.textPageBreak": "Quebra de página antes",
|
||||
"DE.Views.EditParagraph.textPrgStyles": "Estilos do parágrafo",
|
||||
"DE.Views.EditParagraph.textSpaceBetween": "Espaço entre parágrafos",
|
||||
"DE.Views.EditShape.textAddCustomColor": "Adicionar Cor Personalizada",
|
||||
"DE.Views.EditShape.textAlign": "Alinhar",
|
||||
"DE.Views.EditShape.textBack": "Voltar",
|
||||
"DE.Views.EditShape.textBackward": "Mover para trás",
|
||||
"DE.Views.EditShape.textBehind": "Atrás",
|
||||
"DE.Views.EditShape.textBorder": "Limite",
|
||||
"DE.Views.EditShape.textColor": "Cor",
|
||||
"DE.Views.EditShape.textCustomColor": "Cor personalizada",
|
||||
"DE.Views.EditShape.textEffects": "Efeitos",
|
||||
"DE.Views.EditShape.textFill": "Preencher",
|
||||
"DE.Views.EditShape.textForward": "Mover para frente",
|
||||
"DE.Views.EditShape.textFromText": "Distância do Texto",
|
||||
"DE.Views.EditShape.textInFront": "Em frente",
|
||||
"DE.Views.EditShape.textInline": "Embutido",
|
||||
"DE.Views.EditShape.textOpacity": "Opacidade",
|
||||
"DE.Views.EditShape.textOverlap": "Permitir Sobreposição",
|
||||
"DE.Views.EditShape.textRemoveShape": "Remover forma",
|
||||
"DE.Views.EditShape.textReorder": "Reordenar",
|
||||
"DE.Views.EditShape.textReplace": "Substituir",
|
||||
"DE.Views.EditShape.textSize": "Tamanho",
|
||||
"DE.Views.EditShape.textSquare": "Quadrado",
|
||||
"DE.Views.EditShape.textStyle": "Estilo",
|
||||
"DE.Views.EditShape.textThrough": "Através",
|
||||
"DE.Views.EditShape.textTight": "Justo",
|
||||
"DE.Views.EditShape.textToBackground": "Enviar para plano de fundo",
|
||||
"DE.Views.EditShape.textToForeground": "Trazer para primeiro plano",
|
||||
"DE.Views.EditShape.textTopAndBottom": "Parte superior e inferior",
|
||||
"DE.Views.EditShape.textWithText": "Mover com texto",
|
||||
"DE.Views.EditShape.textWrap": "Encapsulamento",
|
||||
"DE.Views.EditTable.textAddCustomColor": "Adicionar Cor Personalizada",
|
||||
"DE.Views.EditTable.textAlign": "Alinhar",
|
||||
"DE.Views.EditTable.textBack": "Voltar",
|
||||
"DE.Views.EditTable.textBandedColumn": "Unir Colunas",
|
||||
"DE.Views.EditTable.textBandedRow": "Unir Faixas",
|
||||
"DE.Views.EditTable.textBorder": "Limite",
|
||||
"DE.Views.EditTable.textCellMargins": "Margens das células",
|
||||
"DE.Views.EditTable.textColor": "Cor",
|
||||
"DE.Views.EditTable.textCustomColor": "Cor personalizada",
|
||||
"DE.Views.EditTable.textFill": "Preencher",
|
||||
"DE.Views.EditTable.textFirstColumn": "Primeira Coluna",
|
||||
"DE.Views.EditTable.textFlow": "Fluxo",
|
||||
"DE.Views.EditTable.textFromText": "Distância do Texto",
|
||||
"DE.Views.EditTable.textHeaderRow": "Linha de Cabeçalho",
|
||||
"DE.Views.EditTable.textInline": "Embutido",
|
||||
"DE.Views.EditTable.textLastColumn": "Última coluna",
|
||||
"DE.Views.EditTable.textOptions": "Opções",
|
||||
"DE.Views.EditTable.textRemoveTable": "Remover tabela",
|
||||
"DE.Views.EditTable.textRepeatHeader": "Repetir como linha de cabeçalho",
|
||||
"DE.Views.EditTable.textResizeFit": "Redimensionar para ajustar o conteúdo",
|
||||
"DE.Views.EditTable.textSize": "Tamanho",
|
||||
"DE.Views.EditTable.textStyle": "Estilo",
|
||||
"DE.Views.EditTable.textStyleOptions": "Opções de estilo",
|
||||
"DE.Views.EditTable.textTableOptions": "Opções de tabela",
|
||||
"DE.Views.EditTable.textTotalRow": "Total de linhas",
|
||||
"DE.Views.EditTable.textWithText": "Mover com texto",
|
||||
"DE.Views.EditTable.textWrap": "Encapsulamento",
|
||||
"DE.Views.EditText.textAddCustomColor": "Adicionar Cor Personalizada",
|
||||
"DE.Views.EditText.textAdditional": "Adicional",
|
||||
"DE.Views.EditText.textAdditionalFormat": "Formatação adicional",
|
||||
"DE.Views.EditText.textAllCaps": "Todos os Caps",
|
||||
"DE.Views.EditText.textAutomatic": "Automático",
|
||||
"DE.Views.EditText.textBack": "Voltar",
|
||||
"DE.Views.EditText.textBullets": "Marcadores",
|
||||
"DE.Views.EditText.textCharacterBold": "B",
|
||||
"DE.Views.EditText.textCharacterItalic": "I",
|
||||
"DE.Views.EditText.textCharacterStrikethrough": "S",
|
||||
"DE.Views.EditText.textCharacterUnderline": "U",
|
||||
"DE.Views.EditText.textCustomColor": "Cor personalizada",
|
||||
"DE.Views.EditText.textDblStrikethrough": "Duplo Tachado",
|
||||
"DE.Views.EditText.textDblSuperscript": "Sobrescrito",
|
||||
"DE.Views.EditText.textFontColor": "Cor da fonte",
|
||||
"DE.Views.EditText.textFontColors": "Cor da Fonte",
|
||||
"DE.Views.EditText.textFonts": "Fontes",
|
||||
"DE.Views.EditText.textHighlightColor": "Cor de Destaque",
|
||||
"DE.Views.EditText.textHighlightColors": "Cores de Destaque",
|
||||
"DE.Views.EditText.textLetterSpacing": "Espaçamento de letra",
|
||||
"DE.Views.EditText.textLineSpacing": "Espaçamento de linha",
|
||||
"DE.Views.EditText.textNone": "Nenhum",
|
||||
"DE.Views.EditText.textNumbers": "Números",
|
||||
"DE.Views.EditText.textSize": "Tamanho",
|
||||
"DE.Views.EditText.textSmallCaps": "Versalete",
|
||||
"DE.Views.EditText.textStrikethrough": "Taxado",
|
||||
"DE.Views.EditText.textSubscript": "Subscrito",
|
||||
"DE.Views.Search.textCase": "Diferenciar maiúsculas de minúsculas",
|
||||
"DE.Views.Search.textDone": "Concluído",
|
||||
"DE.Views.Search.textFind": "Localizar",
|
||||
"DE.Views.Search.textFindAndReplace": "Localizar e substituir",
|
||||
"DE.Views.Search.textHighlight": "Destacar Resultados",
|
||||
"DE.Views.Search.textReplace": "Substituir",
|
||||
"DE.Views.Search.textSearch": "Pesquisar",
|
||||
"DE.Views.Settings.textAbout": "Sobre",
|
||||
"DE.Views.Settings.textAddress": "endereço",
|
||||
"DE.Views.Settings.textAdvancedSettings": "Configurações de Aplicação",
|
||||
"DE.Views.Settings.textApplication": "Aplicação",
|
||||
"DE.Views.Settings.textAuthor": "Autor",
|
||||
"DE.Views.Settings.textBack": "Voltar",
|
||||
"DE.Views.Settings.textBottom": "Inferior",
|
||||
"DE.Views.Settings.textCentimeter": "Centímetro",
|
||||
"DE.Views.Settings.textCollaboration": "Colaboração",
|
||||
"DE.Views.Settings.textColorSchemes": "Esquemas de cor",
|
||||
"DE.Views.Settings.textComment": "Comentário",
|
||||
"DE.Views.Settings.textCommentingDisplay": "Tela de comentários",
|
||||
"DE.Views.Settings.textCreated": "Criado",
|
||||
"DE.Views.Settings.textCreateDate": "Data de criação",
|
||||
"DE.Views.Settings.textCustom": "Personalizar",
|
||||
"DE.Views.Settings.textCustomSize": "Tamanho personalizado",
|
||||
"DE.Views.Settings.textDisableAll": "Desabilitar tudo",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithNotification": "Desativar todas as macros com uma notificação",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Desativar todas as macros sem uma notificação",
|
||||
"DE.Views.Settings.textDisplayComments": "Comentários",
|
||||
"DE.Views.Settings.textDisplayResolvedComments": "Comentários Solucionados",
|
||||
"DE.Views.Settings.textDocInfo": "Informações do Documento",
|
||||
"DE.Views.Settings.textDocTitle": "Título do Documento",
|
||||
"DE.Views.Settings.textDocumentFormats": "Formatos do Documento",
|
||||
"DE.Views.Settings.textDocumentSettings": "Definições do Documento",
|
||||
"DE.Views.Settings.textDone": "Concluído",
|
||||
"DE.Views.Settings.textDownload": "Transferir",
|
||||
"DE.Views.Settings.textDownloadAs": "Transferir como...",
|
||||
"DE.Views.Settings.textEditDoc": "Editar Documento",
|
||||
"DE.Views.Settings.textEmail": "e-mail",
|
||||
"DE.Views.Settings.textEnableAll": "Habilitar todos",
|
||||
"DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Habilitar todas as macros sem uma notificação",
|
||||
"DE.Views.Settings.textFind": "Localizar",
|
||||
"DE.Views.Settings.textFindAndReplace": "Localizar e substituir",
|
||||
"DE.Views.Settings.textFormat": "Formato",
|
||||
"DE.Views.Settings.textHelp": "Ajuda",
|
||||
"DE.Views.Settings.textHiddenTableBorders": "Ocultar bordas da tabela",
|
||||
"DE.Views.Settings.textInch": "Polegada",
|
||||
"DE.Views.Settings.textLandscape": "Paisagem",
|
||||
"DE.Views.Settings.textLastModified": "Última modificação",
|
||||
"DE.Views.Settings.textLastModifiedBy": "Última Modificação Por",
|
||||
"DE.Views.Settings.textLeft": "Esquerda",
|
||||
"DE.Views.Settings.textLoading": "Carregando...",
|
||||
"DE.Views.Settings.textLocation": "Localização",
|
||||
"DE.Views.Settings.textMacrosSettings": "Configurações de macros",
|
||||
"DE.Views.Settings.textMargins": "Margens",
|
||||
"DE.Views.Settings.textNoCharacters": "Caracteres não imprimíveis",
|
||||
"DE.Views.Settings.textOrientation": "Orientação",
|
||||
"DE.Views.Settings.textOwner": "Proprietário",
|
||||
"DE.Views.Settings.textPages": "Páginas",
|
||||
"DE.Views.Settings.textParagraphs": "Parágrafos",
|
||||
"DE.Views.Settings.textPoint": "Ponto",
|
||||
"DE.Views.Settings.textPortrait": "Retrato",
|
||||
"DE.Views.Settings.textPoweredBy": "Desenvolvido por",
|
||||
"DE.Views.Settings.textPrint": "Imprimir",
|
||||
"DE.Views.Settings.textReader": "Modo de leitura",
|
||||
"DE.Views.Settings.textReview": "Controlar alterações",
|
||||
"DE.Views.Settings.textRight": "Direita",
|
||||
"DE.Views.Settings.textSettings": "Configurações",
|
||||
"DE.Views.Settings.textShowNotification": "Mostrar notificação",
|
||||
"DE.Views.Settings.textSpaces": "Espaços",
|
||||
"DE.Views.Settings.textSpellcheck": "Verificação ortográfica",
|
||||
"DE.Views.Settings.textStatistic": "Estatística",
|
||||
"DE.Views.Settings.textSubject": "Assunto",
|
||||
"DE.Views.Settings.textSymbols": "Símbolos",
|
||||
"DE.Views.Settings.textTel": "Tel.",
|
||||
"DE.Views.Settings.textTitle": "Titulo",
|
||||
"DE.Views.Settings.textTop": "Parte superior",
|
||||
"DE.Views.Settings.textUnitOfMeasurement": "Unidade de medida",
|
||||
"DE.Views.Settings.textUploaded": "Carregado",
|
||||
"DE.Views.Settings.textVersion": "Versão",
|
||||
"DE.Views.Settings.textWords": "Palavras",
|
||||
"DE.Views.Settings.unknownText": "Desconhecido",
|
||||
"DE.Views.Toolbar.textBack": "Voltar"
|
||||
"Settings": {
|
||||
"textAbout": "Sobre"
|
||||
}
|
||||
}
|
|
@ -1,14 +1,517 @@
|
|||
{
|
||||
"ViewSettings": {
|
||||
"About": {
|
||||
"textAbout": "О программе",
|
||||
"textAddress": "Адрес",
|
||||
"textBack": "Назад",
|
||||
"textEmail": "Еmail",
|
||||
"textPoweredBy": "Разработано",
|
||||
"textTel": "Телефон",
|
||||
"textVersion": "Версия"
|
||||
},
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"textAddLink": "Добавить ссылку",
|
||||
"textAddress": "Адрес",
|
||||
"textBack": "Назад",
|
||||
"textBelowText": "Под текстом",
|
||||
"textBottomOfPage": "Внизу страницы",
|
||||
"textBreak": "Разрыв",
|
||||
"textCancel": "Отмена",
|
||||
"textCenterBottom": "Снизу по центру",
|
||||
"textCenterTop": "Сверху по центру",
|
||||
"textColumnBreak": "Разрыв колонки",
|
||||
"textColumns": "Колонки",
|
||||
"textComment": "Комментарий",
|
||||
"textContinuousPage": "На текущей странице",
|
||||
"textCurrentPosition": "Текущая позиция",
|
||||
"textDisplay": "Отобразить",
|
||||
"textEmptyImgUrl": "Необходимо указать URL рисунка.",
|
||||
"textEvenPage": "С четной страницы",
|
||||
"textFootnote": "Сноска",
|
||||
"textFormat": "Формат",
|
||||
"textImage": "Рисунок",
|
||||
"textImageURL": "URL рисунка",
|
||||
"textInsert": "Вставить",
|
||||
"textInsertFootnote": "Вставить сноску",
|
||||
"textInsertImage": "Вставить рисунок",
|
||||
"textLeftBottom": "Слева снизу",
|
||||
"textLeftTop": "Слева сверху",
|
||||
"textLink": "Ссылка",
|
||||
"textLinkSettings": "Настройки ссылки",
|
||||
"textLocation": "Положение",
|
||||
"textNextPage": "Со следующей страницы",
|
||||
"textOddPage": "С нечетной страницы",
|
||||
"textOther": "Другое",
|
||||
"textPageBreak": "Разрыв страницы",
|
||||
"textPageNumber": "Номер страницы",
|
||||
"textPictureFromLibrary": "Рисунок из библиотеки",
|
||||
"textPictureFromURL": "Рисунок по URL",
|
||||
"textPosition": "Положение",
|
||||
"textRightBottom": "Справа снизу",
|
||||
"textRightTop": "Справа сверху",
|
||||
"textRows": "Строки",
|
||||
"textScreenTip": "Подсказка",
|
||||
"textSectionBreak": "Разрыв раздела",
|
||||
"textShape": "Фигура",
|
||||
"textStartAt": "Начать с",
|
||||
"textTable": "Таблица",
|
||||
"textTableSize": "Размер таблицы",
|
||||
"txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\""
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"textAccept": "Принять",
|
||||
"textAcceptAllChanges": "Принять все изменения",
|
||||
"textAddComment": "Добавить комментарий",
|
||||
"textAddReply": "Добавить ответ",
|
||||
"textAllChangesAcceptedPreview": "Все изменения приняты (просмотр)",
|
||||
"textAllChangesEditing": "Все изменения (редактирование)",
|
||||
"textAllChangesRejectedPreview": "Все изменения отклонены (просмотр)",
|
||||
"textAtLeast": "минимум",
|
||||
"textAuto": "авто",
|
||||
"textBack": "Назад",
|
||||
"textBaseline": "Базовая линия",
|
||||
"textBold": "Полужирный",
|
||||
"textBreakBefore": "С новой страницы",
|
||||
"textCancel": "Отмена",
|
||||
"textCaps": "Все прописные",
|
||||
"textCenter": "По центру",
|
||||
"textChart": "Диаграмма",
|
||||
"textCollaboration": "Совместная работа",
|
||||
"textColor": "Цвет шрифта",
|
||||
"textComments": "Комментарии",
|
||||
"textContextual": "Не добавлять интервал между абзацами одного стиля",
|
||||
"textDelete": "Удалить",
|
||||
"textDeleteComment": "Удалить комментарий",
|
||||
"textDeleted": "Удалено:",
|
||||
"textDeleteReply": "Удалить ответ",
|
||||
"textDisplayMode": "Отображение",
|
||||
"textDone": "Готово",
|
||||
"textDStrikeout": "Двойное зачёркивание",
|
||||
"textEdit": "Редактировать",
|
||||
"textEditComment": "Редактировать комментарий",
|
||||
"textEditReply": "Редактировать ответ",
|
||||
"textEditUser": "Пользователи, редактирующие документ:",
|
||||
"textEquation": "Уравнение",
|
||||
"textExact": "точно",
|
||||
"textFinal": "Измененный документ",
|
||||
"textFirstLine": "Первая строка",
|
||||
"textFormatted": "Отформатировано",
|
||||
"textHighlight": "Цвет выделения",
|
||||
"textImage": "Рисунок",
|
||||
"textIndentLeft": "Отступ слева",
|
||||
"textIndentRight": "Отступ справа",
|
||||
"textInserted": "Добавлено:",
|
||||
"textItalic": "Курсив",
|
||||
"textJustify": "По ширине",
|
||||
"textKeepLines": "Не разрывать абзац",
|
||||
"textKeepNext": "Не отрывать от следующего",
|
||||
"textLeft": "По левому краю",
|
||||
"textLineSpacing": "Междустрочный интервал: ",
|
||||
"textMarkup": "Изменения",
|
||||
"textMessageDeleteComment": "Вы действительно хотите удалить этот комментарий?",
|
||||
"textMessageDeleteReply": "Вы действительно хотите удалить этот ответ?",
|
||||
"textMultiple": "множитель",
|
||||
"textNoBreakBefore": "Не с новой страницы",
|
||||
"textNoChanges": "Изменений нет.",
|
||||
"textNoComments": "Этот документ не содержит комментариев",
|
||||
"textNoContextual": "Добавлять интервал между абзацами одного стиля",
|
||||
"textNoKeepLines": "Разрешить разрывать абзац",
|
||||
"textNoKeepNext": "Разрешить отрывать от следующего",
|
||||
"textNot": "Не",
|
||||
"textNoWidow": "Без запрета висячих строк",
|
||||
"textNum": "Изменение нумерации",
|
||||
"textOriginal": "Исходный документ",
|
||||
"textParaDeleted": "Абзац удален",
|
||||
"textParaFormatted": "Абзац отформатирован",
|
||||
"textParaInserted": "Абзац вставлен",
|
||||
"textParaMoveFromDown": "Перемещено вниз:",
|
||||
"textParaMoveFromUp": "Перемещено вверх:",
|
||||
"textParaMoveTo": "Перемещено:",
|
||||
"textPosition": "Положение",
|
||||
"textReject": "Отклонить",
|
||||
"textRejectAllChanges": "Отклонить все изменения",
|
||||
"textReopen": "Переоткрыть",
|
||||
"textResolve": "Решить",
|
||||
"textReview": "Рецензирование",
|
||||
"textReviewChange": "Просмотр изменений",
|
||||
"textRight": "По правому краю",
|
||||
"textShape": "Фигура",
|
||||
"textShd": "Цвет фона",
|
||||
"textSmallCaps": "Малые прописные",
|
||||
"textSpacing": "Интервал",
|
||||
"textSpacingAfter": "Интервал после абзаца",
|
||||
"textSpacingBefore": "Интервал перед абзацем",
|
||||
"textStrikeout": "Зачёркивание",
|
||||
"textSubScript": "Подстрочные",
|
||||
"textSuperScript": "Надстрочные",
|
||||
"textTableChanged": "Изменены настройки таблицы",
|
||||
"textTableRowsAdd": "Добавлены строки таблицы",
|
||||
"textTableRowsDel": "Удалены строки таблицы",
|
||||
"textTabs": "Изменение табуляции",
|
||||
"textTrackChanges": "Отслеживание изменений",
|
||||
"textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.",
|
||||
"textUnderline": "Подчёркнутый",
|
||||
"textUsers": "Пользователи",
|
||||
"textWidow": "Запрет висячих строк"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "Пользовательские цвета",
|
||||
"textStandartColors": "Стандартные цвета",
|
||||
"textThemeColors": "Цвета темы"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"errorCopyCutPaste": "Операции копирования, вырезания и вставки с помощью контекстного меню будут выполняться только в текущем файле.",
|
||||
"menuAddComment": "Добавить комментарий",
|
||||
"menuAddLink": "Добавить ссылку",
|
||||
"menuCancel": "Отмена",
|
||||
"menuDelete": "Удалить",
|
||||
"menuDeleteTable": "Удалить таблицу",
|
||||
"menuEdit": "Редактировать",
|
||||
"menuMerge": "Объединить",
|
||||
"menuMore": "Ещё",
|
||||
"menuOpenLink": "Перейти",
|
||||
"menuReview": "Рецензирование",
|
||||
"menuReviewChange": "Просмотр изменений",
|
||||
"menuSplit": "Разделить",
|
||||
"menuViewComment": "Просмотреть комментарий",
|
||||
"textColumns": "Столбцы",
|
||||
"textCopyCutPasteActions": "Операции копирования, вырезания и вставки",
|
||||
"textDoNotShowAgain": "Больше не показывать",
|
||||
"textRows": "Строки"
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"textActualSize": "Реальный размер",
|
||||
"textAddCustomColor": "Добавить пользовательский цвет",
|
||||
"textAdditional": "Дополнительно",
|
||||
"textAdditionalFormatting": "Дополнительно",
|
||||
"textAddress": "Адрес",
|
||||
"textAdvanced": "Дополнительно",
|
||||
"textAdvancedSettings": "Дополнительно",
|
||||
"textAfter": "После",
|
||||
"textAlign": "Выравнивание",
|
||||
"textAllCaps": "Все прописные",
|
||||
"textAllowOverlap": "Разрешить перекрытие",
|
||||
"textAuto": "Авто",
|
||||
"textAutomatic": "Автоматический",
|
||||
"textBack": "Назад",
|
||||
"textBackground": "Фон",
|
||||
"textBandedColumn": "Чередовать столбцы",
|
||||
"textBandedRow": "Чередовать строки",
|
||||
"textBefore": "Перед",
|
||||
"textBehind": "За текстом",
|
||||
"textBorder": "Граница",
|
||||
"textBringToForeground": "Перенести на передний план",
|
||||
"textBulletsAndNumbers": "Маркеры и нумерация",
|
||||
"textCellMargins": "Поля ячейки",
|
||||
"textChart": "Диаграмма",
|
||||
"textClose": "Закрыть",
|
||||
"textColor": "Цвет",
|
||||
"textContinueFromPreviousSection": "Продолжить",
|
||||
"textCustomColor": "Пользовательский цвет",
|
||||
"textDifferentFirstPage": "Особый для первой страницы",
|
||||
"textDifferentOddAndEvenPages": "Разные для четных и нечетных",
|
||||
"textDisplay": "Отобразить",
|
||||
"textDistanceFromText": "Расстояние до текста",
|
||||
"textDoubleStrikethrough": "Двойное зачеркивание",
|
||||
"textEditLink": "Редактировать ссылку",
|
||||
"textEffects": "Эффекты",
|
||||
"textEmptyImgUrl": "Необходимо указать URL рисунка.",
|
||||
"textFill": "Заливка",
|
||||
"textFirstColumn": "Первый столбец",
|
||||
"textFirstLine": "Первая строка",
|
||||
"textFlow": "Плавающая",
|
||||
"textFontColor": "Цвет шрифта",
|
||||
"textFontColors": "Цвета шрифта",
|
||||
"textFonts": "Шрифты",
|
||||
"textFooter": "Колонтитул",
|
||||
"textHeader": "Колонтитул",
|
||||
"textHeaderRow": "Строка заголовка",
|
||||
"textHighlightColor": "Цвет выделения",
|
||||
"textHyperlink": "Ссылка",
|
||||
"textImage": "Рисунок",
|
||||
"textImageURL": "URL рисунка",
|
||||
"textInFront": "Перед текстом",
|
||||
"textInline": "В тексте",
|
||||
"textKeepLinesTogether": "Не разрывать абзац",
|
||||
"textKeepWithNext": "Не отрывать от следующего",
|
||||
"textLastColumn": "Последний столбец",
|
||||
"textLetterSpacing": "Интервал",
|
||||
"textLineSpacing": "Междустрочный интервал",
|
||||
"textLink": "Ссылка",
|
||||
"textLinkSettings": "Настройки ссылки",
|
||||
"textLinkToPrevious": "Связать с предыдущим",
|
||||
"textMoveBackward": "Перенести назад",
|
||||
"textMoveForward": "Перенести вперед",
|
||||
"textMoveWithText": "Перемещать с текстом",
|
||||
"textNone": "Нет",
|
||||
"textNoStyles": "Для этого типа диаграмм нет стилей.",
|
||||
"textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"",
|
||||
"textOpacity": "Прозрачность",
|
||||
"textOptions": "Параметры",
|
||||
"textOrphanControl": "Запрет висячих строк",
|
||||
"textPageBreakBefore": "С новой страницы",
|
||||
"textPageNumbering": "Нумерация страниц",
|
||||
"textParagraph": "Абзац",
|
||||
"textParagraphStyles": "Стили абзаца",
|
||||
"textPictureFromLibrary": "Рисунок из библиотеки",
|
||||
"textPictureFromURL": "Рисунок по URL",
|
||||
"textPt": "пт",
|
||||
"textRemoveChart": "Удалить диаграмму",
|
||||
"textRemoveImage": "Удалить рисунок",
|
||||
"textRemoveLink": "Удалить ссылку",
|
||||
"textRemoveShape": "Удалить фигуру",
|
||||
"textRemoveTable": "Удалить таблицу",
|
||||
"textReorder": "Порядок",
|
||||
"textRepeatAsHeaderRow": "Повторять как заголовок",
|
||||
"textReplace": "Заменить",
|
||||
"textReplaceImage": "Заменить рисунок",
|
||||
"textResizeToFitContent": "По размеру содержимого",
|
||||
"textScreenTip": "Подсказка",
|
||||
"textSelectObjectToEdit": "Выберите объект для редактирования",
|
||||
"textSendToBackground": "Перенести на задний план",
|
||||
"textSettings": "Настройки",
|
||||
"textDone": "Закрыть",
|
||||
"textFindAndReplace": "Найти и заменить",
|
||||
"textDocumentSettings": "Настройки документа",
|
||||
"textShape": "Фигура",
|
||||
"textSize": "Размер",
|
||||
"textSmallCaps": "Малые прописные",
|
||||
"textSpaceBetweenParagraphs": "Интервал между абзацами",
|
||||
"textSquare": "Вокруг рамки",
|
||||
"textStartAt": "Начать с",
|
||||
"textStrikethrough": "Зачёркивание",
|
||||
"textStyle": "Стиль",
|
||||
"textStyleOptions": "Настройки стиля",
|
||||
"textSubscript": "Подстрочные",
|
||||
"textSuperscript": "Надстрочные",
|
||||
"textTable": "Таблица",
|
||||
"textTableOptions": "Настройки таблицы",
|
||||
"textText": "Текст",
|
||||
"textThrough": "Сквозное",
|
||||
"textTight": "По контуру",
|
||||
"textTopAndBottom": "Сверху и снизу",
|
||||
"textTotalRow": "Строка итогов",
|
||||
"textType": "Тип",
|
||||
"textWrap": "Стиль обтекания"
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Превышено время ожидания конвертации.",
|
||||
"criticalErrorExtText": "Нажмите 'OK' для возврата к списку документов.",
|
||||
"criticalErrorTitle": "Ошибка",
|
||||
"downloadErrorText": "Загрузка не удалась.",
|
||||
"errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.<br>Пожалуйста, обратитесь к администратору.",
|
||||
"errorBadImageUrl": "Неправильный URL-адрес рисунка",
|
||||
"errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.<br>Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.",
|
||||
"errorDatabaseConnection": "Внешняя ошибка.<br>Ошибка подключения к базе данных. Пожалуйста, обратитесь в службу технической поддержки.",
|
||||
"errorDataEncrypted": "Получены зашифрованные изменения, их нельзя расшифровать.",
|
||||
"errorDataRange": "Некорректный диапазон данных.",
|
||||
"errorDefaultMessage": "Код ошибки: %1",
|
||||
"errorEditingDownloadas": "В ходе работы с документом произошла ошибка.<br>Скачайте документ, чтобы сохранить резервную копию файла локально.",
|
||||
"errorFilePassProtect": "Файл защищен паролем и не может быть открыт.",
|
||||
"errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.<br>Пожалуйста, обратитесь к администратору.",
|
||||
"errorKeyEncrypt": "Неизвестный дескриптор ключа",
|
||||
"errorKeyExpire": "Срок действия дескриптора ключа истек",
|
||||
"errorMailMergeLoadFile": "Сбой при загрузке",
|
||||
"errorMailMergeSaveFile": "Не удалось выполнить слияние.",
|
||||
"errorSessionAbsolute": "Время сеанса редактирования документа истекло. Пожалуйста, обновите страницу.",
|
||||
"errorSessionIdle": "Документ долгое время не редактировался. Пожалуйста, обновите страницу.",
|
||||
"errorSessionToken": "Подключение к серверу было прервано. Пожалуйста, обновите страницу.",
|
||||
"errorStockChart": "Неверный порядок строк. Чтобы создать биржевую диаграмму, расположите данные на листе в следующем порядке:<br> цена открытия, максимальная цена, минимальная цена, цена закрытия.",
|
||||
"errorUpdateVersionOnDisconnect": "Подключение к Интернету было восстановлено, и версия файла изменилась.<br>Прежде чем продолжить работу, надо скачать файл или скопировать его содержимое, чтобы обеспечить сохранность данных, а затем перезагрузить страницу.",
|
||||
"errorUserDrop": "В настоящий момент файл недоступен.",
|
||||
"errorUsersExceed": "Превышено количество пользователей, разрешенных согласно тарифному плану",
|
||||
"errorViewerDisconnect": "Подключение прервано. Вы можете просматривать документ,<br>но не сможете скачать его до восстановления подключения и обновления страницы.",
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"openErrorText": "При открытии файла произошла ошибка",
|
||||
"saveErrorText": "При сохранении файла произошла ошибка",
|
||||
"scriptLoadError": "Слишком медленное подключение, некоторые компоненты не удалось загрузить. Пожалуйста, обновите страницу.",
|
||||
"splitDividerErrorText": "Число строк должно являться делителем для %1",
|
||||
"splitMaxColsErrorText": "Число столбцов должно быть меньше, чем %1",
|
||||
"splitMaxRowsErrorText": "Число строк должно быть меньше, чем %1",
|
||||
"unknownErrorText": "Неизвестная ошибка.",
|
||||
"uploadImageExtMessage": "Неизвестный формат рисунка.",
|
||||
"uploadImageFileCountMessage": "Ни одного рисунка не загружено.",
|
||||
"uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Загрузка данных...",
|
||||
"applyChangesTitleText": "Загрузка данных",
|
||||
"downloadMergeText": "Загрузка...",
|
||||
"downloadMergeTitle": "Загрузка",
|
||||
"downloadTextText": "Загрузка документа...",
|
||||
"downloadTitleText": "Загрузка документа",
|
||||
"loadFontsTextText": "Загрузка данных...",
|
||||
"loadFontsTitleText": "Загрузка данных",
|
||||
"loadFontTextText": "Загрузка данных...",
|
||||
"loadFontTitleText": "Загрузка данных",
|
||||
"loadImagesTextText": "Загрузка рисунков...",
|
||||
"loadImagesTitleText": "Загрузка рисунков",
|
||||
"loadImageTextText": "Загрузка рисунка...",
|
||||
"loadImageTitleText": "Загрузка рисунка",
|
||||
"loadingDocumentTextText": "Загрузка документа...",
|
||||
"loadingDocumentTitleText": "Загрузка документа",
|
||||
"mailMergeLoadFileText": "Загрузка источника данных...",
|
||||
"mailMergeLoadFileTitle": "Загрузка источника данных",
|
||||
"openTextText": "Открытие документа...",
|
||||
"openTitleText": "Открытие документа",
|
||||
"printTextText": "Печать документа...",
|
||||
"printTitleText": "Печать документа",
|
||||
"savePreparingText": "Подготовка к сохранению",
|
||||
"savePreparingTitle": "Подготовка к сохранению. Пожалуйста, подождите...",
|
||||
"saveTextText": "Сохранение документа...",
|
||||
"saveTitleText": "Сохранение документа",
|
||||
"sendMergeText": "Отправка результатов слияния...",
|
||||
"sendMergeTitle": "Отправка результатов слияния",
|
||||
"textLoadingDocument": "Загрузка документа",
|
||||
"txtEditingMode": "Установка режима редактирования...",
|
||||
"uploadImageTextText": "Загрузка рисунка...",
|
||||
"uploadImageTitleText": "Загрузка рисунка",
|
||||
"waitText": "Пожалуйста, подождите..."
|
||||
},
|
||||
"Main": {
|
||||
"criticalErrorTitle": "Ошибка",
|
||||
"errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.<br>Пожалуйста, обратитесь к администратору.",
|
||||
"errorOpensource": "Используя бесплатную версию Community, вы можете открывать документы только на просмотр. Для доступа к мобильным веб-редакторам требуется коммерческая лицензия.",
|
||||
"errorProcessSaveResult": "Сбой при сохранении.",
|
||||
"errorServerVersion": "Версия редактора была обновлена. Страница будет перезагружена, чтобы применить изменения.",
|
||||
"errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.",
|
||||
"leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.",
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"SDK": {
|
||||
"Diagram Title": "Заголовок диаграммы",
|
||||
"Footer": "Нижний колонтитул",
|
||||
"footnote text": "Текст сноски",
|
||||
"Header": "Верхний колонтитул",
|
||||
"Heading 1": "Заголовок 1",
|
||||
"Heading 2": "Заголовок 2",
|
||||
"Heading 3": "Заголовок 3",
|
||||
"Heading 4": "Заголовок 4",
|
||||
"Heading 5": "Заголовок 5",
|
||||
"Heading 6": "Заголовок 6",
|
||||
"Heading 7": "Заголовок 7",
|
||||
"Heading 8": "Заголовок 8",
|
||||
"Heading 9": "Заголовок 9",
|
||||
"Intense Quote": "Выделенная цитата",
|
||||
"List Paragraph": "Абзац списка",
|
||||
"No Spacing": "Без интервала",
|
||||
"Normal": "Обычный",
|
||||
"Quote": "Цитата",
|
||||
"Series": "Ряд",
|
||||
"Subtitle": "Подзаголовок",
|
||||
"Title": "Название",
|
||||
"X Axis": "Ось X (XAS)",
|
||||
"Y Axis": "Ось Y",
|
||||
"Your text here": "Введите ваш текст"
|
||||
},
|
||||
"textAnonymous": "Анонимный пользователь",
|
||||
"textBuyNow": "Перейти на сайт",
|
||||
"textClose": "Закрыть",
|
||||
"textContactUs": "Отдел продаж",
|
||||
"textCustomLoader": "К сожалению, у вас нет прав изменять экран, отображаемый при загрузке. Обратитесь в наш отдел продаж, чтобы сделать запрос.",
|
||||
"textGuest": "Гость",
|
||||
"textHasMacros": "Файл содержит автозапускаемые макросы.<br>Хотите запустить макросы?",
|
||||
"textNo": "Нет",
|
||||
"textNoLicenseTitle": "Лицензионное ограничение",
|
||||
"textPaidFeature": "Платная функция",
|
||||
"textRemember": "Запомнить мой выбор",
|
||||
"textYes": "Да",
|
||||
"titleLicenseExp": "Истек срок действия лицензии",
|
||||
"titleServerVersion": "Редактор обновлен",
|
||||
"titleUpdateVersion": "Версия изменилась",
|
||||
"warnLicenseExceeded": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт только на просмотр. Свяжитесь с администратором, чтобы узнать больше.",
|
||||
"warnLicenseExp": "Истек срок действия лицензии. Обновите лицензию, а затем обновите страницу.",
|
||||
"warnLicenseLimitedNoAccess": "Истек срок действия лицензии. Нет доступа к функциональности редактирования документов. Пожалуйста, обратитесь к администратору.",
|
||||
"warnLicenseLimitedRenewed": "Необходимо обновить лицензию. У вас ограниченный доступ к функциональности редактирования документов.<br>Пожалуйста, обратитесь к администратору, чтобы получить полный доступ",
|
||||
"warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.",
|
||||
"warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.",
|
||||
"warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.",
|
||||
"warnProcessRightsChange": "У вас нет прав на редактирование этого файла."
|
||||
},
|
||||
"Settings": {
|
||||
"advDRMOptions": "Защищенный файл",
|
||||
"advDRMPassword": "Пароль",
|
||||
"advTxtOptions": "Выбрать параметры текстового файла",
|
||||
"closeButtonText": "Закрыть файл",
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"textAbout": "О программе",
|
||||
"textApplication": "Приложение",
|
||||
"textApplicationSettings": "Настройки приложения",
|
||||
"textDownload": "Скачать",
|
||||
"textPrint": "Печать",
|
||||
"textAuthor": "Автор",
|
||||
"textBack": "Назад",
|
||||
"textBottom": "Нижнее",
|
||||
"textCancel": "Отмена",
|
||||
"textCaseSensitive": "С учетом регистра",
|
||||
"textCentimeter": "Сантиметр",
|
||||
"textCollaboration": "Совместная работа",
|
||||
"textColorSchemes": "Цветовые схемы",
|
||||
"textComment": "Комментарий",
|
||||
"textComments": "Комментарии",
|
||||
"textCommentsDisplay": "Отображение комментариев",
|
||||
"textCreated": "Создан",
|
||||
"textCustomSize": "Особый размер",
|
||||
"textDisableAll": "Отключить все",
|
||||
"textDisableAllMacrosWithNotification": "Отключить все макросы с уведомлением",
|
||||
"textDisableAllMacrosWithoutNotification": "Отключить все макросы без уведомления",
|
||||
"textDocumentInfo": "Информация о документе",
|
||||
"textHelp": "Помощь",
|
||||
"textAbout": "О программе"
|
||||
"textDocumentSettings": "Настройки документа",
|
||||
"textDocumentTitle": "Название документа",
|
||||
"textDone": "Готово",
|
||||
"textDownload": "Скачать",
|
||||
"textDownloadAs": "Скачать как",
|
||||
"textDownloadRtf": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна. Вы действительно хотите продолжить?",
|
||||
"textDownloadTxt": "Если вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян. Вы действительно хотите продолжить?",
|
||||
"textEnableAll": "Включить все",
|
||||
"textEnableAllMacrosWithoutNotification": "Включить все макросы без уведомления",
|
||||
"textEncoding": "Кодировка",
|
||||
"textFind": "Поиск",
|
||||
"textFindAndReplace": "Поиск и замена",
|
||||
"textFindAndReplaceAll": "Найти и заменить все",
|
||||
"textFormat": "Формат",
|
||||
"textHelp": "Справка",
|
||||
"textHiddenTableBorders": "Скрытые границы таблиц",
|
||||
"textHighlightResults": "Выделить результаты",
|
||||
"textInch": "Дюйм",
|
||||
"textLandscape": "Альбомная",
|
||||
"textLastModified": "Последнее изменение",
|
||||
"textLastModifiedBy": "Автор последнего изменения",
|
||||
"textLeft": "Левое",
|
||||
"textLoading": "Загрузка...",
|
||||
"textLocation": "Размещение",
|
||||
"textMacrosSettings": "Настройки макросов",
|
||||
"textMargins": "Поля",
|
||||
"textMarginsH": "Верхнее и нижнее поля слишком высокие для заданной высоты страницы",
|
||||
"textMarginsW": "Левое и правое поля слишком высокие для заданной высоты страницы",
|
||||
"textNoCharacters": "Непечатаемые символы",
|
||||
"textNoTextFound": "Текст не найден",
|
||||
"textOpenFile": "Введите пароль для открытия файла",
|
||||
"textOrientation": "Ориентация",
|
||||
"textOwner": "Владелец",
|
||||
"textPoint": "Пункт",
|
||||
"textPortrait": "Книжная",
|
||||
"textPrint": "Печать",
|
||||
"textReaderMode": "Режим чтения",
|
||||
"textReplace": "Заменить",
|
||||
"textReplaceAll": "Заменить все",
|
||||
"textResolvedComments": "Решенные комментарии",
|
||||
"textRight": "Правое",
|
||||
"textSearch": "Поиск",
|
||||
"textSettings": "Настройки",
|
||||
"textShowNotification": "Показывать уведомление",
|
||||
"textSpellcheck": "Проверка орфографии",
|
||||
"textStatistic": "Статистика",
|
||||
"textSubject": "Тема",
|
||||
"textTitle": "Название",
|
||||
"textTop": "Верхнее",
|
||||
"textUnitOfMeasurement": "Единица измерения",
|
||||
"textUploaded": "Загружен",
|
||||
"txtIncorrectPwd": "Неверный пароль",
|
||||
"txtProtected": "Как только вы введете пароль и откроете файл, текущий пароль к файлу будет сброшен"
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.",
|
||||
"dlgLeaveTitleText": "Вы выходите из приложения",
|
||||
"leaveButtonText": "Уйти со страницы",
|
||||
"stayButtonText": "Остаться на странице"
|
||||
}
|
||||
}
|
|
@ -1,529 +1,36 @@
|
|||
{
|
||||
"Common.Controllers.Collaboration.textAddReply": "Cevap ekle",
|
||||
"Common.Controllers.Collaboration.textAtLeast": "en az",
|
||||
"Common.Controllers.Collaboration.textAuto": "oto",
|
||||
"Common.Controllers.Collaboration.textBaseline": "Kenar çizgisi",
|
||||
"Common.Controllers.Collaboration.textBold": "Kalın",
|
||||
"Common.Controllers.Collaboration.textBreakBefore": "Öncesinde sayfa sonu",
|
||||
"Common.Controllers.Collaboration.textCancel": "İptal Et",
|
||||
"Common.Controllers.Collaboration.textCaps": "Büyük harf",
|
||||
"Common.Controllers.Collaboration.textCenter": "Ortala",
|
||||
"Common.Controllers.Collaboration.textChart": "Grafik",
|
||||
"Common.Controllers.Collaboration.textColor": "Yazı Tipi Rengi",
|
||||
"Common.Controllers.Collaboration.textContextual": "Aynı stildeki paragraflar arasına aralık eklemeyin",
|
||||
"Common.Controllers.Collaboration.textDelete": "Sil",
|
||||
"Common.Controllers.Collaboration.textDeleteComment": "Yorumu sil",
|
||||
"Common.Controllers.Collaboration.textDeleted": "<b>Silinen:</b>",
|
||||
"Common.Controllers.Collaboration.textDeleteReply": "Cevabı sil",
|
||||
"Common.Controllers.Collaboration.textDone": "Tamamlandı",
|
||||
"Common.Controllers.Collaboration.textDStrikeout": "Üzeri çift çizili",
|
||||
"Common.Controllers.Collaboration.textEdit": "Düzenle",
|
||||
"Common.Controllers.Collaboration.textEquation": "Denklem",
|
||||
"Common.Controllers.Collaboration.textExact": "kesinlikle",
|
||||
"Common.Controllers.Collaboration.textFirstLine": "İlk satır",
|
||||
"Common.Controllers.Collaboration.textFormatted": "Biçimlendirildi",
|
||||
"Common.Controllers.Collaboration.textHighlight": "Vurgu Rengi",
|
||||
"Common.Controllers.Collaboration.textImage": "Resim",
|
||||
"Common.Controllers.Collaboration.textIndentLeft": "Sola Girinti",
|
||||
"Common.Controllers.Collaboration.textIndentRight": "Sağdan girinti",
|
||||
"Common.Controllers.Collaboration.textInserted": "<b>Eklenen:</b>",
|
||||
"Common.Controllers.Collaboration.textItalic": "İtalik",
|
||||
"Common.Controllers.Collaboration.textJustify": "Yasla",
|
||||
"Common.Controllers.Collaboration.textKeepLines": "Satırları birlikte tut",
|
||||
"Common.Controllers.Collaboration.textKeepNext": "Sonrakiyle tut",
|
||||
"Common.Controllers.Collaboration.textLeft": "Sola hizala",
|
||||
"Common.Controllers.Collaboration.textLineSpacing": "Satır Aralığı:",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteComment": "Yorumu silmek istediğinize emin misiniz?",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteReply": "Bu cevabı silmek istediğinize emin misiniz?",
|
||||
"Common.Controllers.Collaboration.textMultiple": "çoklu",
|
||||
"Common.Controllers.Collaboration.textNoBreakBefore": "Öncesinde sayfa sonu yok",
|
||||
"Common.Controllers.Collaboration.textNoContextual": "Aynı stildeki paragraflar arasına aralık ekle",
|
||||
"Common.Controllers.Collaboration.textNoKeepLines": "Satırları bir arada tutma",
|
||||
"Common.Controllers.Collaboration.textNoKeepNext": "Sonraki ile birlikte tutma",
|
||||
"Common.Controllers.Collaboration.textNot": "Not ",
|
||||
"Common.Controllers.Collaboration.textNoWidow": "Pencere kontrolü yok",
|
||||
"Common.Controllers.Collaboration.textNum": "Numaralandırmayı değiştir",
|
||||
"Common.Controllers.Collaboration.textParaDeleted": "<b>Paragraf Silindi</b>",
|
||||
"Common.Controllers.Collaboration.textParaFormatted": "<b>Paragraf Formatlandı</b>",
|
||||
"Common.Controllers.Collaboration.textParaInserted": "<b>Paragraf Eklendi</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromDown": "<b>Aşağı Taşınan:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveFromUp": "<b>Yukarı Taşınan:</b>",
|
||||
"Common.Controllers.Collaboration.textParaMoveTo": "<b>Taşınan:</b>",
|
||||
"Common.Controllers.Collaboration.textRight": "Sağa Hizala",
|
||||
"Common.Controllers.Collaboration.textShd": "Arka plan",
|
||||
"Common.Controllers.Collaboration.textTableChanged": "<b>Tablo Ayarladı Değiştirildi</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsAdd": "<b>Tablo Satırı Eklendi</b>",
|
||||
"Common.Controllers.Collaboration.textTableRowsDel": "<b>Tablo Satırı Silindi</b>",
|
||||
"Common.Controllers.Collaboration.textTabs": "Sekmeleri değiştir",
|
||||
"Common.UI.ThemeColorPalette.textCustomColors": "Özel Renkler",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Standart Renkler",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Tema Renkleri",
|
||||
"Common.Utils.Metric.txtCm": "cm",
|
||||
"Common.Utils.Metric.txtPt": "pt",
|
||||
"Common.Views.Collaboration.textAccept": "Kabul Et",
|
||||
"Common.Views.Collaboration.textAcceptAllChanges": "Tüm Değişikliği Onayla",
|
||||
"Common.Views.Collaboration.textAddReply": "Cevapla",
|
||||
"Common.Views.Collaboration.textAllChangesAcceptedPreview": "Tüm değişiklikler onaylandı (Önizleme)",
|
||||
"Common.Views.Collaboration.textAllChangesEditing": "Tüm değişiklikler (Düzenleme)",
|
||||
"Common.Views.Collaboration.textAllChangesRejectedPreview": "Tüm değişiklikler reddedildi (Önizleme)",
|
||||
"Common.Views.Collaboration.textBack": "Geri",
|
||||
"Common.Views.Collaboration.textCancel": "İptal Et",
|
||||
"Common.Views.Collaboration.textCollaboration": "Beraber Çalış",
|
||||
"Common.Views.Collaboration.textDisplayMode": "Görüntü Modu",
|
||||
"Common.Views.Collaboration.textDone": "Tamamlandı",
|
||||
"Common.Views.Collaboration.textEditReply": "Cevabı Düzenle",
|
||||
"Common.Views.Collaboration.textEditСomment": "Yorumu düzenle",
|
||||
"Common.Views.Collaboration.textFinal": "Son",
|
||||
"Common.Views.Collaboration.textMarkup": "İşaretleme",
|
||||
"Common.Views.Collaboration.textOriginal": "Orjinal",
|
||||
"DE.Controllers.AddContainer.textImage": "Resim",
|
||||
"DE.Controllers.AddContainer.textOther": "Diğer",
|
||||
"DE.Controllers.AddContainer.textShape": "Şekil",
|
||||
"DE.Controllers.AddContainer.textTable": "Tablo",
|
||||
"DE.Controllers.AddImage.textEmptyImgUrl": "Resim URL'si belirtmelisiniz.",
|
||||
"DE.Controllers.AddImage.txtNotUrl": "Bu alan 'http://www.example.com' formatında bir URL olmalıdır",
|
||||
"DE.Controllers.AddOther.textBelowText": "Alt Metin",
|
||||
"DE.Controllers.AddOther.textBottomOfPage": "Sayfa Sonu",
|
||||
"DE.Controllers.AddOther.textCancel": "İptal Et",
|
||||
"DE.Controllers.AddOther.textContinue": "Devam et",
|
||||
"DE.Controllers.AddOther.textDelete": "Sil",
|
||||
"DE.Controllers.AddOther.textDeleteDraft": "Taslağı silmek istediğinize emin misiniz?",
|
||||
"DE.Controllers.AddOther.txtNotUrl": "Bu alan 'http://www.example.com' formatında bir URL olmalıdır",
|
||||
"DE.Controllers.AddTable.textCancel": "İptal",
|
||||
"DE.Controllers.AddTable.textColumns": "Sütunlar",
|
||||
"DE.Controllers.AddTable.textRows": "Satırlar",
|
||||
"DE.Controllers.AddTable.textTableSize": "Tablo Boyutu",
|
||||
"DE.Controllers.DocumentHolder.errorCopyCutPaste": "Bağlam menüsünden yapılan kes, kopyala ve yapıştır işlemleri sadece geçerli dosya için yapılabilir.",
|
||||
"DE.Controllers.DocumentHolder.menuAddComment": "Yorum Ekle",
|
||||
"DE.Controllers.DocumentHolder.menuAddLink": "Link Ekle",
|
||||
"DE.Controllers.DocumentHolder.menuCopy": "Kopyala",
|
||||
"DE.Controllers.DocumentHolder.menuCut": "Kes",
|
||||
"DE.Controllers.DocumentHolder.menuDelete": "Sil",
|
||||
"DE.Controllers.DocumentHolder.menuDeleteTable": "Tabloyu Sil",
|
||||
"DE.Controllers.DocumentHolder.menuEdit": "Düzenle",
|
||||
"DE.Controllers.DocumentHolder.menuMerge": "Hücreleri birleştir",
|
||||
"DE.Controllers.DocumentHolder.menuMore": "Daha fazla",
|
||||
"DE.Controllers.DocumentHolder.menuOpenLink": "Linki Aç",
|
||||
"DE.Controllers.DocumentHolder.menuPaste": "Yapıştır",
|
||||
"DE.Controllers.DocumentHolder.sheetCancel": "İptal",
|
||||
"DE.Controllers.DocumentHolder.textCancel": "İptal Et",
|
||||
"DE.Controllers.DocumentHolder.textColumns": "Kolonlar",
|
||||
"DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Kes, Kopyala ve Yapıştır Aksiyonları",
|
||||
"DE.Controllers.DocumentHolder.textDoNotShowAgain": "Bir daha gösterme",
|
||||
"DE.Controllers.DocumentHolder.textGuest": "Ziyaretçi",
|
||||
"DE.Controllers.EditContainer.textChart": "Grafik",
|
||||
"DE.Controllers.EditContainer.textFooter": "Altbilgi",
|
||||
"DE.Controllers.EditContainer.textHeader": "Başlık",
|
||||
"DE.Controllers.EditContainer.textHyperlink": "Hiper bağ",
|
||||
"DE.Controllers.EditContainer.textImage": "Resim",
|
||||
"DE.Controllers.EditContainer.textParagraph": "Paragraf",
|
||||
"DE.Controllers.EditContainer.textSettings": "Ayarlar",
|
||||
"DE.Controllers.EditContainer.textShape": "Şekil",
|
||||
"DE.Controllers.EditContainer.textTable": "Tablo",
|
||||
"DE.Controllers.EditContainer.textText": "Metin",
|
||||
"DE.Controllers.EditImage.textEmptyImgUrl": "Resim URL'si belirtmelisiniz.",
|
||||
"DE.Controllers.EditImage.txtNotUrl": "Bu alan 'http://www.example.com' formatında bir URL olmalıdır",
|
||||
"DE.Controllers.EditText.textAuto": "Otomatik",
|
||||
"DE.Controllers.EditText.textFonts": "Yazı Tipleri",
|
||||
"DE.Controllers.EditText.textPt": "pt",
|
||||
"DE.Controllers.Main.advDRMEnterPassword": "Şifrenizi girin:",
|
||||
"DE.Controllers.Main.advDRMOptions": "Korumalı Dosya",
|
||||
"DE.Controllers.Main.advDRMPassword": "Şifre",
|
||||
"DE.Controllers.Main.advTxtOptions": "TXT Seçeneklerini Belirle",
|
||||
"DE.Controllers.Main.applyChangesTextText": "Veri yükleniyor...",
|
||||
"DE.Controllers.Main.applyChangesTitleText": "Veri yükleniyor",
|
||||
"DE.Controllers.Main.closeButtonText": "Dosyayı Kapat",
|
||||
"DE.Controllers.Main.convertationTimeoutText": "Değişim süresi aşıldı.",
|
||||
"DE.Controllers.Main.criticalErrorExtText": "Belge listesine dönmek için 'TAMAM' tuşuna tıklayın.",
|
||||
"DE.Controllers.Main.criticalErrorTitle": "Hata",
|
||||
"DE.Controllers.Main.downloadErrorText": "İndirme başarısız oldu.",
|
||||
"DE.Controllers.Main.downloadMergeText": "İndiriliyor...",
|
||||
"DE.Controllers.Main.downloadMergeTitle": "İndiriliyor",
|
||||
"DE.Controllers.Main.downloadTextText": "Belge indiriliyor...",
|
||||
"DE.Controllers.Main.downloadTitleText": "Belge indiriliyor",
|
||||
"DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış",
|
||||
"DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kayboldu. Artık düzenleyemezsiniz.",
|
||||
"DE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin. <br>'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.",
|
||||
"DE.Controllers.Main.errorDatabaseConnection": "Dışsal hata.<br>Veritabanı bağlantı hatası. Lütfen destek ile iletişime geçin.",
|
||||
"DE.Controllers.Main.errorDataEncrypted": "Şifreli değişiklikler algılandı, çözülemiyor.",
|
||||
"DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.",
|
||||
"DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1",
|
||||
"DE.Controllers.Main.errorEditingDownloadas": "Dökümanın çalışması sırasında bir hata oluştu.<br>'İndirme' seçeneğini kullanıp bilgisayarınıza yedek alınız.",
|
||||
"DE.Controllers.Main.errorFilePassProtect": "Belge şifre korumalı.",
|
||||
"DE.Controllers.Main.errorKeyEncrypt": "Bilinmeyen anahtar tanımlayıcı",
|
||||
"DE.Controllers.Main.errorKeyExpire": "Anahtar tanımlayıcının süresi doldu",
|
||||
"DE.Controllers.Main.errorMailMergeLoadFile": "Yükleme başarısız",
|
||||
"DE.Controllers.Main.errorMailMergeSaveFile": "Birleştirme başarısız",
|
||||
"DE.Controllers.Main.errorProcessSaveResult": "Kaydetme başarısız.",
|
||||
"DE.Controllers.Main.errorServerVersion": "Editör versiyonu güncellendi. Sayfa yenilenerek değişiklikler uygulanacaktır.",
|
||||
"DE.Controllers.Main.errorStockChart": "Yanlış dizi sırası. Stok grafiği oluşturma için tablodaki verileri şu sırada yerleştirin:<br> açılış fiyatı, maksimum fiyat, minimum fiyat, kapanış fiyatı.",
|
||||
"DE.Controllers.Main.errorUpdateVersion": "Dosya versiyonu değiştirildi. Sayfa yenilenecektir.",
|
||||
"DE.Controllers.Main.errorUpdateVersionOnDisconnect": "İnternet bağlantısı tekrar sağlandı, ve dosya versiyon değişti.<br>Çalışmanıza devam etmeden önce, veri kaybını önlemeniz için dosyasının bir kopyasını indirmeniz ya da dosya içeriğini kopyalamanız ve sonrasında sayfayı yenilemeniz gerekmektedir.",
|
||||
"DE.Controllers.Main.errorUserDrop": "Belgeye şu an erişilemiyor.",
|
||||
"DE.Controllers.Main.errorUsersExceed": "Kullanıcı sayısı aşıldı",
|
||||
"DE.Controllers.Main.errorViewerDisconnect": "Bağlantı kaybedildi. Yine belgeyi görüntüleyebilirsiniz, <br> bağlantı geri gelmeden önce indirme işlemi yapılamayacak.",
|
||||
"DE.Controllers.Main.leavePageText": "Bu belgede kaydedilmemiş değişiklikleriniz var. 'Sayfada Kal' tuşuna tıklayarak otomatik kaydetmeyi bekleyebilirsiniz. 'Sayfadan Ayrıl' tuşuna tıklarsanız kaydedilmemiş tüm değişiklikler silinecektir.",
|
||||
"DE.Controllers.Main.loadFontsTextText": "Veri yükleniyor...",
|
||||
"DE.Controllers.Main.loadFontsTitleText": "Veri yükleniyor",
|
||||
"DE.Controllers.Main.loadFontTextText": "Veri yükleniyor...",
|
||||
"DE.Controllers.Main.loadFontTitleText": "Veri yükleniyor",
|
||||
"DE.Controllers.Main.loadImagesTextText": "Resimler yükleniyor...",
|
||||
"DE.Controllers.Main.loadImagesTitleText": "Resimler yükleniyor",
|
||||
"DE.Controllers.Main.loadImageTextText": "Resim yükleniyor...",
|
||||
"DE.Controllers.Main.loadImageTitleText": "Resim yükleniyor",
|
||||
"DE.Controllers.Main.loadingDocumentTextText": "Belge yükleniyor...",
|
||||
"DE.Controllers.Main.loadingDocumentTitleText": "Belge yükleniyor",
|
||||
"DE.Controllers.Main.mailMergeLoadFileText": "Veri Kaynağı Yükleniyor...",
|
||||
"DE.Controllers.Main.mailMergeLoadFileTitle": "Veri Kaynağı Yükleniyor",
|
||||
"DE.Controllers.Main.notcriticalErrorTitle": "Uyarı",
|
||||
"DE.Controllers.Main.openErrorText": "Dosya açılırken bir hata oluştu",
|
||||
"DE.Controllers.Main.openTextText": "Belge açılıyor...",
|
||||
"DE.Controllers.Main.openTitleText": "Belge Açılıyor",
|
||||
"DE.Controllers.Main.printTextText": "Belge yazdırılıyor...",
|
||||
"DE.Controllers.Main.printTitleText": "Belge Yazdırılıyor",
|
||||
"DE.Controllers.Main.saveErrorText": "Dosya kaydedilirken bir hata oluştu",
|
||||
"DE.Controllers.Main.savePreparingText": "Kaydetmeye hazırlanıyor",
|
||||
"DE.Controllers.Main.savePreparingTitle": "Kaydetmeye hazırlanıyor. Lütfen bekleyin...",
|
||||
"DE.Controllers.Main.saveTextText": "Belge kaydediliyor...",
|
||||
"DE.Controllers.Main.saveTitleText": "Belge Kaydediliyor",
|
||||
"DE.Controllers.Main.sendMergeText": "Birleştirme Gönderiliyor...",
|
||||
"DE.Controllers.Main.sendMergeTitle": "Birleştirme Gönderiliyor",
|
||||
"DE.Controllers.Main.splitDividerErrorText": "Satır sayısı %1 bölmelidir",
|
||||
"DE.Controllers.Main.splitMaxColsErrorText": "Sütun sayısı %1 geçmemelidir",
|
||||
"DE.Controllers.Main.splitMaxRowsErrorText": "Satır sayısı %1 geçmemelidir",
|
||||
"DE.Controllers.Main.textAnonymous": "Anonim",
|
||||
"DE.Controllers.Main.textBack": "Geri",
|
||||
"DE.Controllers.Main.textBuyNow": "Websitesini ziyaret edin",
|
||||
"DE.Controllers.Main.textCancel": "İptal",
|
||||
"DE.Controllers.Main.textClose": "Kapat",
|
||||
"DE.Controllers.Main.textContactUs": "Satış departmanı",
|
||||
"DE.Controllers.Main.textDone": "Bitti",
|
||||
"DE.Controllers.Main.textLoadingDocument": "Belge yükleniyor",
|
||||
"DE.Controllers.Main.textNo": "Hayır",
|
||||
"DE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE açık kaynak sürümü",
|
||||
"DE.Controllers.Main.textOK": "TAMAM",
|
||||
"DE.Controllers.Main.textPaidFeature": "Ücretli Özellik",
|
||||
"DE.Controllers.Main.textPassword": "Şifre",
|
||||
"DE.Controllers.Main.textPreloader": "Yükleniyor...",
|
||||
"DE.Controllers.Main.textTryUndoRedo": "Hızlı birlikte düzenleme modunda geri al/ileri al fonksiyonları devre dışıdır.",
|
||||
"DE.Controllers.Main.textUsername": "Kullanıcı adı",
|
||||
"DE.Controllers.Main.titleLicenseExp": "Lisans süresi doldu",
|
||||
"DE.Controllers.Main.titleServerVersion": "Editör güncellendi",
|
||||
"DE.Controllers.Main.titleUpdateVersion": "Sürüm değiştirildi",
|
||||
"DE.Controllers.Main.txtArt": "Metni buraya giriniz",
|
||||
"DE.Controllers.Main.txtDiagramTitle": "Grafik başlığı",
|
||||
"DE.Controllers.Main.txtEditingMode": "Düzenleme modunu belirle...",
|
||||
"DE.Controllers.Main.txtFooter": "Altbilgi",
|
||||
"DE.Controllers.Main.txtHeader": "Başlık",
|
||||
"DE.Controllers.Main.txtProtected": "Şifreyi girip dosyayı açtığınızda, dosya şifresi sıfırlanacaktır.",
|
||||
"DE.Controllers.Main.txtSeries": "Seriler",
|
||||
"DE.Controllers.Main.txtStyle_footnote_text": "Dipnot Metni",
|
||||
"DE.Controllers.Main.txtStyle_Heading_1": "Başlık 1",
|
||||
"DE.Controllers.Main.txtStyle_Heading_2": "Başlık 2",
|
||||
"DE.Controllers.Main.txtStyle_Heading_3": "Başlık 3",
|
||||
"DE.Controllers.Main.txtStyle_Heading_4": "Başlık 4",
|
||||
"DE.Controllers.Main.txtStyle_Heading_5": "Başlık 5",
|
||||
"DE.Controllers.Main.txtStyle_Heading_6": "Başlık 6",
|
||||
"DE.Controllers.Main.txtStyle_Heading_7": "Başlık 7",
|
||||
"DE.Controllers.Main.txtStyle_Heading_8": "Başlık 8",
|
||||
"DE.Controllers.Main.txtStyle_Heading_9": "Başlık 9",
|
||||
"DE.Controllers.Main.txtStyle_Intense_Quote": "Yoğun Alıntı",
|
||||
"DE.Controllers.Main.txtStyle_List_Paragraph": "Paragrafı Listele",
|
||||
"DE.Controllers.Main.txtStyle_No_Spacing": "Boşluksuz",
|
||||
"DE.Controllers.Main.txtStyle_Normal": "Normal",
|
||||
"DE.Controllers.Main.txtStyle_Quote": "Alıntı",
|
||||
"DE.Controllers.Main.txtStyle_Subtitle": "Altyazı",
|
||||
"DE.Controllers.Main.txtStyle_Title": "Başlık",
|
||||
"DE.Controllers.Main.txtXAxis": "X Ekseni",
|
||||
"DE.Controllers.Main.txtYAxis": "Y Ekseni",
|
||||
"DE.Controllers.Main.unknownErrorText": "Bilinmeyen hata.",
|
||||
"DE.Controllers.Main.unsupportedBrowserErrorText": "Tarayıcınız desteklenmiyor.",
|
||||
"DE.Controllers.Main.uploadImageExtMessage": "Bilinmeyen resim formatı.",
|
||||
"DE.Controllers.Main.uploadImageFileCountMessage": "Resim yüklenmedi.",
|
||||
"DE.Controllers.Main.uploadImageSizeMessage": "Maksimum resim boyutu aşıldı",
|
||||
"DE.Controllers.Main.uploadImageTextText": "Resim yükleniyor...",
|
||||
"DE.Controllers.Main.uploadImageTitleText": "Resim Yükleniyor",
|
||||
"DE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu. <br> Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.",
|
||||
"DE.Controllers.Main.warnNoLicense": "%1'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, doküman sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı). <br> Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.",
|
||||
"DE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi",
|
||||
"DE.Controllers.Search.textNoTextFound": "Metin Bulunamadı",
|
||||
"DE.Controllers.Search.textReplaceAll": "Tümünü Değiştir",
|
||||
"DE.Controllers.Settings.notcriticalErrorTitle": "Uyarı",
|
||||
"DE.Controllers.Settings.textCustomSize": "Boyutu Özelleştir",
|
||||
"DE.Controllers.Settings.txtLoading": "Yükleniyor",
|
||||
"DE.Controllers.Settings.unknownText": "Bilinmeyen",
|
||||
"DE.Controllers.Settings.warnDownloadAs": "Kaydetmeye bu formatta devam ederseniz metin dışında tüm özellikler kaybolacak.<br> Devam etmek istediğinizden emin misiniz?",
|
||||
"DE.Controllers.Settings.warnDownloadAsRTF": "Bu şekilde kaydederseniz bazı biçimlendirmeler kaybolacaktır.<br>Devam etmek istiyor musunuz?",
|
||||
"DE.Controllers.Toolbar.dlgLeaveMsgText": "Bu belgede kaydedilmemiş değişiklikleriniz var. 'Sayfada Kal' tuşuna tıklayarak otomatik kaydetmeyi bekleyebilirsiniz. 'Sayfadan Ayrıl' tuşuna tıklarsanız kaydedilmemiş tüm değişiklikler silinecektir.",
|
||||
"DE.Controllers.Toolbar.dlgLeaveTitleText": "Uygulamadan çıktınız",
|
||||
"DE.Controllers.Toolbar.leaveButtonText": "Bu Sayfadan Ayrıl",
|
||||
"DE.Controllers.Toolbar.stayButtonText": "Bu Sayfada Kal",
|
||||
"DE.Views.AddImage.textAddress": "Adres",
|
||||
"DE.Views.AddImage.textBack": "Geri",
|
||||
"DE.Views.AddImage.textFromLibrary": "Kütüphane'den Resim",
|
||||
"DE.Views.AddImage.textFromURL": "URL'den resim",
|
||||
"DE.Views.AddImage.textImageURL": "Resim URL'si",
|
||||
"DE.Views.AddImage.textInsertImage": "Resim Ekle",
|
||||
"DE.Views.AddImage.textLinkSettings": "Link Ayarları",
|
||||
"DE.Views.AddOther.textAddComment": "Yorum Ekle",
|
||||
"DE.Views.AddOther.textAddLink": "Link Ekle",
|
||||
"DE.Views.AddOther.textBack": "Geri",
|
||||
"DE.Views.AddOther.textBreak": "Yeni Sayfa",
|
||||
"DE.Views.AddOther.textCenterBottom": "Orta Alt",
|
||||
"DE.Views.AddOther.textCenterTop": "Orta Üst",
|
||||
"DE.Views.AddOther.textColumnBreak": "Sütun Sonu",
|
||||
"DE.Views.AddOther.textComment": "Yorum yap",
|
||||
"DE.Views.AddOther.textContPage": "Devam Eden Sayfa",
|
||||
"DE.Views.AddOther.textCurrentPos": "Mevcut Pozisyon",
|
||||
"DE.Views.AddOther.textDisplay": "Görüntüle",
|
||||
"DE.Views.AddOther.textDone": "Tamamlandı",
|
||||
"DE.Views.AddOther.textEvenPage": "Çift Sayfa",
|
||||
"DE.Views.AddOther.textFootnote": "Dipnot",
|
||||
"DE.Views.AddOther.textFormat": "Biçim",
|
||||
"DE.Views.AddOther.textInsert": "Ekle",
|
||||
"DE.Views.AddOther.textInsertFootnote": "Dipnot Ekle",
|
||||
"DE.Views.AddOther.textLeftBottom": "Sol Alt",
|
||||
"DE.Views.AddOther.textLeftTop": "Sol Üst",
|
||||
"DE.Views.AddOther.textLink": "Link",
|
||||
"DE.Views.AddOther.textLocation": "Konum",
|
||||
"DE.Views.AddOther.textNextPage": "Sonraki Sayfa",
|
||||
"DE.Views.AddOther.textOddPage": "Tek Sayfa",
|
||||
"DE.Views.AddOther.textPageBreak": "Sayfa Sonu",
|
||||
"DE.Views.AddOther.textPageNumber": "Sayfa Numarası",
|
||||
"DE.Views.AddOther.textPosition": "Pozisyon",
|
||||
"DE.Views.AddOther.textRightBottom": "Sağ Alt",
|
||||
"DE.Views.AddOther.textRightTop": "Sağ Üst",
|
||||
"DE.Views.AddOther.textSectionBreak": "Bölüm Sonu",
|
||||
"DE.Views.AddOther.textTip": "Ekran İpucu",
|
||||
"DE.Views.EditChart.textAddCustomColor": "Özel Renk Ekle",
|
||||
"DE.Views.EditChart.textAlign": "Hizala",
|
||||
"DE.Views.EditChart.textBack": "Geri",
|
||||
"DE.Views.EditChart.textBackward": "Geri Taşı",
|
||||
"DE.Views.EditChart.textBehind": "Arka",
|
||||
"DE.Views.EditChart.textBorder": "Sınır",
|
||||
"DE.Views.EditChart.textColor": "Renk",
|
||||
"DE.Views.EditChart.textCustomColor": "Özel Renk",
|
||||
"DE.Views.EditChart.textDistanceText": "Metinden mesafe",
|
||||
"DE.Views.EditChart.textFill": "Doldur",
|
||||
"DE.Views.EditChart.textForward": "İleri Taşı",
|
||||
"DE.Views.EditChart.textInFront": "Önde",
|
||||
"DE.Views.EditChart.textInline": "Satıriçi",
|
||||
"DE.Views.EditChart.textMoveText": "Metinle Taşı",
|
||||
"DE.Views.EditChart.textOverlap": "Çakışmaya İzin Ver",
|
||||
"DE.Views.EditChart.textRemoveChart": "Grafiği Kaldır",
|
||||
"DE.Views.EditChart.textReorder": "Yeniden Sırala",
|
||||
"DE.Views.EditChart.textSize": "Boyut",
|
||||
"DE.Views.EditChart.textSquare": "Kare",
|
||||
"DE.Views.EditChart.textStyle": "Stil",
|
||||
"DE.Views.EditChart.textThrough": "Sonu",
|
||||
"DE.Views.EditChart.textTight": "Sıkı",
|
||||
"DE.Views.EditChart.textToBackground": "Arka Plana gönder",
|
||||
"DE.Views.EditChart.textToForeground": "Ön Plana Getir",
|
||||
"DE.Views.EditChart.textTopBottom": "Üst ve Alt",
|
||||
"DE.Views.EditChart.textType": "Tip",
|
||||
"DE.Views.EditChart.textWrap": "Metni Kaydır",
|
||||
"DE.Views.EditHeader.textDiffFirst": "Farklı ilk sayfa",
|
||||
"DE.Views.EditHeader.textDiffOdd": "Farklı tek ve çift sayfalar",
|
||||
"DE.Views.EditHeader.textPageNumbering": "Sayfa Numaralandırma",
|
||||
"DE.Views.EditHeader.textPrev": "Önceki bölümden devam et",
|
||||
"DE.Views.EditHeader.textSameAs": "Öncekine bağlantı",
|
||||
"DE.Views.EditHyperlink.textDisplay": "Görüntüle",
|
||||
"DE.Views.EditHyperlink.textEdit": "Link Düzenle",
|
||||
"DE.Views.EditHyperlink.textLink": "Link",
|
||||
"DE.Views.EditHyperlink.textRemove": "Linki Kaldır",
|
||||
"DE.Views.EditHyperlink.textTip": "Ekran İpucu",
|
||||
"DE.Views.EditImage.textAddress": "Adres",
|
||||
"DE.Views.EditImage.textAlign": "Hizala",
|
||||
"DE.Views.EditImage.textBack": "Geri",
|
||||
"DE.Views.EditImage.textBackward": "Geri Taşı",
|
||||
"DE.Views.EditImage.textBehind": "Arka",
|
||||
"DE.Views.EditImage.textDefault": "Varsayılan Boyut",
|
||||
"DE.Views.EditImage.textDistanceText": "Metinden mesafe",
|
||||
"DE.Views.EditImage.textForward": "İleri Taşı",
|
||||
"DE.Views.EditImage.textFromLibrary": "Kütüphane'den Resim",
|
||||
"DE.Views.EditImage.textFromURL": "URL'den resim",
|
||||
"DE.Views.EditImage.textImageURL": "Resim URL'si",
|
||||
"DE.Views.EditImage.textInFront": "Önde",
|
||||
"DE.Views.EditImage.textInline": "Satıriçi",
|
||||
"DE.Views.EditImage.textLinkSettings": "Link Ayarları",
|
||||
"DE.Views.EditImage.textMoveText": "Metinle Taşı",
|
||||
"DE.Views.EditImage.textOverlap": "Çakışmaya İzin Ver",
|
||||
"DE.Views.EditImage.textRemove": "Resmi Kaldır",
|
||||
"DE.Views.EditImage.textReorder": "Yeniden Sırala",
|
||||
"DE.Views.EditImage.textReplace": "Değiştir",
|
||||
"DE.Views.EditImage.textReplaceImg": "Resmi Değiştir",
|
||||
"DE.Views.EditImage.textSquare": "Kare",
|
||||
"DE.Views.EditImage.textThrough": "Sonu",
|
||||
"DE.Views.EditImage.textTight": "Sıkı",
|
||||
"DE.Views.EditImage.textToBackground": "Arka Plana gönder",
|
||||
"DE.Views.EditImage.textToForeground": "Ön Plana Getir",
|
||||
"DE.Views.EditImage.textTopBottom": "Üst ve Alt",
|
||||
"DE.Views.EditImage.textWrap": "Metni Kaydır",
|
||||
"DE.Views.EditParagraph.textAddCustomColor": "Özel Renk Ekle",
|
||||
"DE.Views.EditParagraph.textAdvanced": "Gelişmiş",
|
||||
"DE.Views.EditParagraph.textAdvSettings": "Gelişmiş ayarlar",
|
||||
"DE.Views.EditParagraph.textAfter": "Sonra",
|
||||
"DE.Views.EditParagraph.textAuto": "Otomatik",
|
||||
"DE.Views.EditParagraph.textBack": "Geri",
|
||||
"DE.Views.EditParagraph.textBackground": "Arka Plan",
|
||||
"DE.Views.EditParagraph.textBefore": "Önce",
|
||||
"DE.Views.EditParagraph.textCustomColor": "Özel Renk",
|
||||
"DE.Views.EditParagraph.textFirstLine": "İlk satır",
|
||||
"DE.Views.EditParagraph.textFromText": "Metinden mesafe",
|
||||
"DE.Views.EditParagraph.textKeepLines": "Satırları birlikte tut",
|
||||
"DE.Views.EditParagraph.textKeepNext": "Sonrakiyle tut",
|
||||
"DE.Views.EditParagraph.textOrphan": "Tek satır denetimi",
|
||||
"DE.Views.EditParagraph.textPageBreak": "Sayfa Sonu Öncesi",
|
||||
"DE.Views.EditParagraph.textPrgStyles": "Paragraf stilleri",
|
||||
"DE.Views.EditParagraph.textSpaceBetween": "Paragraf Arası Boşluklar",
|
||||
"DE.Views.EditShape.textAddCustomColor": "Özel Renk Ekle",
|
||||
"DE.Views.EditShape.textAlign": "Hizala",
|
||||
"DE.Views.EditShape.textBack": "Geri",
|
||||
"DE.Views.EditShape.textBackward": "Geri Taşı",
|
||||
"DE.Views.EditShape.textBehind": "Arka",
|
||||
"DE.Views.EditShape.textBorder": "Sınır",
|
||||
"DE.Views.EditShape.textColor": "Renk",
|
||||
"DE.Views.EditShape.textCustomColor": "Özel Renk",
|
||||
"DE.Views.EditShape.textEffects": "Efektler",
|
||||
"DE.Views.EditShape.textFill": "Doldur",
|
||||
"DE.Views.EditShape.textForward": "İleri Taşı",
|
||||
"DE.Views.EditShape.textFromText": "Metinden mesafe",
|
||||
"DE.Views.EditShape.textInFront": "Önde",
|
||||
"DE.Views.EditShape.textInline": "Satıriçi",
|
||||
"DE.Views.EditShape.textOpacity": "Opasite",
|
||||
"DE.Views.EditShape.textOverlap": "Çakışmaya İzin Ver",
|
||||
"DE.Views.EditShape.textRemoveShape": "Şekli Kaldır",
|
||||
"DE.Views.EditShape.textReorder": "Yeniden Sırala",
|
||||
"DE.Views.EditShape.textReplace": "Değiştir",
|
||||
"DE.Views.EditShape.textSize": "Boyut",
|
||||
"DE.Views.EditShape.textSquare": "Kare",
|
||||
"DE.Views.EditShape.textStyle": "Stil",
|
||||
"DE.Views.EditShape.textThrough": "Sonu",
|
||||
"DE.Views.EditShape.textTight": "Sıkı",
|
||||
"DE.Views.EditShape.textToBackground": "Arka Plana gönder",
|
||||
"DE.Views.EditShape.textToForeground": "Ön Plana Getir",
|
||||
"DE.Views.EditShape.textTopAndBottom": "Üst ve Alt",
|
||||
"DE.Views.EditShape.textWithText": "Metinle Taşı",
|
||||
"DE.Views.EditShape.textWrap": "Metni Kaydır",
|
||||
"DE.Views.EditTable.textAddCustomColor": "Özel Renk Ekle",
|
||||
"DE.Views.EditTable.textAlign": "Hizala",
|
||||
"DE.Views.EditTable.textBack": "Geri",
|
||||
"DE.Views.EditTable.textBandedColumn": "Çizgili Sütun",
|
||||
"DE.Views.EditTable.textBandedRow": "Çizgili Satır",
|
||||
"DE.Views.EditTable.textBorder": "Sınır",
|
||||
"DE.Views.EditTable.textCellMargins": "Hücre Kenar Boşluğu",
|
||||
"DE.Views.EditTable.textColor": "Renk",
|
||||
"DE.Views.EditTable.textCustomColor": "Özel Renk",
|
||||
"DE.Views.EditTable.textFill": "Doldur",
|
||||
"DE.Views.EditTable.textFirstColumn": "İlk Sütun",
|
||||
"DE.Views.EditTable.textFlow": "Yayılma",
|
||||
"DE.Views.EditTable.textFromText": "Metinden mesafe",
|
||||
"DE.Views.EditTable.textHeaderRow": "Başlık Satır",
|
||||
"DE.Views.EditTable.textInline": "Satıriçi",
|
||||
"DE.Views.EditTable.textLastColumn": "Son Sütun",
|
||||
"DE.Views.EditTable.textOptions": "Seçenekler",
|
||||
"DE.Views.EditTable.textRemoveTable": "Tabloyu Kaldır",
|
||||
"DE.Views.EditTable.textRepeatHeader": "Başlık Satır olarak Tekrarla",
|
||||
"DE.Views.EditTable.textResizeFit": "İçereğe Göre Yeniden Boyutlandır",
|
||||
"DE.Views.EditTable.textSize": "Boyut",
|
||||
"DE.Views.EditTable.textStyle": "Stil",
|
||||
"DE.Views.EditTable.textStyleOptions": "Stil Seçenekleri",
|
||||
"DE.Views.EditTable.textTableOptions": "Tablo Seçenekleri",
|
||||
"DE.Views.EditTable.textTotalRow": "Toplam Satır",
|
||||
"DE.Views.EditTable.textWithText": "Metinle Taşı",
|
||||
"DE.Views.EditTable.textWrap": "Metni Kaydır",
|
||||
"DE.Views.EditText.textAddCustomColor": "Özel Renk",
|
||||
"DE.Views.EditText.textAdditional": "Ek",
|
||||
"DE.Views.EditText.textAdditionalFormat": "Ek Format",
|
||||
"DE.Views.EditText.textAllCaps": "Tüm Başlıklar",
|
||||
"DE.Views.EditText.textAutomatic": "Otomatik",
|
||||
"DE.Views.EditText.textBack": "Geri",
|
||||
"DE.Views.EditText.textBullets": "İmler",
|
||||
"DE.Views.EditText.textCharacterBold": "B",
|
||||
"DE.Views.EditText.textCharacterItalic": "I",
|
||||
"DE.Views.EditText.textCustomColor": "Özel Renk",
|
||||
"DE.Views.EditText.textDblStrikethrough": "Üstü çift çizili",
|
||||
"DE.Views.EditText.textDblSuperscript": "Üstsimge",
|
||||
"DE.Views.EditText.textFontColor": "Yazı Tipi Rengi",
|
||||
"DE.Views.EditText.textFontColors": "Yazı Tipi Renkleri",
|
||||
"DE.Views.EditText.textFonts": "Yazı Tipleri",
|
||||
"DE.Views.EditText.textHighlightColor": "Vurgu Rengi",
|
||||
"DE.Views.EditText.textHighlightColors": "Vurgu Renkleri",
|
||||
"DE.Views.EditText.textLetterSpacing": "Harf Boşlukları",
|
||||
"DE.Views.EditText.textLineSpacing": "Satır Aralığı",
|
||||
"DE.Views.EditText.textNone": "Hiçbiri",
|
||||
"DE.Views.EditText.textNumbers": "Sayılar",
|
||||
"DE.Views.EditText.textSize": "Boyut",
|
||||
"DE.Views.EditText.textSmallCaps": "Küçük büyük harfler",
|
||||
"DE.Views.EditText.textStrikethrough": "Üstü çizili",
|
||||
"DE.Views.EditText.textSubscript": "Altsimge",
|
||||
"DE.Views.Search.textCase": "Büyük küçük harfe duyarlı",
|
||||
"DE.Views.Search.textDone": "Bitti",
|
||||
"DE.Views.Search.textFind": "Bul",
|
||||
"DE.Views.Search.textFindAndReplace": "Bul ve Değiştir",
|
||||
"DE.Views.Search.textHighlight": "Vurgu sonuçları",
|
||||
"DE.Views.Search.textReplace": "Değiştir",
|
||||
"DE.Views.Search.textSearch": "Ara",
|
||||
"DE.Views.Settings.textAbout": "Hakkında",
|
||||
"DE.Views.Settings.textAddress": "adres",
|
||||
"DE.Views.Settings.textAdvancedSettings": "Uygulama Ayarları",
|
||||
"DE.Views.Settings.textApplication": "Uygulama",
|
||||
"DE.Views.Settings.textAuthor": "Yazar",
|
||||
"DE.Views.Settings.textBack": "Geri",
|
||||
"DE.Views.Settings.textBottom": "Alt",
|
||||
"DE.Views.Settings.textCentimeter": "Santimetre",
|
||||
"DE.Views.Settings.textCollaboration": "Beraber Çalış",
|
||||
"DE.Views.Settings.textColorSchemes": "Renk Şeması",
|
||||
"DE.Views.Settings.textComment": "Yorum",
|
||||
"DE.Views.Settings.textCommentingDisplay": "Yorum Görünümü",
|
||||
"DE.Views.Settings.textCreated": "Oluşturudu",
|
||||
"DE.Views.Settings.textCreateDate": "Oluşturulma tarihi",
|
||||
"DE.Views.Settings.textCustom": "Özel",
|
||||
"DE.Views.Settings.textCustomSize": "Özel Boyut",
|
||||
"DE.Views.Settings.textDisableAll": "Hepsini Devre Dışı Bırak",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithNotification": "Bildirimi olan tüm makroları devre dışı bırak",
|
||||
"DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Bildirimi olmayan tüm makroları devre dışı bırak",
|
||||
"DE.Views.Settings.textDisplayComments": "Yorumlar",
|
||||
"DE.Views.Settings.textDocInfo": "Belge Bilgisi",
|
||||
"DE.Views.Settings.textDocTitle": "Belge başlığı",
|
||||
"DE.Views.Settings.textDocumentFormats": "Belge Formatları",
|
||||
"DE.Views.Settings.textDocumentSettings": "Belge Ayarları",
|
||||
"DE.Views.Settings.textDone": "Bitti",
|
||||
"DE.Views.Settings.textDownload": "İndir",
|
||||
"DE.Views.Settings.textDownloadAs": "Farklı İndir...",
|
||||
"DE.Views.Settings.textEditDoc": "Belge Düzenle",
|
||||
"DE.Views.Settings.textEmail": "E-posta",
|
||||
"DE.Views.Settings.textEnableAll": "Hepsini Etkinleştir",
|
||||
"DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Bildirimi olmayan tüm makroları etkinleştir.",
|
||||
"DE.Views.Settings.textFind": "Bul",
|
||||
"DE.Views.Settings.textFindAndReplace": "Bul ve Değiştir",
|
||||
"DE.Views.Settings.textFormat": "Format",
|
||||
"DE.Views.Settings.textHelp": "Yardım",
|
||||
"DE.Views.Settings.textHiddenTableBorders": "Gizli Tablo Sınırları",
|
||||
"DE.Views.Settings.textInch": "İnç",
|
||||
"DE.Views.Settings.textLandscape": "Yatay",
|
||||
"DE.Views.Settings.textLastModified": "Son Düzenleme",
|
||||
"DE.Views.Settings.textLastModifiedBy": "Son Düzenleyen",
|
||||
"DE.Views.Settings.textLeft": "Sol",
|
||||
"DE.Views.Settings.textLoading": "Yükleniyor...",
|
||||
"DE.Views.Settings.textLocation": "Konum",
|
||||
"DE.Views.Settings.textMacrosSettings": "Makro Ayarları",
|
||||
"DE.Views.Settings.textMargins": "Kenar Boşlukları",
|
||||
"DE.Views.Settings.textNoCharacters": "Basılmaz Karakterler",
|
||||
"DE.Views.Settings.textOrientation": "Oryantasyon",
|
||||
"DE.Views.Settings.textOwner": "Sahibi",
|
||||
"DE.Views.Settings.textPages": "Sayfalar",
|
||||
"DE.Views.Settings.textParagraphs": "Paragraflar",
|
||||
"DE.Views.Settings.textPortrait": "Dikey",
|
||||
"DE.Views.Settings.textPoweredBy": "Sunucu",
|
||||
"DE.Views.Settings.textReader": "Okuyucu Modu",
|
||||
"DE.Views.Settings.textSettings": "Ayarlar",
|
||||
"DE.Views.Settings.textSpaces": "Boşluklar",
|
||||
"DE.Views.Settings.textStatistic": "İstatistik",
|
||||
"DE.Views.Settings.textSymbols": "Semboller",
|
||||
"DE.Views.Settings.textTel": "telefon",
|
||||
"DE.Views.Settings.textVersion": "Sürüm",
|
||||
"DE.Views.Settings.textWords": "Kelimeler",
|
||||
"DE.Views.Settings.unknownText": "Bilinmeyen",
|
||||
"DE.Views.Toolbar.textBack": "Geri"
|
||||
"About": {
|
||||
"textAbout": "Hakkında",
|
||||
"textAddress": "adres"
|
||||
},
|
||||
"Add": {
|
||||
"textAddLink": "Bağlantı Ekle"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"textAccept": "Onayla",
|
||||
"textAcceptAllChanges": "Tüm Değişikliği Onayla",
|
||||
"textAddReply": "Cevap ekle",
|
||||
"textCenter": "Ortaya Hizala",
|
||||
"textJustify": "İki yana hizala",
|
||||
"textLeft": "Sola Hizala",
|
||||
"textNoContextual": "Aynı stildeki paragraflar arasına aralık ekle",
|
||||
"textRight": "Sağa Hizala"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"menuAddLink": "Bağlantı Ekle"
|
||||
},
|
||||
"Edit": {
|
||||
"textActualSize": "Gerçek Boyut",
|
||||
"textAddCustomColor": "Özel Renk Ekle",
|
||||
"textAdditional": "Ek",
|
||||
"textAdvanced": "Gelişmiş",
|
||||
"textAdvancedSettings": "Gelişmiş Ayarlar",
|
||||
"textAfter": "sonra",
|
||||
"textAlign": "Hizala"
|
||||
},
|
||||
"Settings": {
|
||||
"textAbout": "Hakkında"
|
||||
}
|
||||
}
|
File diff suppressed because it is too large
Load diff
|
@ -113,8 +113,6 @@ class ContextMenu extends ContextMenuController {
|
|||
}, 400);
|
||||
break;
|
||||
}
|
||||
|
||||
console.log("click context menu item: " + action);
|
||||
}
|
||||
|
||||
showCopyCutPasteModal() {
|
||||
|
|
|
@ -78,7 +78,6 @@ class MainController extends Component {
|
|||
const _t = this._t;
|
||||
|
||||
EditorUIController.isSupportEditFeature();
|
||||
console.log('load config');
|
||||
|
||||
this.editorConfig = Object.assign({}, this.editorConfig, data.config);
|
||||
|
||||
|
|
|
@ -51,7 +51,7 @@ class ApplicationSettingsController extends Component {
|
|||
}
|
||||
|
||||
switchDisplayResolved(value) {
|
||||
const displayComments = LocalStorage.getBool("de-mobile-settings-livecomment");
|
||||
const displayComments = LocalStorage.getBool("de-mobile-settings-livecomment",true);
|
||||
if (displayComments) {
|
||||
Common.EditorApi.get().asc_showComments(value);
|
||||
LocalStorage.setBool("de-settings-resolvedcomment", value);
|
||||
|
|
|
@ -59,42 +59,12 @@
|
|||
return urlParams;
|
||||
};
|
||||
|
||||
const encodeUrlParam = str => str.replace(/&/g, '&')
|
||||
.replace(/"/g, '"')
|
||||
.replace(/'/g, ''')
|
||||
.replace(/</g, '<')
|
||||
.replace(/>/g, '>');
|
||||
|
||||
let params = getUrlParams(),
|
||||
lang = (params["lang"] || 'en').split(/[\-\_]/)[0],
|
||||
logo = /*params["headerlogo"] ? encodeUrlParam(params["headerlogo"]) : */null,
|
||||
logoOO = null;
|
||||
if (!logo) {
|
||||
logoOO = isAndroid ? "../../common/mobile/resources/img/header/header-logo-android.png" : "../../common/mobile/resources/img/header/header-logo-ios.png";
|
||||
}
|
||||
lang = (params["lang"] || 'en').split(/[\-\_]/)[0];
|
||||
|
||||
window.frameEditorId = params["frameEditorId"];
|
||||
window.parentOrigin = params["parentOrigin"];
|
||||
window.Common = {Locale: {currentLang: lang}};
|
||||
|
||||
let brendpanel = document.getElementsByClassName('brendpanel')[0];
|
||||
if (brendpanel) {
|
||||
if ( isAndroid ) {
|
||||
brendpanel.classList.add('android');
|
||||
}
|
||||
brendpanel.classList.add('visible');
|
||||
|
||||
let elem = document.querySelector('.loading-logo');
|
||||
if (elem) {
|
||||
logo && (elem.innerHTML = '<img src=' + logo + '>');
|
||||
logoOO && (elem.innerHTML = '<img src=' + logoOO + '>');
|
||||
elem.style.opacity = 1;
|
||||
}
|
||||
var placeholder = document.getElementsByClassName('placeholder')[0];
|
||||
if (placeholder && isAndroid) {
|
||||
placeholder.classList.add('android');
|
||||
}
|
||||
}
|
||||
</script>
|
||||
|
||||
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
|
||||
|
|
|
@ -113,6 +113,7 @@ export class storeAppOptions {
|
|||
this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false);
|
||||
this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false);
|
||||
this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly);
|
||||
this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly;
|
||||
this.canChat = this.canLicense && !this.isOffline && !((typeof (this.customization) == 'object') && this.customization.chat === false);
|
||||
this.canEditStyles = this.canLicense && this.canEdit;
|
||||
this.canPrint = (permissions.print !== false);
|
||||
|
@ -134,8 +135,11 @@ export class storeAppOptions {
|
|||
if ( this.isLightVersion ) {
|
||||
this.canUseHistory = this.canReview = this.isReviewOnly = false;
|
||||
}
|
||||
|
||||
this.canUseReviewPermissions = this.canLicense && this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object');
|
||||
this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization
|
||||
&& this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object'));
|
||||
this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups;
|
||||
this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions);
|
||||
this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups);
|
||||
}
|
||||
setCanViewReview (value) {
|
||||
this.canViewReview = value;
|
||||
|
|
|
@ -13,6 +13,8 @@ const PageLink = props => {
|
|||
const [stateLink, setLink] = useState('');
|
||||
const [stateDisplay, setDisplay] = useState(display);
|
||||
const [stateTip, setTip] = useState('');
|
||||
const [stateAutoUpdate, setAutoUpdate] = useState(true);
|
||||
|
||||
return (
|
||||
<Page>
|
||||
{!props.noNavbar && <Navbar title={_t.textAddLink} backLink={_t.textBack}></Navbar>}
|
||||
|
@ -22,14 +24,16 @@ const PageLink = props => {
|
|||
type="text"
|
||||
placeholder={_t.textLink}
|
||||
value={stateLink}
|
||||
onChange={(event) => {setLink(event.target.value)}}
|
||||
onChange={(event) => {setLink(event.target.value);
|
||||
if(stateAutoUpdate) setDisplay(event.target.value); }}
|
||||
></ListInput>
|
||||
<ListInput
|
||||
label={_t.textDisplay}
|
||||
type="text"
|
||||
placeholder={_t.textDisplay}
|
||||
value={stateDisplay}
|
||||
onChange={(event) => {setDisplay(event.target.value)}}
|
||||
onChange={(event) => {setDisplay(event.target.value);
|
||||
setAutoUpdate(event.target.value == ''); }}
|
||||
></ListInput>
|
||||
<ListInput
|
||||
label={_t.textScreenTip}
|
||||
|
|
|
@ -25,6 +25,7 @@
|
|||
"PE.ApplicationController.waitText": "Vă rugăm să așteptați...",
|
||||
"PE.ApplicationView.txtDownload": "Descărcare",
|
||||
"PE.ApplicationView.txtEmbed": "Încorporare",
|
||||
"PE.ApplicationView.txtFileLocation": "Deschidere locația fișierului",
|
||||
"PE.ApplicationView.txtFullScreen": "Ecran complet",
|
||||
"PE.ApplicationView.txtPrint": "Imprimare",
|
||||
"PE.ApplicationView.txtShare": "Partajează"
|
||||
|
|
|
@ -17,6 +17,8 @@
|
|||
"PE.ApplicationController.errorUserDrop": "В настоящий момент файл недоступен.",
|
||||
"PE.ApplicationController.notcriticalErrorTitle": "Внимание",
|
||||
"PE.ApplicationController.scriptLoadError": "Слишком медленное подключение, некоторые компоненты не удалось загрузить. Пожалуйста, обновите страницу.",
|
||||
"PE.ApplicationController.textAnonymous": "Анонимный пользователь",
|
||||
"PE.ApplicationController.textGuest": "Гость",
|
||||
"PE.ApplicationController.textLoadingDocument": "Загрузка презентации",
|
||||
"PE.ApplicationController.textOf": "из",
|
||||
"PE.ApplicationController.txtClose": "Закрыть",
|
||||
|
|
|
@ -25,6 +25,7 @@
|
|||
"PE.ApplicationController.waitText": "Prosimo počakajte ...",
|
||||
"PE.ApplicationView.txtDownload": "Prenesi",
|
||||
"PE.ApplicationView.txtEmbed": "Vdelano",
|
||||
"PE.ApplicationView.txtFileLocation": "Odpri lokacijo dokumenta",
|
||||
"PE.ApplicationView.txtFullScreen": "Celozaslonski",
|
||||
"PE.ApplicationView.txtPrint": "Natisni",
|
||||
"PE.ApplicationView.txtShare": "Deli"
|
||||
|
|
|
@ -24,6 +24,7 @@
|
|||
"PE.ApplicationController.waitText": "Lütfen bekleyin...",
|
||||
"PE.ApplicationView.txtDownload": "İndir",
|
||||
"PE.ApplicationView.txtEmbed": "Gömülü",
|
||||
"PE.ApplicationView.txtFileLocation": "Dosya konumunu aç",
|
||||
"PE.ApplicationView.txtFullScreen": "Tam Ekran",
|
||||
"PE.ApplicationView.txtPrint": "Yazdır",
|
||||
"PE.ApplicationView.txtShare": "Paylaş"
|
||||
|
|
|
@ -25,6 +25,7 @@
|
|||
"PE.ApplicationController.waitText": "请稍候...",
|
||||
"PE.ApplicationView.txtDownload": "下载",
|
||||
"PE.ApplicationView.txtEmbed": "嵌入",
|
||||
"PE.ApplicationView.txtFileLocation": "打开文件所在位置",
|
||||
"PE.ApplicationView.txtFullScreen": "全屏",
|
||||
"PE.ApplicationView.txtPrint": "打印",
|
||||
"PE.ApplicationView.txtShare": "共享"
|
||||
|
|
|
@ -231,6 +231,17 @@ define([
|
|||
this.rendered = true;
|
||||
this.$el.html($markup);
|
||||
this.$el.find('.content-box').hide();
|
||||
if (_.isUndefined(this.scroller)) {
|
||||
var me = this;
|
||||
this.scroller = new Common.UI.Scroller({
|
||||
el: this.$el.find('.panel-menu'),
|
||||
suppressScrollX: true,
|
||||
alwaysVisibleY: true
|
||||
});
|
||||
Common.NotificationCenter.on('window:resize', function() {
|
||||
me.scroller.update();
|
||||
});
|
||||
}
|
||||
this.applyMode();
|
||||
|
||||
if ( !!this.api ) {
|
||||
|
@ -253,6 +264,7 @@ define([
|
|||
if (!panel)
|
||||
panel = this.active || defPanel;
|
||||
this.$el.show();
|
||||
this.scroller.update();
|
||||
this.selectMenu(panel, defPanel);
|
||||
|
||||
this.api && this.api.asc_enableKeyEvents(false);
|
||||
|
@ -393,6 +405,17 @@ define([
|
|||
this.$el.find('.content-box:visible').hide();
|
||||
panel.show();
|
||||
|
||||
if (this.scroller) {
|
||||
var itemTop = item.$el.position().top,
|
||||
itemHeight = item.$el.outerHeight(),
|
||||
listHeight = this.$el.outerHeight();
|
||||
if (itemTop < 0 || itemTop + itemHeight > listHeight) {
|
||||
var height = this.scroller.$el.scrollTop() + itemTop + (itemHeight - listHeight)/2;
|
||||
height = (Math.floor(height/itemHeight) * itemHeight);
|
||||
this.scroller.scrollTop(height);
|
||||
}
|
||||
}
|
||||
|
||||
this.active = menu;
|
||||
}
|
||||
}
|
||||
|
|
|
@ -6,15 +6,51 @@
|
|||
"Common.Controllers.ExternalDiagramEditor.warningText": "L’objecte està desactivat perquè està sent editat per un altre usuari.",
|
||||
"Common.Controllers.ExternalDiagramEditor.warningTitle": "Avis",
|
||||
"Common.define.chartData.textArea": "Àrea",
|
||||
"Common.define.chartData.textAreaStacked": "Àrea apilada",
|
||||
"Common.define.chartData.textAreaStackedPer": "Àrea apilada al 100%",
|
||||
"Common.define.chartData.textBar": "Barra",
|
||||
"Common.define.chartData.textCharts": "Gràfics",
|
||||
"Common.define.chartData.textBarNormal": "Columna agrupada",
|
||||
"Common.define.chartData.textBarNormal3d": "Columna 3D agrupada",
|
||||
"Common.define.chartData.textBarNormal3dPerspective": "Columna 3D",
|
||||
"Common.define.chartData.textBarStacked": "Columna apilada",
|
||||
"Common.define.chartData.textBarStacked3d": "Columna 3D apilada",
|
||||
"Common.define.chartData.textBarStackedPer": "Columna apilada al 100%",
|
||||
"Common.define.chartData.textBarStackedPer3d": "columna 3D apilada al 100%",
|
||||
"Common.define.chartData.textCharts": "Diagrames",
|
||||
"Common.define.chartData.textColumn": "Columna",
|
||||
"Common.define.chartData.textCombo": "Combo",
|
||||
"Common.define.chartData.textComboAreaBar": "Àrea apilada - columna agrupada",
|
||||
"Common.define.chartData.textComboBarLine": "Columna-línia agrupada",
|
||||
"Common.define.chartData.textComboBarLineSecondary": " Columna-línia agrupada a l'eix secundari",
|
||||
"Common.define.chartData.textComboCustom": "Combinació personalitzada",
|
||||
"Common.define.chartData.textDoughnut": "Donut",
|
||||
"Common.define.chartData.textHBarNormal": "Barra agrupada",
|
||||
"Common.define.chartData.textHBarNormal3d": "Barra 3D agrupada",
|
||||
"Common.define.chartData.textHBarStacked": "Barra apilada",
|
||||
"Common.define.chartData.textHBarStacked3d": "Barra 3D apilada",
|
||||
"Common.define.chartData.textHBarStackedPer": "Barra apilada al 100%",
|
||||
"Common.define.chartData.textHBarStackedPer3d": "Barra 3D apilada al 100%",
|
||||
"Common.define.chartData.textLine": "Línia",
|
||||
"Common.define.chartData.textLine3d": "Línia 3D",
|
||||
"Common.define.chartData.textLineMarker": "Línia amb marcadors",
|
||||
"Common.define.chartData.textLineStacked": "Línia apilada",
|
||||
"Common.define.chartData.textLineStackedMarker": "Línia apilada amb marcadors",
|
||||
"Common.define.chartData.textLineStackedPer": "Línia apilada al 100%",
|
||||
"Common.define.chartData.textLineStackedPerMarker": "Línia apilada al 100% amb marcadors",
|
||||
"Common.define.chartData.textPie": "Gràfic circular",
|
||||
"Common.define.chartData.textPie3d": "Pastís 3D",
|
||||
"Common.define.chartData.textPoint": "XY (Dispersió)",
|
||||
"Common.define.chartData.textScatter": "Dispersió",
|
||||
"Common.define.chartData.textScatterLine": "Dispersió amb línies rectes",
|
||||
"Common.define.chartData.textScatterLineMarker": "Dispersió amb línies rectes i marcadors",
|
||||
"Common.define.chartData.textScatterSmooth": "Dispersió amb línies suaus",
|
||||
"Common.define.chartData.textScatterSmoothMarker": "Dispersió amb línies suaus i marcadors",
|
||||
"Common.define.chartData.textStock": "Existències",
|
||||
"Common.define.chartData.textSurface": "Superfície",
|
||||
"Common.Translation.warnFileLocked": "El document s'està editant en una altra aplicació. Podeu continuar editant i guardar-lo com a còpia.",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Crea una còpia",
|
||||
"Common.Translation.warnFileLockedBtnView": "Obrir per veure",
|
||||
"Common.UI.ColorButton.textAutoColor": "Automàtic",
|
||||
"Common.UI.ColorButton.textNewColor": "Afegir un Nou Color Personalitzat",
|
||||
"Common.UI.ComboBorderSize.txtNoBorders": "Sense vores",
|
||||
"Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sense vores",
|
||||
|
@ -39,6 +75,9 @@
|
|||
"Common.UI.SynchronizeTip.textSynchronize": "Un altre usuari ha canviat el document.<br>Feu clic per desar els canvis i tornar a carregar les actualitzacions.",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Llum clàssica",
|
||||
"Common.UI.Themes.txtThemeDark": "Fosc",
|
||||
"Common.UI.Themes.txtThemeLight": "Clar",
|
||||
"Common.UI.Window.cancelButtonText": "Cancel·lar",
|
||||
"Common.UI.Window.closeButtonText": "Tancar",
|
||||
"Common.UI.Window.noButtonText": "No",
|
||||
|
@ -59,12 +98,21 @@
|
|||
"Common.Views.About.txtTel": "tel.: ",
|
||||
"Common.Views.About.txtVersion": "Versió",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "Afegir",
|
||||
"Common.Views.AutoCorrectDialog.textApplyText": "Aplicar a mesura que s'escriu",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "Correcció Automàtica",
|
||||
"Common.Views.AutoCorrectDialog.textAutoFormat": "Format automàtic a mesura que s'escriu",
|
||||
"Common.Views.AutoCorrectDialog.textBulleted": "Llistes de vinyetes automàtiques",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Per",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Esborrar",
|
||||
"Common.Views.AutoCorrectDialog.textFLSentence": "Posa en majúscules la primera lletra de les frases",
|
||||
"Common.Views.AutoCorrectDialog.textHyphens": "Guions (--) amb guió (—)",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Correcció Automàtica Matemàtica",
|
||||
"Common.Views.AutoCorrectDialog.textNumbered": "Llistes numerades automàtiques",
|
||||
"Common.Views.AutoCorrectDialog.textQuotes": "\"Cometes rectes\" amb \"cometes tipogràfiques\"",
|
||||
"Common.Views.AutoCorrectDialog.textRecognized": "Funcions Reconegudes",
|
||||
"Common.Views.AutoCorrectDialog.textRecognizedDesc": "Les expressions següents són expressions matemàtiques reconegudes. No es posaran en cursiva automàticament.",
|
||||
"Common.Views.AutoCorrectDialog.textReplace": "Substitueix",
|
||||
"Common.Views.AutoCorrectDialog.textReplaceText": "Substitueix mentre s'escriu",
|
||||
"Common.Views.AutoCorrectDialog.textReplaceType": "Substituïu el text mentre escriviu",
|
||||
"Common.Views.AutoCorrectDialog.textReset": "Restablir",
|
||||
"Common.Views.AutoCorrectDialog.textResetAll": "Restableix a valor predeterminat",
|
||||
|
@ -92,8 +140,8 @@
|
|||
"Common.Views.Comments.textResolve": "Resol",
|
||||
"Common.Views.Comments.textResolved": "Resolt",
|
||||
"Common.Views.CopyWarningDialog.textDontShow": "No torneu a mostrar aquest missatge",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "Copiar, tallar i enganxar accions mitjançant els botons de la barra d’eines de l’editor i les accions del menú contextual només es realitzaran dins d’aquesta pestanya editor.<br><br>Per copiar o enganxar a o des d’aplicacions fora de la pestanya editor, utilitzeu les combinacions de teclat següents:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "Accions de Copiar, Tallar i Pegar ",
|
||||
"Common.Views.CopyWarningDialog.textMsg": "Les accions Copia, retalla i enganxa utilitzant els botons de la barra d'eines de l'editor i les accions del menú contextual només es realitzaran dins d'aquesta pestanya de l'editor.<br><br> Per copiar o enganxar a o des de les aplicacions fora de la pestanya de l'editor, utilitzeu les següents combinacions de teclat:",
|
||||
"Common.Views.CopyWarningDialog.textTitle": "Accions de Copiar, Tallar i Enganxar ",
|
||||
"Common.Views.CopyWarningDialog.textToCopy": "Per Copiar",
|
||||
"Common.Views.CopyWarningDialog.textToCut": "Per Tallar",
|
||||
"Common.Views.CopyWarningDialog.textToPaste": "Per Pegar",
|
||||
|
@ -101,13 +149,16 @@
|
|||
"Common.Views.DocumentAccessDialog.textTitle": "Configuració per Compartir",
|
||||
"Common.Views.ExternalDiagramEditor.textClose": "Tancar",
|
||||
"Common.Views.ExternalDiagramEditor.textSave": "Desar i Sortir",
|
||||
"Common.Views.ExternalDiagramEditor.textTitle": "Editor del Gràfic",
|
||||
"Common.Views.ExternalDiagramEditor.textTitle": "Editor de Gràfics",
|
||||
"Common.Views.Header.labelCoUsersDescr": "Usuaris que editen el fitxer:",
|
||||
"Common.Views.Header.textAddFavorite": "Marcar com a favorit",
|
||||
"Common.Views.Header.textAdvSettings": "Configuració avançada",
|
||||
"Common.Views.Header.textBack": "Obrir ubicació del arxiu",
|
||||
"Common.Views.Header.textCompactView": "Amagar la Barra d'Eines",
|
||||
"Common.Views.Header.textHideLines": "Amagar Regles",
|
||||
"Common.Views.Header.textHideNotes": "Ocultar notes",
|
||||
"Common.Views.Header.textHideStatusBar": "Amagar la Barra d'Estat",
|
||||
"Common.Views.Header.textRemoveFavorite": "Elimina dels Favorits",
|
||||
"Common.Views.Header.textSaveBegin": "Desant...",
|
||||
"Common.Views.Header.textSaveChanged": "Modificat",
|
||||
"Common.Views.Header.textSaveEnd": "Tots els canvis guardats",
|
||||
|
@ -136,7 +187,7 @@
|
|||
"Common.Views.InsertTableDialog.txtTitle": "Mida Taula",
|
||||
"Common.Views.InsertTableDialog.txtTitleSplit": "Dividir Cel·la",
|
||||
"Common.Views.LanguageDialog.labelSelect": "Seleccionar l'idioma de document",
|
||||
"Common.Views.ListSettingsDialog.textBulleted": "Llista encuadrada",
|
||||
"Common.Views.ListSettingsDialog.textBulleted": "Amb vinyetes",
|
||||
"Common.Views.ListSettingsDialog.textNumbering": "Numerats",
|
||||
"Common.Views.ListSettingsDialog.tipChange": "Canviar vinyeta",
|
||||
"Common.Views.ListSettingsDialog.txtBullet": "Vinyeta",
|
||||
|
@ -149,13 +200,13 @@
|
|||
"Common.Views.ListSettingsDialog.txtSymbol": "Símbol",
|
||||
"Common.Views.ListSettingsDialog.txtTitle": "Configuració de la Llista",
|
||||
"Common.Views.ListSettingsDialog.txtType": "Tipus",
|
||||
"Common.Views.OpenDialog.closeButtonText": "Tancar Arxiu",
|
||||
"Common.Views.OpenDialog.closeButtonText": "Tancar Fitxer",
|
||||
"Common.Views.OpenDialog.txtEncoding": "Codificació",
|
||||
"Common.Views.OpenDialog.txtIncorrectPwd": "La contrasenya es incorrecta.",
|
||||
"Common.Views.OpenDialog.txtOpenFile": "Introduïu una contrasenya per obrir el fitxer",
|
||||
"Common.Views.OpenDialog.txtPassword": "Contrasenya",
|
||||
"Common.Views.OpenDialog.txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer.",
|
||||
"Common.Views.OpenDialog.txtTitle": "Tria %1 opció",
|
||||
"Common.Views.OpenDialog.txtTitle": "Tria opcions %1",
|
||||
"Common.Views.OpenDialog.txtTitleProtected": "Arxiu Protegit",
|
||||
"Common.Views.PasswordDialog.txtDescription": "Establir una contrasenya per protegir el document",
|
||||
"Common.Views.PasswordDialog.txtIncorrectPwd": "La contrasenya de confirmació no és idèntica",
|
||||
|
@ -170,7 +221,7 @@
|
|||
"Common.Views.Plugins.textStart": "Comença",
|
||||
"Common.Views.Plugins.textStop": "Parar",
|
||||
"Common.Views.Protection.hintAddPwd": "Xifrar amb contrasenya",
|
||||
"Common.Views.Protection.hintPwd": "Canviar o Esborrar Contrasenya",
|
||||
"Common.Views.Protection.hintPwd": "Canviar o Suprimir Contrasenya",
|
||||
"Common.Views.Protection.hintSignature": "Afegir signatura digital o línia de signatura",
|
||||
"Common.Views.Protection.txtAddPwd": "Afegir contrasenya",
|
||||
"Common.Views.Protection.txtChangePwd": "Canviar la contrasenya",
|
||||
|
@ -191,6 +242,8 @@
|
|||
"Common.Views.ReviewChanges.tipCoAuthMode": "Configura el mode de coedició",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "Esborrar comentaris",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Esborrar comentaris actuals",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "Resoldre els comentaris",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resol els comentaris actuals",
|
||||
"Common.Views.ReviewChanges.tipHistory": "Mostra l'historial de versions",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "Rebutjar canvi actual",
|
||||
"Common.Views.ReviewChanges.tipReview": "Control de Canvis",
|
||||
|
@ -202,7 +255,7 @@
|
|||
"Common.Views.ReviewChanges.txtAcceptAll": "Acceptar Tots els Canvis",
|
||||
"Common.Views.ReviewChanges.txtAcceptChanges": "Acceptar canvis",
|
||||
"Common.Views.ReviewChanges.txtAcceptCurrent": "Acceptar el Canvi Actual",
|
||||
"Common.Views.ReviewChanges.txtChat": "Chat",
|
||||
"Common.Views.ReviewChanges.txtChat": "Xat",
|
||||
"Common.Views.ReviewChanges.txtClose": "Tancar",
|
||||
"Common.Views.ReviewChanges.txtCoAuthMode": "Mode de Coedició",
|
||||
"Common.Views.ReviewChanges.txtCommentRemAll": "Esborrar tots els comentaris",
|
||||
|
@ -210,6 +263,11 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "Esborrar els meus comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Esborrar els meus actuals comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "Esborrar",
|
||||
"Common.Views.ReviewChanges.txtCommentResolve": "Resoldre",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "Resoldre tots els comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resoldre els comentaris actuals",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "Resoldre els Meus Comentaris",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resoldre els Meus Comentaris Actuals",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "Idioma",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Tots el canvis acceptats (Previsualitzar)",
|
||||
"Common.Views.ReviewChanges.txtFinalCap": "Final",
|
||||
|
@ -229,7 +287,7 @@
|
|||
"Common.Views.ReviewChanges.txtTurnon": "Control de Canvis",
|
||||
"Common.Views.ReviewChanges.txtView": "Mode de visualització",
|
||||
"Common.Views.ReviewPopover.textAdd": "Afegir",
|
||||
"Common.Views.ReviewPopover.textAddReply": "Afegir una Resposta",
|
||||
"Common.Views.ReviewPopover.textAddReply": "Afegir Resposta",
|
||||
"Common.Views.ReviewPopover.textCancel": "Cancel·lar",
|
||||
"Common.Views.ReviewPopover.textClose": "Tancar",
|
||||
"Common.Views.ReviewPopover.textEdit": "Acceptar",
|
||||
|
@ -247,6 +305,7 @@
|
|||
"Common.Views.SignDialog.textChange": "Canviar",
|
||||
"Common.Views.SignDialog.textInputName": "Posar nom de qui ho firma",
|
||||
"Common.Views.SignDialog.textItalic": "Itàlica",
|
||||
"Common.Views.SignDialog.textNameError": "El nom del signant no pot estar buit.",
|
||||
"Common.Views.SignDialog.textPurpose": "Finalitat de signar aquest document",
|
||||
"Common.Views.SignDialog.textSelect": "Seleccionar",
|
||||
"Common.Views.SignDialog.textSelectImage": "Seleccionar Imatge",
|
||||
|
@ -267,8 +326,8 @@
|
|||
"Common.Views.SignSettingsDialog.txtEmpty": "Aquest camp és obligatori",
|
||||
"Common.Views.SymbolTableDialog.textCharacter": "Caràcter",
|
||||
"Common.Views.SymbolTableDialog.textCode": "Valor HEX Unicode",
|
||||
"Common.Views.SymbolTableDialog.textCopyright": "Signatura de Propietat Intel·lectual",
|
||||
"Common.Views.SymbolTableDialog.textDCQuote": "Tancar Doble Pressupost",
|
||||
"Common.Views.SymbolTableDialog.textCopyright": "Signe de copyright",
|
||||
"Common.Views.SymbolTableDialog.textDCQuote": "S'està tancant una doble cita",
|
||||
"Common.Views.SymbolTableDialog.textDOQuote": "Obertura de Cotització Doble",
|
||||
"Common.Views.SymbolTableDialog.textEllipsis": "El·lipsi horitzontal",
|
||||
"Common.Views.SymbolTableDialog.textEmDash": "EM Dash",
|
||||
|
@ -283,7 +342,7 @@
|
|||
"Common.Views.SymbolTableDialog.textRange": "Rang",
|
||||
"Common.Views.SymbolTableDialog.textRecent": "Símbols utilitzats recentment",
|
||||
"Common.Views.SymbolTableDialog.textRegistered": "Registre Registrat",
|
||||
"Common.Views.SymbolTableDialog.textSCQuote": "Tancar Simple Pressupost",
|
||||
"Common.Views.SymbolTableDialog.textSCQuote": "S'està tancant una única cita",
|
||||
"Common.Views.SymbolTableDialog.textSection": "Signe de Secció",
|
||||
"Common.Views.SymbolTableDialog.textShortcut": "Tecla de Drecera",
|
||||
"Common.Views.SymbolTableDialog.textSHyphen": "Guionet Suau",
|
||||
|
@ -292,16 +351,21 @@
|
|||
"Common.Views.SymbolTableDialog.textSymbols": "Símbols",
|
||||
"Common.Views.SymbolTableDialog.textTitle": "Símbol",
|
||||
"Common.Views.SymbolTableDialog.textTradeMark": "Símbol de Marca Comercial",
|
||||
"Common.Views.UserNameDialog.textDontShow": "No em tornis a preguntar",
|
||||
"Common.Views.UserNameDialog.textLabel": "Etiqueta:",
|
||||
"Common.Views.UserNameDialog.textLabelError": "L'etiqueta no pot estar en blanc.",
|
||||
"PE.Controllers.LeftMenu.leavePageText": "Es perdran tots els canvis no guardats en aquest document.<br>Feu clic a \"Cancel·lar\" i, a continuació, \"Desa\" per desar-los. Feu clic a \"OK\" per descartar tots els canvis no desats.",
|
||||
"PE.Controllers.LeftMenu.newDocumentTitle": "Presentació sense nom",
|
||||
"PE.Controllers.LeftMenu.notcriticalErrorTitle": "Avis",
|
||||
"PE.Controllers.LeftMenu.requestEditRightsText": "Sol·licitant drets d’edició ...",
|
||||
"PE.Controllers.LeftMenu.textLoadHistory": "Carregant historial de versions...",
|
||||
"PE.Controllers.LeftMenu.textNoTextFound": "No s'han trobat les dades que heu cercat. Ajusteu les opcions de cerca.",
|
||||
"PE.Controllers.LeftMenu.textReplaceSkipped": "La substitució s’ha realitzat. Es van saltar {0} ocurrències.",
|
||||
"PE.Controllers.LeftMenu.textReplaceSuccess": "La recerca s’ha fet. Es van substituir les coincidències: {0}",
|
||||
"PE.Controllers.LeftMenu.txtUntitled": "Sense títol",
|
||||
"PE.Controllers.Main.applyChangesTextText": "Carregant dades...",
|
||||
"PE.Controllers.Main.applyChangesTitleText": "Carregant Dades",
|
||||
"PE.Controllers.Main.convertationTimeoutText": "Conversió fora de temps",
|
||||
"PE.Controllers.Main.convertationTimeoutText": "S'ha superat el temps de conversió.",
|
||||
"PE.Controllers.Main.criticalErrorExtText": "Prem \"Acceptar\" per tornar al document.",
|
||||
"PE.Controllers.Main.criticalErrorTitle": "Error",
|
||||
"PE.Controllers.Main.downloadErrorText": "Descàrrega fallida.",
|
||||
|
@ -310,6 +374,7 @@
|
|||
"PE.Controllers.Main.errorAccessDeny": "Intenteu realitzar una acció per la qual no teniu drets.<br>Poseu-vos en contacte amb l'administrador del servidor de documents.",
|
||||
"PE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte",
|
||||
"PE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. El document no es pot editar ara mateix.",
|
||||
"PE.Controllers.Main.errorComboSeries": "Per crear un diagrama combinat, seleccioneu almenys dues sèries de dades.",
|
||||
"PE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.<br>Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.",
|
||||
"PE.Controllers.Main.errorDatabaseConnection": "Error extern.<br>Error de connexió de base de dades. Contacteu amb l'assistència en cas que l'error continuï.",
|
||||
"PE.Controllers.Main.errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.",
|
||||
|
@ -328,6 +393,7 @@
|
|||
"PE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.",
|
||||
"PE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.",
|
||||
"PE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.",
|
||||
"PE.Controllers.Main.errorSetPassword": "No s'ha pogut establir la contrasenya.",
|
||||
"PE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. Per crear un gràfic de valors, col·loqueu les dades del full en l’ordre següent:<br>preu d’obertura, preu màxim, preu mínim, preu de tancament.",
|
||||
"PE.Controllers.Main.errorToken": "El testimoni de seguretat del document no està format correctament.<br>Contacteu l'administrador del servidor de documents.",
|
||||
"PE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.<br>Contacteu amb l'administrador del Document Server.",
|
||||
|
@ -335,8 +401,9 @@
|
|||
"PE.Controllers.Main.errorUpdateVersionOnDisconnect": "La connexió a Internet s'ha restaurat i la versió del fitxer s'ha canviat. <br> Abans de continuar treballant, heu de descarregar el fitxer o copiar-ne el contingut per assegurar-vos que no es perdi res i, després, tornar a carregar aquesta pàgina.",
|
||||
"PE.Controllers.Main.errorUserDrop": "Ara no es pot accedir al fitxer.",
|
||||
"PE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel pla de preus",
|
||||
"PE.Controllers.Main.errorViewerDisconnect": "Es perd la connexió. Encara podeu visualitzar el document,<br>però no podreu descarregar-lo ni imprimir-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.",
|
||||
"PE.Controllers.Main.errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu visualitzar el document,<br>però no podreu descarregar-lo ni imprimir-lo fins que no es restableixi la connexió i es torni a re-carregar la pàgina.",
|
||||
"PE.Controllers.Main.leavePageText": "Heu fet canvis no desats en aquesta presentació. Feu clic a \"Continua en aquesta pàgina\" i, a continuació, \"Desa\" per desar-les. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.",
|
||||
"PE.Controllers.Main.leavePageTextOnClose": "Es perdran tots els canvis no desats en aquesta presentació.<br> Feu clic a «Cancel·la» i després a «Desa» per desar-los. Feu clic a \"D'acord\" per descartar tots els canvis no desats.",
|
||||
"PE.Controllers.Main.loadFontsTextText": "Carregant dades...",
|
||||
"PE.Controllers.Main.loadFontsTitleText": "Carregant Dades",
|
||||
"PE.Controllers.Main.loadFontTextText": "Carregant dades...",
|
||||
|
@ -359,6 +426,7 @@
|
|||
"PE.Controllers.Main.requestEditFailedMessageText": "Algú està editant aquesta presentació ara mateix. Si us plau, intenta-ho més tard.",
|
||||
"PE.Controllers.Main.requestEditFailedTitleText": "Accés denegat",
|
||||
"PE.Controllers.Main.saveErrorText": "S'ha produït un error en desar el fitxer.",
|
||||
"PE.Controllers.Main.saveErrorTextDesktop": "Aquest fitxer no es pot desar o crear.<br>Les raons possibles són:<br>1. El fitxer és de només lectura. <br>2. El fitxer està sent editat per altres usuaris. <br>3. El disc està ple o corromput.",
|
||||
"PE.Controllers.Main.savePreparingText": "Preparant per guardar",
|
||||
"PE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi",
|
||||
"PE.Controllers.Main.saveTextText": "Guardant presentació...",
|
||||
|
@ -371,31 +439,37 @@
|
|||
"PE.Controllers.Main.textBuyNow": "Visita el Lloc Web",
|
||||
"PE.Controllers.Main.textChangesSaved": "Tots els canvis guardats",
|
||||
"PE.Controllers.Main.textClose": "Tancar",
|
||||
"PE.Controllers.Main.textCloseTip": "Feu clic per tancar",
|
||||
"PE.Controllers.Main.textContactUs": "Contacte de Vendes",
|
||||
"PE.Controllers.Main.textCloseTip": "Clicar per tancar el consell",
|
||||
"PE.Controllers.Main.textContactUs": "Equip de Vendes",
|
||||
"PE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.<br>Consulteu el nostre departament de vendes per obtenir un pressupost.",
|
||||
"PE.Controllers.Main.textGuest": "Convidat",
|
||||
"PE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.<br>Voleu executar macros?",
|
||||
"PE.Controllers.Main.textLoadingDocument": "Carregant presentació",
|
||||
"PE.Controllers.Main.textLongName": "Introduïu un nom de menys de 128 caràcters.",
|
||||
"PE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la llicència",
|
||||
"PE.Controllers.Main.textPaidFeature": "Funció de pagament",
|
||||
"PE.Controllers.Main.textRemember": "Recorda la meva elecció",
|
||||
"PE.Controllers.Main.textRemember": "Recordar la meva elecció per a tots els fitxers",
|
||||
"PE.Controllers.Main.textRenameError": "El nom d'usuari no pot estar buit.",
|
||||
"PE.Controllers.Main.textRenameLabel": "Introduïu un nom per a la col·laboració",
|
||||
"PE.Controllers.Main.textShape": "Forma",
|
||||
"PE.Controllers.Main.textStrict": "Mode estricte",
|
||||
"PE.Controllers.Main.textTryUndoRedo": "Les funcions Desfés / Rehabiliteu estan desactivades per al mode de coedició ràpida. Feu clic al botó \"Mode estricte\" per canviar al mode de coedició estricte per editar el fitxer sense que hi hagi interferències d'altres usuaris i enviar els canvis només després de desar-lo ells. Podeu canviar entre els modes de coedició mitjançant l'editor Paràmetres avançats.",
|
||||
"PE.Controllers.Main.textTryUndoRedoWarn": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.",
|
||||
"PE.Controllers.Main.titleLicenseExp": "Llicència Caducada",
|
||||
"PE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor",
|
||||
"PE.Controllers.Main.txtAddFirstSlide": "Faci clic per afegir la primera diapositiva",
|
||||
"PE.Controllers.Main.txtAddFirstSlide": "Cliqui per a afegir la primera diapositiva",
|
||||
"PE.Controllers.Main.txtAddNotes": "Faci clic per afegir notes",
|
||||
"PE.Controllers.Main.txtArt": "El seu text aquí",
|
||||
"PE.Controllers.Main.txtBasicShapes": "Formes Bàsiques",
|
||||
"PE.Controllers.Main.txtButtons": "Botons",
|
||||
"PE.Controllers.Main.txtCallouts": "Trucades",
|
||||
"PE.Controllers.Main.txtCharts": "Gràfics",
|
||||
"PE.Controllers.Main.txtCallouts": "Crides",
|
||||
"PE.Controllers.Main.txtCharts": "Diagramas",
|
||||
"PE.Controllers.Main.txtClipArt": "Imatges Predissenyades",
|
||||
"PE.Controllers.Main.txtDateTime": "Data i hora",
|
||||
"PE.Controllers.Main.txtDiagram": "Imatge preconfigurada",
|
||||
"PE.Controllers.Main.txtDiagramTitle": "Títol del Gràfic",
|
||||
"PE.Controllers.Main.txtDiagramTitle": "Títol del Diagrama",
|
||||
"PE.Controllers.Main.txtEditingMode": "Establir el mode d'edició ...",
|
||||
"PE.Controllers.Main.txtErrorLoadHistory": "Ha fallat la càrrega de l'historial",
|
||||
"PE.Controllers.Main.txtFiguredArrows": "Fletxes Figurades",
|
||||
"PE.Controllers.Main.txtFooter": "Peu de pàgina",
|
||||
"PE.Controllers.Main.txtHeader": "Capçalera",
|
||||
|
@ -405,6 +479,7 @@
|
|||
"PE.Controllers.Main.txtMath": "Matemàtiques",
|
||||
"PE.Controllers.Main.txtMedia": "Medis",
|
||||
"PE.Controllers.Main.txtNeedSynchronize": "Teniu actualitzacions",
|
||||
"PE.Controllers.Main.txtNone": "cap",
|
||||
"PE.Controllers.Main.txtPicture": "Imatge",
|
||||
"PE.Controllers.Main.txtRectangles": "Rectangles",
|
||||
"PE.Controllers.Main.txtSeries": "Series",
|
||||
|
@ -414,7 +489,7 @@
|
|||
"PE.Controllers.Main.txtShape_accentCallout1": "Trucada amb línia 1 (barra d'èmfasis)",
|
||||
"PE.Controllers.Main.txtShape_accentCallout2": "Trucada amb línia 2 (barra d'èmfasis)",
|
||||
"PE.Controllers.Main.txtShape_accentCallout3": "Trucada amb línia 3 (barra d'èmfasis)",
|
||||
"PE.Controllers.Main.txtShape_actionButtonBackPrevious": "Botó Enrere o Anterior",
|
||||
"PE.Controllers.Main.txtShape_actionButtonBackPrevious": "Enrere o Botó Anterior",
|
||||
"PE.Controllers.Main.txtShape_actionButtonBeginning": "Botó d’Inici",
|
||||
"PE.Controllers.Main.txtShape_actionButtonBlank": "Botó en blanc",
|
||||
"PE.Controllers.Main.txtShape_actionButtonDocument": "Botó de Document",
|
||||
|
@ -443,10 +518,10 @@
|
|||
"PE.Controllers.Main.txtShape_callout3": "Trucada amb línia 3 (sense vora)",
|
||||
"PE.Controllers.Main.txtShape_can": "Cilindre",
|
||||
"PE.Controllers.Main.txtShape_chevron": "Chevron",
|
||||
"PE.Controllers.Main.txtShape_chord": "Chord",
|
||||
"PE.Controllers.Main.txtShape_chord": "Acord",
|
||||
"PE.Controllers.Main.txtShape_circularArrow": "Fletxa Circular",
|
||||
"PE.Controllers.Main.txtShape_cloud": "Núvol",
|
||||
"PE.Controllers.Main.txtShape_cloudCallout": "Trucada de Núvol",
|
||||
"PE.Controllers.Main.txtShape_cloudCallout": "Crida de Núvol",
|
||||
"PE.Controllers.Main.txtShape_corner": "Cantonada",
|
||||
"PE.Controllers.Main.txtShape_cube": "Cub",
|
||||
"PE.Controllers.Main.txtShape_curvedConnector3": "Connector corbat",
|
||||
|
@ -581,7 +656,7 @@
|
|||
"PE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Llibre rectangular de punt rodó",
|
||||
"PE.Controllers.Main.txtSldLtTBlank": "En blanc",
|
||||
"PE.Controllers.Main.txtSldLtTChart": "Gràfic",
|
||||
"PE.Controllers.Main.txtSldLtTChartAndTx": "Gràfic i Text",
|
||||
"PE.Controllers.Main.txtSldLtTChartAndTx": "Gràfic i text",
|
||||
"PE.Controllers.Main.txtSldLtTClipArtAndTx": "Imatge Predissenyada i Tex",
|
||||
"PE.Controllers.Main.txtSldLtTClipArtAndVertTx": "Imatge PreDissenyada i Text Vertical",
|
||||
"PE.Controllers.Main.txtSldLtTCust": "Personalitzat",
|
||||
|
@ -640,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "El vostre navegador no és compatible.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "No hi ha imatges pujades.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Superat el límit màxim de la imatge.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Pujant imatge...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Pujant Imatge",
|
||||
"PE.Controllers.Main.waitText": "Si us plau, esperi...",
|
||||
|
@ -648,6 +723,8 @@
|
|||
"PE.Controllers.Main.warnBrowserZoom": "La configuració del zoom actual del navegador no és totalment compatible. Restabliu el zoom per defecte prement Ctrl+0.",
|
||||
"PE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.<br>Contacteu l'administrador per obtenir més informació.",
|
||||
"PE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.<br>Si us plau, actualitzi la llicencia i recarregui la pàgina.",
|
||||
"PE.Controllers.Main.warnLicenseLimitedNoAccess": "La llicència ha caducat.<br>No teniu accés a la funcionalitat d'edició de documents.<br>Si us plau, contacteu amb l'administrador.",
|
||||
"PE.Controllers.Main.warnLicenseLimitedRenewed": "Cal renovar la llicència.<br>Teniu un accés limitat a la funcionalitat d'edició de documents.<br>Contacteu amb l'administrador per obtenir accés complet",
|
||||
"PE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.<br>Per més informació, poseu-vos en contacte amb l'administrador.",
|
||||
"PE.Controllers.Main.warnNoLicense": "Heu arribat al límit de connexions simultànies per als editors %1. Aquest document s'obrirà al mode de només lectura. Contacteu l'equip de vendes %1 per a les condicions personals de millora del servei.",
|
||||
"PE.Controllers.Main.warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a editors %1.<br> Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.",
|
||||
|
@ -677,8 +754,8 @@
|
|||
"PE.Controllers.Toolbar.txtAccent_Bar": "Barra",
|
||||
"PE.Controllers.Toolbar.txtAccent_BarBot": "Barra Subjacent",
|
||||
"PE.Controllers.Toolbar.txtAccent_BarTop": "Barra superposada",
|
||||
"PE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula a celda (amb el marcador de posició)",
|
||||
"PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula a celda (exemple)",
|
||||
"PE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula encaixada (amb el marcador de posició)",
|
||||
"PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula encaixada (exemple)",
|
||||
"PE.Controllers.Toolbar.txtAccent_Check": "Comprovar",
|
||||
"PE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Clau Subjacent",
|
||||
"PE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Clau superposada",
|
||||
|
@ -695,15 +772,15 @@
|
|||
"PE.Controllers.Toolbar.txtAccent_HarpoonL": "Arpon cap a l'esquerra per sobre",
|
||||
"PE.Controllers.Toolbar.txtAccent_HarpoonR": "Arpon superior cap a dreta",
|
||||
"PE.Controllers.Toolbar.txtAccent_Hat": "Circumflex",
|
||||
"PE.Controllers.Toolbar.txtAccent_Smile": "Accent breu",
|
||||
"PE.Controllers.Toolbar.txtAccent_Smile": "Breve",
|
||||
"PE.Controllers.Toolbar.txtAccent_Tilde": "Tilde",
|
||||
"PE.Controllers.Toolbar.txtBracket_Angle": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Claudàtor amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Claudàtor amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Claudàtors amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Claudàtors amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Curve": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Claudàtor amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Claudàtors amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Custom_1": "Casos (dos condicions)",
|
||||
|
@ -716,26 +793,26 @@
|
|||
"PE.Controllers.Toolbar.txtBracket_Line": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_LineDouble": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_LineDouble": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_LowLim": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_LowLim": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Round": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Claudàtor amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Round": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Claudàtors amb separadors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_SquareDouble": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_SquareDouble": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_UppLim": "Claudàtor",
|
||||
"PE.Controllers.Toolbar.txtBracket_UppLim": "Claudàtors",
|
||||
"PE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Claudàtor Únic",
|
||||
"PE.Controllers.Toolbar.txtFractionDiagonal": "Fracció inclinada",
|
||||
|
@ -759,7 +836,7 @@
|
|||
"PE.Controllers.Toolbar.txtFunction_1_Sinh": "Funció hiperbòlica del seno invers",
|
||||
"PE.Controllers.Toolbar.txtFunction_1_Tan": "Funció de tangent inversa",
|
||||
"PE.Controllers.Toolbar.txtFunction_1_Tanh": "Funció tangent inversa hiperbòlica",
|
||||
"PE.Controllers.Toolbar.txtFunction_Cos": "Funció cosina",
|
||||
"PE.Controllers.Toolbar.txtFunction_Cos": "funció cosinus",
|
||||
"PE.Controllers.Toolbar.txtFunction_Cosh": "Funció del cosin hiperbòlic",
|
||||
"PE.Controllers.Toolbar.txtFunction_Cot": "Funció cotangent",
|
||||
"PE.Controllers.Toolbar.txtFunction_Coth": "Funció cotangent hiperbòlic",
|
||||
|
@ -782,12 +859,12 @@
|
|||
"PE.Controllers.Toolbar.txtIntegralDouble": "Doble integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Doble integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Doble integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralOriented": "Contorn integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Contorn integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralOriented": "Integral de contorn",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Integral de contorn",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedDouble": "Integral de superfície",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Integral de superfície",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Integral de superfície",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contorn integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Integral de contorn",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volum integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volum integral",
|
||||
"PE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volum integral",
|
||||
|
@ -800,11 +877,11 @@
|
|||
"PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Falca",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Falca",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Falca",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd": "Coproducte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Coproducte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Coproducte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Coproducte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Coproducte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd": "Co-producte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Co-producte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Co-producte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Co-producte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Co-producte",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Suma",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Suma",
|
||||
"PE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Suma",
|
||||
|
@ -855,7 +932,7 @@
|
|||
"PE.Controllers.Toolbar.txtMatrix_3_1": "3x1 matriu buida",
|
||||
"PE.Controllers.Toolbar.txtMatrix_3_2": "3x2 matriu buida",
|
||||
"PE.Controllers.Toolbar.txtMatrix_3_3": "3s3 matriu buida",
|
||||
"PE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Punts Subíndexs",
|
||||
"PE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Punts de línia base",
|
||||
"PE.Controllers.Toolbar.txtMatrix_Dots_Center": "Punts en línia mitja",
|
||||
"PE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Punts en diagonal",
|
||||
"PE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Punts Verticals",
|
||||
|
@ -907,10 +984,10 @@
|
|||
"PE.Controllers.Toolbar.txtSymbol_approx": "Gairebé igual a",
|
||||
"PE.Controllers.Toolbar.txtSymbol_ast": "Operador asterisc",
|
||||
"PE.Controllers.Toolbar.txtSymbol_beta": "Beta",
|
||||
"PE.Controllers.Toolbar.txtSymbol_beth": "Bet",
|
||||
"PE.Controllers.Toolbar.txtSymbol_beth": "Aposta",
|
||||
"PE.Controllers.Toolbar.txtSymbol_bullet": "Operador de Vinyeta",
|
||||
"PE.Controllers.Toolbar.txtSymbol_cap": "Intersecció",
|
||||
"PE.Controllers.Toolbar.txtSymbol_cbrt": "Arrel de Cub",
|
||||
"PE.Controllers.Toolbar.txtSymbol_cbrt": "Arrel cúbica",
|
||||
"PE.Controllers.Toolbar.txtSymbol_cdots": "El·lipsis horitzontal de línia mitja",
|
||||
"PE.Controllers.Toolbar.txtSymbol_celsius": "Graus Celsius",
|
||||
"PE.Controllers.Toolbar.txtSymbol_chi": "Chi",
|
||||
|
@ -980,7 +1057,7 @@
|
|||
"PE.Controllers.Toolbar.txtSymbol_varepsilon": "Variant d’èpsilon",
|
||||
"PE.Controllers.Toolbar.txtSymbol_varphi": "Variant Pi",
|
||||
"PE.Controllers.Toolbar.txtSymbol_varpi": "Variant Pi",
|
||||
"PE.Controllers.Toolbar.txtSymbol_varrho": "Variant Ro",
|
||||
"PE.Controllers.Toolbar.txtSymbol_varrho": "Variant Rho",
|
||||
"PE.Controllers.Toolbar.txtSymbol_varsigma": "Variant Sigma",
|
||||
"PE.Controllers.Toolbar.txtSymbol_vartheta": "Variant Zeta",
|
||||
"PE.Controllers.Toolbar.txtSymbol_vdots": "El·lipsis Vertical",
|
||||
|
@ -989,7 +1066,7 @@
|
|||
"PE.Controllers.Viewport.textFitPage": "Ajustar a la diapositiva",
|
||||
"PE.Controllers.Viewport.textFitWidth": "Ajusta a Amplada",
|
||||
"PE.Views.ChartSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
"PE.Views.ChartSettings.textChartType": "Canvia el tipus de gràfic",
|
||||
"PE.Views.ChartSettings.textChartType": "Canviar el tipus de gràfic",
|
||||
"PE.Views.ChartSettings.textEditData": "Editar Dades",
|
||||
"PE.Views.ChartSettings.textHeight": "Alçada",
|
||||
"PE.Views.ChartSettings.textKeepRatio": "Proporcions Constants",
|
||||
|
@ -1000,7 +1077,7 @@
|
|||
"PE.Views.ChartSettingsAdvanced.textAltDescription": "Descripció",
|
||||
"PE.Views.ChartSettingsAdvanced.textAltTip": "La representació alternativa basada en text de la informació d’objectes visuals, que es llegirà a les persones amb deficiències de visió o cognitives per ajudar-les a comprendre millor quina informació hi ha a la imatge, autoforma, gràfic o taula.",
|
||||
"PE.Views.ChartSettingsAdvanced.textAltTitle": "Títol",
|
||||
"PE.Views.ChartSettingsAdvanced.textTitle": "Gràfic-Configuració Avançada",
|
||||
"PE.Views.ChartSettingsAdvanced.textTitle": "Diagrama - Configuració avançada",
|
||||
"PE.Views.DateTimeDialog.confirmDefault": "Definiu el format predeterminat per a {0}:\"{1}\"",
|
||||
"PE.Views.DateTimeDialog.textDefault": "Establir com a defecte",
|
||||
"PE.Views.DateTimeDialog.textFormat": "Formats",
|
||||
|
@ -1011,12 +1088,12 @@
|
|||
"PE.Views.DocumentHolder.addCommentText": "Afegir comentari",
|
||||
"PE.Views.DocumentHolder.addToLayoutText": "Afegir a la Maquetació",
|
||||
"PE.Views.DocumentHolder.advancedImageText": "Imatge Configuració Avançada",
|
||||
"PE.Views.DocumentHolder.advancedParagraphText": "Configuració Avançada de Text",
|
||||
"PE.Views.DocumentHolder.advancedParagraphText": "Configuració Avançada del Paràgraf",
|
||||
"PE.Views.DocumentHolder.advancedShapeText": "Forma Configuració Avançada",
|
||||
"PE.Views.DocumentHolder.advancedTableText": "Taula Configuració Avançada",
|
||||
"PE.Views.DocumentHolder.alignmentText": "Alineació",
|
||||
"PE.Views.DocumentHolder.belowText": "Abaix",
|
||||
"PE.Views.DocumentHolder.cellAlignText": "Alineament Vertical Cel·la",
|
||||
"PE.Views.DocumentHolder.cellAlignText": "Alineament Vertical de Cel·la",
|
||||
"PE.Views.DocumentHolder.cellText": "Cel·la",
|
||||
"PE.Views.DocumentHolder.centerText": "Centre",
|
||||
"PE.Views.DocumentHolder.columnText": "Columna",
|
||||
|
@ -1059,7 +1136,7 @@
|
|||
"PE.Views.DocumentHolder.textArrangeBack": "Enviar a un segon pla",
|
||||
"PE.Views.DocumentHolder.textArrangeBackward": "Envia Endarrere",
|
||||
"PE.Views.DocumentHolder.textArrangeForward": "Portar Endavant",
|
||||
"PE.Views.DocumentHolder.textArrangeFront": "Porta a Primer pla",
|
||||
"PE.Views.DocumentHolder.textArrangeFront": "Portar a Primer pla",
|
||||
"PE.Views.DocumentHolder.textCopy": "Copiar",
|
||||
"PE.Views.DocumentHolder.textCrop": "Retallar",
|
||||
"PE.Views.DocumentHolder.textCropFill": "Omplir",
|
||||
|
@ -1081,10 +1158,10 @@
|
|||
"PE.Views.DocumentHolder.textRotate90": "Girar 90° a la dreta",
|
||||
"PE.Views.DocumentHolder.textShapeAlignBottom": "Alineació Inferior",
|
||||
"PE.Views.DocumentHolder.textShapeAlignCenter": "Centrar",
|
||||
"PE.Views.DocumentHolder.textShapeAlignLeft": "Alinear Esquerra",
|
||||
"PE.Views.DocumentHolder.textShapeAlignLeft": "Alineació esquerra",
|
||||
"PE.Views.DocumentHolder.textShapeAlignMiddle": "Alinear al Mig",
|
||||
"PE.Views.DocumentHolder.textShapeAlignRight": "Alinear Dreta",
|
||||
"PE.Views.DocumentHolder.textShapeAlignTop": "Alinear Superior",
|
||||
"PE.Views.DocumentHolder.textShapeAlignRight": "Alineació dreta",
|
||||
"PE.Views.DocumentHolder.textShapeAlignTop": "Alineació superior",
|
||||
"PE.Views.DocumentHolder.textSlideSettings": "Configuració de la Diapositiva",
|
||||
"PE.Views.DocumentHolder.textUndo": "Desfer",
|
||||
"PE.Views.DocumentHolder.tipIsLocked": "Actualment, un altre usuari està editant aquest element.",
|
||||
|
@ -1119,12 +1196,12 @@
|
|||
"PE.Views.DocumentHolder.txtDistribHor": "Distribuïu Horitzontalment",
|
||||
"PE.Views.DocumentHolder.txtDistribVert": "Distribuïu Verticalment",
|
||||
"PE.Views.DocumentHolder.txtDuplicateSlide": "Duplicar Diapositiva",
|
||||
"PE.Views.DocumentHolder.txtFractionLinear": "Canvia a fracció lineal",
|
||||
"PE.Views.DocumentHolder.txtFractionSkewed": "Canviar a la fracció inclinada",
|
||||
"PE.Views.DocumentHolder.txtFractionLinear": "Canviar a fracció lineal",
|
||||
"PE.Views.DocumentHolder.txtFractionSkewed": "Canviar a fracció inclinada",
|
||||
"PE.Views.DocumentHolder.txtFractionStacked": "Canvia a fracció apilada",
|
||||
"PE.Views.DocumentHolder.txtGroup": "Agrupar",
|
||||
"PE.Views.DocumentHolder.txtGroupCharOver": "Carrega el text",
|
||||
"PE.Views.DocumentHolder.txtGroupCharUnder": "Línia sota el tex",
|
||||
"PE.Views.DocumentHolder.txtGroupCharOver": "Caràcter sobre el text",
|
||||
"PE.Views.DocumentHolder.txtGroupCharUnder": "Caràcter sota el text",
|
||||
"PE.Views.DocumentHolder.txtHideBottom": "Amagar vora del botó",
|
||||
"PE.Views.DocumentHolder.txtHideBottomLimit": "Amagar límit del botó",
|
||||
"PE.Views.DocumentHolder.txtHideCloseBracket": "Amagar el claudàtor del tancament",
|
||||
|
@ -1146,7 +1223,7 @@
|
|||
"PE.Views.DocumentHolder.txtInsertEqAfter": "Inserir equació després de",
|
||||
"PE.Views.DocumentHolder.txtInsertEqBefore": "Inserir equació abans de",
|
||||
"PE.Views.DocumentHolder.txtKeepTextOnly": "Mantenir sols text",
|
||||
"PE.Views.DocumentHolder.txtLimitChange": "Canviar els límits de la ubicació",
|
||||
"PE.Views.DocumentHolder.txtLimitChange": "Canviar límits d'ubicació",
|
||||
"PE.Views.DocumentHolder.txtLimitOver": "Límit damunt del text",
|
||||
"PE.Views.DocumentHolder.txtLimitUnder": "Límit sota el text",
|
||||
"PE.Views.DocumentHolder.txtMatchBrackets": "Relaciona els claudàtors amb l'alçada de l'argument",
|
||||
|
@ -1202,12 +1279,13 @@
|
|||
"PE.Views.FileMenu.btnCreateNewCaption": "Crear Nou",
|
||||
"PE.Views.FileMenu.btnDownloadCaption": "Descarregar com a...",
|
||||
"PE.Views.FileMenu.btnHelpCaption": "Ajuda...",
|
||||
"PE.Views.FileMenu.btnHistoryCaption": "Historial de versions",
|
||||
"PE.Views.FileMenu.btnInfoCaption": "Info sobre Presentació...",
|
||||
"PE.Views.FileMenu.btnPrintCaption": "Imprimir",
|
||||
"PE.Views.FileMenu.btnProtectCaption": "Protegir",
|
||||
"PE.Views.FileMenu.btnRecentFilesCaption": "Obrir recent...",
|
||||
"PE.Views.FileMenu.btnRenameCaption": "Canvia el nom ...",
|
||||
"PE.Views.FileMenu.btnReturnCaption": "Anar a la Presentació",
|
||||
"PE.Views.FileMenu.btnReturnCaption": "Tornar a la presentació",
|
||||
"PE.Views.FileMenu.btnRightsCaption": "Drets d'Accés ...",
|
||||
"PE.Views.FileMenu.btnSaveAsCaption": "Desar com",
|
||||
"PE.Views.FileMenu.btnSaveCaption": "Desar",
|
||||
|
@ -1216,7 +1294,7 @@
|
|||
"PE.Views.FileMenu.btnToEditCaption": "Editar Presentació",
|
||||
"PE.Views.FileMenuPanels.CreateNew.fromBlankText": "De Document en Blanc",
|
||||
"PE.Views.FileMenuPanels.CreateNew.fromTemplateText": "Des d'una Plantilla",
|
||||
"PE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Creeu una presentació en blanc nova que podreu dissenyar i formatar un cop creada durant l’edició. O bé trieu una de les plantilles per iniciar una presentació d’un determinat tipus o propòsit on ja s’han pre-aplicat alguns estils.",
|
||||
"PE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Creeu una presentació en blanc nova que podreu estilar i formatar després que es creï durant l'edició. O trieu una de les plantilles per iniciar una presentació d'un cert tipus o propòsit on alguns estils ja s'han aplicat prèviament.",
|
||||
"PE.Views.FileMenuPanels.CreateNew.newDocumentText": "Nova Presentació",
|
||||
"PE.Views.FileMenuPanels.CreateNew.noTemplatesText": "No hi ha plantilles",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar",
|
||||
|
@ -1226,7 +1304,7 @@
|
|||
"PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Canviar els drets d’accés",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentari",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Creació",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Creat",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última Modificació Per",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última Modificació",
|
||||
"PE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Propietari",
|
||||
|
@ -1256,7 +1334,7 @@
|
|||
"PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Haureu d’acceptar canvis abans de poder-los veure",
|
||||
"PE.Views.FileMenuPanels.Settings.strFast": "Ràpid",
|
||||
"PE.Views.FileMenuPanels.Settings.strFontRender": "Font Suggerida",
|
||||
"PE.Views.FileMenuPanels.Settings.strForcesave": "Deseu sempre al servidor (en cas contrari, deseu-lo al servidor quan el tanqueu)",
|
||||
"PE.Views.FileMenuPanels.Settings.strForcesave": "Afegeix una versió a l'emmagatzematge després de fer clic a Desa o Ctrl+S",
|
||||
"PE.Views.FileMenuPanels.Settings.strInputMode": "Activar els jeroglífics",
|
||||
"PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuració de Macros",
|
||||
"PE.Views.FileMenuPanels.Settings.strPaste": "Tallar, copiar i enganxar",
|
||||
|
@ -1264,6 +1342,7 @@
|
|||
"PE.Views.FileMenuPanels.Settings.strShowChanges": "Canvis de Col·laboració en temps real",
|
||||
"PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar l’opció de correcció ortogràfica",
|
||||
"PE.Views.FileMenuPanels.Settings.strStrict": "Estricte",
|
||||
"PE.Views.FileMenuPanels.Settings.strTheme": "Tema de la interfície",
|
||||
"PE.Views.FileMenuPanels.Settings.strUnit": "Unitat de Mesura",
|
||||
"PE.Views.FileMenuPanels.Settings.strZoom": "Valor de Zoom Predeterminat",
|
||||
"PE.Views.FileMenuPanels.Settings.text10Minutes": "Cada 10 minuts",
|
||||
|
@ -1271,10 +1350,10 @@
|
|||
"PE.Views.FileMenuPanels.Settings.text5Minutes": "Cada 5 minuts",
|
||||
"PE.Views.FileMenuPanels.Settings.text60Minutes": "Cada Hora",
|
||||
"PE.Views.FileMenuPanels.Settings.textAlignGuides": "Guies d'Alineació",
|
||||
"PE.Views.FileMenuPanels.Settings.textAutoRecover": "Auto recuperació",
|
||||
"PE.Views.FileMenuPanels.Settings.textAutoRecover": "Recuperació automàtica",
|
||||
"PE.Views.FileMenuPanels.Settings.textAutoSave": "Guardar Automàticament",
|
||||
"PE.Views.FileMenuPanels.Settings.textDisabled": "Desactivat",
|
||||
"PE.Views.FileMenuPanels.Settings.textForceSave": "Desar al Servidor",
|
||||
"PE.Views.FileMenuPanels.Settings.textForceSave": "Desant versions intermèdies",
|
||||
"PE.Views.FileMenuPanels.Settings.textMinute": "Cada Minut",
|
||||
"PE.Views.FileMenuPanels.Settings.txtAll": "Veure Tot",
|
||||
"PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opcions de Correcció Automàtica ...",
|
||||
|
@ -1285,7 +1364,7 @@
|
|||
"PE.Views.FileMenuPanels.Settings.txtInch": "Polzada",
|
||||
"PE.Views.FileMenuPanels.Settings.txtInput": "Entrada Alternativa",
|
||||
"PE.Views.FileMenuPanels.Settings.txtLast": "Veure Últims",
|
||||
"PE.Views.FileMenuPanels.Settings.txtMac": "a OS X",
|
||||
"PE.Views.FileMenuPanels.Settings.txtMac": "com a OS X",
|
||||
"PE.Views.FileMenuPanels.Settings.txtNative": "Natiu",
|
||||
"PE.Views.FileMenuPanels.Settings.txtProofing": "Prova",
|
||||
"PE.Views.FileMenuPanels.Settings.txtPt": "Punt",
|
||||
|
@ -1296,8 +1375,8 @@
|
|||
"PE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Desactiveu totes les macros sense una notificació",
|
||||
"PE.Views.FileMenuPanels.Settings.txtWarnMacros": "Mostra la Notificació",
|
||||
"PE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Desactiveu totes les macros amb una notificació",
|
||||
"PE.Views.FileMenuPanels.Settings.txtWin": "a Windows",
|
||||
"PE.Views.HeaderFooterDialog.applyAllText": "Aplicar-se a tot",
|
||||
"PE.Views.FileMenuPanels.Settings.txtWin": "com a Windows",
|
||||
"PE.Views.HeaderFooterDialog.applyAllText": "Aplicar a tot",
|
||||
"PE.Views.HeaderFooterDialog.applyText": "Aplicar",
|
||||
"PE.Views.HeaderFooterDialog.diffLanguage": "No podeu utilitzar un format de data en un idioma diferent al mestre de diapositives.<br>Per canviar el màster, feu clic a \"Aplica a tot\" en comptes de \"Aplicar\"",
|
||||
"PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Avis",
|
||||
|
@ -1328,6 +1407,7 @@
|
|||
"PE.Views.HyperlinkSettingsDialog.txtNext": "Següent Diapositiva",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtPrev": "Diapositiva Anterior",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Aquest camp està limitat a 2083 caràcters",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtSlide": "Diapositiva",
|
||||
"PE.Views.ImageSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
"PE.Views.ImageSettings.textCrop": "Retallar",
|
||||
|
@ -1369,7 +1449,7 @@
|
|||
"PE.Views.ImageSettingsAdvanced.textVertically": "Verticalment",
|
||||
"PE.Views.ImageSettingsAdvanced.textWidth": "Amplada",
|
||||
"PE.Views.LeftMenu.tipAbout": "Sobre",
|
||||
"PE.Views.LeftMenu.tipChat": "Chat",
|
||||
"PE.Views.LeftMenu.tipChat": "Xat",
|
||||
"PE.Views.LeftMenu.tipComments": "Comentaris",
|
||||
"PE.Views.LeftMenu.tipPlugins": "Connectors",
|
||||
"PE.Views.LeftMenu.tipSearch": "Cerca",
|
||||
|
@ -1377,19 +1457,21 @@
|
|||
"PE.Views.LeftMenu.tipSupport": "Opinió & Suport",
|
||||
"PE.Views.LeftMenu.tipTitles": "Títols",
|
||||
"PE.Views.LeftMenu.txtDeveloper": "MODALITAT DE DESENVOLUPADOR",
|
||||
"PE.Views.LeftMenu.txtLimit": "Limitar l'accés",
|
||||
"PE.Views.LeftMenu.txtTrial": "ESTAT DE PROVA",
|
||||
"PE.Views.LeftMenu.txtTrialDev": "Mode de desenvolupador de prova",
|
||||
"PE.Views.ParagraphSettings.strLineHeight": "Espai entre Línies",
|
||||
"PE.Views.ParagraphSettings.strParagraphSpacing": "Espaiat de Paràgraf",
|
||||
"PE.Views.ParagraphSettings.strSpacingAfter": "Després",
|
||||
"PE.Views.ParagraphSettings.strSpacingBefore": "Abans",
|
||||
"PE.Views.ParagraphSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
"PE.Views.ParagraphSettings.textAt": "a",
|
||||
"PE.Views.ParagraphSettings.textAt": "A",
|
||||
"PE.Views.ParagraphSettings.textAtLeast": "Al menys",
|
||||
"PE.Views.ParagraphSettings.textAuto": "Múltiples",
|
||||
"PE.Views.ParagraphSettings.textExact": "Exacte",
|
||||
"PE.Views.ParagraphSettings.txtAutoText": "Auto",
|
||||
"PE.Views.ParagraphSettings.txtAutoText": "Automàtic",
|
||||
"PE.Views.ParagraphSettingsAdvanced.noTabs": "Les pestanyes especificades apareixeran en aquest camp",
|
||||
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Majúscules ",
|
||||
"PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Tot majúscules",
|
||||
"PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Doble ratllat",
|
||||
"PE.Views.ParagraphSettingsAdvanced.strIndent": "Retirades",
|
||||
"PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Esquerra",
|
||||
|
@ -1408,7 +1490,7 @@
|
|||
"PE.Views.ParagraphSettingsAdvanced.strTabs": "Pestanya",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textAlign": "Alineació",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textAuto": "Múltiples",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Caràcter Espai",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Espaiat de caràcters",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textDefault": "Pestanya predeterminada",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textEffects": "Efectes",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textExact": "Exactament",
|
||||
|
@ -1424,16 +1506,16 @@
|
|||
"PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posició de Pestanya",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textTabRight": "Dreta",
|
||||
"PE.Views.ParagraphSettingsAdvanced.textTitle": "Paràgraf - Configuració Avançada",
|
||||
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
|
||||
"PE.Views.RightMenu.txtChartSettings": "Gràfic Configuració",
|
||||
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automàtic",
|
||||
"PE.Views.RightMenu.txtChartSettings": "Paràmetres del diagrama",
|
||||
"PE.Views.RightMenu.txtImageSettings": "Configuració Imatge",
|
||||
"PE.Views.RightMenu.txtParagraphSettings": "Configuració de text",
|
||||
"PE.Views.RightMenu.txtParagraphSettings": "Configuració de paràgraf",
|
||||
"PE.Views.RightMenu.txtShapeSettings": "Configuració de la Forma",
|
||||
"PE.Views.RightMenu.txtSignatureSettings": "Configuració de la Firma",
|
||||
"PE.Views.RightMenu.txtSlideSettings": "Configuració de la Diapositiva",
|
||||
"PE.Views.RightMenu.txtTableSettings": "Configuració de la taula",
|
||||
"PE.Views.RightMenu.txtTextArtSettings": "Configuració de l'Art de Text",
|
||||
"PE.Views.ShapeSettings.strBackground": "Color de Fons",
|
||||
"PE.Views.ShapeSettings.strBackground": "Color de fons",
|
||||
"PE.Views.ShapeSettings.strChange": "Canvia la forma automàtica",
|
||||
"PE.Views.ShapeSettings.strColor": "Color",
|
||||
"PE.Views.ShapeSettings.strFill": "Omplir",
|
||||
|
@ -1441,13 +1523,13 @@
|
|||
"PE.Views.ShapeSettings.strPattern": "Patró",
|
||||
"PE.Views.ShapeSettings.strShadow": "Mostra ombra",
|
||||
"PE.Views.ShapeSettings.strSize": "Mida",
|
||||
"PE.Views.ShapeSettings.strStroke": "Traça",
|
||||
"PE.Views.ShapeSettings.strStroke": "Línia",
|
||||
"PE.Views.ShapeSettings.strTransparency": "Opacitat",
|
||||
"PE.Views.ShapeSettings.strType": "Tipus",
|
||||
"PE.Views.ShapeSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
"PE.Views.ShapeSettings.textAngle": "Angle",
|
||||
"PE.Views.ShapeSettings.textBorderSizeErr": "El valor introduït és incorrecte.<br>Introduïu un valor entre 0 pt i 1584 pt.",
|
||||
"PE.Views.ShapeSettings.textColor": "Omplir de Color",
|
||||
"PE.Views.ShapeSettings.textColor": "Color de farciment",
|
||||
"PE.Views.ShapeSettings.textDirection": "Direcció",
|
||||
"PE.Views.ShapeSettings.textEmptyPattern": "Sense Patró",
|
||||
"PE.Views.ShapeSettings.textFlip": "Voltejar",
|
||||
|
@ -1496,7 +1578,7 @@
|
|||
"PE.Views.ShapeSettingsAdvanced.textAltTitle": "Títol",
|
||||
"PE.Views.ShapeSettingsAdvanced.textAngle": "Angle",
|
||||
"PE.Views.ShapeSettingsAdvanced.textArrows": "Fletxes",
|
||||
"PE.Views.ShapeSettingsAdvanced.textAutofit": "AutoFit",
|
||||
"PE.Views.ShapeSettingsAdvanced.textAutofit": "\nAjustar automàticament",
|
||||
"PE.Views.ShapeSettingsAdvanced.textBeginSize": "Mida Inicial",
|
||||
"PE.Views.ShapeSettingsAdvanced.textBeginStyle": "Estil d’Inici",
|
||||
"PE.Views.ShapeSettingsAdvanced.textBevel": "Bisell",
|
||||
|
@ -1539,9 +1621,10 @@
|
|||
"PE.Views.SignatureSettings.strValid": "Signatures vàlides",
|
||||
"PE.Views.SignatureSettings.txtContinueEditing": "Editar de totes maneres",
|
||||
"PE.Views.SignatureSettings.txtEditWarning": "L’edició eliminarà les signatures de la presentació.<br>Esteu segur que voleu continuar?",
|
||||
"PE.Views.SignatureSettings.txtRemoveWarning": "Voleu eliminar aquesta signatura?<br>Això no es podrà desfer.",
|
||||
"PE.Views.SignatureSettings.txtSigned": "S'han afegit signatures vàlides a la presentació. La presentació està protegida de l'edició.",
|
||||
"PE.Views.SignatureSettings.txtSignedInvalid": "Algunes de les signatures digitals presentades no són vàlides o no es van poder verificar. La presentació està protegida de l'edició.",
|
||||
"PE.Views.SlideSettings.strBackground": "Color de Fons",
|
||||
"PE.Views.SlideSettings.strBackground": "Color de fons",
|
||||
"PE.Views.SlideSettings.strColor": "Color",
|
||||
"PE.Views.SlideSettings.strDateTime": "Mostrar Data i Hora",
|
||||
"PE.Views.SlideSettings.strDelay": "Retard",
|
||||
|
@ -1552,6 +1635,7 @@
|
|||
"PE.Views.SlideSettings.strPattern": "Patró",
|
||||
"PE.Views.SlideSettings.strSlideNum": "Mostra el Número de Diapositiva",
|
||||
"PE.Views.SlideSettings.strStartOnClick": "Arrancar Amb Clic",
|
||||
"PE.Views.SlideSettings.strTransparency": "Opacitat",
|
||||
"PE.Views.SlideSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
"PE.Views.SlideSettings.textAngle": "Angle",
|
||||
"PE.Views.SlideSettings.textApplyAll": "Aplicar a Totes les Diapositives",
|
||||
|
@ -1560,8 +1644,8 @@
|
|||
"PE.Views.SlideSettings.textBottomLeft": "Inferior esquerra",
|
||||
"PE.Views.SlideSettings.textBottomRight": "Inferior dreta",
|
||||
"PE.Views.SlideSettings.textClock": "Rellotge",
|
||||
"PE.Views.SlideSettings.textClockwise": "En el sentit de les agulles del rellotge",
|
||||
"PE.Views.SlideSettings.textColor": "Omplir de Color",
|
||||
"PE.Views.SlideSettings.textClockwise": "En sentit horari",
|
||||
"PE.Views.SlideSettings.textColor": "Color de farciment",
|
||||
"PE.Views.SlideSettings.textCounterclockwise": "En sentit antihorari",
|
||||
"PE.Views.SlideSettings.textCover": "Cobrir",
|
||||
"PE.Views.SlideSettings.textDirection": "Direcció",
|
||||
|
@ -1632,14 +1716,15 @@
|
|||
"PE.Views.SlideSizeSettings.txt35": "35 mm Diapositives",
|
||||
"PE.Views.SlideSizeSettings.txtA3": "A3 Full (297x420 mm)",
|
||||
"PE.Views.SlideSizeSettings.txtA4": "A4 Full (210x297 mm)",
|
||||
"PE.Views.SlideSizeSettings.txtB4": "B4 Full (ICO) (250x353 mm)",
|
||||
"PE.Views.SlideSizeSettings.txtB5": "B5 Full (ICO) (176x250 mm)",
|
||||
"PE.Views.SlideSizeSettings.txtBanner": "Banner",
|
||||
"PE.Views.SlideSizeSettings.txtB4": "Paper B4 (ICO)(250x353 mm)",
|
||||
"PE.Views.SlideSizeSettings.txtB5": "Paper B5 (ICO)(176x250 mm)",
|
||||
"PE.Views.SlideSizeSettings.txtBanner": "Bàner",
|
||||
"PE.Views.SlideSizeSettings.txtCustom": "Personalitzat",
|
||||
"PE.Views.SlideSizeSettings.txtLedger": "Paper de Comptabilitat (11x17 en)",
|
||||
"PE.Views.SlideSizeSettings.txtLetter": "Paper de Carta (8.5x11 en)",
|
||||
"PE.Views.SlideSizeSettings.txtOverhead": "Transparència",
|
||||
"PE.Views.SlideSizeSettings.txtStandard": "Estàndard (4:3)",
|
||||
"PE.Views.SlideSizeSettings.txtWidescreen": "Pantalla ampla",
|
||||
"PE.Views.Statusbar.goToPageText": "Anar a Diapositiva",
|
||||
"PE.Views.Statusbar.pageIndexText": "Diapositiva {0} de {1}",
|
||||
"PE.Views.Statusbar.textShowBegin": "Mostrar presentació des de el principi",
|
||||
|
@ -1669,10 +1754,10 @@
|
|||
"PE.Views.TableSettings.splitCellsText": "Dividir Cel·la...",
|
||||
"PE.Views.TableSettings.splitCellTitleText": "Dividir Cel·la",
|
||||
"PE.Views.TableSettings.textAdvanced": "Mostra la configuració avançada",
|
||||
"PE.Views.TableSettings.textBackColor": "Color de Fons",
|
||||
"PE.Views.TableSettings.textBanded": "Bandat",
|
||||
"PE.Views.TableSettings.textBackColor": "Color de fons",
|
||||
"PE.Views.TableSettings.textBanded": "Bandejat",
|
||||
"PE.Views.TableSettings.textBorderColor": "Color",
|
||||
"PE.Views.TableSettings.textBorders": "Estil de la Vora",
|
||||
"PE.Views.TableSettings.textBorders": "Estil de Vores",
|
||||
"PE.Views.TableSettings.textCellSize": "Mida Cel·la",
|
||||
"PE.Views.TableSettings.textColumns": "Columnes",
|
||||
"PE.Views.TableSettings.textDistributeCols": "Distribuïu les columnes",
|
||||
|
@ -1720,18 +1805,18 @@
|
|||
"PE.Views.TableSettingsAdvanced.textTitle": "Taula - Configuració Avançada",
|
||||
"PE.Views.TableSettingsAdvanced.textTop": "Superior",
|
||||
"PE.Views.TableSettingsAdvanced.textWidthSpaces": "Marges",
|
||||
"PE.Views.TextArtSettings.strBackground": "Color de Fons",
|
||||
"PE.Views.TextArtSettings.strBackground": "Color de fons",
|
||||
"PE.Views.TextArtSettings.strColor": "Color",
|
||||
"PE.Views.TextArtSettings.strFill": "Omplir",
|
||||
"PE.Views.TextArtSettings.strForeground": "Color de Primer Pla",
|
||||
"PE.Views.TextArtSettings.strPattern": "Patró",
|
||||
"PE.Views.TextArtSettings.strSize": "Mida",
|
||||
"PE.Views.TextArtSettings.strStroke": "Traça",
|
||||
"PE.Views.TextArtSettings.strStroke": "Línia",
|
||||
"PE.Views.TextArtSettings.strTransparency": "Opacitat",
|
||||
"PE.Views.TextArtSettings.strType": "Tipus",
|
||||
"PE.Views.TextArtSettings.textAngle": "Angle",
|
||||
"PE.Views.TextArtSettings.textBorderSizeErr": "El valor introduït és incorrecte.<br>Introduïu un valor entre 0 pt i 1584 pt.",
|
||||
"PE.Views.TextArtSettings.textColor": "Omplir de Color",
|
||||
"PE.Views.TextArtSettings.textColor": "Color de farciment",
|
||||
"PE.Views.TextArtSettings.textDirection": "Direcció",
|
||||
"PE.Views.TextArtSettings.textEmptyPattern": "Sense Patró",
|
||||
"PE.Views.TextArtSettings.textFromFile": "Des d'un fitxer",
|
||||
|
@ -1784,13 +1869,19 @@
|
|||
"PE.Views.Toolbar.capTabFile": "Fitxer",
|
||||
"PE.Views.Toolbar.capTabHome": "Inici",
|
||||
"PE.Views.Toolbar.capTabInsert": "Insertar",
|
||||
"PE.Views.Toolbar.mniCapitalizeWords": "Posar en majúscules cada paraula",
|
||||
"PE.Views.Toolbar.mniCustomTable": "Inserir Taula Personalitzada",
|
||||
"PE.Views.Toolbar.mniImageFromFile": "Imatge d'un Fitxer",
|
||||
"PE.Views.Toolbar.mniImageFromStorage": "Imatge d'un Magatzem",
|
||||
"PE.Views.Toolbar.mniImageFromUrl": "Imatge d'un Enllaç",
|
||||
"PE.Views.Toolbar.mniLowerCase": "minúscules",
|
||||
"PE.Views.Toolbar.mniSentenceCase": "Cas de frase",
|
||||
"PE.Views.Toolbar.mniSlideAdvanced": "Configuració Avançada",
|
||||
"PE.Views.Toolbar.mniSlideStandard": "Estàndard (4:3)",
|
||||
"PE.Views.Toolbar.mniSlideWide": "Pantalla ampla (16:9)",
|
||||
"PE.Views.Toolbar.mniToggleCase": "iNVERTIR mAJÚSCULES",
|
||||
"PE.Views.Toolbar.mniUpperCase": "MAJÚSCULES",
|
||||
"PE.Views.Toolbar.strMenuNoFill": "Sense Farciment",
|
||||
"PE.Views.Toolbar.textAlignBottom": "Alinear text en la part superior",
|
||||
"PE.Views.Toolbar.textAlignCenter": "Centrar text",
|
||||
"PE.Views.Toolbar.textAlignJust": "Justificar",
|
||||
|
@ -1801,17 +1892,21 @@
|
|||
"PE.Views.Toolbar.textArrangeBack": "Enviar a un segon pla",
|
||||
"PE.Views.Toolbar.textArrangeBackward": "Envia Endarrere",
|
||||
"PE.Views.Toolbar.textArrangeForward": "Portar Endavant",
|
||||
"PE.Views.Toolbar.textArrangeFront": "Porta a Primer pla",
|
||||
"PE.Views.Toolbar.textArrangeFront": "Portar a Primer pla",
|
||||
"PE.Views.Toolbar.textBold": "Negreta",
|
||||
"PE.Views.Toolbar.textColumnsCustom": "Columnes Personalitzades",
|
||||
"PE.Views.Toolbar.textColumnsOne": "Una columna",
|
||||
"PE.Views.Toolbar.textColumnsThree": "Tres columnes",
|
||||
"PE.Views.Toolbar.textColumnsTwo": "Dues columnes",
|
||||
"PE.Views.Toolbar.textItalic": "Itàlica",
|
||||
"PE.Views.Toolbar.textListSettings": "Configuració de la Llista",
|
||||
"PE.Views.Toolbar.textNewColor": "Color Personalitzat",
|
||||
"PE.Views.Toolbar.textNewColor": "Afegir Nou Color Personalitzat",
|
||||
"PE.Views.Toolbar.textShapeAlignBottom": "Alineació Inferior",
|
||||
"PE.Views.Toolbar.textShapeAlignCenter": "Centrar",
|
||||
"PE.Views.Toolbar.textShapeAlignLeft": "Alinear Esquerra",
|
||||
"PE.Views.Toolbar.textShapeAlignLeft": "Alineació esquerra",
|
||||
"PE.Views.Toolbar.textShapeAlignMiddle": "Alinear al Mig",
|
||||
"PE.Views.Toolbar.textShapeAlignRight": "Alinear Dreta",
|
||||
"PE.Views.Toolbar.textShapeAlignTop": "Alinear Superior",
|
||||
"PE.Views.Toolbar.textShapeAlignRight": "Alineació dreta",
|
||||
"PE.Views.Toolbar.textShapeAlignTop": "Alineació superior",
|
||||
"PE.Views.Toolbar.textShowBegin": "Mostrar presentació des de el principi",
|
||||
"PE.Views.Toolbar.textShowCurrent": "Mostrar la Diapositiva Actual",
|
||||
"PE.Views.Toolbar.textShowPresenterView": "Veure Vista del Presentador",
|
||||
|
@ -1828,19 +1923,24 @@
|
|||
"PE.Views.Toolbar.textUnderline": "Subratllar",
|
||||
"PE.Views.Toolbar.tipAddSlide": "Afegir diapositiva",
|
||||
"PE.Views.Toolbar.tipBack": "Enrere",
|
||||
"PE.Views.Toolbar.tipChangeChart": "Canvia el tipus de gràfic",
|
||||
"PE.Views.Toolbar.tipChangeCase": "Canviar el cas",
|
||||
"PE.Views.Toolbar.tipChangeChart": "Canviar el tipus de gràfic",
|
||||
"PE.Views.Toolbar.tipChangeSlide": "Canviar disseny de diapositiva",
|
||||
"PE.Views.Toolbar.tipClearStyle": "Estil clar",
|
||||
"PE.Views.Toolbar.tipColorSchemas": "Canviar el esquema de color",
|
||||
"PE.Views.Toolbar.tipClearStyle": "Neteja l'estil",
|
||||
"PE.Views.Toolbar.tipColorSchemas": "Canviar l'esquema de color",
|
||||
"PE.Views.Toolbar.tipColumns": "Inserir columnes",
|
||||
"PE.Views.Toolbar.tipCopy": "Copiar",
|
||||
"PE.Views.Toolbar.tipCopyStyle": "Copiar estil",
|
||||
"PE.Views.Toolbar.tipDateTime": "Inseriu la data i l'hora actuals",
|
||||
"PE.Views.Toolbar.tipDecFont": "Reduir la mida de la lletra",
|
||||
"PE.Views.Toolbar.tipDecPrLeft": "Disminuir el sagnat",
|
||||
"PE.Views.Toolbar.tipEditHeader": "Editar el peu de pàgina",
|
||||
"PE.Views.Toolbar.tipFontColor": "Color de Font",
|
||||
"PE.Views.Toolbar.tipFontName": "Font",
|
||||
"PE.Views.Toolbar.tipFontSize": "Mida de Font",
|
||||
"PE.Views.Toolbar.tipHAligh": "Alineació Horitzontal",
|
||||
"PE.Views.Toolbar.tipHighlightColor": "Color de ressaltat",
|
||||
"PE.Views.Toolbar.tipIncFont": "Augmentar la mida de la lletra",
|
||||
"PE.Views.Toolbar.tipIncPrLeft": "Augmentar el sagnat",
|
||||
"PE.Views.Toolbar.tipInsertAudio": "Inseriu àudio",
|
||||
"PE.Views.Toolbar.tipInsertChart": "Inseriu Gràfic",
|
||||
|
|
|
@ -156,7 +156,7 @@
|
|||
"Common.Views.Header.textBack": "Dateispeicherort öffnen",
|
||||
"Common.Views.Header.textCompactView": "Symbolleiste ausblenden",
|
||||
"Common.Views.Header.textHideLines": "Lineale verbergen",
|
||||
"Common.Views.Header.textHideNotes": "Hinweise ausblenden",
|
||||
"Common.Views.Header.textHideNotes": "Notizen ausblenden",
|
||||
"Common.Views.Header.textHideStatusBar": "Statusleiste verbergen",
|
||||
"Common.Views.Header.textRemoveFavorite": "Aus Favoriten entfernen",
|
||||
"Common.Views.Header.textSaveBegin": "Speicherung...",
|
||||
|
@ -715,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "Ihr Webbrowser wird nicht unterstützt.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "Keine Bilder hochgeladen.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Bild wird hochgeladen...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen",
|
||||
"PE.Controllers.Main.waitText": "Bitte warten...",
|
||||
|
|
|
@ -715,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "Your browser is not supported.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Unknown image format.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Maximum image size limit exceeded.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Uploading image...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Uploading Image",
|
||||
"PE.Controllers.Main.waitText": "Please, wait...",
|
||||
|
|
|
@ -715,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "Su navegador no está soportado.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "No hay imágenes subidas.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Tamaño máximo de imagen está superado.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Subiendo imagen...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Subiendo imagen",
|
||||
"PE.Controllers.Main.waitText": "Por favor, espere...",
|
||||
|
|
|
@ -715,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "Il tuo browser non è supportato.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Formato immagine sconosciuto.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "Nessuna immagine caricata.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "È stata superata la dimensione massima dell'immagine.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Caricamento immagine in corso...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Caricamento dell'immagine",
|
||||
"PE.Controllers.Main.waitText": "Per favore, attendi...",
|
||||
|
@ -1088,7 +1088,7 @@
|
|||
"PE.Views.DocumentHolder.addCommentText": "Aggiungi commento",
|
||||
"PE.Views.DocumentHolder.addToLayoutText": "Aggiungi al layout",
|
||||
"PE.Views.DocumentHolder.advancedImageText": "Impostazioni avanzate dell'immagine",
|
||||
"PE.Views.DocumentHolder.advancedParagraphText": "Impostazioni avanzate testo",
|
||||
"PE.Views.DocumentHolder.advancedParagraphText": "Impostazioni avanzate del paragrafo",
|
||||
"PE.Views.DocumentHolder.advancedShapeText": "Impostazioni avanzate forma",
|
||||
"PE.Views.DocumentHolder.advancedTableText": "Impostazioni avanzate della tabella",
|
||||
"PE.Views.DocumentHolder.alignmentText": "Allineamento",
|
||||
|
@ -1334,7 +1334,7 @@
|
|||
"PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.",
|
||||
"PE.Views.FileMenuPanels.Settings.strFast": "Rapido",
|
||||
"PE.Views.FileMenuPanels.Settings.strFontRender": "Suggerimento per i caratteri",
|
||||
"PE.Views.FileMenuPanels.Settings.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)",
|
||||
"PE.Views.FileMenuPanels.Settings.strForcesave": "Aggiungere versione al salvataggio dopo aver fatto clic su Salva o CTRL+S",
|
||||
"PE.Views.FileMenuPanels.Settings.strInputMode": "Attiva geroglifici",
|
||||
"PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Impostazioni macro",
|
||||
"PE.Views.FileMenuPanels.Settings.strPaste": "Taglia, copia e incolla",
|
||||
|
@ -1353,7 +1353,7 @@
|
|||
"PE.Views.FileMenuPanels.Settings.textAutoRecover": "Recupero automatico",
|
||||
"PE.Views.FileMenuPanels.Settings.textAutoSave": "Salvataggio automatico",
|
||||
"PE.Views.FileMenuPanels.Settings.textDisabled": "Disattivato",
|
||||
"PE.Views.FileMenuPanels.Settings.textForceSave": "Salva sul server",
|
||||
"PE.Views.FileMenuPanels.Settings.textForceSave": "Salva versioni intermedie",
|
||||
"PE.Views.FileMenuPanels.Settings.textMinute": "Ogni minuto",
|
||||
"PE.Views.FileMenuPanels.Settings.txtAll": "Tutte",
|
||||
"PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opzioni di correzione automatica ...",
|
||||
|
@ -1509,7 +1509,7 @@
|
|||
"PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto",
|
||||
"PE.Views.RightMenu.txtChartSettings": "Impostazioni grafico",
|
||||
"PE.Views.RightMenu.txtImageSettings": "Impostazioni immagine",
|
||||
"PE.Views.RightMenu.txtParagraphSettings": "Impostazioni testo",
|
||||
"PE.Views.RightMenu.txtParagraphSettings": "Impostazioni paragrafo",
|
||||
"PE.Views.RightMenu.txtShapeSettings": "Impostazioni forma",
|
||||
"PE.Views.RightMenu.txtSignatureSettings": "Impostazioni della Firma",
|
||||
"PE.Views.RightMenu.txtSlideSettings": "Impostazioni diapositiva",
|
||||
|
|
|
@ -48,6 +48,8 @@
|
|||
"Common.define.chartData.textStock": "Voorraad",
|
||||
"Common.define.chartData.textSurface": "Oppervlak",
|
||||
"Common.Translation.warnFileLocked": "Het bestand wordt bewerkt in een andere app. U kunt doorgaan met bewerken en als kopie opslaan.",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Maak een kopie",
|
||||
"Common.Translation.warnFileLockedBtnView": "Open voor lezen",
|
||||
"Common.UI.ColorButton.textAutoColor": "Automatisch",
|
||||
"Common.UI.ColorButton.textNewColor": "Nieuwe aangepaste kleur toevoegen",
|
||||
"Common.UI.ComboBorderSize.txtNoBorders": "Geen randen",
|
||||
|
@ -73,6 +75,9 @@
|
|||
"Common.UI.SynchronizeTip.textSynchronize": "Het document is gewijzigd door een andere gebruiker.<br>Klik om uw wijzigingen op te slaan en de updates opnieuw te laden.",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Standaardkleuren",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Themakleuren",
|
||||
"Common.UI.Themes.txtThemeClassicLight": "Klassiek Licht",
|
||||
"Common.UI.Themes.txtThemeDark": "Donker",
|
||||
"Common.UI.Themes.txtThemeLight": "Licht",
|
||||
"Common.UI.Window.cancelButtonText": "Annuleren",
|
||||
"Common.UI.Window.closeButtonText": "Sluiten",
|
||||
"Common.UI.Window.noButtonText": "Nee",
|
||||
|
@ -94,10 +99,12 @@
|
|||
"Common.Views.About.txtVersion": "Versie",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "Toevoegen",
|
||||
"Common.Views.AutoCorrectDialog.textApplyText": "Toepassen terwijl u typt",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "Auto correctie",
|
||||
"Common.Views.AutoCorrectDialog.textAutoFormat": "AutoOpmaak terwijl u typt",
|
||||
"Common.Views.AutoCorrectDialog.textBulleted": "Automatische lijsten met opsommingstekens",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Door",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Verwijderen",
|
||||
"Common.Views.AutoCorrectDialog.textFLSentence": "Maak de eerste letter van de zin hoofdletter",
|
||||
"Common.Views.AutoCorrectDialog.textHyphens": "Koppeltekens (--) met streepje (—)",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Wiskundige autocorrectie",
|
||||
"Common.Views.AutoCorrectDialog.textNumbered": "Automatische genummerde lijsten",
|
||||
|
@ -149,6 +156,7 @@
|
|||
"Common.Views.Header.textBack": "Naar documenten",
|
||||
"Common.Views.Header.textCompactView": "Werkbalk Verbergen",
|
||||
"Common.Views.Header.textHideLines": "Linialen verbergen",
|
||||
"Common.Views.Header.textHideNotes": "Verberg notities",
|
||||
"Common.Views.Header.textHideStatusBar": "Statusbalk verbergen",
|
||||
"Common.Views.Header.textRemoveFavorite": "Verwijder uit favorieten",
|
||||
"Common.Views.Header.textSaveBegin": "Opslaan...",
|
||||
|
@ -234,6 +242,8 @@
|
|||
"Common.Views.ReviewChanges.tipCoAuthMode": "Zet samenwerkings modus",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "Alle opmerkingen verwijderen",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Verwijder huidige opmerking",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "Oplossen van opmerkingen",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Oplossen van huidige opmerkingen",
|
||||
"Common.Views.ReviewChanges.tipHistory": "Toon versie geschiedenis",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "Huidige wijziging afwijzen",
|
||||
"Common.Views.ReviewChanges.tipReview": "Wijzigingen bijhouden",
|
||||
|
@ -253,6 +263,11 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "Verwijder al mijn commentaar",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Verwijder mijn huidige opmerkingen",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "Verwijderen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolve": "Oplossen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "Alle opmerkingen oplossen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Oplossen van huidige opmerkingen",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "Los mijn opmerkingen op",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Mijn huidige opmerkingen oplossen",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "Taal",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Alle veranderingen geaccepteerd (Voorbeeld)",
|
||||
"Common.Views.ReviewChanges.txtFinalCap": "Einde",
|
||||
|
@ -339,9 +354,11 @@
|
|||
"Common.Views.UserNameDialog.textDontShow": "Vraag me niet nog een keer ",
|
||||
"Common.Views.UserNameDialog.textLabel": "Label:",
|
||||
"Common.Views.UserNameDialog.textLabelError": "Label mag niet leeg zijn",
|
||||
"PE.Controllers.LeftMenu.leavePageText": "Alle niet-opgeslagen wijzigingen in dit document gaan verloren. <br> Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet-opgeslagen wijzigingen te verwijderen.",
|
||||
"PE.Controllers.LeftMenu.newDocumentTitle": "Presentatie zonder naam",
|
||||
"PE.Controllers.LeftMenu.notcriticalErrorTitle": "Waarschuwing",
|
||||
"PE.Controllers.LeftMenu.requestEditRightsText": "Bewerkrechten worden aangevraagd...",
|
||||
"PE.Controllers.LeftMenu.textLoadHistory": "Versiehistorie wordt geladen...",
|
||||
"PE.Controllers.LeftMenu.textNoTextFound": "De gegevens waarnaar u zoekt, zijn niet gevonden. Pas uw zoekopties aan.",
|
||||
"PE.Controllers.LeftMenu.textReplaceSkipped": "De vervanging is uitgevoerd. {0} gevallen zijn overgeslagen.",
|
||||
"PE.Controllers.LeftMenu.textReplaceSuccess": "De zoekactie is uitgevoerd. Vervangen items: {0}",
|
||||
|
@ -386,6 +403,7 @@
|
|||
"PE.Controllers.Main.errorUsersExceed": "Het onder het prijsplan toegestane aantal gebruikers is overschreden",
|
||||
"PE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,<br>maar u kunt het pas downloaden of afdrukken als de verbinding is hersteld.",
|
||||
"PE.Controllers.Main.leavePageText": "Er zijn niet-opgeslagen wijzigingen in deze presentatie. Klik op \"Op deze pagina blijven\" en dan op \"Opslaan\" om de wijzigingen op te slaan. Klik op \"Pagina verlaten\" om de niet-opgeslagen wijzigingen te negeren.",
|
||||
"PE.Controllers.Main.leavePageTextOnClose": "Alle niet-opgeslagen wijzigingen in deze presentatie gaan verloren. <br> Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet-opgeslagen wijzigingen te verwijderen.",
|
||||
"PE.Controllers.Main.loadFontsTextText": "Gegevens worden geladen...",
|
||||
"PE.Controllers.Main.loadFontsTitleText": "Gegevens worden geladen",
|
||||
"PE.Controllers.Main.loadFontTextText": "Gegevens worden geladen...",
|
||||
|
@ -436,6 +454,7 @@
|
|||
"PE.Controllers.Main.textShape": "Vorm",
|
||||
"PE.Controllers.Main.textStrict": "Strikte modus",
|
||||
"PE.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.",
|
||||
"PE.Controllers.Main.textTryUndoRedoWarn": "De functies Ongedaan maken/Annuleren zijn uitgeschakeld in de modus Snel meewerken.",
|
||||
"PE.Controllers.Main.titleLicenseExp": "Licentie vervallen",
|
||||
"PE.Controllers.Main.titleServerVersion": "Editor bijgewerkt",
|
||||
"PE.Controllers.Main.txtAddFirstSlide": "Klik om de eerste slide te maken",
|
||||
|
@ -450,6 +469,7 @@
|
|||
"PE.Controllers.Main.txtDiagram": "SmartArt",
|
||||
"PE.Controllers.Main.txtDiagramTitle": "Grafiektitel",
|
||||
"PE.Controllers.Main.txtEditingMode": "Bewerkmodus instellen...",
|
||||
"PE.Controllers.Main.txtErrorLoadHistory": "Geschiedenis laden mislukt",
|
||||
"PE.Controllers.Main.txtFiguredArrows": "Pijlvormen",
|
||||
"PE.Controllers.Main.txtFooter": "Voettekst",
|
||||
"PE.Controllers.Main.txtHeader": "Koptekst",
|
||||
|
@ -459,6 +479,7 @@
|
|||
"PE.Controllers.Main.txtMath": "Wiskunde",
|
||||
"PE.Controllers.Main.txtMedia": "Media",
|
||||
"PE.Controllers.Main.txtNeedSynchronize": "U hebt updates",
|
||||
"PE.Controllers.Main.txtNone": "Geen",
|
||||
"PE.Controllers.Main.txtPicture": "Afbeelding",
|
||||
"PE.Controllers.Main.txtRectangles": "Rechthoeken",
|
||||
"PE.Controllers.Main.txtSeries": "Serie",
|
||||
|
@ -1258,6 +1279,7 @@
|
|||
"PE.Views.FileMenu.btnCreateNewCaption": "Nieuw maken",
|
||||
"PE.Views.FileMenu.btnDownloadCaption": "Downloaden als...",
|
||||
"PE.Views.FileMenu.btnHelpCaption": "Help...",
|
||||
"PE.Views.FileMenu.btnHistoryCaption": "Versie geschiedenis",
|
||||
"PE.Views.FileMenu.btnInfoCaption": "Info over presentatie...",
|
||||
"PE.Views.FileMenu.btnPrintCaption": "Afdrukken",
|
||||
"PE.Views.FileMenu.btnProtectCaption": "Beveilig",
|
||||
|
@ -1385,6 +1407,7 @@
|
|||
"PE.Views.HyperlinkSettingsDialog.txtNext": "Volgende dia",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtNotUrl": "Dit veld moet een URL in de notatie \"http://www.voorbeeld.com\" bevatten",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtPrev": "Vorige dia",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Dit veld is beperkt tot 2083 tekens",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtSlide": "Dia",
|
||||
"PE.Views.ImageSettings.textAdvanced": "Geavanceerde instellingen tonen",
|
||||
"PE.Views.ImageSettings.textCrop": "Uitsnijden",
|
||||
|
@ -1900,7 +1923,7 @@
|
|||
"PE.Views.Toolbar.textUnderline": "Onderstrepen",
|
||||
"PE.Views.Toolbar.tipAddSlide": "Dia toevoegen",
|
||||
"PE.Views.Toolbar.tipBack": "Terug",
|
||||
"PE.Views.Toolbar.tipChangeCase": "Verander lettertype",
|
||||
"PE.Views.Toolbar.tipChangeCase": "Verander geval",
|
||||
"PE.Views.Toolbar.tipChangeChart": "Grafiektype wijzigen",
|
||||
"PE.Views.Toolbar.tipChangeSlide": "Dia-indeling wijzigen",
|
||||
"PE.Views.Toolbar.tipClearStyle": "Stijl wissen",
|
||||
|
|
|
@ -715,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Limite máximo do tamanho da imagem excedido.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Carregando imagem...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
|
||||
"PE.Controllers.Main.waitText": "Aguarde...",
|
||||
|
|
|
@ -715,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "Browserul nu este compatibil.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Format de imagine nerecunoscut.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "Nicio imagine nu a fost încărcată.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Dimensiunea imaginii depășește limita maximă.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Încărcarea imaginii...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Încărcare imagine",
|
||||
"PE.Controllers.Main.waitText": "Vă rugăm să așteptați...",
|
||||
|
|
|
@ -172,7 +172,7 @@
|
|||
"Common.Views.Header.tipSave": "Сохранить",
|
||||
"Common.Views.Header.tipUndo": "Отменить",
|
||||
"Common.Views.Header.tipUndock": "Открепить в отдельном окне",
|
||||
"Common.Views.Header.tipViewSettings": "Параметры представления",
|
||||
"Common.Views.Header.tipViewSettings": "Параметры вида",
|
||||
"Common.Views.Header.tipViewUsers": "Просмотр пользователей и управление правами доступа к документу",
|
||||
"Common.Views.Header.txtAccessRights": "Изменить права доступа",
|
||||
"Common.Views.Header.txtRename": "Переименовать",
|
||||
|
@ -715,7 +715,7 @@
|
|||
"PE.Controllers.Main.unsupportedBrowserErrorText": "Ваш браузер не поддерживается.",
|
||||
"PE.Controllers.Main.uploadImageExtMessage": "Неизвестный формат изображения.",
|
||||
"PE.Controllers.Main.uploadImageFileCountMessage": "Ни одного изображения не загружено.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Превышен максимальный размер изображения.",
|
||||
"PE.Controllers.Main.uploadImageSizeMessage": "Слишком большое изображение. Максимальный размер - 25 MB.",
|
||||
"PE.Controllers.Main.uploadImageTextText": "Загрузка изображения...",
|
||||
"PE.Controllers.Main.uploadImageTitleText": "Загрузка изображения",
|
||||
"PE.Controllers.Main.waitText": "Пожалуйста, подождите...",
|
||||
|
@ -1969,7 +1969,7 @@
|
|||
"PE.Views.Toolbar.tipSlideTheme": "Тема слайда",
|
||||
"PE.Views.Toolbar.tipUndo": "Отменить",
|
||||
"PE.Views.Toolbar.tipVAligh": "Вертикальное выравнивание",
|
||||
"PE.Views.Toolbar.tipViewSettings": "Параметры представления",
|
||||
"PE.Views.Toolbar.tipViewSettings": "Параметры вида",
|
||||
"PE.Views.Toolbar.txtDistribHor": "Распределить по горизонтали",
|
||||
"PE.Views.Toolbar.txtDistribVert": "Распределить по вертикали",
|
||||
"PE.Views.Toolbar.txtGroup": "Сгруппировать",
|
||||
|
@ -1988,6 +1988,7 @@
|
|||
"PE.Views.Toolbar.txtScheme2": "Оттенки серого",
|
||||
"PE.Views.Toolbar.txtScheme20": "Городская",
|
||||
"PE.Views.Toolbar.txtScheme21": "Яркая",
|
||||
"PE.Views.Toolbar.txtScheme22": "Новая офисная",
|
||||
"PE.Views.Toolbar.txtScheme3": "Апекс",
|
||||
"PE.Views.Toolbar.txtScheme4": "Аспект",
|
||||
"PE.Views.Toolbar.txtScheme5": "Официальная",
|
||||
|
|
|
@ -12,9 +12,11 @@
|
|||
"Common.define.chartData.textLine": "线",
|
||||
"Common.define.chartData.textPie": "派",
|
||||
"Common.define.chartData.textPoint": "XY(散射)",
|
||||
"Common.define.chartData.textScatter": "分散",
|
||||
"Common.define.chartData.textStock": "股票",
|
||||
"Common.define.chartData.textSurface": "平面",
|
||||
"Common.Translation.warnFileLocked": "另一个应用正在编辑本文件。你仍然可以继续编辑此文件,你可以将你的编辑保存成另一个拷贝。",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "创建拷贝",
|
||||
"Common.UI.ColorButton.textNewColor": "添加新的自定义颜色",
|
||||
"Common.UI.ComboBorderSize.txtNoBorders": "没有边框",
|
||||
"Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边框",
|
||||
|
@ -39,6 +41,7 @@
|
|||
"Common.UI.SynchronizeTip.textSynchronize": "该文档已被其他用户更改。<br>请点击保存更改并重新加载更新。",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "标准颜色",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "主题颜色",
|
||||
"Common.UI.Themes.txtThemeDark": "暗色模式",
|
||||
"Common.UI.Window.cancelButtonText": "取消",
|
||||
"Common.UI.Window.closeButtonText": "关闭",
|
||||
"Common.UI.Window.noButtonText": "否",
|
||||
|
@ -64,6 +67,8 @@
|
|||
"Common.Views.AutoCorrectDialog.textBy": "依据",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "删除",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "数学自动修正",
|
||||
"Common.Views.AutoCorrectDialog.textRecognized": "能被识别的函数",
|
||||
"Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下表达式被识别为数学公式。这些表达式不会被自动设为斜体。",
|
||||
"Common.Views.AutoCorrectDialog.textReplace": "替换",
|
||||
"Common.Views.AutoCorrectDialog.textReplaceText": "输入时自动替换",
|
||||
"Common.Views.AutoCorrectDialog.textReplaceType": "输入时自动替换文字",
|
||||
|
@ -71,6 +76,7 @@
|
|||
"Common.Views.AutoCorrectDialog.textResetAll": "重置为默认",
|
||||
"Common.Views.AutoCorrectDialog.textRestore": "恢复",
|
||||
"Common.Views.AutoCorrectDialog.textTitle": "自动修正",
|
||||
"Common.Views.AutoCorrectDialog.textWarnAddRec": "能被识别的函数要求必须只包含 A 到 Z 的大写、小写字母。",
|
||||
"Common.Views.AutoCorrectDialog.textWarnResetRec": "由您新增的表达式将被移除,由您移除的将被恢复。是否继续?",
|
||||
"Common.Views.AutoCorrectDialog.warnReplace": "关于%1的自动更正条目已存在。确认替换?",
|
||||
"Common.Views.AutoCorrectDialog.warnReset": "即将移除对自动更正功能所做的自定义设置,并恢复默认值。是否继续?",
|
||||
|
@ -103,11 +109,13 @@
|
|||
"Common.Views.ExternalDiagramEditor.textSave": "保存并退出",
|
||||
"Common.Views.ExternalDiagramEditor.textTitle": "图表编辑器",
|
||||
"Common.Views.Header.labelCoUsersDescr": "文件正在被多个用户编辑。",
|
||||
"Common.Views.Header.textAddFavorite": "记入收藏夹",
|
||||
"Common.Views.Header.textAdvSettings": "高级设置",
|
||||
"Common.Views.Header.textBack": "打开文件所在位置",
|
||||
"Common.Views.Header.textCompactView": "查看紧凑工具栏",
|
||||
"Common.Views.Header.textHideLines": "隐藏标尺",
|
||||
"Common.Views.Header.textHideStatusBar": "隐藏状态栏",
|
||||
"Common.Views.Header.textRemoveFavorite": "从收藏夹中删除",
|
||||
"Common.Views.Header.textSaveBegin": "正在保存...",
|
||||
"Common.Views.Header.textSaveChanged": "已修改",
|
||||
"Common.Views.Header.textSaveEnd": "所有更改已保存",
|
||||
|
@ -191,6 +199,8 @@
|
|||
"Common.Views.ReviewChanges.tipCoAuthMode": "设置共同编辑模式",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "移除批注",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "移除当前批注",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "解决评论",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "解决该评论",
|
||||
"Common.Views.ReviewChanges.tipHistory": "显示历史版本",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "拒绝当前的变化",
|
||||
"Common.Views.ReviewChanges.tipReview": "跟踪变化",
|
||||
|
@ -210,6 +220,10 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "移除我的批注",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "移除我的当前批注",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "删除",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "解决全体评论",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "解决该评论",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "解决我的评论",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "解决我当前的评论",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "语言",
|
||||
"Common.Views.ReviewChanges.txtFinal": "已接受所有更改(预览)",
|
||||
"Common.Views.ReviewChanges.txtFinalCap": "最终版",
|
||||
|
@ -293,9 +307,11 @@
|
|||
"Common.Views.SymbolTableDialog.textSymbols": "符号",
|
||||
"Common.Views.SymbolTableDialog.textTitle": "符号",
|
||||
"Common.Views.SymbolTableDialog.textTradeMark": "商标标识",
|
||||
"Common.Views.UserNameDialog.textDontShow": "不要再问我",
|
||||
"PE.Controllers.LeftMenu.newDocumentTitle": "未命名的演示",
|
||||
"PE.Controllers.LeftMenu.notcriticalErrorTitle": "警告",
|
||||
"PE.Controllers.LeftMenu.requestEditRightsText": "请求编辑权限..",
|
||||
"PE.Controllers.LeftMenu.textLoadHistory": "载入版本历史记录...",
|
||||
"PE.Controllers.LeftMenu.textNoTextFound": "您搜索的数据无法找到。请调整您的搜索选项。",
|
||||
"PE.Controllers.LeftMenu.textReplaceSkipped": "已经更换了。{0}次跳过。",
|
||||
"PE.Controllers.LeftMenu.textReplaceSuccess": "他的搜索已经完成。发生次数:{0}",
|
||||
|
@ -311,6 +327,7 @@
|
|||
"PE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。<br>请联系您的文档服务器管理员.",
|
||||
"PE.Controllers.Main.errorBadImageUrl": "图片地址不正确",
|
||||
"PE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑",
|
||||
"PE.Controllers.Main.errorComboSeries": "要创建联立图表,请选中至少两组数据。",
|
||||
"PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。<br>当你点击“OK”按钮,系统将提示您下载文档。",
|
||||
"PE.Controllers.Main.errorDatabaseConnection": "外部错误。<br>数据库连接错误。如果错误仍然存在,请联系支持人员。",
|
||||
"PE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。",
|
||||
|
@ -329,6 +346,7 @@
|
|||
"PE.Controllers.Main.errorSessionAbsolute": "文档编辑会话已过期。请重新加载页面。",
|
||||
"PE.Controllers.Main.errorSessionIdle": "该文件尚未编辑相当长的时间。请重新加载页面。",
|
||||
"PE.Controllers.Main.errorSessionToken": "与服务器的连接已中断。请重新加载页面。",
|
||||
"PE.Controllers.Main.errorSetPassword": "未能成功设置密码",
|
||||
"PE.Controllers.Main.errorStockChart": "行顺序不正确。建立股票图表将数据按照以下顺序放置在表格上:<br>开盘价,最高价格,最低价格,收盘价。",
|
||||
"PE.Controllers.Main.errorToken": "文档安全令牌未正确形成。<br>请与您的文件服务器管理员联系。",
|
||||
"PE.Controllers.Main.errorTokenExpire": "文档安全令牌已过期。<br>请与您的文档服务器管理员联系。",
|
||||
|
@ -378,12 +396,16 @@
|
|||
"PE.Controllers.Main.textCustomLoader": "请注意,根据许可条款您无权更改加载程序。<br>请联系我们的销售部门获取报价。",
|
||||
"PE.Controllers.Main.textHasMacros": "这个文件带有自动宏。<br> 是否要运行宏?",
|
||||
"PE.Controllers.Main.textLoadingDocument": "载入演示",
|
||||
"PE.Controllers.Main.textLongName": "输入名称,要求小于128字符。",
|
||||
"PE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE开源版本",
|
||||
"PE.Controllers.Main.textPaidFeature": "付费功能",
|
||||
"PE.Controllers.Main.textRemember": "记住我的选择",
|
||||
"PE.Controllers.Main.textRenameError": "用户名不能留空。",
|
||||
"PE.Controllers.Main.textRenameLabel": "输入名称,可用于协作。",
|
||||
"PE.Controllers.Main.textShape": "形状",
|
||||
"PE.Controllers.Main.textStrict": "严格模式",
|
||||
"PE.Controllers.Main.textTryUndoRedo": "对于快速的协同编辑模式,取消/重做功能是禁用的。< br >单击“严格模式”按钮切换到严格co-editing模式编辑该文件没有其他用户干扰和发送您的更改只后你拯救他们。您可以使用编辑器高级设置在编辑模式之间切换。",
|
||||
"PE.Controllers.Main.textTryUndoRedoWarn": "快速共同编辑模式下,撤销/重做功能被禁用。",
|
||||
"PE.Controllers.Main.titleLicenseExp": "许可证过期",
|
||||
"PE.Controllers.Main.titleServerVersion": "编辑器已更新",
|
||||
"PE.Controllers.Main.txtAddFirstSlide": "单击添加第一张幻灯片",
|
||||
|
@ -1332,6 +1354,7 @@
|
|||
"PE.Views.HyperlinkSettingsDialog.txtNext": "下一张幻灯片",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtNotUrl": "该字段应该是“http://www.example.com”格式的URL",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtPrev": "上一张幻灯片",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "该域字符限制为2803个。",
|
||||
"PE.Views.HyperlinkSettingsDialog.txtSlide": "滑动",
|
||||
"PE.Views.ImageSettings.textAdvanced": "显示高级设置",
|
||||
"PE.Views.ImageSettings.textCrop": "裁剪",
|
||||
|
@ -1383,6 +1406,7 @@
|
|||
"PE.Views.LeftMenu.txtDeveloper": "开发者模式",
|
||||
"PE.Views.LeftMenu.txtLimit": "限制访问",
|
||||
"PE.Views.LeftMenu.txtTrial": "试用模式",
|
||||
"PE.Views.LeftMenu.txtTrialDev": "试用开发者模式",
|
||||
"PE.Views.ParagraphSettings.strLineHeight": "行间距",
|
||||
"PE.Views.ParagraphSettings.strParagraphSpacing": "段落间距",
|
||||
"PE.Views.ParagraphSettings.strSpacingAfter": "后",
|
||||
|
@ -1544,6 +1568,7 @@
|
|||
"PE.Views.SignatureSettings.strValid": "有效签名",
|
||||
"PE.Views.SignatureSettings.txtContinueEditing": "继续编辑",
|
||||
"PE.Views.SignatureSettings.txtEditWarning": "编辑将删除演示文稿中的签名。<br>您确定要继续吗?",
|
||||
"PE.Views.SignatureSettings.txtRemoveWarning": "要删除该签名吗?<br>这一操作不能被撤销。",
|
||||
"PE.Views.SignatureSettings.txtSigned": "有效签名已添加到演示文稿中。该演示文稿已限制编辑。",
|
||||
"PE.Views.SignatureSettings.txtSignedInvalid": "演示文稿中的某些数字签名无效或无法验证。该演示文稿已限制编辑。",
|
||||
"PE.Views.SlideSettings.strBackground": "背景颜色",
|
||||
|
@ -1793,6 +1818,7 @@
|
|||
"PE.Views.Toolbar.mniImageFromFile": "图片文件",
|
||||
"PE.Views.Toolbar.mniImageFromStorage": "图片来自存储",
|
||||
"PE.Views.Toolbar.mniImageFromUrl": "图片来自网络",
|
||||
"PE.Views.Toolbar.mniSentenceCase": "句子大小写。",
|
||||
"PE.Views.Toolbar.mniSlideAdvanced": "高级设置",
|
||||
"PE.Views.Toolbar.mniSlideStandard": "标准(4:3)",
|
||||
"PE.Views.Toolbar.mniSlideWide": "宽屏(16:9)",
|
||||
|
@ -1833,6 +1859,7 @@
|
|||
"PE.Views.Toolbar.textUnderline": "下划线",
|
||||
"PE.Views.Toolbar.tipAddSlide": "添加幻灯片",
|
||||
"PE.Views.Toolbar.tipBack": "返回",
|
||||
"PE.Views.Toolbar.tipChangeCase": "修改大小写",
|
||||
"PE.Views.Toolbar.tipChangeChart": "更改图表类型",
|
||||
"PE.Views.Toolbar.tipChangeSlide": "更改幻灯片布局",
|
||||
"PE.Views.Toolbar.tipClearStyle": "清除样式",
|
||||
|
|
File diff suppressed because it is too large
Load diff
|
@ -1,3 +1,437 @@
|
|||
{
|
||||
|
||||
"About": {
|
||||
"textAbout": "Information",
|
||||
"textAddress": "Adresse",
|
||||
"textBack": "Zurück",
|
||||
"textEmail": "E-Mail",
|
||||
"textPoweredBy": "Unterstützt von",
|
||||
"textTel": "Tel.",
|
||||
"textVersion": "Version"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "Warnung",
|
||||
"textAddComment": "Kommentar hinzufügen",
|
||||
"textAddReply": "Antwort hinzufügen",
|
||||
"textBack": "Zurück",
|
||||
"textCancel": "Abbrechen",
|
||||
"textCollaboration": "Zusammenarbeit",
|
||||
"textComments": "Kommentare",
|
||||
"textDeleteComment": "Kommentar löschen",
|
||||
"textDeleteReply": "Antwort löschen",
|
||||
"textDone": "Fertig",
|
||||
"textEdit": "Bearbeiten",
|
||||
"textEditComment": "Kommentar bearbeiten",
|
||||
"textEditReply": "Antwort bearbeiten",
|
||||
"textEditUser": "Das Dokument wird gerade von mehreren Benutzern bearbeitet:",
|
||||
"textMessageDeleteComment": "Möchten Sie diesen Kommentar wirklich löschen?",
|
||||
"textMessageDeleteReply": "Möchten Sie diese Antwort wirklich löschen?",
|
||||
"textNoComments": "Dieses Dokument enthält keine Kommentare",
|
||||
"textReopen": "Wiederöffnen",
|
||||
"textResolve": "Lösen",
|
||||
"textTryUndoRedo": "Die Optionen Rückgängig machen/Wiederholen sind für den Schnellmodus deaktiviert.",
|
||||
"textUsers": "Benutzer"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "Benutzerdefinierte Farben",
|
||||
"textStandartColors": "Standardfarben",
|
||||
"textThemeColors": "Farben des Themas"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"errorCopyCutPaste": "Kopieren, Ausschneiden und Einfügen über das Kontextmenü werden nur in der aktuellen Datei ausgeführt.",
|
||||
"menuAddComment": "Kommentar hinzufügen",
|
||||
"menuAddLink": "Link hinzufügen",
|
||||
"menuCancel": "Abbrechen",
|
||||
"menuDelete": "Löschen",
|
||||
"menuDeleteTable": "Tabelle löschen",
|
||||
"menuEdit": "Bearbeiten",
|
||||
"menuMerge": "Verbinden",
|
||||
"menuMore": "Mehr",
|
||||
"menuOpenLink": "Link öffnen",
|
||||
"menuSplit": "Aufteilen",
|
||||
"menuViewComment": "Kommentar anzeigen",
|
||||
"textColumns": "Spalten",
|
||||
"textCopyCutPasteActions": "Kopieren, Ausschneiden und Einfügen",
|
||||
"textDoNotShowAgain": "Nicht mehr anzeigen",
|
||||
"textRows": "Zeilen"
|
||||
},
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"advDRMOptions": "Geschützte Datei",
|
||||
"advDRMPassword": "Passwort",
|
||||
"closeButtonText": "Datei schließen",
|
||||
"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.",
|
||||
"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.",
|
||||
"leavePageText": "Sie haben nicht gespeicherte Änderungen. Klicken Sie auf \"Auf dieser Seite bleiben\" und warten Sie, bis die Datei automatisch gespeichert wird. Klicken Sie auf \"Seite verlassen\", um nicht gespeicherte Änderungen zu verwerfen.",
|
||||
"notcriticalErrorTitle": "Warnung",
|
||||
"SDK": {
|
||||
"Chart": "Diagramm",
|
||||
"ClipArt": "ClipArt",
|
||||
"Date and time": "Datum und Uhrzeit",
|
||||
"Diagram": "Schema",
|
||||
"Diagram Title": "Diagrammtitel",
|
||||
"Footer": "Fußzeile",
|
||||
"Header": "Kopfzeile",
|
||||
"Image": "Bild",
|
||||
"Media": "Multimedia",
|
||||
"Picture": "Bild",
|
||||
"Series": "Reihen",
|
||||
"Slide number": "Foliennummer",
|
||||
"Slide subtitle": "Folienuntertitel",
|
||||
"Slide text": "Folientext",
|
||||
"Slide title": "Folientitel",
|
||||
"Table": "Tabelle",
|
||||
"X Axis": "Achse X (XAS)",
|
||||
"Y Axis": "Achse Y",
|
||||
"Your text here": "Text hier eingeben"
|
||||
},
|
||||
"textAnonymous": "Anonym",
|
||||
"textBuyNow": "Webseite besuchen",
|
||||
"textClose": "Schließen",
|
||||
"textContactUs": "Verkaufsteam kontaktieren",
|
||||
"textCustomLoader": "Sie können den Verlader nicht ändern. Sie können die Anfrage an unser Verkaufsteam senden.",
|
||||
"textGuest": "Gast",
|
||||
"textHasMacros": "Die Datei beinhaltet automatische Makros.<br>Möchten Sie Makros ausführen?",
|
||||
"textNo": "Nein",
|
||||
"textNoLicenseTitle": "Lizenzlimit erreicht",
|
||||
"textOpenFile": "Kennwort zum Öffnen der Datei eingeben",
|
||||
"textPaidFeature": "Kostenpflichtige Funktion",
|
||||
"textRemember": "Auswahl speichern",
|
||||
"textYes": "Ja",
|
||||
"titleLicenseExp": "Lizenz ist abgelaufen",
|
||||
"titleServerVersion": "Editor wurde aktualisiert",
|
||||
"titleUpdateVersion": "Version wurde geändert",
|
||||
"txtIncorrectPwd": "Passwort ist falsch",
|
||||
"txtProtected": "Sobald Sie das Passwort eingegeben und die Datei geöffnet haben, wird das aktuelle Passwort für die Datei zurückgesetzt",
|
||||
"warnLicenseExceeded": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Wenden Sie sich an Administratoren für weitere Informationen.",
|
||||
"warnLicenseExp": "Ihre Lizenz ist abgelaufen. Bitte erneuern Sie die Lizenz und laden Sie die Seite neu.",
|
||||
"warnLicenseLimitedNoAccess": "Lizenz abgelaufen. Keine Bearbeitung möglich. Bitte wenden Sie sich an Administratoren.",
|
||||
"warnLicenseLimitedRenewed": "Die Lizenz soll erneuert werden. Die Bearbeitungsfunktionen wurden eingeschränkt.<br>Bitte wenden Sie sich an Administratoren für den vollen Zugriff",
|
||||
"warnLicenseUsersExceeded": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.",
|
||||
"warnNoLicense": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.",
|
||||
"warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.",
|
||||
"warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten."
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.",
|
||||
"criticalErrorExtText": "Klicken Sie auf OK, um zur Liste von Dokumenten zurückzukehren.",
|
||||
"criticalErrorTitle": "Fehler",
|
||||
"downloadErrorText": "Herunterladen ist fehlgeschlagen.",
|
||||
"errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.<br>Bitte wenden Sie sich an Administratoren.",
|
||||
"errorBadImageUrl": "URL des Bildes ist falsch",
|
||||
"errorConnectToServer": "Das Dokument kann nicht gespeichert werden. Überprüfen Sie Ihre Verbindungseinstellungen oder wenden Sie sich an den Administrator.<br>Beim Klicken auf OK können Sie das Dokument herunterladen.",
|
||||
"errorDatabaseConnection": "Externer Fehler.<br>Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.",
|
||||
"errorDataEncrypted": "Verschlüsselte Änderungen wurden empfangen. Sie können nicht entschlüsselt werden.",
|
||||
"errorDataRange": "Falscher Datenbereich.",
|
||||
"errorDefaultMessage": "Fehlercode: %1",
|
||||
"errorEditingDownloadas": "Fehler bei der Arbeit an diesem Dokument.<br>Laden Sie die Datei herunter, um sie lokal zu speichern.",
|
||||
"errorFilePassProtect": "Die Datei ist mit Passwort geschützt und kann nicht geöffnet werden.",
|
||||
"errorFileSizeExceed": "Die Dateigröße ist zu hoch für Ihren Server.<br>Bitte wenden Sie sich an Administratoren.",
|
||||
"errorKeyEncrypt": "Unbekannter Schlüsseldeskriptor",
|
||||
"errorKeyExpire": "Der Schlüsseldeskriptor ist abgelaufen",
|
||||
"errorSessionAbsolute": "Die Bearbeitungssitzung ist abgelaufen. Bitte die Seite neu laden.",
|
||||
"errorSessionIdle": "Das Dokument wurde schon für lange Zeit nicht bearbeitet. Bitte die Seite neu laden.",
|
||||
"errorSessionToken": "Die Verbindung mit dem Server wurde unterbrochen. Bitte die Seite neu laden.",
|
||||
"errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, setzen Sie die Daten im Arbeitsblatt in dieser Reihenfolge:<br> Eröffnungskurs, Maximaler Preis, Minimaler Preis, Schlusskurs.",
|
||||
"errorUpdateVersionOnDisconnect": "Die Internetverbindung wurde wiederhergestellt und die Dateiversion wurde geändert.<br>Bevor Sie weiterarbeiten können, müssen Sie die Datei herunterladen oder den Inhalt kopieren, um sicherzustellen, dass nichts verloren geht, und diese Seite anschließend neu laden.",
|
||||
"errorUserDrop": "Kein Zugriff auf diese Datei möglich.",
|
||||
"errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Benutzeranzahl ist überschritten",
|
||||
"errorViewerDisconnect": "Die Verbindung wurde abgebrochen. Das Dokument wird angezeigt,<br>das Herunterladen wird aber nur verfügbar, wenn die Verbindung wiederhergestellt ist.",
|
||||
"notcriticalErrorTitle": "Warnung",
|
||||
"openErrorText": "Beim Öffnen dieser Datei ist ein Fehler aufgetreten",
|
||||
"saveErrorText": "Beim Speichern dieser Datei ist ein Fehler aufgetreten",
|
||||
"scriptLoadError": "Die Verbindung ist zu langsam, manche Elemente wurden nicht geladen. Bitte die Seite neu laden.",
|
||||
"splitDividerErrorText": "Die Anzahl der Zeilen muss einen Divisor von %1 sein. ",
|
||||
"splitMaxColsErrorText": "Spaltenanzahl muss weniger als %1 sein",
|
||||
"splitMaxRowsErrorText": "Die Anzahl der Zeilen muss weniger als %1 sein",
|
||||
"unknownErrorText": "Unbekannter Fehler.",
|
||||
"uploadImageExtMessage": "Unbekanntes Bildformat.",
|
||||
"uploadImageFileCountMessage": "Keine Bilder hochgeladen.",
|
||||
"uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Daten werden geladen...",
|
||||
"applyChangesTitleText": "Daten werden geladen",
|
||||
"downloadTextText": "Dokument wird heruntergeladen...",
|
||||
"downloadTitleText": "Herunterladen des Dokuments",
|
||||
"loadFontsTextText": "Daten werden geladen...",
|
||||
"loadFontsTitleText": "Daten werden geladen",
|
||||
"loadFontTextText": "Daten werden geladen...",
|
||||
"loadFontTitleText": "Daten werden geladen",
|
||||
"loadImagesTextText": "Bilder werden geladen...",
|
||||
"loadImagesTitleText": "Bilder werden geladen",
|
||||
"loadImageTextText": "Bild wird geladen...",
|
||||
"loadImageTitleText": "Bild wird geladen",
|
||||
"loadingDocumentTextText": "Dokument wird geladen...",
|
||||
"loadingDocumentTitleText": "Dokument wird geladen",
|
||||
"loadThemeTextText": "Thema wird geladen...",
|
||||
"loadThemeTitleText": "Laden des Themas",
|
||||
"openTextText": "Dokument wird geöffnet...",
|
||||
"openTitleText": "Das Dokument wird geöffnet",
|
||||
"printTextText": "Dokument wird ausgedruckt...",
|
||||
"printTitleText": "Drucken des Dokuments",
|
||||
"savePreparingText": "Speichervorbereitung",
|
||||
"savePreparingTitle": "Speichervorbereitung. Bitte warten...",
|
||||
"saveTextText": "Dokument wird gespeichert...",
|
||||
"saveTitleText": "Dokument wird gespeichert...",
|
||||
"textLoadingDocument": "Dokument wird geladen...",
|
||||
"txtEditingMode": "Bearbeitungsmodul wird festgelegt...",
|
||||
"uploadImageTextText": "Das Bild wird hochgeladen...",
|
||||
"uploadImageTitleText": "Bild wird hochgeladen",
|
||||
"waitText": "Bitte warten..."
|
||||
},
|
||||
"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 \"Seite verlassen\", um nicht gespeicherte Änderungen zu verwerfen.",
|
||||
"dlgLeaveTitleText": "Sie schließen die App",
|
||||
"leaveButtonText": "Seite verlassen",
|
||||
"stayButtonText": "Auf dieser Seite bleiben"
|
||||
},
|
||||
"View": {
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Warnung",
|
||||
"textAddLink": "Link hinzufügen",
|
||||
"textAddress": "Adresse",
|
||||
"textBack": "Zurück",
|
||||
"textCancel": "Abbrechen",
|
||||
"textColumns": "Spalten",
|
||||
"textComment": "Kommentar",
|
||||
"textDefault": "Ausgewählter Text",
|
||||
"textDisplay": "Anzeigen",
|
||||
"textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.",
|
||||
"textExternalLink": "Externer Link",
|
||||
"textFirstSlide": "Erste Folie",
|
||||
"textImage": "Bild",
|
||||
"textImageURL": "URL des Bildes",
|
||||
"textInsert": "Einfügen",
|
||||
"textInsertImage": "Bild einfügen",
|
||||
"textLastSlide": "Letzte Folie",
|
||||
"textLink": "Link",
|
||||
"textLinkSettings": "Linkseinstellungen",
|
||||
"textLinkTo": "Verknüpfen mit",
|
||||
"textLinkType": "Linktyp",
|
||||
"textNextSlide": "Nächste Folie",
|
||||
"textOther": "Sonstiges",
|
||||
"textPictureFromLibrary": "Bild aus dem Verzeichnis",
|
||||
"textPictureFromURL": "Bild aus URL",
|
||||
"textPreviousSlide": "Vorherige Folie",
|
||||
"textRows": "Zeilen",
|
||||
"textScreenTip": "QuickInfo",
|
||||
"textShape": "Form",
|
||||
"textSlide": "Folie",
|
||||
"textSlideInThisPresentation": "Folie in dieser Präsentation",
|
||||
"textSlideNumber": "Foliennummer",
|
||||
"textTable": "Tabelle",
|
||||
"textTableSize": "Tabellengröße",
|
||||
"txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein."
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Warnung",
|
||||
"textActualSize": "Tatsächliche Größe",
|
||||
"textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen",
|
||||
"textAdditional": "Zusätzlich",
|
||||
"textAdditionalFormatting": "Zusätzliche Formatierung",
|
||||
"textAddress": "Adresse",
|
||||
"textAfter": "nach",
|
||||
"textAlign": "Ausrichtung",
|
||||
"textAlignBottom": "Unten ausrichten",
|
||||
"textAlignCenter": "Zentriert ausrichten",
|
||||
"textAlignLeft": "Linksbündig ausrichten",
|
||||
"textAlignMiddle": "Mittig ausrichten",
|
||||
"textAlignRight": "Rechtsbündig ausrichten",
|
||||
"textAlignTop": "Oben ausrichten",
|
||||
"textAllCaps": "Alle Großbuchstaben",
|
||||
"textApplyAll": "Auf alle Folien anwenden",
|
||||
"textAuto": "auto",
|
||||
"textBack": "Zurück",
|
||||
"textBandedColumn": "Gebänderte Spalten",
|
||||
"textBandedRow": "Gebänderte Zeilen",
|
||||
"textBefore": "Vor ",
|
||||
"textBlack": "Durch Schwarz",
|
||||
"textBorder": "Rahmen",
|
||||
"textBottom": "Unten",
|
||||
"textBottomLeft": "Unten links",
|
||||
"textBottomRight": "Unten rechts",
|
||||
"textBringToForeground": "In den Vordergrund bringen",
|
||||
"textBulletsAndNumbers": "Aufzählungszeichen und Nummern",
|
||||
"textCaseSensitive": "Groß-/Kleinschreibung beachten",
|
||||
"textCellMargins": "Zellenränder",
|
||||
"textChart": "Diagramm",
|
||||
"textClock": "Uhr",
|
||||
"textClockwise": "Im Uhrzeigersinn",
|
||||
"textColor": "Farbe",
|
||||
"textCounterclockwise": "Gegen Uhrzeigersinn",
|
||||
"textCover": "Bedecken",
|
||||
"textCustomColor": "Benutzerdefinierte Farbe",
|
||||
"textDefault": "Ausgewählter Text",
|
||||
"textDelay": "Verzögern",
|
||||
"textDeleteSlide": "Folie löschen",
|
||||
"textDisplay": "Anzeigen",
|
||||
"textDistanceFromText": "Abstand vom Text",
|
||||
"textDistributeHorizontally": "Horizontal verteilen",
|
||||
"textDistributeVertically": "Vertikal verteilen",
|
||||
"textDone": "Fertig",
|
||||
"textDoubleStrikethrough": "Verdoppeltes Durchstreichen",
|
||||
"textDuplicateSlide": "Folie duplizieren",
|
||||
"textDuration": "Dauer",
|
||||
"textEditLink": "Link bearbeiten",
|
||||
"textEffect": "Effekt",
|
||||
"textEffects": "Effekte",
|
||||
"textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.",
|
||||
"textExternalLink": "Externer Link",
|
||||
"textFade": "Verblassen",
|
||||
"textFill": "Füllung",
|
||||
"textFinalMessage": "Ende der Folienvorschau. Zum Schließen bitte klicken.",
|
||||
"textFind": "Suche",
|
||||
"textFindAndReplace": "Suchen und ersetzen",
|
||||
"textFirstColumn": "Erste Spalte",
|
||||
"textFirstSlide": "Erste Folie",
|
||||
"textFontColor": "Schriftfarbe",
|
||||
"textFontColors": "Schriftfarben",
|
||||
"textFonts": "Schriftarten",
|
||||
"textFromLibrary": "Bild aus dem Verzeichnis",
|
||||
"textFromURL": "Bild aus URL",
|
||||
"textHeaderRow": "Überschriftenzeile",
|
||||
"textHighlight": "Ergebnisse hervorheben",
|
||||
"textHighlightColor": "Hervorhebungsfarbe",
|
||||
"textHorizontalIn": "Horizontal nach innen",
|
||||
"textHorizontalOut": "Horizontal nach außen",
|
||||
"textHyperlink": "Hyperlink",
|
||||
"textImage": "Bild",
|
||||
"textImageURL": "URL des Bildes",
|
||||
"textLastColumn": "Letzte Spalte",
|
||||
"textLastSlide": "Letzte Folie",
|
||||
"textLayout": "Layout",
|
||||
"textLeft": "Links",
|
||||
"textLetterSpacing": "Zeichenabstand",
|
||||
"textLineSpacing": "Zeilenabstand",
|
||||
"textLink": "Link",
|
||||
"textLinkSettings": "Linkseinstellungen",
|
||||
"textLinkTo": "Verknüpfen mit",
|
||||
"textLinkType": "Linktyp",
|
||||
"textMoveBackward": "Nach hinten",
|
||||
"textMoveForward": "Nach vorne",
|
||||
"textNextSlide": "Nächste Folie",
|
||||
"textNone": "Kein(e)",
|
||||
"textNoStyles": "Keine Stile für diesen Typ von Diagrammen.",
|
||||
"textNoTextFound": "Der Text wurde nicht gefunden",
|
||||
"textNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.",
|
||||
"textOpacity": "Undurchsichtigkeit",
|
||||
"textOptions": "Optionen",
|
||||
"textPictureFromLibrary": "Bild aus dem Verzeichnis",
|
||||
"textPictureFromURL": "Bild aus URL",
|
||||
"textPreviousSlide": "Vorherige Folie",
|
||||
"textPt": "pt",
|
||||
"textPush": "Schieben",
|
||||
"textRemoveChart": "Diagramm entfernen",
|
||||
"textRemoveImage": "Bild entfernen",
|
||||
"textRemoveLink": "Link entfernen",
|
||||
"textRemoveShape": "Form entfernen",
|
||||
"textRemoveTable": "Tabelle entfernen",
|
||||
"textReorder": "Neu ordnen",
|
||||
"textReplace": "Ersetzen",
|
||||
"textReplaceAll": "Alle ersetzen",
|
||||
"textReplaceImage": "Bild ersetzen",
|
||||
"textRight": "Rechts",
|
||||
"textScreenTip": "QuickInfo",
|
||||
"textSearch": "Suche",
|
||||
"textSec": "s",
|
||||
"textSelectObjectToEdit": "Wählen Sie das Objekt für Bearbeitung aus",
|
||||
"textSendToBackground": "In den Hintergrund senden",
|
||||
"textShape": "Form",
|
||||
"textSize": "Größe",
|
||||
"textSlide": "Folie",
|
||||
"textSlideInThisPresentation": "Folie in dieser Präsentation",
|
||||
"textSlideNumber": "Foliennummer",
|
||||
"textSmallCaps": "Kapitälchen",
|
||||
"textSmoothly": "Gleitend",
|
||||
"textSplit": "Aufteilen",
|
||||
"textStartOnClick": "Bei Klicken beginnen",
|
||||
"textStrikethrough": "Durchgestrichen",
|
||||
"textStyle": "Stil",
|
||||
"textStyleOptions": "Stileinstellungen",
|
||||
"textSubscript": "Tiefgestellt",
|
||||
"textSuperscript": "Hochgestellt",
|
||||
"textTable": "Tabelle",
|
||||
"textText": "Text",
|
||||
"textTheme": "Thema",
|
||||
"textTop": "Oben",
|
||||
"textTopLeft": "Oben links",
|
||||
"textTopRight": "Oben rechts",
|
||||
"textTotalRow": "Ergebniszeile",
|
||||
"textTransition": "Übergang",
|
||||
"textType": "Typ",
|
||||
"textUnCover": "Aufdecken",
|
||||
"textVerticalIn": "Vertikal nach innen",
|
||||
"textVerticalOut": "Vertikal nach außen",
|
||||
"textWedge": "Keil",
|
||||
"textWipe": "Wischen",
|
||||
"textZoom": "Zoom",
|
||||
"textZoomIn": "Vergrößern",
|
||||
"textZoomOut": "Verkleinern",
|
||||
"textZoomRotate": "Vergrößern und drehen"
|
||||
},
|
||||
"Settings": {
|
||||
"mniSlideStandard": "Standard (4:3)",
|
||||
"mniSlideWide": "Breitbildschirm (16:9)",
|
||||
"textAbout": "Information",
|
||||
"textAddress": "Adresse:",
|
||||
"textApplication": "App",
|
||||
"textApplicationSettings": "Anwendungseinstellungen",
|
||||
"textAuthor": "Verfasser",
|
||||
"textBack": "Zurück",
|
||||
"textCaseSensitive": "Groß-/Kleinschreibung beachten",
|
||||
"textCentimeter": "Zentimeter",
|
||||
"textCollaboration": "Zusammenarbeit",
|
||||
"textColorSchemes": "Farbschemata",
|
||||
"textComment": "Kommentar",
|
||||
"textCreated": "Erstellt",
|
||||
"textDisableAll": "Alle deaktivieren",
|
||||
"textDisableAllMacrosWithNotification": "Alle Makros mit Benachrichtigung deaktivieren",
|
||||
"textDisableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung deaktivieren",
|
||||
"textDone": "Fertig",
|
||||
"textDownload": "Herunterladen",
|
||||
"textDownloadAs": "Herunterladen als...",
|
||||
"textEmail": "E-Mail: ",
|
||||
"textEnableAll": "Alle aktivieren",
|
||||
"textEnableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung aktivieren",
|
||||
"textFind": "Suche",
|
||||
"textFindAndReplace": "Suchen und ersetzen",
|
||||
"textFindAndReplaceAll": "Alle suchen und ersetzen",
|
||||
"textHelp": "Hilfe",
|
||||
"textHighlight": "Ergebnisse hervorheben",
|
||||
"textInch": "Zoll",
|
||||
"textLastModified": "Zuletzt geändert",
|
||||
"textLastModifiedBy": "Zuletzt geändert von",
|
||||
"textLoading": "Ladevorgang...",
|
||||
"textLocation": "Standort",
|
||||
"textMacrosSettings": "Einstellungen von Makros",
|
||||
"textNoTextFound": "Der Text wurde nicht gefunden",
|
||||
"textOwner": "Besitzer",
|
||||
"textPoint": "Punkt",
|
||||
"textPoweredBy": "Unterstützt von",
|
||||
"textPresentationInfo": "Information zur Präsentation",
|
||||
"textPresentationSettings": "Präsentationseinstellungen",
|
||||
"textPresentationTitle": "Titel der Präsentation",
|
||||
"textPrint": "Drucken",
|
||||
"textReplace": "Ersetzen",
|
||||
"textReplaceAll": "Alle ersetzen",
|
||||
"textSearch": "Suche",
|
||||
"textSettings": "Einstellungen",
|
||||
"textShowNotification": "Benachrichtigung anzeigen",
|
||||
"textSlideSize": "Foliengröße",
|
||||
"textSpellcheck": "Rechtschreibprüfung",
|
||||
"textSubject": "Betreff",
|
||||
"textTel": "Tel.",
|
||||
"textTitle": "Titel",
|
||||
"textUnitOfMeasurement": "Maßeinheit",
|
||||
"textUploaded": "Hochgeladen",
|
||||
"textVersion": "Version"
|
||||
}
|
||||
}
|
||||
}
|
|
@ -1,462 +1,437 @@
|
|||
{
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"SDK": {
|
||||
"Series": "Series",
|
||||
"Diagram Title": "Chart Title",
|
||||
"X Axis": "X Axis XAS",
|
||||
"Y Axis": "Y Axis",
|
||||
"Your text here": "Your text here",
|
||||
"Slide text": "Slide text",
|
||||
"Chart": "Chart",
|
||||
"ClipArt": "Clip Art",
|
||||
"Diagram": "Diagram",
|
||||
"Date and time": "Date and time",
|
||||
"Footer": "Footer",
|
||||
"Header": "Header",
|
||||
"Media": "Media",
|
||||
"Picture": "Picture",
|
||||
"Image": "Image",
|
||||
"Slide number": "Slide number",
|
||||
"Slide subtitle": "Slide subtitle",
|
||||
"Table": "Table",
|
||||
"Slide title": "Slide title",
|
||||
"Loading": "Loading",
|
||||
"Click to add notes": "Click to add notes",
|
||||
"Click to add first slide": "Click to add first slide",
|
||||
"None": "None"
|
||||
},
|
||||
"textGuest": "Guest",
|
||||
"textAnonymous": "Anonymous",
|
||||
"closeButtonText": "Close File",
|
||||
"advDRMOptions": "Protected File",
|
||||
"advDRMPassword": "Password",
|
||||
"txtProtected": "Once you enter the password and open the file, the current password to the file will be reset",
|
||||
"textOpenFile": "Enter a password to open the file",
|
||||
"txtIncorrectPwd": "Password is incorrect",
|
||||
"leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
"titleLicenseExp": "License expired",
|
||||
"warnLicenseExp": "Your license has expired. Please update your license and refresh the page.",
|
||||
"errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.",
|
||||
"titleServerVersion": "Editor updated",
|
||||
"About": {
|
||||
"textAbout": "About",
|
||||
"textAddress": "Address",
|
||||
"textBack": "Back",
|
||||
"textEmail": "Email",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Version"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"errorOpensource": "Using the free Community version you can open documents for viewing only. To access mobile web editors, a commercial license is required.",
|
||||
"warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please contact your administrator.",
|
||||
"warnLicenseLimitedRenewed": "License needs to be renewed. You have a limited access to document editing functionality.<br>Please contact your administrator to get full access",
|
||||
"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.",
|
||||
"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.",
|
||||
"textBuyNow": "Visit website",
|
||||
"textContactUs": "Contact sales",
|
||||
"textNoLicenseTitle": "License limit reached",
|
||||
"textPaidFeature": "Paid feature",
|
||||
"textCustomLoader": "Please note that according to the terms of the license you are not entitled to change the loader. Please contact our Sales Department to get a quote.",
|
||||
"textClose": "Close",
|
||||
"errorProcessSaveResult": "Saving is failed.",
|
||||
"criticalErrorTitle": "Error",
|
||||
"warnProcessRightsChange": "You have been denied the right to edit the file.",
|
||||
"errorAccessDeny": "You are trying to perform an action you do not have rights for.<br>Please contact your Document Server administrator.",
|
||||
"errorUpdateVersion": "The file version has been changed. The page will be reloaded.",
|
||||
"titleUpdateVersion": "Version changed",
|
||||
"textHasMacros": "The file contains automatic macros.<br>Do you want to run macros?",
|
||||
"textRemember": "Remember my choice",
|
||||
"textYes": "Yes",
|
||||
"textNo": "No"
|
||||
"textAddComment": "Add Comment",
|
||||
"textAddReply": "Add Reply",
|
||||
"textBack": "Back",
|
||||
"textCancel": "Cancel",
|
||||
"textCollaboration": "Collaboration",
|
||||
"textComments": "Comments",
|
||||
"textDeleteComment": "Delete Comment",
|
||||
"textDeleteReply": "Delete Reply",
|
||||
"textDone": "Done",
|
||||
"textEdit": "Edit",
|
||||
"textEditComment": "Edit Comment",
|
||||
"textEditReply": "Edit Reply",
|
||||
"textEditUser": "Users who are editing the file:",
|
||||
"textMessageDeleteComment": "Do you really want to delete this comment?",
|
||||
"textMessageDeleteReply": "Do you really want to delete this reply?",
|
||||
"textNoComments": "This document doesn't contain comments",
|
||||
"textReopen": "Reopen",
|
||||
"textResolve": "Resolve",
|
||||
"textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.",
|
||||
"textUsers": "Users"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "Custom Colors",
|
||||
"textStandartColors": "Standard Colors",
|
||||
"textThemeColors": "Theme Colors"
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"criticalErrorTitle": "Error",
|
||||
"unknownErrorText": "Unknown error.",
|
||||
"convertationTimeoutText": "Convertation timeout exceeded.",
|
||||
"openErrorText": "An error has occurred while opening the file",
|
||||
"saveErrorText": "An error has occurred while saving the file",
|
||||
"downloadErrorText": "Download failed.",
|
||||
"uploadImageSizeMessage": "Maximium image size limit exceeded.",
|
||||
"uploadImageExtMessage": "Unknown image format.",
|
||||
"uploadImageFileCountMessage": "No images uploaded.",
|
||||
"splitMaxRowsErrorText": "The number of rows must be less than %1",
|
||||
"splitMaxColsErrorText": "The number of columns must be less than %1",
|
||||
"splitDividerErrorText": "The number of rows must be a divisor of %1",
|
||||
"errorKeyEncrypt": "Unknown key descriptor",
|
||||
"errorKeyExpire": "Key descriptor expired",
|
||||
"errorUsersExceed": "Count of users was exceed",
|
||||
"errorViewerDisconnect": "Connection is lost. You can still view the document,<br>but will not be able to download until the connection is restored and page is reloaded.",
|
||||
"errorFilePassProtect": "The file is password protected and could not be opened.",
|
||||
"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.",
|
||||
"errorDataRange": "Incorrect data range.",
|
||||
"errorDatabaseConnection": "External error.<br>Database connection error. Please, contact support.",
|
||||
"errorUserDrop": "The file cannot be accessed right now.",
|
||||
"errorConnectToServer": " The document could not be saved. Please check connection settings or contact your administrator.<br>When you click the 'OK' button, you will be prompted to download the document.",
|
||||
"errorBadImageUrl": "Image url is incorrect",
|
||||
"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.",
|
||||
"errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.",
|
||||
"errorAccessDeny": "You are trying to perform an action you do not have rights for.<br>Please contact your Document Server administrator.",
|
||||
"errorEditingDownloadas": "An error occurred during the work with the document.<br>Use the 'Download' option to save the file backup copy to your computer hard drive.",
|
||||
"errorFileSizeExceed": "The file size exceeds the limitation set for your server.<br>Please contact your Document Server administrator for details.",
|
||||
"errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.<br>Before you can continue working, you need to download the file or copy its content to make sure nothing is lost, and then reload this page.",
|
||||
"errorDefaultMessage": "Error code: %1",
|
||||
"criticalErrorExtText": "Press 'OK' to back to document list.",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please reload the page."
|
||||
},
|
||||
"LongActions": {
|
||||
"openTitleText": "Opening Document",
|
||||
"openTextText": "Opening document...",
|
||||
"saveTitleText": "Saving Document",
|
||||
"saveTextText": "Saving document...",
|
||||
"loadFontsTitleText": "Loading Data",
|
||||
"loadFontsTextText": "Loading data...",
|
||||
"loadImagesTitleText": "Loading Images",
|
||||
"loadImagesTextText": "Loading images...",
|
||||
"loadFontTitleText": "Loading Data",
|
||||
"loadFontTextText": "Loading data...",
|
||||
"loadImageTitleText": "Loading Image",
|
||||
"loadImageTextText": "Loading image...",
|
||||
"downloadTitleText": "Downloading Document",
|
||||
"downloadTextText": "Downloading document...",
|
||||
"printTitleText": "Printing Document",
|
||||
"printTextText": "Printing document...",
|
||||
"uploadImageTitleText": "Uploading Image",
|
||||
"uploadImageTextText": "Uploading image...",
|
||||
"applyChangesTitleText": "Loading Data",
|
||||
"applyChangesTextText": "Loading data...",
|
||||
"savePreparingText": "Preparing to save",
|
||||
"savePreparingTitle": "Preparing to save. Please wait...",
|
||||
"waitText": "Please, wait...",
|
||||
"txtEditingMode": "Set editing mode...",
|
||||
"loadingDocumentTitleText": "Loading document",
|
||||
"loadingDocumentTextText": "Loading document...",
|
||||
"textLoadingDocument": "Loading document",
|
||||
"loadThemeTitleText": "Loading Theme",
|
||||
"loadThemeTextText": "Loading theme..."
|
||||
},
|
||||
"ContextMenu": {
|
||||
"menuViewComment": "View Comment",
|
||||
"errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.",
|
||||
"menuAddComment": "Add Comment",
|
||||
"menuMerge": "Merge",
|
||||
"menuSplit": "Split",
|
||||
"menuAddLink": "Add Link",
|
||||
"menuCancel": "Cancel",
|
||||
"menuDelete": "Delete",
|
||||
"menuDeleteTable": "Delete Table",
|
||||
"menuEdit": "Edit",
|
||||
"menuAddLink": "Add Link",
|
||||
"menuOpenLink": "Open Link",
|
||||
"menuMerge": "Merge",
|
||||
"menuMore": "More",
|
||||
"menuCancel": "Cancel",
|
||||
"textCopyCutPasteActions": "Copy, Cut and Paste Actions",
|
||||
"errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.",
|
||||
"textDoNotShowAgain": "Don't show again",
|
||||
"menuOpenLink": "Open Link",
|
||||
"menuSplit": "Split",
|
||||
"menuViewComment": "View Comment",
|
||||
"textColumns": "Columns",
|
||||
"textCopyCutPasteActions": "Copy, Cut and Paste Actions",
|
||||
"textDoNotShowAgain": "Don't show again",
|
||||
"textRows": "Rows"
|
||||
},
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"advDRMOptions": "Protected File",
|
||||
"advDRMPassword": "Password",
|
||||
"closeButtonText": "Close File",
|
||||
"criticalErrorTitle": "Error",
|
||||
"errorAccessDeny": "You are trying to perform an action you do not have rights for.<br>Please, contact your admin.",
|
||||
"errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.",
|
||||
"errorProcessSaveResult": "Saving failed.",
|
||||
"errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.",
|
||||
"errorUpdateVersion": "The file version has been changed. The page will be reloaded.",
|
||||
"leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"SDK": {
|
||||
"Chart": "Chart",
|
||||
"ClipArt": "Clip Art",
|
||||
"Date and time": "Date and time",
|
||||
"Diagram": "Diagram",
|
||||
"Diagram Title": "Chart Title",
|
||||
"Footer": "Footer",
|
||||
"Header": "Header",
|
||||
"Image": "Image",
|
||||
"Media": "Media",
|
||||
"Picture": "Picture",
|
||||
"Series": "Series",
|
||||
"Slide number": "Slide number",
|
||||
"Slide subtitle": "Slide subtitle",
|
||||
"Slide text": "Slide text",
|
||||
"Slide title": "Slide title",
|
||||
"Table": "Table",
|
||||
"X Axis": "X Axis XAS",
|
||||
"Y Axis": "Y Axis",
|
||||
"Your text here": "Your text here"
|
||||
},
|
||||
"textAnonymous": "Anonymous",
|
||||
"textBuyNow": "Visit website",
|
||||
"textClose": "Close",
|
||||
"textContactUs": "Contact sales",
|
||||
"textCustomLoader": "Sorry, you are not entitled to change the loader. Please, contact our sales department to get a quote.",
|
||||
"textGuest": "Guest",
|
||||
"textHasMacros": "The file contains automatic macros.<br>Do you want to run macros?",
|
||||
"textNo": "No",
|
||||
"textNoLicenseTitle": "License limit reached",
|
||||
"textOpenFile": "Enter a password to open the file",
|
||||
"textPaidFeature": "Paid feature",
|
||||
"textRemember": "Remember my choice",
|
||||
"textYes": "Yes",
|
||||
"titleLicenseExp": "License expired",
|
||||
"titleServerVersion": "Editor updated",
|
||||
"titleUpdateVersion": "Version changed",
|
||||
"txtIncorrectPwd": "Password is incorrect",
|
||||
"txtProtected": "Once you enter the password and open the file, the current password to the file will be reset",
|
||||
"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 it and refresh the page.",
|
||||
"warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your administrator.",
|
||||
"warnLicenseLimitedRenewed": "The license needs to be renewed. You have limited access to document editing functionality.<br>Please contact your administrator to get full access",
|
||||
"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 the file."
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Conversion timeout exceeded.",
|
||||
"criticalErrorExtText": "Press 'OK' to go back to the document list.",
|
||||
"criticalErrorTitle": "Error",
|
||||
"downloadErrorText": "Download failed.",
|
||||
"errorAccessDeny": "You are trying to perform an action you do not have rights for.<br>Please contact your admin.",
|
||||
"errorBadImageUrl": "Image url is incorrect",
|
||||
"errorConnectToServer": "Can't save this doc. Check your connection settings or contact your admin.<br>When you click the 'OK' button, you will be prompted to download the document.",
|
||||
"errorDatabaseConnection": "External error.<br>Database connection error. Please, contact support.",
|
||||
"errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.",
|
||||
"errorDataRange": "Incorrect data range.",
|
||||
"errorDefaultMessage": "Error code: %1",
|
||||
"errorEditingDownloadas": "An error occurred during the work with the document.<br>Use the 'Download' option to save the file backup copy locally.",
|
||||
"errorFilePassProtect": "The file is password protected and could not be opened.",
|
||||
"errorFileSizeExceed": "The file size exceeds your server limitation.<br>Please, contact your admin.",
|
||||
"errorKeyEncrypt": "Unknown key descriptor",
|
||||
"errorKeyExpire": "Key descriptor expired",
|
||||
"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.",
|
||||
"errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.<br>Before you can continue working, download the file or copy its content to make sure nothing is lost, and then reload this page.",
|
||||
"errorUserDrop": "The file cannot 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 it until the connection is restored and the page is reloaded.",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"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.",
|
||||
"splitDividerErrorText": "The number of rows must be a divisor of %1",
|
||||
"splitMaxColsErrorText": "The number of columns must be less than %1",
|
||||
"splitMaxRowsErrorText": "The number of rows must be less than %1",
|
||||
"unknownErrorText": "Unknown error.",
|
||||
"uploadImageExtMessage": "Unknown image format.",
|
||||
"uploadImageFileCountMessage": "No images uploaded.",
|
||||
"uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Loading data...",
|
||||
"applyChangesTitleText": "Loading Data",
|
||||
"downloadTextText": "Downloading document...",
|
||||
"downloadTitleText": "Downloading Document",
|
||||
"loadFontsTextText": "Loading data...",
|
||||
"loadFontsTitleText": "Loading Data",
|
||||
"loadFontTextText": "Loading data...",
|
||||
"loadFontTitleText": "Loading Data",
|
||||
"loadImagesTextText": "Loading images...",
|
||||
"loadImagesTitleText": "Loading Images",
|
||||
"loadImageTextText": "Loading image...",
|
||||
"loadImageTitleText": "Loading Image",
|
||||
"loadingDocumentTextText": "Loading document...",
|
||||
"loadingDocumentTitleText": "Loading document",
|
||||
"loadThemeTextText": "Loading theme...",
|
||||
"loadThemeTitleText": "Loading Theme",
|
||||
"openTextText": "Opening document...",
|
||||
"openTitleText": "Opening Document",
|
||||
"printTextText": "Printing document...",
|
||||
"printTitleText": "Printing Document",
|
||||
"savePreparingText": "Preparing to save",
|
||||
"savePreparingTitle": "Preparing to save. Please wait...",
|
||||
"saveTextText": "Saving document...",
|
||||
"saveTitleText": "Saving Document",
|
||||
"textLoadingDocument": "Loading document",
|
||||
"txtEditingMode": "Set editing mode...",
|
||||
"uploadImageTextText": "Uploading image...",
|
||||
"uploadImageTitleText": "Uploading Image",
|
||||
"waitText": "Please, wait..."
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
"dlgLeaveTitleText": "You leave the application",
|
||||
"dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.",
|
||||
"leaveButtonText": "Leave this Page",
|
||||
"leaveButtonText": "Leave this page",
|
||||
"stayButtonText": "Stay on this Page"
|
||||
},
|
||||
"View": {
|
||||
"Settings": {
|
||||
"textDone": "Done",
|
||||
"textSettings": "Settings",
|
||||
"textFindAndReplace": "Find and Replace",
|
||||
"textFindAndReplaceAll": "Find and Replace All",
|
||||
"textPresentationSettings": "Presentation Settings",
|
||||
"textApplicationSettings": "Application Settings",
|
||||
"textDownload": "Download",
|
||||
"textDownloadAs": "Download As...",
|
||||
"textPrint": "Print",
|
||||
"textPresentationInfo": "Presentation Info",
|
||||
"textHelp": "Help",
|
||||
"textAbout": "About",
|
||||
"textBack": "Back",
|
||||
"textUnitOfMeasurement": "Unit Of Measurement",
|
||||
"textCentimeter": "Centimeter",
|
||||
"textPoint": "Point",
|
||||
"textInch": "Inch",
|
||||
"textSpellcheck": "Spell Checking",
|
||||
"textMacrosSettings": "Macros Settings",
|
||||
"textDisableAll": "Disable All",
|
||||
"textDisableAllMacrosWithoutNotification": "Disable all macros without notification",
|
||||
"textShowNotification": "Show Notification",
|
||||
"textDisableAllMacrosWithNotification": "Disable all macros with notification",
|
||||
"textEnableAll": "Enable All",
|
||||
"textEnableAllMacrosWithoutNotification": "Enable all macros without notification",
|
||||
"textLocation": "Location",
|
||||
"textTitle": "Title",
|
||||
"textSubject": "Subject",
|
||||
"textComment": "Comment",
|
||||
"textCreated": "Created",
|
||||
"textLastModifiedBy": "Last Modified By",
|
||||
"textLastModified": "Last Modified",
|
||||
"textApplication": "Application",
|
||||
"textLoading": "Loading...",
|
||||
"textAuthor": "Author",
|
||||
"textPresentationTitle": "Presentation Title",
|
||||
"textOwner": "Owner",
|
||||
"textUploaded": "Uploaded",
|
||||
"textSlideSize": "Slide Size",
|
||||
"mniSlideStandard": "Standard (4:3)",
|
||||
"mniSlideWide": "Widescreen (16:9)",
|
||||
"textColorSchemes": "Color Schemes",
|
||||
"textVersion": "Version",
|
||||
"textAddress": "address:",
|
||||
"textEmail": "email:",
|
||||
"textTel": "tel:",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textReplaceAll": "Replace All",
|
||||
"textFind": "Find",
|
||||
"textSearch": "Search",
|
||||
"textCaseSensitive": "Case Sensitive",
|
||||
"textHighlight": "Highlight Results",
|
||||
"textReplace": "Replace",
|
||||
"textNoTextFound": "Text not Found",
|
||||
"textCollaboration": "Collaboration",
|
||||
"txtScheme1": "Office",
|
||||
"txtScheme2": "Grayscale",
|
||||
"txtScheme3": "Apex",
|
||||
"txtScheme4": "Aspect",
|
||||
"txtScheme5": "Civic",
|
||||
"txtScheme6": "Concourse",
|
||||
"txtScheme7": "Equity",
|
||||
"txtScheme8": "Flow",
|
||||
"txtScheme9": "Foundry",
|
||||
"txtScheme10": "Median",
|
||||
"txtScheme11": "Metro",
|
||||
"txtScheme12": "Module",
|
||||
"txtScheme13": "Opulent",
|
||||
"txtScheme14": "Oriel",
|
||||
"txtScheme15": "Origin",
|
||||
"txtScheme16": "Paper",
|
||||
"txtScheme17": "Solstice",
|
||||
"txtScheme18": "Technic",
|
||||
"txtScheme19": "Trek",
|
||||
"txtScheme22": "New Office"
|
||||
},
|
||||
"Add": {
|
||||
"textSlide": "Slide",
|
||||
"textShape": "Shape",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"textAddLink": "Add Link",
|
||||
"textAddress": "Address",
|
||||
"textBack": "Back",
|
||||
"textCancel": "Cancel",
|
||||
"textColumns": "Columns",
|
||||
"textComment": "Comment",
|
||||
"textDefault": "Selected text",
|
||||
"textDisplay": "Display",
|
||||
"textEmptyImgUrl": "You need to specify the image URL.",
|
||||
"textExternalLink": "External Link",
|
||||
"textFirstSlide": "First Slide",
|
||||
"textImage": "Image",
|
||||
"textImageURL": "Image URL",
|
||||
"textInsert": "Insert",
|
||||
"textInsertImage": "Insert Image",
|
||||
"textLastSlide": "Last Slide",
|
||||
"textLink": "Link",
|
||||
"textLinkSettings": "Link Settings",
|
||||
"textLinkTo": "Link to",
|
||||
"textLinkType": "Link Type",
|
||||
"textNextSlide": "Next Slide",
|
||||
"textOther": "Other",
|
||||
"textPictureFromLibrary": "Picture from Library",
|
||||
"textPictureFromURL": "Picture from URL",
|
||||
"textLinkSettings": "Link Settings",
|
||||
"textBack": "Back",
|
||||
"textEmptyImgUrl": "You need to specify image URL.",
|
||||
"txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"textAddress": "Address",
|
||||
"textImageURL": "Image URL",
|
||||
"textInsertImage": "Insert Image",
|
||||
"textTable": "Table",
|
||||
"textComment": "Comment",
|
||||
"textTableSize": "Table Size",
|
||||
"textColumns": "Columns",
|
||||
"textRows": "Rows",
|
||||
"textCancel": "Cancel",
|
||||
"textAddLink": "Add Link",
|
||||
"textLink": "Link",
|
||||
"textLinkType": "Link Type",
|
||||
"textExternalLink": "External Link",
|
||||
"textSlideInThisPresentation": "Slide in this Presentation",
|
||||
"textLinkTo": "Link to",
|
||||
"textNextSlide": "Next Slide",
|
||||
"textPreviousSlide": "Previous Slide",
|
||||
"textFirstSlide": "First Slide",
|
||||
"textLastSlide": "Last Slide",
|
||||
"textSlideNumber": "Slide Number",
|
||||
"textDisplay": "Display",
|
||||
"textDefault": "Selected text",
|
||||
"textRows": "Rows",
|
||||
"textScreenTip": "Screen Tip",
|
||||
"textInsert": "Insert"
|
||||
"textShape": "Shape",
|
||||
"textSlide": "Slide",
|
||||
"textSlideInThisPresentation": "Slide in this Presentation",
|
||||
"textSlideNumber": "Slide Number",
|
||||
"textTable": "Table",
|
||||
"textTableSize": "Table Size",
|
||||
"txtNotUrl": "This field should be a URL in the format \"http://www.example.com\""
|
||||
},
|
||||
"Edit": {
|
||||
"textText": "Text",
|
||||
"textSlide": "Slide",
|
||||
"textTable": "Table",
|
||||
"textShape": "Shape",
|
||||
"textImage": "Image",
|
||||
"textChart": "Chart",
|
||||
"textHyperlink": "Hyperlink",
|
||||
"textTheme": "Theme",
|
||||
"textStyle": "Style",
|
||||
"textLayout": "Layout",
|
||||
"textTransition": "Transition",
|
||||
"textBack": "Back",
|
||||
"textEffect": "Effect",
|
||||
"textType": "Type",
|
||||
"textDuration": "Duration",
|
||||
"textStartOnClick": "Start On Click",
|
||||
"textDelay": "Delay",
|
||||
"textApplyAll": "Apply to All Slides",
|
||||
"textNone": "None",
|
||||
"textFade": "Fade",
|
||||
"textPush": "Push",
|
||||
"textWipe": "Wipe",
|
||||
"textSplit": "Split",
|
||||
"textUnCover": "UnCover",
|
||||
"textCover": "Cover",
|
||||
"textClock": "Clock",
|
||||
"textZoom": "Zoom",
|
||||
"textSmoothly": "Smoothly",
|
||||
"textBlack": "Through Black",
|
||||
"textLeft": "Left",
|
||||
"textTop": "Top",
|
||||
"textRight": "Right",
|
||||
"textBottom": "Bottom",
|
||||
"textTopLeft": "Top-Left",
|
||||
"textTopRight": "Top-Right",
|
||||
"textBottomLeft": "Bottom-Left",
|
||||
"textBottomRight": "Bottom-Right",
|
||||
"textVerticalIn": "Vertical In",
|
||||
"textVerticalOut": "Vertical Out",
|
||||
"textHorizontalIn": "Horizontal In",
|
||||
"textHorizontalOut": "Horizontal Out",
|
||||
"textClockwise": "Clockwise",
|
||||
"textCounterclockwise": "Counterclockwise",
|
||||
"textWedge": "Wedge",
|
||||
"textZoomIn": "Zoom In",
|
||||
"textZoomOut": "Zoom Out",
|
||||
"textZoomRotate": "Zoom and Rotate",
|
||||
"textSec": "s",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"textActualSize": "Actual Size",
|
||||
"textAddCustomColor": "Add Custom Color",
|
||||
"textFill": "Fill",
|
||||
"textBorder": "Border",
|
||||
"textEffects": "Effects",
|
||||
"textCustomColor": "Custom Color",
|
||||
"textDuplicateSlide": "Duplicate Slide",
|
||||
"textDeleteSlide": "Delete Slide",
|
||||
"textFontColor": "Font Color",
|
||||
"textHighlightColor": "Highlight Color",
|
||||
"textAdditionalFormatting": "Additional Formatting",
|
||||
"textAdditional": "Additional",
|
||||
"textBullets": "Bullets",
|
||||
"textNumbers": "Numbers",
|
||||
"textLineSpacing": "Line Spacing",
|
||||
"textFonts": "Fonts",
|
||||
"textAuto": "Auto",
|
||||
"textPt": "pt",
|
||||
"textSize": "Size",
|
||||
"textStrikethrough": "Strikethrough",
|
||||
"textDoubleStrikethrough": "Double Strikethrough",
|
||||
"textSuperscript": "Superscript",
|
||||
"textSubscript": "Subscript",
|
||||
"textSmallCaps": "Small Caps",
|
||||
"textAllCaps": "All Caps",
|
||||
"textLetterSpacing": "Letter Spacing",
|
||||
"textDistanceFromText": "Distance From Text",
|
||||
"textBefore": "Before",
|
||||
"textAdditionalFormatting": "Additional Formatting",
|
||||
"textAddress": "Address",
|
||||
"textAfter": "After",
|
||||
"textFontColors": "Font Colors",
|
||||
"textReplace": "Replace",
|
||||
"textReorder": "Reorder",
|
||||
"textAlign": "Align",
|
||||
"textRemoveShape": "Remove Shape",
|
||||
"textColor": "Color",
|
||||
"textOpacity": "Opacity",
|
||||
"textBringToForeground": "Bring to Foreground",
|
||||
"textSendToBackground": "Send to Background",
|
||||
"textMoveForward": "Move Forward",
|
||||
"textMoveBackward": "Move Backward",
|
||||
"textAlignLeft": "Align Left",
|
||||
"textAlignBottom": "Align Bottom",
|
||||
"textAlignCenter": "Align Center",
|
||||
"textAlignLeft": "Align Left",
|
||||
"textAlignMiddle": "Align Middle",
|
||||
"textAlignRight": "Align Right",
|
||||
"textAlignTop": "Align Top",
|
||||
"textAlignMiddle": "Align Middle",
|
||||
"textAlignBottom": "Align Bottom",
|
||||
"textAllCaps": "All Caps",
|
||||
"textApplyAll": "Apply to All Slides",
|
||||
"textAuto": "Auto",
|
||||
"textBack": "Back",
|
||||
"textBandedColumn": "Banded Column",
|
||||
"textBandedRow": "Banded Row",
|
||||
"textBefore": "Before",
|
||||
"textBlack": "Through Black",
|
||||
"textBorder": "Border",
|
||||
"textBottom": "Bottom",
|
||||
"textBottomLeft": "Bottom-Left",
|
||||
"textBottomRight": "Bottom-Right",
|
||||
"textBringToForeground": "Bring to Foreground",
|
||||
"textBulletsAndNumbers": "Bullets & Numbers",
|
||||
"textCaseSensitive": "Case Sensitive",
|
||||
"textCellMargins": "Cell Margins",
|
||||
"textChart": "Chart",
|
||||
"textClock": "Clock",
|
||||
"textClockwise": "Clockwise",
|
||||
"textColor": "Color",
|
||||
"textCounterclockwise": "Counterclockwise",
|
||||
"textCover": "Cover",
|
||||
"textCustomColor": "Custom Color",
|
||||
"textDefault": "Selected text",
|
||||
"textDelay": "Delay",
|
||||
"textDeleteSlide": "Delete Slide",
|
||||
"textDisplay": "Display",
|
||||
"textDistanceFromText": "Distance From Text",
|
||||
"textDistributeHorizontally": "Distribute Horizontally",
|
||||
"textDistributeVertically": "Distribute Vertically",
|
||||
"textFromLibrary": "Picture from Library",
|
||||
"textFromURL": "Picture from URL",
|
||||
"textLinkSettings": "Link Settings",
|
||||
"textAddress": "Address",
|
||||
"textImageURL": "Image URL",
|
||||
"textReplaceImage": "Replace Image",
|
||||
"textActualSize": "Actual Size",
|
||||
"textRemoveImage": "Remove Image",
|
||||
"textEmptyImgUrl": "You need to specify image URL.",
|
||||
"textNotUrl": "This field should be a URL in the format \"http://www.example.com\"",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"textPictureFromLibrary": "Picture from Library",
|
||||
"textPictureFromURL": "Picture from URL",
|
||||
"textOptions": "Options",
|
||||
"textHeaderRow": "Header Row",
|
||||
"textTotalRow": "Total Row",
|
||||
"textBandedRow": "Banded Row",
|
||||
"textFirstColumn": "First Column",
|
||||
"textLastColumn": "Last Column",
|
||||
"textBandedColumn": "Banded Column",
|
||||
"textStyleOptions": "Style Options",
|
||||
"textRemoveTable": "Remove Table",
|
||||
"textCellMargins": "Cell Margins",
|
||||
"textRemoveChart": "Remove Chart",
|
||||
"textNoStyles": "No styles for this type of charts.",
|
||||
"textLinkType": "Link Type",
|
||||
"textExternalLink": "External Link",
|
||||
"textSlideInThisPresentation": "Slide in this Presentation",
|
||||
"textLink": "Link",
|
||||
"textLinkTo": "Link to",
|
||||
"textNextSlide": "Next Slide",
|
||||
"textPreviousSlide": "Previous Slide",
|
||||
"textFirstSlide": "First Slide",
|
||||
"textLastSlide": "Last Slide",
|
||||
"textSlideNumber": "Slide Number",
|
||||
"textDone": "Done",
|
||||
"textDoubleStrikethrough": "Double Strikethrough",
|
||||
"textDuplicateSlide": "Duplicate Slide",
|
||||
"textDuration": "Duration",
|
||||
"textEditLink": "Edit Link",
|
||||
"textRemoveLink": "Remove Link",
|
||||
"textDisplay": "Display",
|
||||
"textScreenTip": "Screen Tip",
|
||||
"textDefault": "Selected text",
|
||||
"textReplaceAll": "Replace All",
|
||||
"textEffect": "Effect",
|
||||
"textEffects": "Effects",
|
||||
"textEmptyImgUrl": "You need to specify the image URL.",
|
||||
"textExternalLink": "External Link",
|
||||
"textFade": "Fade",
|
||||
"textFill": "Fill",
|
||||
"textFinalMessage": "The end of slide preview. Click to exit.",
|
||||
"textFind": "Find",
|
||||
"textFindAndReplace": "Find and Replace",
|
||||
"textDone": "Done",
|
||||
"textSearch": "Search",
|
||||
"textCaseSensitive": "Case Sensitive",
|
||||
"textFirstColumn": "First Column",
|
||||
"textFirstSlide": "First Slide",
|
||||
"textFontColor": "Font Color",
|
||||
"textFontColors": "Font Colors",
|
||||
"textFonts": "Fonts",
|
||||
"textFromLibrary": "Picture from Library",
|
||||
"textFromURL": "Picture from URL",
|
||||
"textHeaderRow": "Header Row",
|
||||
"textHighlight": "Highlight Results",
|
||||
"textNoTextFound": "Text not Found",
|
||||
"textHighlightColor": "Highlight Color",
|
||||
"textHorizontalIn": "Horizontal In",
|
||||
"textHorizontalOut": "Horizontal Out",
|
||||
"textHyperlink": "Hyperlink",
|
||||
"textImage": "Image",
|
||||
"textImageURL": "Image URL",
|
||||
"textLastColumn": "Last Column",
|
||||
"textLastSlide": "Last Slide",
|
||||
"textLayout": "Layout",
|
||||
"textLeft": "Left",
|
||||
"textLetterSpacing": "Letter Spacing",
|
||||
"textLineSpacing": "Line Spacing",
|
||||
"textLink": "Link",
|
||||
"textLinkSettings": "Link Settings",
|
||||
"textLinkTo": "Link to",
|
||||
"textLinkType": "Link Type",
|
||||
"textMoveBackward": "Move Backward",
|
||||
"textMoveForward": "Move Forward",
|
||||
"textNextSlide": "Next Slide",
|
||||
"textNone": "None",
|
||||
"textNoStyles": "No styles for this type of chart.",
|
||||
"textNoTextFound": "Text not found",
|
||||
"textNotUrl": "This field should be a URL in the format \"http://www.example.com\"",
|
||||
"textOpacity": "Opacity",
|
||||
"textOptions": "Options",
|
||||
"textPictureFromLibrary": "Picture from Library",
|
||||
"textPictureFromURL": "Picture from URL",
|
||||
"textPreviousSlide": "Previous Slide",
|
||||
"textPt": "pt",
|
||||
"textPush": "Push",
|
||||
"textRemoveChart": "Remove Chart",
|
||||
"textRemoveImage": "Remove Image",
|
||||
"textRemoveLink": "Remove Link",
|
||||
"textRemoveShape": "Remove Shape",
|
||||
"textRemoveTable": "Remove Table",
|
||||
"textReorder": "Reorder",
|
||||
"textReplace": "Replace",
|
||||
"textReplaceAll": "Replace All",
|
||||
"textReplaceImage": "Replace Image",
|
||||
"textRight": "Right",
|
||||
"textScreenTip": "Screen Tip",
|
||||
"textSearch": "Search",
|
||||
"textSec": "s",
|
||||
"textSelectObjectToEdit": "Select object to edit",
|
||||
"textFinalMessage": "The end of slide preview. Click to exit."
|
||||
}
|
||||
},
|
||||
"Common": {
|
||||
"ThemeColorPalette": {
|
||||
"textThemeColors": "Theme Colors",
|
||||
"textStandartColors": "Standard Colors",
|
||||
"textCustomColors": "Custom Colors"
|
||||
"textSendToBackground": "Send to Background",
|
||||
"textShape": "Shape",
|
||||
"textSize": "Size",
|
||||
"textSlide": "Slide",
|
||||
"textSlideInThisPresentation": "Slide in this Presentation",
|
||||
"textSlideNumber": "Slide Number",
|
||||
"textSmallCaps": "Small Caps",
|
||||
"textSmoothly": "Smoothly",
|
||||
"textSplit": "Split",
|
||||
"textStartOnClick": "Start On Click",
|
||||
"textStrikethrough": "Strikethrough",
|
||||
"textStyle": "Style",
|
||||
"textStyleOptions": "Style Options",
|
||||
"textSubscript": "Subscript",
|
||||
"textSuperscript": "Superscript",
|
||||
"textTable": "Table",
|
||||
"textText": "Text",
|
||||
"textTheme": "Theme",
|
||||
"textTop": "Top",
|
||||
"textTopLeft": "Top-Left",
|
||||
"textTopRight": "Top-Right",
|
||||
"textTotalRow": "Total Row",
|
||||
"textTransition": "Transition",
|
||||
"textType": "Type",
|
||||
"textUnCover": "UnCover",
|
||||
"textVerticalIn": "Vertical In",
|
||||
"textVerticalOut": "Vertical Out",
|
||||
"textWedge": "Wedge",
|
||||
"textWipe": "Wipe",
|
||||
"textZoom": "Zoom",
|
||||
"textZoomIn": "Zoom In",
|
||||
"textZoomOut": "Zoom Out",
|
||||
"textZoomRotate": "Zoom and Rotate"
|
||||
},
|
||||
"Collaboration": {
|
||||
"textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.",
|
||||
"notcriticalErrorTitle": "Warning",
|
||||
"textCollaboration": "Collaboration",
|
||||
"Settings": {
|
||||
"mniSlideStandard": "Standard (4:3)",
|
||||
"mniSlideWide": "Widescreen (16:9)",
|
||||
"textAbout": "About",
|
||||
"textAddress": "address:",
|
||||
"textApplication": "Application",
|
||||
"textApplicationSettings": "Application Settings",
|
||||
"textAuthor": "Author",
|
||||
"textBack": "Back",
|
||||
"textUsers": "Users",
|
||||
"textEditUser": "Users who are editing the file:",
|
||||
"textComments": "Comments",
|
||||
"textAddComment": "Add Comment",
|
||||
"textCancel": "Cancel",
|
||||
"textCaseSensitive": "Case Sensitive",
|
||||
"textCentimeter": "Centimeter",
|
||||
"textCollaboration": "Collaboration",
|
||||
"textColorSchemes": "Color Schemes",
|
||||
"textComment": "Comment",
|
||||
"textCreated": "Created",
|
||||
"textDisableAll": "Disable All",
|
||||
"textDisableAllMacrosWithNotification": "Disable all macros with notification",
|
||||
"textDisableAllMacrosWithoutNotification": "Disable all macros without notification",
|
||||
"textDone": "Done",
|
||||
"textNoComments": "This document doesn't contain comments",
|
||||
"textEdit": "Edit",
|
||||
"textResolve": "Resolve",
|
||||
"textReopen": "Reopen",
|
||||
"textAddReply": "Add Reply",
|
||||
"textDeleteComment": "Delete Comment",
|
||||
"textMessageDeleteComment": "Do you really want to delete this comment?",
|
||||
"textMessageDeleteReply": "Do you really want to delete this reply?",
|
||||
"textDeleteReply": "Delete Reply",
|
||||
"textEditComment": "Edit Comment",
|
||||
"textEditReply": "Edit Reply"
|
||||
"textDownload": "Download",
|
||||
"textDownloadAs": "Download As...",
|
||||
"textEmail": "email:",
|
||||
"textEnableAll": "Enable All",
|
||||
"textEnableAllMacrosWithoutNotification": "Enable all macros without notification",
|
||||
"textFind": "Find",
|
||||
"textFindAndReplace": "Find and Replace",
|
||||
"textFindAndReplaceAll": "Find and Replace All",
|
||||
"textHelp": "Help",
|
||||
"textHighlight": "Highlight Results",
|
||||
"textInch": "Inch",
|
||||
"textLastModified": "Last Modified",
|
||||
"textLastModifiedBy": "Last Modified By",
|
||||
"textLoading": "Loading...",
|
||||
"textLocation": "Location",
|
||||
"textMacrosSettings": "Macros Settings",
|
||||
"textNoTextFound": "Text not found",
|
||||
"textOwner": "Owner",
|
||||
"textPoint": "Point",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textPresentationInfo": "Presentation Info",
|
||||
"textPresentationSettings": "Presentation Settings",
|
||||
"textPresentationTitle": "Presentation Title",
|
||||
"textPrint": "Print",
|
||||
"textReplace": "Replace",
|
||||
"textReplaceAll": "Replace All",
|
||||
"textSearch": "Search",
|
||||
"textSettings": "Settings",
|
||||
"textShowNotification": "Show Notification",
|
||||
"textSlideSize": "Slide Size",
|
||||
"textSpellcheck": "Spell Checking",
|
||||
"textSubject": "Subject",
|
||||
"textTel": "tel:",
|
||||
"textTitle": "Title",
|
||||
"textUnitOfMeasurement": "Unit Of Measurement",
|
||||
"textUploaded": "Uploaded",
|
||||
"textVersion": "Version"
|
||||
}
|
||||
},
|
||||
"About": {
|
||||
"textAbout": "About",
|
||||
"textVersion": "Version",
|
||||
"textEmail": "Email",
|
||||
"textAddress": "Address",
|
||||
"textTel": "Tel",
|
||||
"textPoweredBy": "Powered By",
|
||||
"textBack": "Back"
|
||||
}
|
||||
}
|
|
@ -1,3 +1,437 @@
|
|||
{
|
||||
|
||||
"About": {
|
||||
"textAbout": "Acerca de",
|
||||
"textAddress": "Dirección",
|
||||
"textBack": "Atrás",
|
||||
"textEmail": "E-mail",
|
||||
"textPoweredBy": "Con tecnología de",
|
||||
"textTel": "Tel",
|
||||
"textVersion": "Versión "
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "Advertencia",
|
||||
"textAddComment": "Añadir comentario",
|
||||
"textAddReply": "Añadir respuesta",
|
||||
"textBack": "Atrás",
|
||||
"textCancel": "Cancelar",
|
||||
"textCollaboration": "Colaboración",
|
||||
"textComments": "Comentarios",
|
||||
"textDeleteComment": "Eliminar comentario",
|
||||
"textDeleteReply": "Eliminar respuesta",
|
||||
"textDone": "Listo",
|
||||
"textEdit": "Editar",
|
||||
"textEditComment": "Editar comentario",
|
||||
"textEditReply": "Editar respuesta",
|
||||
"textEditUser": "Usuarios que están editando el archivo:",
|
||||
"textMessageDeleteComment": "¿Realmente quiere eliminar este comentario?",
|
||||
"textMessageDeleteReply": "¿Realmente quiere eliminar esta respuesta?",
|
||||
"textNoComments": "Este documento no contiene comentarios",
|
||||
"textReopen": "Volver a abrir",
|
||||
"textResolve": "Resolver",
|
||||
"textTryUndoRedo": "Las funciones Deshacer/Rehacer están desactivadas en el modo de co-edición rápido.",
|
||||
"textUsers": "Usuarios"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "Colores personalizados",
|
||||
"textStandartColors": "Colores estándar",
|
||||
"textThemeColors": "Colores de tema"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"errorCopyCutPaste": "Las acciones de copiar, cortar y pegar utilizando el menú contextual se realizarán sólo dentro del archivo actual.",
|
||||
"menuAddComment": "Añadir comentario",
|
||||
"menuAddLink": "Añadir enlace ",
|
||||
"menuCancel": "Cancelar",
|
||||
"menuDelete": "Eliminar",
|
||||
"menuDeleteTable": "Eliminar tabla",
|
||||
"menuEdit": "Editar",
|
||||
"menuMerge": "Combinar",
|
||||
"menuMore": "Más",
|
||||
"menuOpenLink": "Abrir enlace",
|
||||
"menuSplit": "Dividir",
|
||||
"menuViewComment": "Ver comentario",
|
||||
"textColumns": "Columnas",
|
||||
"textCopyCutPasteActions": "Acciones de Copiar, Cortar y Pegar",
|
||||
"textDoNotShowAgain": "No mostrar de nuevo",
|
||||
"textRows": "Filas"
|
||||
},
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"advDRMOptions": "Archivo protegido",
|
||||
"advDRMPassword": "Contraseña",
|
||||
"closeButtonText": "Cerrar archivo",
|
||||
"criticalErrorTitle": "Error",
|
||||
"errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.<br>Por favor, contacte con su administrador.",
|
||||
"errorOpensource": "Utilizando la versión gratuita Community, puede abrir documentos sólo para visualizarlos. Para acceder a los editores web móviles, se requiere una licencia comercial.",
|
||||
"errorProcessSaveResult": "Error al guardar.",
|
||||
"errorServerVersion": "La versión del editor ha sido actualizada. La página será recargada para aplicar los cambios.",
|
||||
"errorUpdateVersion": "Se ha cambiado la versión del archivo. La página será actualizada.",
|
||||
"leavePageText": "Tiene cambios no guardados en este documento. Haga clic en \"Quedarse en esta página\" para esperar hasta que se guarden automáticamente. Haga clic en \"Salir de esta página\" para descartar todos los cambios no guardados.",
|
||||
"notcriticalErrorTitle": "Advertencia",
|
||||
"SDK": {
|
||||
"Chart": "Gráfico",
|
||||
"ClipArt": "Imagen prediseñada",
|
||||
"Date and time": "Fecha y hora",
|
||||
"Diagram": "Diagrama",
|
||||
"Diagram Title": "Título del gráfico",
|
||||
"Footer": "Pie de página",
|
||||
"Header": "Encabezado",
|
||||
"Image": "Imagen",
|
||||
"Media": "Medios",
|
||||
"Picture": "Imagen",
|
||||
"Series": "Serie",
|
||||
"Slide number": "Número de diapositiva",
|
||||
"Slide subtitle": "Subtítulo de diapositiva",
|
||||
"Slide text": "Texto de diapositiva",
|
||||
"Slide title": "Título de diapositiva",
|
||||
"Table": "Tabla",
|
||||
"X Axis": "Eje X XAS",
|
||||
"Y Axis": "Eje Y",
|
||||
"Your text here": "Su texto aquí"
|
||||
},
|
||||
"textAnonymous": "Anónimo",
|
||||
"textBuyNow": "Visitar sitio web",
|
||||
"textClose": "Cerrar",
|
||||
"textContactUs": "Contactar con el equipo de ventas",
|
||||
"textCustomLoader": "Por desgracia, no tiene derecho a cambiar el cargador. Por favor, póngase en contacto con nuestro departamento de ventas para obtener una cotización.",
|
||||
"textGuest": "Invitado",
|
||||
"textHasMacros": "El archivo contiene macros automáticas.<br>¿Quiere ejecutar macros?",
|
||||
"textNo": "No",
|
||||
"textNoLicenseTitle": "Se ha alcanzado el límite de licencia",
|
||||
"textOpenFile": "Introduzca la contraseña para abrir el archivo",
|
||||
"textPaidFeature": "Característica de pago",
|
||||
"textRemember": "Recordar mi elección",
|
||||
"textYes": "Sí",
|
||||
"titleLicenseExp": "Licencia ha expirado",
|
||||
"titleServerVersion": "Editor ha sido actualizado",
|
||||
"titleUpdateVersion": "Versión ha cambiado",
|
||||
"txtIncorrectPwd": "La contraseña es incorrecta",
|
||||
"txtProtected": "Una vez que se ha introducido la contraseña y abierto el archivo, la contraseña actual del archivo se restablecerá",
|
||||
"warnLicenseExceeded": "Ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización. Póngase en contacto con su administrador para obtener más información.",
|
||||
"warnLicenseExp": "Su licencia ha expirado. Por favor, actualícela y recargue la página.",
|
||||
"warnLicenseLimitedNoAccess": "La licencia ha expirado. No tiene acceso a la funcionalidad de edición de documentos. Por favor, póngase en contacto con su administrador.",
|
||||
"warnLicenseLimitedRenewed": "La licencia necesita renovación. Tiene acceso limitado a la funcionalidad de edición de documentos.<br>Por favor, póngase en contacto con su administrador para obtener acceso completo",
|
||||
"warnLicenseUsersExceeded": "Usted ha alcanzado el límite de usuarios para los editores de %1. Por favor, contacte con su administrador para recibir más información.",
|
||||
"warnNoLicense": "Ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.",
|
||||
"warnNoLicenseUsers": "Usted ha alcanzado el límite de usuarios para los editores de %1.<br>Contacte con el equipo de ventas de %1 para conocer los términos de actualización personal.",
|
||||
"warnProcessRightsChange": "No tiene permiso para editar el archivo."
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Tiempo de conversión está superado.",
|
||||
"criticalErrorExtText": "Pulse \"OK\" para volver a la lista de documentos.",
|
||||
"criticalErrorTitle": "Error",
|
||||
"downloadErrorText": "Error al descargar.",
|
||||
"errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.<br>Póngase en contacto con su administrador.",
|
||||
"errorBadImageUrl": "URL de imagen es incorrecta",
|
||||
"errorConnectToServer": "No se puede guardar este documento. Compruebe la configuración de su conexión o póngase en contacto con el administrador.<br>Cuando haga clic en OK, se le pedirá que descargue el documento.",
|
||||
"errorDatabaseConnection": "Error externo.<br>Error de conexión a la base de datos. Por favor, contacte con el equipo de soporte técnico.",
|
||||
"errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.",
|
||||
"errorDataRange": "Rango de datos incorrecto.",
|
||||
"errorDefaultMessage": "Código de error: %1",
|
||||
"errorEditingDownloadas": "Se ha producido un error al trabajar con el documento.<br>Utilice la opción 'Descargar' para guardar la copia de seguridad del archivo localmente.",
|
||||
"errorFilePassProtect": "El archivo está protegido por contraseña y no se puede abrir.",
|
||||
"errorFileSizeExceed": "El tamaño del archivo excede la limitación del servidor.<br>Por favor, póngase en contacto con su administrador.",
|
||||
"errorKeyEncrypt": "Descriptor de clave desconocido",
|
||||
"errorKeyExpire": "Descriptor de clave ha expirado",
|
||||
"errorSessionAbsolute": "La sesión de edición del documento ha expirado. Por favor, vuelva a cargar la página.",
|
||||
"errorSessionIdle": "El documento no ha sido editado desde hace mucho tiempo. Por favor, vuelva a cargar la página.",
|
||||
"errorSessionToken": "La conexión con el servidor se ha interrumpido. Por favor, vuelva a cargar la página.",
|
||||
"errorStockChart": "Orden incorrecto de las filas. Para construir un gráfico de cotizaciones, coloque los datos en la hoja en el siguiente orden:<br> precio de apertura, precio máximo, precio mínimo, precio de cierre.",
|
||||
"errorUpdateVersionOnDisconnect": "La conexión a Internet se ha restaurado y la versión del archivo ha cambiado.<br>Antes de continuar trabajando, necesita descargar el archivo o copiar su contenido para asegurarse de que no ha perdido nada y luego recargar esta página.",
|
||||
"errorUserDrop": "No se puede acceder al archivo ahora mismo.",
|
||||
"errorUsersExceed": "Se superó la cantidad de usuarios permitidos por el plan de precios",
|
||||
"errorViewerDisconnect": "Se ha perdido la conexión. Todavía puede ver el documento,<br>pero no podrá descargarlo hasta que se restablezca la conexión y se recargue la página.",
|
||||
"notcriticalErrorTitle": "Advertencia",
|
||||
"openErrorText": "Se ha producido un error al abrir el archivo ",
|
||||
"saveErrorText": "Se ha producido un error al guardar el archivo ",
|
||||
"scriptLoadError": "La conexión es demasiado lenta, algunos de los componentes no se han podido cargar. Por favor, vuelva a cargar la página.",
|
||||
"splitDividerErrorText": "El número de filas debe ser un divisor de %1",
|
||||
"splitMaxColsErrorText": "El número de columnas debe ser menor que %1",
|
||||
"splitMaxRowsErrorText": "El número de filas debe ser menor que %1",
|
||||
"unknownErrorText": "Error desconocido.",
|
||||
"uploadImageExtMessage": "Formato de imagen desconocido.",
|
||||
"uploadImageFileCountMessage": "No hay imágenes subidas.",
|
||||
"uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Cargando datos...",
|
||||
"applyChangesTitleText": "Cargando datos",
|
||||
"downloadTextText": "Descargando documento...",
|
||||
"downloadTitleText": "Descargando documento",
|
||||
"loadFontsTextText": "Cargando datos...",
|
||||
"loadFontsTitleText": "Cargando datos",
|
||||
"loadFontTextText": "Cargando datos...",
|
||||
"loadFontTitleText": "Cargando datos",
|
||||
"loadImagesTextText": "Cargando imágenes...",
|
||||
"loadImagesTitleText": "Cargando imágenes",
|
||||
"loadImageTextText": "Cargando imagen...",
|
||||
"loadImageTitleText": "Cargando imagen",
|
||||
"loadingDocumentTextText": "Cargando documento...",
|
||||
"loadingDocumentTitleText": "Cargando documento",
|
||||
"loadThemeTextText": "Cargando tema...",
|
||||
"loadThemeTitleText": "Cargando tema",
|
||||
"openTextText": "Abriendo documento...",
|
||||
"openTitleText": "Abriendo documento",
|
||||
"printTextText": "Imprimiendo documento...",
|
||||
"printTitleText": "Imprimiendo documento",
|
||||
"savePreparingText": "Preparando para guardar",
|
||||
"savePreparingTitle": "Preparando para guardar. Espere, por favor...",
|
||||
"saveTextText": "Guardando documento...",
|
||||
"saveTitleText": "Guardando documento",
|
||||
"textLoadingDocument": "Cargando documento",
|
||||
"txtEditingMode": "Establecer el modo de edición...",
|
||||
"uploadImageTextText": "Cargando imagen...",
|
||||
"uploadImageTitleText": "Cargando imagen",
|
||||
"waitText": "Por favor, espere..."
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "Tiene cambios no guardados en este documento. Haga clic en \"Quedarse en esta página\" para esperar hasta que se guarden automáticamente. Haga clic en \"Salir de esta página\" para descartar todos los cambios no guardados.",
|
||||
"dlgLeaveTitleText": "Usted abandona la aplicación",
|
||||
"leaveButtonText": "Salir de esta página",
|
||||
"stayButtonText": "Quedarse en esta página"
|
||||
},
|
||||
"View": {
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Advertencia",
|
||||
"textAddLink": "Añadir enlace ",
|
||||
"textAddress": "Dirección",
|
||||
"textBack": "Atrás",
|
||||
"textCancel": "Cancelar",
|
||||
"textColumns": "Columnas",
|
||||
"textComment": "Comentario",
|
||||
"textDefault": "Texto seleccionado",
|
||||
"textDisplay": "Mostrar",
|
||||
"textEmptyImgUrl": "Necesita especificar la URL de la imagen.",
|
||||
"textExternalLink": "Enlace externo",
|
||||
"textFirstSlide": "Primera diapositiva",
|
||||
"textImage": "Imagen",
|
||||
"textImageURL": "URL de imagen",
|
||||
"textInsert": "Insertar",
|
||||
"textInsertImage": "Insertar imagen",
|
||||
"textLastSlide": "Última diapositiva",
|
||||
"textLink": "Enlace",
|
||||
"textLinkSettings": "Ajustes de enlace",
|
||||
"textLinkTo": "Enlace a",
|
||||
"textLinkType": "Tipo de enlace",
|
||||
"textNextSlide": "Diapositiva siguiente",
|
||||
"textOther": "Otro",
|
||||
"textPictureFromLibrary": "Imagen desde biblioteca",
|
||||
"textPictureFromURL": "Imagen desde URL",
|
||||
"textPreviousSlide": "Diapositiva anterior",
|
||||
"textRows": "Filas",
|
||||
"textScreenTip": "Consejo de pantalla",
|
||||
"textShape": "Forma",
|
||||
"textSlide": "Diapositiva",
|
||||
"textSlideInThisPresentation": "Diapositiva en esta presentación",
|
||||
"textSlideNumber": "Número de diapositiva",
|
||||
"textTable": "Tabla",
|
||||
"textTableSize": "Tamaño de tabla",
|
||||
"txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\""
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Advertencia",
|
||||
"textActualSize": "Tamaño actual",
|
||||
"textAddCustomColor": "Añadir color personalizado",
|
||||
"textAdditional": "Adicional",
|
||||
"textAdditionalFormatting": "Formateo adicional",
|
||||
"textAddress": "Dirección",
|
||||
"textAfter": "Después",
|
||||
"textAlign": "Alinear",
|
||||
"textAlignBottom": "Alinear abajo",
|
||||
"textAlignCenter": "Alinear al centro",
|
||||
"textAlignLeft": "Alinear a la izquierda",
|
||||
"textAlignMiddle": "Alinear al medio",
|
||||
"textAlignRight": "Alinear a la derecha",
|
||||
"textAlignTop": "Alinear arriba",
|
||||
"textAllCaps": "Mayúsculas",
|
||||
"textApplyAll": "Aplicar a todas las diapositivas",
|
||||
"textAuto": "Auto",
|
||||
"textBack": "Atrás",
|
||||
"textBandedColumn": "Columna con bandas",
|
||||
"textBandedRow": "Fila con bandas",
|
||||
"textBefore": "Antes",
|
||||
"textBlack": "En negro",
|
||||
"textBorder": "Borde",
|
||||
"textBottom": "Abajo ",
|
||||
"textBottomLeft": "Abajo a la izquierda",
|
||||
"textBottomRight": "Abajo a la derecha",
|
||||
"textBringToForeground": "Traer al primer plano",
|
||||
"textBulletsAndNumbers": "Viñetas y números",
|
||||
"textCaseSensitive": "Distinguir mayúsculas de minúsculas",
|
||||
"textCellMargins": "Márgenes de celdas",
|
||||
"textChart": "Gráfico",
|
||||
"textClock": "Reloj",
|
||||
"textClockwise": "En el sentido de las agujas del reloj",
|
||||
"textColor": "Color",
|
||||
"textCounterclockwise": "En el sentido contrario a las agujas del reloj",
|
||||
"textCover": "Cubrir",
|
||||
"textCustomColor": "Color personalizado",
|
||||
"textDefault": "Texto seleccionado",
|
||||
"textDelay": "Retraso",
|
||||
"textDeleteSlide": "Eliminar diapositiva",
|
||||
"textDisplay": "Mostrar",
|
||||
"textDistanceFromText": "Distancia desde el texto",
|
||||
"textDistributeHorizontally": "Distribuir horizontalmente",
|
||||
"textDistributeVertically": "Distribuir verticalmente",
|
||||
"textDone": "Listo",
|
||||
"textDoubleStrikethrough": "Doble tachado",
|
||||
"textDuplicateSlide": "Duplicar diapositiva",
|
||||
"textDuration": "Duración ",
|
||||
"textEditLink": "Editar enlace",
|
||||
"textEffect": "Efecto",
|
||||
"textEffects": "Efectos",
|
||||
"textEmptyImgUrl": "Necesita especificar la URL de la imagen.",
|
||||
"textExternalLink": "Enlace externo",
|
||||
"textFade": "Atenuación",
|
||||
"textFill": "Rellenar",
|
||||
"textFinalMessage": "Fin de vista previa de diapositiva. Pulse para salir.",
|
||||
"textFind": "Buscar",
|
||||
"textFindAndReplace": "Buscar y reemplazar",
|
||||
"textFirstColumn": "Primera columna",
|
||||
"textFirstSlide": "Primera diapositiva",
|
||||
"textFontColor": "Color de fuente",
|
||||
"textFontColors": "Colores de fuente",
|
||||
"textFonts": "Fuentes",
|
||||
"textFromLibrary": "Imagen desde biblioteca",
|
||||
"textFromURL": "Imagen desde URL",
|
||||
"textHeaderRow": "Fila de encabezado",
|
||||
"textHighlight": "Resaltar resultados",
|
||||
"textHighlightColor": "Color de resaltado",
|
||||
"textHorizontalIn": "Horizontal entrante",
|
||||
"textHorizontalOut": "Horizontal saliente",
|
||||
"textHyperlink": "Hiperenlace",
|
||||
"textImage": "Imagen",
|
||||
"textImageURL": "URL de imagen",
|
||||
"textLastColumn": "Última columna",
|
||||
"textLastSlide": "Última diapositiva",
|
||||
"textLayout": "Diseño",
|
||||
"textLeft": "A la izquierda",
|
||||
"textLetterSpacing": "Espaciado entre letras",
|
||||
"textLineSpacing": "Espaciado de línea",
|
||||
"textLink": "Enlace",
|
||||
"textLinkSettings": "Ajustes de enlace",
|
||||
"textLinkTo": "Enlace a",
|
||||
"textLinkType": "Tipo de enlace",
|
||||
"textMoveBackward": "Mover hacia atrás",
|
||||
"textMoveForward": "Moverse hacia adelante",
|
||||
"textNextSlide": "Diapositiva siguiente",
|
||||
"textNone": "Ninguno",
|
||||
"textNoStyles": "No hay estilos para este tipo de gráfico.",
|
||||
"textNoTextFound": "Texto no encontrado",
|
||||
"textNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"",
|
||||
"textOpacity": "Opacidad ",
|
||||
"textOptions": "Opciones",
|
||||
"textPictureFromLibrary": "Imagen desde biblioteca",
|
||||
"textPictureFromURL": "Imagen desde URL",
|
||||
"textPreviousSlide": "Diapositiva anterior",
|
||||
"textPt": "pt",
|
||||
"textPush": "Empuje",
|
||||
"textRemoveChart": "Eliminar gráfico",
|
||||
"textRemoveImage": "Eliminar imagen",
|
||||
"textRemoveLink": "Eliminar enlace",
|
||||
"textRemoveShape": "Eliminar forma",
|
||||
"textRemoveTable": "Eliminar tabla",
|
||||
"textReorder": "Reordenar",
|
||||
"textReplace": "Reemplazar",
|
||||
"textReplaceAll": "Reemplazar todo",
|
||||
"textReplaceImage": "Reemplazar imagen",
|
||||
"textRight": "A la derecha",
|
||||
"textScreenTip": "Consejo de pantalla",
|
||||
"textSearch": "Buscar",
|
||||
"textSec": "s",
|
||||
"textSelectObjectToEdit": "Seleccionar el objeto para editar",
|
||||
"textSendToBackground": "Enviar al fondo",
|
||||
"textShape": "Forma",
|
||||
"textSize": "Tamaño",
|
||||
"textSlide": "Diapositiva",
|
||||
"textSlideInThisPresentation": "Diapositiva en esta presentación",
|
||||
"textSlideNumber": "Número de diapositiva",
|
||||
"textSmallCaps": "Versalitas",
|
||||
"textSmoothly": "Suavemente",
|
||||
"textSplit": "Dividir",
|
||||
"textStartOnClick": "Iniciar al hacer clic",
|
||||
"textStrikethrough": "Tachado",
|
||||
"textStyle": "Estilo",
|
||||
"textStyleOptions": "Opciones de estilo",
|
||||
"textSubscript": "Subíndice",
|
||||
"textSuperscript": "Superíndice",
|
||||
"textTable": "Tabla",
|
||||
"textText": "Texto",
|
||||
"textTheme": "Tema",
|
||||
"textTop": "Arriba",
|
||||
"textTopLeft": "Arriba a la izquierda",
|
||||
"textTopRight": "Arriba a la derecha",
|
||||
"textTotalRow": "Fila de totales",
|
||||
"textTransition": "Transición",
|
||||
"textType": "Tipo",
|
||||
"textUnCover": "Revelar",
|
||||
"textVerticalIn": "Vertical entrante",
|
||||
"textVerticalOut": "Vertical saliente",
|
||||
"textWedge": "Cuña",
|
||||
"textWipe": "Barrer",
|
||||
"textZoom": "Zoom",
|
||||
"textZoomIn": "Acercar",
|
||||
"textZoomOut": "Alejar",
|
||||
"textZoomRotate": "Zoom y giro"
|
||||
},
|
||||
"Settings": {
|
||||
"mniSlideStandard": "Estándar (4:3)",
|
||||
"mniSlideWide": "Panorámico (16:9)",
|
||||
"textAbout": "Acerca de",
|
||||
"textAddress": "dirección: ",
|
||||
"textApplication": "Aplicación",
|
||||
"textApplicationSettings": "Ajustes de aplicación",
|
||||
"textAuthor": "Autor",
|
||||
"textBack": "Atrás",
|
||||
"textCaseSensitive": "Distinguir mayúsculas de minúsculas",
|
||||
"textCentimeter": "Centímetro",
|
||||
"textCollaboration": "Colaboración",
|
||||
"textColorSchemes": "Esquemas de color",
|
||||
"textComment": "Comentario",
|
||||
"textCreated": "Creado",
|
||||
"textDisableAll": "Deshabilitar todo",
|
||||
"textDisableAllMacrosWithNotification": "Deshabilitar todas las macros con notificación",
|
||||
"textDisableAllMacrosWithoutNotification": "Deshabilitar todas las macros sin notificación",
|
||||
"textDone": "Listo",
|
||||
"textDownload": "Descargar",
|
||||
"textDownloadAs": "Descargar como...",
|
||||
"textEmail": "email: ",
|
||||
"textEnableAll": "Habilitar todo",
|
||||
"textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación",
|
||||
"textFind": "Buscar",
|
||||
"textFindAndReplace": "Buscar y reemplazar",
|
||||
"textFindAndReplaceAll": "Buscar y reemplazar todo",
|
||||
"textHelp": "Ayuda",
|
||||
"textHighlight": "Resaltar resultados",
|
||||
"textInch": "Pulgada",
|
||||
"textLastModified": "Última modificación",
|
||||
"textLastModifiedBy": "Última modificación por",
|
||||
"textLoading": "Cargando...",
|
||||
"textLocation": "Ubicación",
|
||||
"textMacrosSettings": "Ajustes de macros",
|
||||
"textNoTextFound": "Texto no encontrado",
|
||||
"textOwner": "Propietario",
|
||||
"textPoint": "Punto",
|
||||
"textPoweredBy": "Con tecnología de",
|
||||
"textPresentationInfo": "Información de la presentación",
|
||||
"textPresentationSettings": "Ajustes de presentación",
|
||||
"textPresentationTitle": "Título de presentación",
|
||||
"textPrint": "Imprimir",
|
||||
"textReplace": "Reemplazar",
|
||||
"textReplaceAll": "Reemplazar todo",
|
||||
"textSearch": "Buscar",
|
||||
"textSettings": "Ajustes",
|
||||
"textShowNotification": "Mostrar notificación",
|
||||
"textSlideSize": "Tamaño de diapositiva",
|
||||
"textSpellcheck": "Сorrección ortográfica",
|
||||
"textSubject": "Asunto",
|
||||
"textTel": "tel:",
|
||||
"textTitle": "Título",
|
||||
"textUnitOfMeasurement": "Unidad de medida",
|
||||
"textUploaded": "Cargado",
|
||||
"textVersion": "Versión "
|
||||
}
|
||||
}
|
||||
}
|
|
@ -1,3 +1,72 @@
|
|||
{
|
||||
|
||||
"About": {
|
||||
"textAbout": "À propos de",
|
||||
"textAddress": "Adresse",
|
||||
"textBack": "Retour"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"textAddComment": "Ajouter un commentaire",
|
||||
"textAddReply": "Ajouter une réponse",
|
||||
"textBack": "Retour",
|
||||
"textCancel": "Annuler"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"menuAddComment": "Ajouter un commentaire",
|
||||
"menuAddLink": "Ajouter un lien",
|
||||
"menuCancel": "Annuler"
|
||||
},
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"textAnonymous": "Anonyme"
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"errorEditingDownloadas": "Une erreur s'est produite pendant le travail sur le document. Utilisez l'option \"Télécharger\" pour enregistrer une sauvegarde locale",
|
||||
"openErrorText": "Une erreur s’est produite lors de l'ouverture du fichier",
|
||||
"saveErrorText": "Une erreur s'est produite lors du chargement du fichier"
|
||||
},
|
||||
"View": {
|
||||
"Add": {
|
||||
"textAddLink": "Ajouter un lien",
|
||||
"textAddress": "Adresse",
|
||||
"textBack": "Retour",
|
||||
"textCancel": "Annuler"
|
||||
},
|
||||
"Edit": {
|
||||
"textAddCustomColor": "Ajouter une couleur personnalisée",
|
||||
"textAdditional": "Additionnel",
|
||||
"textAdditionalFormatting": "Mise en forme supplémentaire",
|
||||
"textAddress": "Adresse",
|
||||
"textAfter": "après",
|
||||
"textAlign": "Aligner",
|
||||
"textAlignBottom": "Aligner en bas",
|
||||
"textAlignCenter": "Aligner au centre",
|
||||
"textAlignLeft": "Aligner à gauche",
|
||||
"textAlignMiddle": "Aligner au centre",
|
||||
"textAlignRight": "Aligner à droite",
|
||||
"textAlignTop": "Aligner en haut",
|
||||
"textAllCaps": "Tout en majuscules",
|
||||
"textApplyAll": "Appliquer à toutes les diapositives",
|
||||
"textAuto": "Auto",
|
||||
"textBack": "Retour",
|
||||
"textBandedColumn": "Colonne à couleur alternée",
|
||||
"textBandedRow": "Ligne à couleur alternée",
|
||||
"textBefore": "Avant",
|
||||
"textBorder": "Bordure",
|
||||
"textBottom": "Bas",
|
||||
"textBottomLeft": "En bas à gauche",
|
||||
"textBottomRight": "En bas à droite",
|
||||
"textBringToForeground": "Mettre au premier plan"
|
||||
},
|
||||
"Settings": {
|
||||
"textAbout": "À propos de",
|
||||
"textAddress": "Adresse :",
|
||||
"textApplication": "Application",
|
||||
"textApplicationSettings": "Paramètres de l'application",
|
||||
"textAuthor": "Auteur",
|
||||
"textBack": "Retour"
|
||||
}
|
||||
}
|
||||
}
|
|
@ -1,3 +1,437 @@
|
|||
{
|
||||
|
||||
"About": {
|
||||
"textAbout": "О программе",
|
||||
"textAddress": "Адрес",
|
||||
"textBack": "Назад",
|
||||
"textEmail": "Еmail",
|
||||
"textPoweredBy": "Разработано",
|
||||
"textTel": "Телефон",
|
||||
"textVersion": "Версия"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"textAddComment": "Добавить комментарий",
|
||||
"textAddReply": "Добавить ответ",
|
||||
"textBack": "Назад",
|
||||
"textCancel": "Отмена",
|
||||
"textCollaboration": "Совместная работа",
|
||||
"textComments": "Комментарии",
|
||||
"textDeleteComment": "Удалить комментарий",
|
||||
"textDeleteReply": "Удалить ответ",
|
||||
"textDone": "Готово",
|
||||
"textEdit": "Редактировать",
|
||||
"textEditComment": "Редактировать комментарий",
|
||||
"textEditReply": "Редактировать ответ",
|
||||
"textEditUser": "Пользователи, редактирующие документ:",
|
||||
"textMessageDeleteComment": "Вы действительно хотите удалить этот комментарий?",
|
||||
"textMessageDeleteReply": "Вы действительно хотите удалить этот ответ?",
|
||||
"textNoComments": "Этот документ не содержит комментариев",
|
||||
"textReopen": "Переоткрыть",
|
||||
"textResolve": "Решить",
|
||||
"textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.",
|
||||
"textUsers": "Пользователи"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "Пользовательские цвета",
|
||||
"textStandartColors": "Стандартные цвета",
|
||||
"textThemeColors": "Цвета темы"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"errorCopyCutPaste": "Операции копирования, вырезания и вставки с помощью контекстного меню будут выполняться только в текущем файле.",
|
||||
"menuAddComment": "Добавить комментарий",
|
||||
"menuAddLink": "Добавить ссылку",
|
||||
"menuCancel": "Отмена",
|
||||
"menuDelete": "Удалить",
|
||||
"menuDeleteTable": "Удалить таблицу",
|
||||
"menuEdit": "Редактировать",
|
||||
"menuMerge": "Объединить",
|
||||
"menuMore": "Ещё",
|
||||
"menuOpenLink": "Перейти по ссылке",
|
||||
"menuSplit": "Разделить",
|
||||
"menuViewComment": "Просмотреть комментарий",
|
||||
"textColumns": "Столбцы",
|
||||
"textCopyCutPasteActions": "Операции копирования, вырезания и вставки",
|
||||
"textDoNotShowAgain": "Больше не показывать",
|
||||
"textRows": "Строки"
|
||||
},
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"advDRMOptions": "Защищенный файл",
|
||||
"advDRMPassword": "Пароль",
|
||||
"closeButtonText": "Закрыть файл",
|
||||
"criticalErrorTitle": "Ошибка",
|
||||
"errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.<br>Пожалуйста, обратитесь к администратору.",
|
||||
"errorOpensource": "Используя бесплатную версию Community, вы можете открывать документы только на просмотр. Для доступа к мобильным веб-редакторам требуется коммерческая лицензия.",
|
||||
"errorProcessSaveResult": "Сбой при сохранении.",
|
||||
"errorServerVersion": "Версия редактора была обновлена. Страница будет перезагружена, чтобы применить изменения.",
|
||||
"errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.",
|
||||
"leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.",
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"SDK": {
|
||||
"Chart": "Диаграмма",
|
||||
"ClipArt": "Картинка",
|
||||
"Date and time": "Дата и время",
|
||||
"Diagram": "SmartArt",
|
||||
"Diagram Title": "Заголовок диаграммы",
|
||||
"Footer": "Нижний колонтитул",
|
||||
"Header": "Верхний колонтитул",
|
||||
"Image": "Рисунок",
|
||||
"Media": "Клип мультимедиа",
|
||||
"Picture": "Рисунок",
|
||||
"Series": "Ряд",
|
||||
"Slide number": "Номер слайда",
|
||||
"Slide subtitle": "Подзаголовок слайда",
|
||||
"Slide text": "Текст слайда",
|
||||
"Slide title": "Заголовок слайда",
|
||||
"Table": "Таблица",
|
||||
"X Axis": "Ось X (XAS)",
|
||||
"Y Axis": "Ось Y",
|
||||
"Your text here": "Введите ваш текст"
|
||||
},
|
||||
"textAnonymous": "Анонимный пользователь",
|
||||
"textBuyNow": "Перейти на сайт",
|
||||
"textClose": "Закрыть",
|
||||
"textContactUs": "Отдел продаж",
|
||||
"textCustomLoader": "К сожалению, у вас нет прав изменять экран, отображаемый при загрузке. Пожалуйста, обратитесь в наш отдел продаж, чтобы сделать запрос.",
|
||||
"textGuest": "Гость",
|
||||
"textHasMacros": "Файл содержит автозапускаемые макросы.<br>Хотите запустить макросы?",
|
||||
"textNo": "Нет",
|
||||
"textNoLicenseTitle": "Лицензионное ограничение",
|
||||
"textOpenFile": "Введите пароль для открытия файла",
|
||||
"textPaidFeature": "Платная функция",
|
||||
"textRemember": "Запомнить мой выбор",
|
||||
"textYes": "Да",
|
||||
"titleLicenseExp": "Истек срок действия лицензии",
|
||||
"titleServerVersion": "Редактор обновлен",
|
||||
"titleUpdateVersion": "Версия изменилась",
|
||||
"txtIncorrectPwd": "Неверный пароль",
|
||||
"txtProtected": "Как только вы введете пароль и откроете файл, текущий пароль к файлу будет сброшен",
|
||||
"warnLicenseExceeded": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт только на просмотр. Свяжитесь с администратором, чтобы узнать больше.",
|
||||
"warnLicenseExp": "Истек срок действия лицензии. Обновите лицензию, а затем обновите страницу.",
|
||||
"warnLicenseLimitedNoAccess": "Истек срок действия лицензии. Нет доступа к функциональности редактирования документов. Пожалуйста, обратитесь к администратору.",
|
||||
"warnLicenseLimitedRenewed": "Необходимо обновить лицензию. У вас ограниченный доступ к функциональности редактирования документов.<br>Пожалуйста, обратитесь к администратору, чтобы получить полный доступ",
|
||||
"warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.",
|
||||
"warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.",
|
||||
"warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.",
|
||||
"warnProcessRightsChange": "У вас нет прав на редактирование этого файла."
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "Превышено время ожидания конвертации.",
|
||||
"criticalErrorExtText": "Нажмите 'OK' для возврата к списку документов.",
|
||||
"criticalErrorTitle": "Ошибка",
|
||||
"downloadErrorText": "Загрузка не удалась.",
|
||||
"errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.<br>Пожалуйста, обратитесь к администратору.",
|
||||
"errorBadImageUrl": "Неправильный URL-адрес рисунка",
|
||||
"errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.<br>Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.",
|
||||
"errorDatabaseConnection": "Внешняя ошибка.<br>Ошибка подключения к базе данных. Пожалуйста, обратитесь в службу технической поддержки.",
|
||||
"errorDataEncrypted": "Получены зашифрованные изменения, их нельзя расшифровать.",
|
||||
"errorDataRange": "Некорректный диапазон данных.",
|
||||
"errorDefaultMessage": "Код ошибки: %1",
|
||||
"errorEditingDownloadas": "В ходе работы с документом произошла ошибка.<br>Используйте опцию 'Скачать', чтобы сохранить резервную копию файла локально.",
|
||||
"errorFilePassProtect": "Файл защищен паролем и не может быть открыт.",
|
||||
"errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.<br>Пожалуйста, обратитесь к администратору.",
|
||||
"errorKeyEncrypt": "Неизвестный дескриптор ключа",
|
||||
"errorKeyExpire": "Срок действия дескриптора ключа истек",
|
||||
"errorSessionAbsolute": "Время сеанса редактирования документа истекло. Пожалуйста, обновите страницу.",
|
||||
"errorSessionIdle": "Документ долгое время не редактировался. Пожалуйста, обновите страницу.",
|
||||
"errorSessionToken": "Подключение к серверу было прервано. Пожалуйста, обновите страницу.",
|
||||
"errorStockChart": "Неверный порядок строк. Чтобы создать биржевую диаграмму, расположите данные на листе в следующем порядке:<br> цена открытия, максимальная цена, минимальная цена, цена закрытия.",
|
||||
"errorUpdateVersionOnDisconnect": "Подключение к Интернету было восстановлено, и версия файла изменилась.<br>Прежде чем продолжить работу, надо скачать файл или скопировать его содержимое, чтобы обеспечить сохранность данных, а затем перезагрузить страницу.",
|
||||
"errorUserDrop": "В настоящий момент файл недоступен.",
|
||||
"errorUsersExceed": "Превышено количество пользователей, разрешенных согласно тарифному плану",
|
||||
"errorViewerDisconnect": "Подключение прервано. Вы можете просматривать документ,<br>но не сможете скачать его до восстановления подключения и обновления страницы.",
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"openErrorText": "При открытии файла произошла ошибка",
|
||||
"saveErrorText": "При сохранении файла произошла ошибка",
|
||||
"scriptLoadError": "Слишком медленное подключение, некоторые компоненты не удалось загрузить. Пожалуйста, обновите страницу.",
|
||||
"splitDividerErrorText": "Число строк должно являться делителем для %1",
|
||||
"splitMaxColsErrorText": "Число столбцов должно быть меньше, чем %1",
|
||||
"splitMaxRowsErrorText": "Число строк должно быть меньше, чем %1",
|
||||
"unknownErrorText": "Неизвестная ошибка.",
|
||||
"uploadImageExtMessage": "Неизвестный формат рисунка.",
|
||||
"uploadImageFileCountMessage": "Ни одного рисунка не загружено.",
|
||||
"uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB."
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "Загрузка данных...",
|
||||
"applyChangesTitleText": "Загрузка данных",
|
||||
"downloadTextText": "Загрузка документа...",
|
||||
"downloadTitleText": "Загрузка документа",
|
||||
"loadFontsTextText": "Загрузка данных...",
|
||||
"loadFontsTitleText": "Загрузка данных",
|
||||
"loadFontTextText": "Загрузка данных...",
|
||||
"loadFontTitleText": "Загрузка данных",
|
||||
"loadImagesTextText": "Загрузка рисунков...",
|
||||
"loadImagesTitleText": "Загрузка рисунков",
|
||||
"loadImageTextText": "Загрузка рисунка...",
|
||||
"loadImageTitleText": "Загрузка рисунка",
|
||||
"loadingDocumentTextText": "Загрузка документа...",
|
||||
"loadingDocumentTitleText": "Загрузка документа",
|
||||
"loadThemeTextText": "Загрузка темы...",
|
||||
"loadThemeTitleText": "Загрузка темы",
|
||||
"openTextText": "Открытие документа...",
|
||||
"openTitleText": "Открытие документа",
|
||||
"printTextText": "Печать документа...",
|
||||
"printTitleText": "Печать документа",
|
||||
"savePreparingText": "Подготовка к сохранению",
|
||||
"savePreparingTitle": "Подготовка к сохранению. Пожалуйста, подождите...",
|
||||
"saveTextText": "Сохранение документа...",
|
||||
"saveTitleText": "Сохранение документа",
|
||||
"textLoadingDocument": "Загрузка документа",
|
||||
"txtEditingMode": "Установка режима редактирования...",
|
||||
"uploadImageTextText": "Загрузка рисунка...",
|
||||
"uploadImageTitleText": "Загрузка рисунка",
|
||||
"waitText": "Пожалуйста, подождите..."
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.",
|
||||
"dlgLeaveTitleText": "Вы выходите из приложения",
|
||||
"leaveButtonText": "Уйти со страницы",
|
||||
"stayButtonText": "Остаться на странице"
|
||||
},
|
||||
"View": {
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"textAddLink": "Добавить ссылку",
|
||||
"textAddress": "Адрес",
|
||||
"textBack": "Назад",
|
||||
"textCancel": "Отмена",
|
||||
"textColumns": "Колонки",
|
||||
"textComment": "Комментарий",
|
||||
"textDefault": "Выделенный текст",
|
||||
"textDisplay": "Отображать",
|
||||
"textEmptyImgUrl": "Необходимо указать URL рисунка.",
|
||||
"textExternalLink": "Внешняя ссылка",
|
||||
"textFirstSlide": "Первый слайд",
|
||||
"textImage": "Рисунок",
|
||||
"textImageURL": "URL рисунка",
|
||||
"textInsert": "Вставить",
|
||||
"textInsertImage": "Вставить рисунок",
|
||||
"textLastSlide": "Последний слайд",
|
||||
"textLink": "Ссылка",
|
||||
"textLinkSettings": "Настройки ссылки",
|
||||
"textLinkTo": "Связать с",
|
||||
"textLinkType": "Тип ссылки",
|
||||
"textNextSlide": "Следующий слайд",
|
||||
"textOther": "Другое",
|
||||
"textPictureFromLibrary": "Рисунок из библиотеки",
|
||||
"textPictureFromURL": "Рисунок по URL",
|
||||
"textPreviousSlide": "Предыдущий слайд",
|
||||
"textRows": "Строки",
|
||||
"textScreenTip": "Подсказка",
|
||||
"textShape": "Фигура",
|
||||
"textSlide": "Слайд",
|
||||
"textSlideInThisPresentation": "Слайд в этой презентации",
|
||||
"textSlideNumber": "Номер слайда",
|
||||
"textTable": "Таблица",
|
||||
"textTableSize": "Размер таблицы",
|
||||
"txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\""
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "Внимание",
|
||||
"textActualSize": "Реальный размер",
|
||||
"textAddCustomColor": "Добавить пользовательский цвет",
|
||||
"textAdditional": "Дополнительно",
|
||||
"textAdditionalFormatting": "Дополнительно",
|
||||
"textAddress": "Адрес",
|
||||
"textAfter": "После",
|
||||
"textAlign": "Выравнивание",
|
||||
"textAlignBottom": "По нижнему краю",
|
||||
"textAlignCenter": "По центру",
|
||||
"textAlignLeft": "По левому краю",
|
||||
"textAlignMiddle": "По середине",
|
||||
"textAlignRight": "По правому краю",
|
||||
"textAlignTop": "По верхнему краю",
|
||||
"textAllCaps": "Все прописные",
|
||||
"textApplyAll": "Применить ко всем слайдам",
|
||||
"textAuto": "Авто",
|
||||
"textBack": "Назад",
|
||||
"textBandedColumn": "Чередовать столбцы",
|
||||
"textBandedRow": "Чередовать строки",
|
||||
"textBefore": "Перед",
|
||||
"textBlack": "Через черное",
|
||||
"textBorder": "Граница",
|
||||
"textBottom": "Снизу",
|
||||
"textBottomLeft": "Снизу слева",
|
||||
"textBottomRight": "Снизу справа",
|
||||
"textBringToForeground": "Перенести на передний план",
|
||||
"textBulletsAndNumbers": "Маркеры и нумерация",
|
||||
"textCaseSensitive": "С учетом регистра",
|
||||
"textCellMargins": "Поля ячейки",
|
||||
"textChart": "Диаграмма",
|
||||
"textClock": "Часы",
|
||||
"textClockwise": "По часовой стрелке",
|
||||
"textColor": "Цвет",
|
||||
"textCounterclockwise": "Против часовой стрелки",
|
||||
"textCover": "Наплыв",
|
||||
"textCustomColor": "Пользовательский цвет",
|
||||
"textDefault": "Выделенный текст",
|
||||
"textDelay": "Задержка",
|
||||
"textDeleteSlide": "Удалить слайд",
|
||||
"textDisplay": "Отображать",
|
||||
"textDistanceFromText": "Расстояние до текста",
|
||||
"textDistributeHorizontally": "Распределить по горизонтали",
|
||||
"textDistributeVertically": "Распределить по вертикали",
|
||||
"textDone": "Готово",
|
||||
"textDoubleStrikethrough": "Двойное зачёркивание",
|
||||
"textDuplicateSlide": "Дублировать слайд",
|
||||
"textDuration": "Длительность",
|
||||
"textEditLink": "Редактировать ссылку",
|
||||
"textEffect": "Эффект",
|
||||
"textEffects": "Эффекты",
|
||||
"textEmptyImgUrl": "Необходимо указать URL рисунка.",
|
||||
"textExternalLink": "Внешняя ссылка",
|
||||
"textFade": "Выцветание",
|
||||
"textFill": "Заливка",
|
||||
"textFinalMessage": "Просмотр слайдов завершен. Коснитесь, чтобы выйти.",
|
||||
"textFind": "Поиск",
|
||||
"textFindAndReplace": "Поиск и замена",
|
||||
"textFirstColumn": "Первый столбец",
|
||||
"textFirstSlide": "Первый слайд",
|
||||
"textFontColor": "Цвет шрифта",
|
||||
"textFontColors": "Цвета шрифта",
|
||||
"textFonts": "Шрифты",
|
||||
"textFromLibrary": "Рисунок из библиотеки",
|
||||
"textFromURL": "Рисунок по URL",
|
||||
"textHeaderRow": "Строка заголовка",
|
||||
"textHighlight": "Выделить результаты",
|
||||
"textHighlightColor": "Цвет выделения",
|
||||
"textHorizontalIn": "По горизонтали внутрь",
|
||||
"textHorizontalOut": "По горизонтали наружу",
|
||||
"textHyperlink": "Гиперссылка",
|
||||
"textImage": "Рисунок",
|
||||
"textImageURL": "URL рисунка",
|
||||
"textLastColumn": "Последний столбец",
|
||||
"textLastSlide": "Последний слайд",
|
||||
"textLayout": "Макет",
|
||||
"textLeft": "Слева",
|
||||
"textLetterSpacing": "Интервал",
|
||||
"textLineSpacing": "Междустрочный интервал",
|
||||
"textLink": "Ссылка",
|
||||
"textLinkSettings": "Настройки ссылки",
|
||||
"textLinkTo": "Связать с",
|
||||
"textLinkType": "Тип ссылки",
|
||||
"textMoveBackward": "Перенести назад",
|
||||
"textMoveForward": "Перенести вперед",
|
||||
"textNextSlide": "Следующий слайд",
|
||||
"textNone": "Нет",
|
||||
"textNoStyles": "Для этого типа диаграммы нет стилей.",
|
||||
"textNoTextFound": "Текст не найден",
|
||||
"textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"",
|
||||
"textOpacity": "Прозрачность",
|
||||
"textOptions": "Параметры",
|
||||
"textPictureFromLibrary": "Рисунок из библиотеки",
|
||||
"textPictureFromURL": "Рисунок по URL",
|
||||
"textPreviousSlide": "Предыдущий слайд",
|
||||
"textPt": "пт",
|
||||
"textPush": "Задвигание",
|
||||
"textRemoveChart": "Удалить диаграмму",
|
||||
"textRemoveImage": "Удалить рисунок",
|
||||
"textRemoveLink": "Удалить ссылку",
|
||||
"textRemoveShape": "Удалить фигуру",
|
||||
"textRemoveTable": "Удалить таблицу",
|
||||
"textReorder": "Порядок",
|
||||
"textReplace": "Заменить",
|
||||
"textReplaceAll": "Заменить все",
|
||||
"textReplaceImage": "Заменить рисунок",
|
||||
"textRight": "Справа",
|
||||
"textScreenTip": "Подсказка",
|
||||
"textSearch": "Поиск",
|
||||
"textSec": "сек",
|
||||
"textSelectObjectToEdit": "Выберите объект для редактирования",
|
||||
"textSendToBackground": "Перенести на задний план",
|
||||
"textShape": "Фигура",
|
||||
"textSize": "Размер",
|
||||
"textSlide": "Слайд",
|
||||
"textSlideInThisPresentation": "Слайд в этой презентации",
|
||||
"textSlideNumber": "Номер слайда",
|
||||
"textSmallCaps": "Малые прописные",
|
||||
"textSmoothly": "Плавно",
|
||||
"textSplit": "Панорама",
|
||||
"textStartOnClick": "Запускать щелчком",
|
||||
"textStrikethrough": "Зачёркивание",
|
||||
"textStyle": "Стиль",
|
||||
"textStyleOptions": "Настройки стиля",
|
||||
"textSubscript": "Подстрочные",
|
||||
"textSuperscript": "Надстрочные",
|
||||
"textTable": "Таблица",
|
||||
"textText": "Текст",
|
||||
"textTheme": "Тема",
|
||||
"textTop": "Сверху",
|
||||
"textTopLeft": "Сверху слева",
|
||||
"textTopRight": "Сверху справа",
|
||||
"textTotalRow": "Строка итогов",
|
||||
"textTransition": "Переход",
|
||||
"textType": "Тип",
|
||||
"textUnCover": "Открывание",
|
||||
"textVerticalIn": "По вертикали внутрь",
|
||||
"textVerticalOut": "По вертикали наружу",
|
||||
"textWedge": "Симметрично по кругу",
|
||||
"textWipe": "Появление",
|
||||
"textZoom": "Масштабирование",
|
||||
"textZoomIn": "Увеличение",
|
||||
"textZoomOut": "Уменьшение",
|
||||
"textZoomRotate": "Увеличение с поворотом"
|
||||
},
|
||||
"Settings": {
|
||||
"mniSlideStandard": "Стандартный (4:3)",
|
||||
"mniSlideWide": "Широкоэкранный (16:9)",
|
||||
"textAbout": "О программе",
|
||||
"textAddress": "адрес: ",
|
||||
"textApplication": "Приложение",
|
||||
"textApplicationSettings": "Настройки приложения",
|
||||
"textAuthor": "Автор",
|
||||
"textBack": "Назад",
|
||||
"textCaseSensitive": "С учетом регистра",
|
||||
"textCentimeter": "Сантиметр",
|
||||
"textCollaboration": "Совместная работа",
|
||||
"textColorSchemes": "Цветовые схемы",
|
||||
"textComment": "Комментарий",
|
||||
"textCreated": "Создана",
|
||||
"textDisableAll": "Отключить все",
|
||||
"textDisableAllMacrosWithNotification": "Отключить все макросы с уведомлением",
|
||||
"textDisableAllMacrosWithoutNotification": "Отключить все макросы без уведомления",
|
||||
"textDone": "Готово",
|
||||
"textDownload": "Скачать",
|
||||
"textDownloadAs": "Скачать как...",
|
||||
"textEmail": "email: ",
|
||||
"textEnableAll": "Включить все",
|
||||
"textEnableAllMacrosWithoutNotification": "Включить все макросы без уведомления",
|
||||
"textFind": "Поиск",
|
||||
"textFindAndReplace": "Поиск и замена",
|
||||
"textFindAndReplaceAll": "Найти и заменить все",
|
||||
"textHelp": "Справка",
|
||||
"textHighlight": "Выделить результаты",
|
||||
"textInch": "Дюйм",
|
||||
"textLastModified": "Последнее изменение",
|
||||
"textLastModifiedBy": "Автор последнего изменения",
|
||||
"textLoading": "Загрузка...",
|
||||
"textLocation": "Размещение",
|
||||
"textMacrosSettings": "Настройки макросов",
|
||||
"textNoTextFound": "Текст не найден",
|
||||
"textOwner": "Владелец",
|
||||
"textPoint": "Пункт",
|
||||
"textPoweredBy": "Разработано",
|
||||
"textPresentationInfo": "Информация о презентации",
|
||||
"textPresentationSettings": "Настройки презентации",
|
||||
"textPresentationTitle": "Название презентации",
|
||||
"textPrint": "Печать",
|
||||
"textReplace": "Заменить",
|
||||
"textReplaceAll": "Заменить все",
|
||||
"textSearch": "Поиск",
|
||||
"textSettings": "Настройки",
|
||||
"textShowNotification": "Показывать уведомление",
|
||||
"textSlideSize": "Размер слайда",
|
||||
"textSpellcheck": "Проверка орфографии",
|
||||
"textSubject": "Тема",
|
||||
"textTel": "телефон:",
|
||||
"textTitle": "Название",
|
||||
"textUnitOfMeasurement": "Единица измерения",
|
||||
"textUploaded": "Загружена",
|
||||
"textVersion": "Версия"
|
||||
}
|
||||
}
|
||||
}
|
|
@ -1,3 +1,437 @@
|
|||
{
|
||||
|
||||
"About": {
|
||||
"textAbout": "关于",
|
||||
"textAddress": "地址",
|
||||
"textBack": "返回",
|
||||
"textEmail": "电子邮件",
|
||||
"textPoweredBy": "支持方",
|
||||
"textTel": "电话",
|
||||
"textVersion": "版本"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"notcriticalErrorTitle": "警告",
|
||||
"textAddComment": "添加评论",
|
||||
"textAddReply": "添加回复",
|
||||
"textBack": "返回",
|
||||
"textCancel": "取消",
|
||||
"textCollaboration": "协作",
|
||||
"textComments": "评论",
|
||||
"textDeleteComment": "删除批注",
|
||||
"textDeleteReply": "删除回复",
|
||||
"textDone": "完成",
|
||||
"textEdit": "编辑",
|
||||
"textEditComment": "编辑评论",
|
||||
"textEditReply": "编辑回复",
|
||||
"textEditUser": "以下用户正在编辑文件:",
|
||||
"textMessageDeleteComment": "您确定要删除此批注吗?",
|
||||
"textMessageDeleteReply": "你确定要删除这一回复吗?",
|
||||
"textNoComments": "此文档不包含批注",
|
||||
"textReopen": "重新打开",
|
||||
"textResolve": "解决",
|
||||
"textTryUndoRedo": "快速共同编辑模式下,撤销/重做功能被禁用。",
|
||||
"textUsers": "用户"
|
||||
},
|
||||
"ThemeColorPalette": {
|
||||
"textCustomColors": "自定义颜色",
|
||||
"textStandartColors": "标准颜色",
|
||||
"textThemeColors": "主题颜色"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"errorCopyCutPaste": "在上下文菜单中进行拷贝、剪切、粘贴操作只会在这个文件中起作用。",
|
||||
"menuAddComment": "添加评论",
|
||||
"menuAddLink": "添加链接",
|
||||
"menuCancel": "取消",
|
||||
"menuDelete": "删除",
|
||||
"menuDeleteTable": "删除表",
|
||||
"menuEdit": "编辑",
|
||||
"menuMerge": "合并",
|
||||
"menuMore": "更多",
|
||||
"menuOpenLink": "打开链接",
|
||||
"menuSplit": "分开",
|
||||
"menuViewComment": "查看批注",
|
||||
"textColumns": "列",
|
||||
"textCopyCutPasteActions": "拷贝,剪切和粘贴操作",
|
||||
"textDoNotShowAgain": "不要再显示",
|
||||
"textRows": "行"
|
||||
},
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"advDRMOptions": "受保护的文件",
|
||||
"advDRMPassword": "密码",
|
||||
"closeButtonText": "关闭文件",
|
||||
"criticalErrorTitle": "错误",
|
||||
"errorAccessDeny": "你正要执行一个你没有权限的操作<br>恳请你联系你的管理员。",
|
||||
"errorOpensource": "在使用免费社区版本的情况下,你只能查看打开的文件。要想使用移动网上编辑器功能,你需要持有付费许可证。",
|
||||
"errorProcessSaveResult": "保存失败",
|
||||
"errorServerVersion": "编辑器版本已完成更新。为应用这些更改,该页将要刷新。",
|
||||
"errorUpdateVersion": "文件版本发生改变。该页将要刷新。",
|
||||
"leavePageText": "你在该文档中有尚未保存的修改。点击“留在该页”将激活自动保存。点击“离开该页”将舍弃全部未保存的修改。",
|
||||
"notcriticalErrorTitle": "警告",
|
||||
"SDK": {
|
||||
"Chart": "图表",
|
||||
"ClipArt": "剪贴画",
|
||||
"Date and time": "日期和时间",
|
||||
"Diagram": "图",
|
||||
"Diagram Title": "图表标题",
|
||||
"Footer": "页脚",
|
||||
"Header": "页眉",
|
||||
"Image": "图片",
|
||||
"Media": "媒体",
|
||||
"Picture": "图片",
|
||||
"Series": "系列",
|
||||
"Slide number": "幻灯片编号",
|
||||
"Slide subtitle": "幻灯片副标题",
|
||||
"Slide text": "幻灯片文本",
|
||||
"Slide title": "幻灯片标题",
|
||||
"Table": "表格",
|
||||
"X Axis": "X 轴 XAS",
|
||||
"Y Axis": "Y 轴",
|
||||
"Your text here": "你的文本在此"
|
||||
},
|
||||
"textAnonymous": "匿名",
|
||||
"textBuyNow": "访问网站",
|
||||
"textClose": "关闭",
|
||||
"textContactUs": "联系销售",
|
||||
"textCustomLoader": "抱歉,你无权修改装载器。恳请你联系我们的销售部门来获取报价。",
|
||||
"textGuest": "访客",
|
||||
"textHasMacros": "这个文件带有自动宏。<br> 是否要运行宏?",
|
||||
"textNo": "不",
|
||||
"textNoLicenseTitle": "触碰到许可证数量限制。",
|
||||
"textOpenFile": "输入密码来打开文件",
|
||||
"textPaidFeature": "付费功能",
|
||||
"textRemember": "记住我的选择",
|
||||
"textYes": "是",
|
||||
"titleLicenseExp": "许可证过期",
|
||||
"titleServerVersion": "编辑器已更新",
|
||||
"titleUpdateVersion": "版本已变化",
|
||||
"txtIncorrectPwd": "密码有误",
|
||||
"txtProtected": "在您输入密码和打开文件后,该文件的当前密码将被重置",
|
||||
"warnLicenseExceeded": "你触发了 %1 编辑器的同时在线数限制。该文档打开后,你将只能查看。可联系管理员来了解更多信息。",
|
||||
"warnLicenseExp": "你的许可证过期了。请更新你的许可证,然后刷新该页。",
|
||||
"warnLicenseLimitedNoAccess": "许可证已经过期。你现在无法使用文档编辑功能。恳请你联系您的管理员。",
|
||||
"warnLicenseLimitedRenewed": "许可证需要更新。你的文档编辑功能被限制了。<br>要想取得全部权限,请联系你的管理员。",
|
||||
"warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。",
|
||||
"warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。",
|
||||
"warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。",
|
||||
"warnProcessRightsChange": "你没有编辑文件的权限。"
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"convertationTimeoutText": "转换超时",
|
||||
"criticalErrorExtText": "按下“好”按钮就可以回到文档列表。",
|
||||
"criticalErrorTitle": "错误",
|
||||
"downloadErrorText": "下载失败",
|
||||
"errorAccessDeny": "你正要执行一个你没有权限的操作。<br>请联系你的管理员。",
|
||||
"errorBadImageUrl": "图片地址不正确",
|
||||
"errorConnectToServer": "保存失败。请检查你的联网设定,或联系管理员。<br>你可以在按下“好”按钮之后下载这个文档。",
|
||||
"errorDatabaseConnection": "外部错误。<br>数据库连接错误。请联系客服支持。",
|
||||
"errorDataEncrypted": "加密更改已收到,无法对其解密。",
|
||||
"errorDataRange": "数据范围不正确",
|
||||
"errorDefaultMessage": "错误代码:%1",
|
||||
"errorEditingDownloadas": "在处理此文档时发生了错误。<br>请利用“保存”选项将文件备份存储到本地。",
|
||||
"errorFilePassProtect": "该文件已启动密码保护,无法打开。",
|
||||
"errorFileSizeExceed": "文件大小超出服务器限制。<br>请联系你的管理员。",
|
||||
"errorKeyEncrypt": "未知密钥描述",
|
||||
"errorKeyExpire": "密钥过期",
|
||||
"errorSessionAbsolute": "该文件编辑窗口已过期。请刷新该页。",
|
||||
"errorSessionIdle": "该文档已经有一段时间没有编辑了。请刷新该页。",
|
||||
"errorSessionToken": "与服务器的链接被打断。请刷新该页。",
|
||||
"errorStockChart": "行的顺序有误。要想建立股票图表,请将数据按照如下顺序安放到表格中:<br> 开盘价格,最高价格,最低价格,收盘价格。",
|
||||
"errorUpdateVersionOnDisconnect": "网络链接已经恢复,且文件版本已被更改。<br>在继续之前,请先下载该文件,或拷贝文件的内容,以确保不会发生任何丢失,然后刷新该页面。",
|
||||
"errorUserDrop": "该文件现在无法访问。",
|
||||
"errorUsersExceed": "超过了定价计划允许的用户数",
|
||||
"errorViewerDisconnect": "网络连接失败。你仍然可以查看这个文档,<br>但在连接恢复并刷新该页之前,你将不能下载这个文档。",
|
||||
"notcriticalErrorTitle": "警告",
|
||||
"openErrorText": "打开文件时发生错误",
|
||||
"saveErrorText": "保存文件时发生错误",
|
||||
"scriptLoadError": "网速过慢,导致该页部分元素未能成功加载。请刷新该页。",
|
||||
"splitDividerErrorText": "该行数必须是%1的约数。",
|
||||
"splitMaxColsErrorText": "列数必须小于%1",
|
||||
"splitMaxRowsErrorText": "行数必须小于%1",
|
||||
"unknownErrorText": "未知错误。",
|
||||
"uploadImageExtMessage": "未知图像格式。",
|
||||
"uploadImageFileCountMessage": "没有图片上传",
|
||||
"uploadImageSizeMessage": "超过了最大图片大小"
|
||||
},
|
||||
"LongActions": {
|
||||
"applyChangesTextText": "数据加载中…",
|
||||
"applyChangesTitleText": "数据加载中",
|
||||
"downloadTextText": "正在下载文件...",
|
||||
"downloadTitleText": "下载文件",
|
||||
"loadFontsTextText": "数据加载中…",
|
||||
"loadFontsTitleText": "数据加载中",
|
||||
"loadFontTextText": "数据加载中…",
|
||||
"loadFontTitleText": "数据加载中",
|
||||
"loadImagesTextText": "图片加载中…",
|
||||
"loadImagesTitleText": "图片加载中",
|
||||
"loadImageTextText": "图片加载中…",
|
||||
"loadImageTitleText": "图片加载中",
|
||||
"loadingDocumentTextText": "文件加载中…",
|
||||
"loadingDocumentTitleText": "文件加载中…",
|
||||
"loadThemeTextText": "加载主题...",
|
||||
"loadThemeTitleText": "加载主题",
|
||||
"openTextText": "打开文件...",
|
||||
"openTitleText": "正在打开文件",
|
||||
"printTextText": "打印文件",
|
||||
"printTitleText": "打印文件",
|
||||
"savePreparingText": "图像上传中……",
|
||||
"savePreparingTitle": "正在保存,请稍候...",
|
||||
"saveTextText": "正在保存文档...",
|
||||
"saveTitleText": "保存文件",
|
||||
"textLoadingDocument": "文件加载中…",
|
||||
"txtEditingMode": "设置编辑模式..",
|
||||
"uploadImageTextText": "上传图片...",
|
||||
"uploadImageTitleText": "图片上传中",
|
||||
"waitText": "请稍候..."
|
||||
},
|
||||
"Toolbar": {
|
||||
"dlgLeaveMsgText": "你在该文档中有未保存的修改。点击“留在该页”来等待自动保存。点击“离开该页”将舍弃全部未保存的更改。",
|
||||
"dlgLeaveTitleText": "你退出应用程序",
|
||||
"leaveButtonText": "离开这个页面",
|
||||
"stayButtonText": "保持此页上"
|
||||
},
|
||||
"View": {
|
||||
"Add": {
|
||||
"notcriticalErrorTitle": "警告",
|
||||
"textAddLink": "添加链接",
|
||||
"textAddress": "地址",
|
||||
"textBack": "返回",
|
||||
"textCancel": "取消",
|
||||
"textColumns": "列",
|
||||
"textComment": "评论",
|
||||
"textDefault": "所选文字",
|
||||
"textDisplay": "展示",
|
||||
"textEmptyImgUrl": "你需要指定图片的网页。",
|
||||
"textExternalLink": "外部链接",
|
||||
"textFirstSlide": "第一张幻灯片",
|
||||
"textImage": "图片",
|
||||
"textImageURL": "图片地址",
|
||||
"textInsert": "插入",
|
||||
"textInsertImage": "插入图片",
|
||||
"textLastSlide": "最后一张幻灯片",
|
||||
"textLink": "链接",
|
||||
"textLinkSettings": "链接设置",
|
||||
"textLinkTo": "链接到",
|
||||
"textLinkType": "链接类型",
|
||||
"textNextSlide": "下一张幻灯片",
|
||||
"textOther": "其他",
|
||||
"textPictureFromLibrary": "图库",
|
||||
"textPictureFromURL": "来自网络的图片",
|
||||
"textPreviousSlide": "上一张幻灯片",
|
||||
"textRows": "行",
|
||||
"textScreenTip": "屏幕提示",
|
||||
"textShape": "形状",
|
||||
"textSlide": "幻灯片",
|
||||
"textSlideInThisPresentation": "本演示文件中的幻灯片",
|
||||
"textSlideNumber": "幻灯片编号",
|
||||
"textTable": "表格",
|
||||
"textTableSize": "表格大小",
|
||||
"txtNotUrl": "该字段应为“http://www.example.com”格式的URL"
|
||||
},
|
||||
"Edit": {
|
||||
"notcriticalErrorTitle": "警告",
|
||||
"textActualSize": "实际大小",
|
||||
"textAddCustomColor": "\n添加自定义颜色",
|
||||
"textAdditional": "其他",
|
||||
"textAdditionalFormatting": "其他格式",
|
||||
"textAddress": "地址",
|
||||
"textAfter": "之后",
|
||||
"textAlign": "对齐",
|
||||
"textAlignBottom": "底部对齐",
|
||||
"textAlignCenter": "居中对齐",
|
||||
"textAlignLeft": "左对齐",
|
||||
"textAlignMiddle": "居中对齐",
|
||||
"textAlignRight": "右对齐",
|
||||
"textAlignTop": "顶端对齐",
|
||||
"textAllCaps": "全部大写",
|
||||
"textApplyAll": "应用于所有幻灯片",
|
||||
"textAuto": "自动",
|
||||
"textBack": "返回",
|
||||
"textBandedColumn": "带状列",
|
||||
"textBandedRow": "带状行",
|
||||
"textBefore": "之前",
|
||||
"textBlack": "通过黑色",
|
||||
"textBorder": "边界",
|
||||
"textBottom": "底部",
|
||||
"textBottomLeft": "左下",
|
||||
"textBottomRight": "右下",
|
||||
"textBringToForeground": "放到最上面",
|
||||
"textBulletsAndNumbers": "项目符号与编号",
|
||||
"textCaseSensitive": "区分大小写",
|
||||
"textCellMargins": "单元格边距",
|
||||
"textChart": "图表",
|
||||
"textClock": "时钟",
|
||||
"textClockwise": "顺时针",
|
||||
"textColor": "颜色",
|
||||
"textCounterclockwise": "逆时针",
|
||||
"textCover": "封面",
|
||||
"textCustomColor": "自定义颜色",
|
||||
"textDefault": "所选文字",
|
||||
"textDelay": "延迟",
|
||||
"textDeleteSlide": "删除幻灯片",
|
||||
"textDisplay": "展示",
|
||||
"textDistanceFromText": "文字距离",
|
||||
"textDistributeHorizontally": "水平分布",
|
||||
"textDistributeVertically": "垂直分布",
|
||||
"textDone": "完成",
|
||||
"textDoubleStrikethrough": "双删除线",
|
||||
"textDuplicateSlide": "复制幻灯片",
|
||||
"textDuration": "持续时间",
|
||||
"textEditLink": "编辑链接",
|
||||
"textEffect": "效果",
|
||||
"textEffects": "效果",
|
||||
"textEmptyImgUrl": "你需要指定图片的网页。",
|
||||
"textExternalLink": "外部链接",
|
||||
"textFade": "淡褪",
|
||||
"textFill": "填满",
|
||||
"textFinalMessage": "该页为幻灯预览的结尾。点击以退出。",
|
||||
"textFind": "查找",
|
||||
"textFindAndReplace": "查找和替换",
|
||||
"textFirstColumn": "第一列",
|
||||
"textFirstSlide": "第一张幻灯片",
|
||||
"textFontColor": "字体颜色",
|
||||
"textFontColors": "字体颜色",
|
||||
"textFonts": "字体",
|
||||
"textFromLibrary": "图库",
|
||||
"textFromURL": "来自网络的图片",
|
||||
"textHeaderRow": "标题行",
|
||||
"textHighlight": "高亮效果",
|
||||
"textHighlightColor": "颜色高亮",
|
||||
"textHorizontalIn": "水平进入",
|
||||
"textHorizontalOut": "水平离开",
|
||||
"textHyperlink": "超链接",
|
||||
"textImage": "图片",
|
||||
"textImageURL": "图片地址",
|
||||
"textLastColumn": "最后一列",
|
||||
"textLastSlide": "最后一张幻灯片",
|
||||
"textLayout": "布局",
|
||||
"textLeft": "左",
|
||||
"textLetterSpacing": "字母间距",
|
||||
"textLineSpacing": "行间距",
|
||||
"textLink": "链接",
|
||||
"textLinkSettings": "链接设置",
|
||||
"textLinkTo": "链接到",
|
||||
"textLinkType": "链接类型",
|
||||
"textMoveBackward": "向后移动",
|
||||
"textMoveForward": "向前移动",
|
||||
"textNextSlide": "下一张幻灯片",
|
||||
"textNone": "无",
|
||||
"textNoStyles": "这个类型的表格没有对应的样式设定。",
|
||||
"textNoTextFound": "文本没找到",
|
||||
"textNotUrl": "该字段应为“http://www.example.com”格式的URL",
|
||||
"textOpacity": "不透明度",
|
||||
"textOptions": "选项",
|
||||
"textPictureFromLibrary": "图库",
|
||||
"textPictureFromURL": "来自网络的图片",
|
||||
"textPreviousSlide": "上一张幻灯片",
|
||||
"textPt": "像素",
|
||||
"textPush": "推送",
|
||||
"textRemoveChart": "删除图表",
|
||||
"textRemoveImage": "删除图片",
|
||||
"textRemoveLink": "删除链接",
|
||||
"textRemoveShape": "去除形状",
|
||||
"textRemoveTable": "删除表",
|
||||
"textReorder": "重新订购",
|
||||
"textReplace": "替换",
|
||||
"textReplaceAll": "全部替换",
|
||||
"textReplaceImage": "替换图像",
|
||||
"textRight": "右",
|
||||
"textScreenTip": "屏幕提示",
|
||||
"textSearch": "搜索",
|
||||
"textSec": "S",
|
||||
"textSelectObjectToEdit": "选择要编辑的物件",
|
||||
"textSendToBackground": "送至后台",
|
||||
"textShape": "形状",
|
||||
"textSize": "大小",
|
||||
"textSlide": "幻灯片",
|
||||
"textSlideInThisPresentation": "本演示文件中的幻灯片",
|
||||
"textSlideNumber": "幻灯片编号",
|
||||
"textSmallCaps": "小写",
|
||||
"textSmoothly": "顺利",
|
||||
"textSplit": "分开",
|
||||
"textStartOnClick": "点击时开始",
|
||||
"textStrikethrough": "删除线",
|
||||
"textStyle": "样式",
|
||||
"textStyleOptions": "样式选项",
|
||||
"textSubscript": "下标",
|
||||
"textSuperscript": "上标",
|
||||
"textTable": "表格",
|
||||
"textText": "文本",
|
||||
"textTheme": "主题",
|
||||
"textTop": "顶部",
|
||||
"textTopLeft": "左上",
|
||||
"textTopRight": "右上",
|
||||
"textTotalRow": "总行",
|
||||
"textTransition": "过渡",
|
||||
"textType": "类型",
|
||||
"textUnCover": "揭露",
|
||||
"textVerticalIn": "铅直进入",
|
||||
"textVerticalOut": "铅直离开",
|
||||
"textWedge": "楔",
|
||||
"textWipe": "抹掉",
|
||||
"textZoom": "放大",
|
||||
"textZoomIn": "放大",
|
||||
"textZoomOut": "缩小",
|
||||
"textZoomRotate": "缩放并旋转"
|
||||
},
|
||||
"Settings": {
|
||||
"mniSlideStandard": "标准(4:3)",
|
||||
"mniSlideWide": "宽屏(16:9)",
|
||||
"textAbout": "关于",
|
||||
"textAddress": "地址:",
|
||||
"textApplication": "应用",
|
||||
"textApplicationSettings": "应用设置",
|
||||
"textAuthor": "作者",
|
||||
"textBack": "返回",
|
||||
"textCaseSensitive": "区分大小写",
|
||||
"textCentimeter": "厘米",
|
||||
"textCollaboration": "协作",
|
||||
"textColorSchemes": "颜色方案",
|
||||
"textComment": "评论",
|
||||
"textCreated": "已创建",
|
||||
"textDisableAll": "解除所有项目",
|
||||
"textDisableAllMacrosWithNotification": "关闭所有带通知的宏",
|
||||
"textDisableAllMacrosWithoutNotification": "关闭所有不带通知的宏",
|
||||
"textDone": "完成",
|
||||
"textDownload": "下载",
|
||||
"textDownloadAs": "下载为...",
|
||||
"textEmail": "电子邮件:",
|
||||
"textEnableAll": "启动所有项目",
|
||||
"textEnableAllMacrosWithoutNotification": "启动所有不带通知的宏",
|
||||
"textFind": "查找",
|
||||
"textFindAndReplace": "查找和替换",
|
||||
"textFindAndReplaceAll": "查找并替换所有",
|
||||
"textHelp": "帮助",
|
||||
"textHighlight": "高亮效果",
|
||||
"textInch": "寸",
|
||||
"textLastModified": "上次修改时间",
|
||||
"textLastModifiedBy": "上次修改人是",
|
||||
"textLoading": "加载中…",
|
||||
"textLocation": "位置",
|
||||
"textMacrosSettings": "宏设置",
|
||||
"textNoTextFound": "文本没找到",
|
||||
"textOwner": "创建者",
|
||||
"textPoint": "点",
|
||||
"textPoweredBy": "支持方",
|
||||
"textPresentationInfo": "演示信息",
|
||||
"textPresentationSettings": "演示文稿设置",
|
||||
"textPresentationTitle": "演示文档标题",
|
||||
"textPrint": "打印",
|
||||
"textReplace": "替换",
|
||||
"textReplaceAll": "全部替换",
|
||||
"textSearch": "搜索",
|
||||
"textSettings": "设置",
|
||||
"textShowNotification": "显示通知",
|
||||
"textSlideSize": "幻灯片大小",
|
||||
"textSpellcheck": "拼写检查",
|
||||
"textSubject": "主题",
|
||||
"textTel": "电话:",
|
||||
"textTitle": "标题",
|
||||
"textUnitOfMeasurement": "计量单位",
|
||||
"textUploaded": "已上传",
|
||||
"textVersion": "版本"
|
||||
}
|
||||
}
|
||||
}
|
|
@ -75,8 +75,6 @@ class MainController extends Component {
|
|||
|
||||
EditorUIController.isSupportEditFeature();
|
||||
|
||||
console.log('load config');
|
||||
|
||||
this.editorConfig = Object.assign({}, this.editorConfig, data.config);
|
||||
|
||||
this.props.storeAppOptions.setConfigOptions(this.editorConfig, _t);
|
||||
|
|
|
@ -131,7 +131,6 @@ const ToolbarController = inject('storeAppOptions', 'users')(observer(props => {
|
|||
}
|
||||
}
|
||||
|
||||
const [disabledAdd, setDisabledAdd] = useState(false);
|
||||
const [disabledEdit, setDisabledEdit] = useState(false);
|
||||
const onApiFocusObject = (objects) => {
|
||||
if (isDisconnected) return;
|
||||
|
@ -153,7 +152,6 @@ const ToolbarController = inject('storeAppOptions', 'users')(observer(props => {
|
|||
}
|
||||
});
|
||||
|
||||
setDisabledAdd(slide_deleted);
|
||||
setDisabledEdit(slide_deleted || (objectLocked || no_object) && slide_lock);
|
||||
}
|
||||
};
|
||||
|
@ -194,7 +192,6 @@ const ToolbarController = inject('storeAppOptions', 'users')(observer(props => {
|
|||
isCanRedo={isCanRedo}
|
||||
onUndo={onUndo}
|
||||
onRedo={onRedo}
|
||||
disabledAdd={disabledAdd}
|
||||
disabledEdit={disabledEdit}
|
||||
disabledPreview={disabledPreview}
|
||||
disabledControls={disabledControls}
|
||||
|
|
|
@ -59,42 +59,12 @@
|
|||
return urlParams;
|
||||
}
|
||||
|
||||
const encodeUrlParam = str => str.replace(/&/g, '&')
|
||||
.replace(/"/g, '"')
|
||||
.replace(/'/g, ''')
|
||||
.replace(/</g, '<')
|
||||
.replace(/>/g, '>');
|
||||
|
||||
let params = getUrlParams(),
|
||||
lang = (params["lang"] || 'en').split(/[\-\_]/)[0],
|
||||
logo = /*params["headerlogo"] ? encodeUrlParam(params["headerlogo"]) : */null,
|
||||
logoOO = null;
|
||||
if (!logo) {
|
||||
logoOO = isAndroid ? "../../common/mobile/resources/img/header/header-logo-android.png" : "../../common/mobile/resources/img/header/header-logo-ios.png";
|
||||
}
|
||||
lang = (params["lang"] || 'en').split(/[\-\_]/)[0];
|
||||
|
||||
window.frameEditorId = params["frameEditorId"];
|
||||
window.parentOrigin = params["parentOrigin"];
|
||||
window.Common = {Locale: {currentLang: lang}};
|
||||
|
||||
let brendpanel = document.getElementsByClassName('brendpanel')[0];
|
||||
if (brendpanel) {
|
||||
if ( isAndroid ) {
|
||||
brendpanel.classList.add('android');
|
||||
}
|
||||
brendpanel.classList.add('visible');
|
||||
|
||||
let elem = document.querySelector('.loading-logo');
|
||||
if (elem) {
|
||||
logo && (elem.innerHTML = '<img src=' + logo + '>');
|
||||
logoOO && (elem.innerHTML = '<img src=' + logoOO + '>');
|
||||
elem.style.opacity = 1;
|
||||
}
|
||||
var placeholder = document.getElementsByClassName('placeholder')[0];
|
||||
if (placeholder && isAndroid) {
|
||||
placeholder.classList.add('android');
|
||||
}
|
||||
}
|
||||
</script>
|
||||
|
||||
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
|
||||
|
|
|
@ -91,6 +91,7 @@ export class storeAppOptions {
|
|||
this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false);
|
||||
this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false);
|
||||
this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly);
|
||||
this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly;
|
||||
this.canChat = this.canLicense && !this.isOffline && !((typeof (this.customization) == 'object') && this.customization.chat === false);
|
||||
this.canEditStyles = this.canLicense && this.canEdit;
|
||||
this.canPrint = (permissions.print !== false);
|
||||
|
@ -104,6 +105,10 @@ export class storeAppOptions {
|
|||
this.canBranding = params.asc_getCustomization();
|
||||
this.canBrandingExt = params.asc_getCanBranding() && (typeof this.customization == 'object');
|
||||
|
||||
this.canUseReviewPermissions = this.canLicense && this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object');
|
||||
this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization
|
||||
&& this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object'));
|
||||
this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups;
|
||||
this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions);
|
||||
this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups);
|
||||
}
|
||||
}
|
|
@ -29,8 +29,8 @@ const ToolbarView = props => {
|
|||
<Link className={props.disabledControls ? 'disabled' : ''} icon='icon-edit' href={false} onClick={props.onEditDocument}></Link>
|
||||
}
|
||||
{props.isEdit && EditorUIController.getToolbarOptions && EditorUIController.getToolbarOptions({
|
||||
disabledAdd: props.disabledAdd || props.disabledControls || isDisconnected,
|
||||
disabledEdit: props.disabledEdit || props.disabledControls || isDisconnected,
|
||||
disabledEdit: props.disabledEdit || props.disabledControls || isDisconnected || props.disabledPreview,
|
||||
disabledAdd: props.disabledControls || isDisconnected,
|
||||
onEditClick: () => props.openOptions('edit'),
|
||||
onAddClick: () => props.openOptions('add')
|
||||
})}
|
||||
|
|
|
@ -99,7 +99,7 @@ const PageLink = props => {
|
|||
const display = props.getTextDisplay();
|
||||
const displayDisabled = display !== false && display === null;
|
||||
const [stateDisplay, setDisplay] = useState(display !== false ? ((display !== null) ? display : _t.textDefault) : "");
|
||||
|
||||
const [stateAutoUpdate, setAutoUpdate] = useState(true);
|
||||
const [screenTip, setScreenTip] = useState('');
|
||||
|
||||
return (
|
||||
|
@ -116,7 +116,8 @@ const PageLink = props => {
|
|||
placeholder={_t.textLink}
|
||||
value={link}
|
||||
onChange={(event) => {
|
||||
setLink(event.target.value)
|
||||
setLink(event.target.value);
|
||||
if(stateAutoUpdate) setDisplay(event.target.value);
|
||||
}}
|
||||
/> :
|
||||
<ListItem link={'/add-link-to/'} title={_t.textLinkTo} after={displayTo} routeProps={{
|
||||
|
@ -129,7 +130,8 @@ const PageLink = props => {
|
|||
placeholder={_t.textDisplay}
|
||||
value={stateDisplay}
|
||||
disabled={displayDisabled}
|
||||
onChange={(event) => {setDisplay(event.target.value)}}
|
||||
onChange={(event) => {setDisplay(event.target.value);
|
||||
setAutoUpdate(event.target.value == ''); }}
|
||||
/>
|
||||
<ListInput label={_t.textScreenTip}
|
||||
type="text"
|
||||
|
|
|
@ -25,6 +25,7 @@
|
|||
"SSE.ApplicationController.waitText": "Vă rugăm să așteptați...",
|
||||
"SSE.ApplicationView.txtDownload": "Descărcare",
|
||||
"SSE.ApplicationView.txtEmbed": "Încorporare",
|
||||
"SSE.ApplicationView.txtFileLocation": "Deschidere locația fișierului",
|
||||
"SSE.ApplicationView.txtFullScreen": "Ecran complet",
|
||||
"SSE.ApplicationView.txtPrint": "Imprimare",
|
||||
"SSE.ApplicationView.txtShare": "Partajează"
|
||||
|
|
|
@ -17,6 +17,8 @@
|
|||
"SSE.ApplicationController.errorUserDrop": "В настоящий момент файл недоступен.",
|
||||
"SSE.ApplicationController.notcriticalErrorTitle": "Внимание",
|
||||
"SSE.ApplicationController.scriptLoadError": "Слишком медленное подключение, некоторые компоненты не удалось загрузить. Пожалуйста, обновите страницу.",
|
||||
"SSE.ApplicationController.textAnonymous": "Анонимный пользователь",
|
||||
"SSE.ApplicationController.textGuest": "Гость",
|
||||
"SSE.ApplicationController.textLoadingDocument": "Загрузка таблицы",
|
||||
"SSE.ApplicationController.textOf": "из",
|
||||
"SSE.ApplicationController.txtClose": "Закрыть",
|
||||
|
|
|
@ -25,6 +25,7 @@
|
|||
"SSE.ApplicationController.waitText": "Prosimo počakajte ...",
|
||||
"SSE.ApplicationView.txtDownload": "Prenesi",
|
||||
"SSE.ApplicationView.txtEmbed": "Vdelano",
|
||||
"SSE.ApplicationView.txtFileLocation": "Odpri lokacijo dokumenta",
|
||||
"SSE.ApplicationView.txtFullScreen": "Celozaslonski",
|
||||
"SSE.ApplicationView.txtPrint": "Natisni",
|
||||
"SSE.ApplicationView.txtShare": "Deli"
|
||||
|
|
|
@ -26,5 +26,6 @@
|
|||
"SSE.ApplicationView.txtEmbed": "Gömülü",
|
||||
"SSE.ApplicationView.txtFileLocation": "Dosya konumunu aç",
|
||||
"SSE.ApplicationView.txtFullScreen": "Tam Ekran",
|
||||
"SSE.ApplicationView.txtPrint": "Yazdır",
|
||||
"SSE.ApplicationView.txtShare": "Paylaş"
|
||||
}
|
|
@ -25,6 +25,7 @@
|
|||
"SSE.ApplicationController.waitText": "请稍候...",
|
||||
"SSE.ApplicationView.txtDownload": "下载",
|
||||
"SSE.ApplicationView.txtEmbed": "嵌入",
|
||||
"SSE.ApplicationView.txtFileLocation": "打开文件所在位置",
|
||||
"SSE.ApplicationView.txtFullScreen": "全屏",
|
||||
"SSE.ApplicationView.txtPrint": "打印",
|
||||
"SSE.ApplicationView.txtShare": "共享"
|
||||
|
|
|
@ -42,7 +42,7 @@
|
|||
<td class="padding-small">
|
||||
<label class="header"><%= scope.textPreview %></label>
|
||||
<div style="border: 1px solid #cbcbcb;width: 150px; height: 40px; padding: 3px;">
|
||||
<div id="format-rules-edit-preview-format" style="width: 100%; height: 100%; position: relative; margin: 0 auto;"></div>
|
||||
<div id="format-rules-edit-preview-format" style="width: 100%; height: 100%; position: relative; margin: 0 auto;background-color: #ffffff;"></div>
|
||||
</div>
|
||||
</td>
|
||||
</tr>
|
||||
|
@ -161,46 +161,46 @@
|
|||
</tr>
|
||||
<tr class="icons-5">
|
||||
<td class="padding-small">
|
||||
<div id="format-rules-combo-icon-5" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-5" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 10px;width: 140px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-5" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-5" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
<div id="format-rules-combo-icon-5" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-5" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 5px;width: 130px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-5" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-5" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-type-5" class="input-group-nr" style="display: inline-block;vertical-align: middle;"></div>
|
||||
</td>
|
||||
</tr>
|
||||
<tr class="icons-4">
|
||||
<td class="padding-small">
|
||||
<div id="format-rules-combo-icon-4" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-4" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 10px;width: 140px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-4" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-4" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
<div id="format-rules-combo-icon-4" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-4" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 5px;width: 130px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-4" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-4" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-type-4" class="input-group-nr" style="display: inline-block;vertical-align: middle;"></div>
|
||||
</td>
|
||||
</tr>
|
||||
<tr class="icons-3">
|
||||
<td class="padding-small">
|
||||
<div id="format-rules-combo-icon-3" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-3" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 10px;width: 140px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-3" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-3" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
<div id="format-rules-combo-icon-3" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-3" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 5px;width: 130px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-3" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-3" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-type-3" class="input-group-nr" style="display: inline-block;vertical-align: middle;"></div>
|
||||
</td>
|
||||
</tr>
|
||||
<tr class="icons-2">
|
||||
<td class="padding-small">
|
||||
<div id="format-rules-combo-icon-2" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-2" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 10px;width: 140px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-2" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-2" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
<div id="format-rules-combo-icon-2" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-2" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 5px;width: 130px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-2" class="input-group-nr" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-2" class="" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-type-2" class="input-group-nr" style="display: inline-block;vertical-align: middle;"></div>
|
||||
</td>
|
||||
</tr>
|
||||
<tr class="icons-1">
|
||||
<td class="padding-small">
|
||||
<div id="format-rules-combo-icon-1" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-1" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 10px;width: 140px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-1" class="input-group-nr hidden" style="display: inline-block;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-1" class=" hidden" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 10px;"></div><!--
|
||||
<div id="format-rules-combo-icon-1" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-txt-icon-1" class="iconset-label" style="display: inline-block;vertical-align: middle;margin-right: 5px;width: 130px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-op-1" class="input-group-nr hidden" style="display: inline-block;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-txt-value-1" class=" hidden" style="display: inline-block;height: 22px;vertical-align: middle;margin-right: 5px;"></div><!--
|
||||
--><div id="format-rules-edit-combo-type-1" class="input-group-nr hidden" style="display: inline-block;vertical-align: middle;"></div>
|
||||
</td>
|
||||
</tr>
|
||||
|
|
|
@ -212,6 +212,17 @@ define([
|
|||
this.rendered = true;
|
||||
this.$el.html($markup);
|
||||
this.$el.find('.content-box').hide();
|
||||
if (_.isUndefined(this.scroller)) {
|
||||
var me = this;
|
||||
this.scroller = new Common.UI.Scroller({
|
||||
el: this.$el.find('.panel-menu'),
|
||||
suppressScrollX: true,
|
||||
alwaysVisibleY: true
|
||||
});
|
||||
Common.NotificationCenter.on('window:resize', function() {
|
||||
me.scroller.update();
|
||||
});
|
||||
}
|
||||
this.applyMode();
|
||||
|
||||
if ( !!this.api ) {
|
||||
|
@ -235,6 +246,7 @@ define([
|
|||
if (!panel)
|
||||
panel = this.active || defPanel;
|
||||
this.$el.show();
|
||||
this.scroller.update();
|
||||
this.selectMenu(panel, defPanel);
|
||||
|
||||
this.api.asc_enableKeyEvents(false);
|
||||
|
@ -377,6 +389,17 @@ define([
|
|||
this.$el.find('.content-box:visible').hide();
|
||||
panel.show();
|
||||
|
||||
if (this.scroller) {
|
||||
var itemTop = item.$el.position().top,
|
||||
itemHeight = item.$el.outerHeight(),
|
||||
listHeight = this.$el.outerHeight();
|
||||
if (itemTop < 0 || itemTop + itemHeight > listHeight) {
|
||||
var height = this.scroller.$el.scrollTop() + itemTop + (itemHeight - listHeight)/2;
|
||||
height = (Math.floor(height/itemHeight) * itemHeight);
|
||||
this.scroller.scrollTop(height);
|
||||
}
|
||||
}
|
||||
|
||||
this.active = menu;
|
||||
}
|
||||
}
|
||||
|
|
|
@ -229,7 +229,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
editable : false,
|
||||
cls : 'input-group-nr',
|
||||
data : cmbData,
|
||||
takeFocusOnClose: true
|
||||
takeFocusOnClose: true,
|
||||
scrollAlwaysVisible: false
|
||||
}).on('selected', function(combo, record) {
|
||||
me.refreshRules(record.value);
|
||||
});
|
||||
|
@ -661,7 +662,9 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
type : i,
|
||||
template: _.template([
|
||||
'<div class="input-group combobox combo-dataview-menu input-group-nr dropdown-toggle" data-toggle="dropdown">',
|
||||
'<div class="form-control image" style="width: 55px;background-repeat: no-repeat; background-position: 16px center;"></div>',
|
||||
'<div class="form-control image" style="display: block;width: 85px;">',
|
||||
'<div style="display: inline-block;overflow: hidden;width: 100%;height: 100%;padding-top: 2px;background-repeat: no-repeat; background-position: 27px center;white-space:nowrap;"></div>',
|
||||
'</div>',
|
||||
'<div style="display: table-cell;"></div>',
|
||||
'<button type="button" class="btn btn-default"><span class="caret"></span></button>',
|
||||
'</div>'
|
||||
|
@ -672,6 +675,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
style: 'min-width: 105px;',
|
||||
additionalAlign: this.menuAddAlign,
|
||||
items: [
|
||||
{ caption: this.txtNoCellIcon, checkable: true, allowDepress: false, toggleGroup: 'no-cell-icons-' + (i+1) },
|
||||
{ template: _.template('<div id="format-rules-combo-menu-icon-' + (i+1) + '" style="width: 217px; margin: 0 5px;"></div>') }
|
||||
]
|
||||
})).render($('#format-rules-combo-icon-' + (i+1)));
|
||||
|
@ -683,10 +687,12 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
itemTemplate: _.template('<img id="<%= id %>" class="item-icon" src="<%= imgUrl %>" style="width: 16px; height: 16px;">'),
|
||||
type : i
|
||||
});
|
||||
picker.on('item:click', _.bind(this.onSelectIcon, this, combo));
|
||||
picker.on('item:click', _.bind(this.onSelectIcon, this, combo, menu.items[0]));
|
||||
menu.items[0].on('toggle', _.bind(this.onSelectNoIcon, this, combo, picker));
|
||||
|
||||
this.iconsControls[i].cmbIcons = combo;
|
||||
this.iconsControls[i].pickerIcons = picker;
|
||||
this.iconsControls[i].itemNoIcons = menu.items[0];
|
||||
|
||||
combo = new Common.UI.ComboBox({
|
||||
el : $('#format-rules-edit-combo-op-' + (i+1)),
|
||||
|
@ -1316,7 +1322,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
|
||||
if (rec) {
|
||||
props = this._originalProps || new Asc.asc_CConditionalFormattingRule();
|
||||
var type = rec.get('type');
|
||||
var type = rec.get('type'),
|
||||
type_changed = (type!==props.asc_getType());
|
||||
props.asc_setType(type);
|
||||
if (type == Asc.c_oAscCFType.containsText || type == Asc.c_oAscCFType.containsBlanks || type == Asc.c_oAscCFType.duplicateValues ||
|
||||
type == Asc.c_oAscCFType.timePeriod || type == Asc.c_oAscCFType.aboveAverage ||
|
||||
|
@ -1358,7 +1365,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
props.asc_setValue1(this.txtRange1.getValue());
|
||||
break;
|
||||
case Asc.c_oAscCFType.colorScale:
|
||||
var scaleProps = new Asc.asc_CColorScale();
|
||||
var scaleProps = !type_changed ? props.asc_getColorScaleOrDataBarOrIconSetRule() : new Asc.asc_CColorScale();
|
||||
var scalesCount = rec.get('num');
|
||||
var arr = (scalesCount==2) ? [this.scaleControls[0], this.scaleControls[2]] : this.scaleControls;
|
||||
var colors = [], scales = [];
|
||||
|
@ -1375,7 +1382,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
props.asc_setColorScaleOrDataBarOrIconSetRule(scaleProps);
|
||||
break;
|
||||
case Asc.c_oAscCFType.dataBar:
|
||||
var barProps = new Asc.asc_CDataBar();
|
||||
var barProps = !type_changed ? props.asc_getColorScaleOrDataBarOrIconSetRule() : new Asc.asc_CDataBar();
|
||||
type_changed && barProps.asc_setInterfaceDefault();
|
||||
var arr = this.barControls;
|
||||
var bars = [];
|
||||
for (var i=0; i<arr.length; i++) {
|
||||
|
@ -1411,7 +1419,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
props.asc_setColorScaleOrDataBarOrIconSetRule(barProps);
|
||||
break;
|
||||
case Asc.c_oAscCFType.iconSet:
|
||||
var iconsProps = new Asc.asc_CIconSet();
|
||||
var iconsProps = !type_changed ? props.asc_getColorScaleOrDataBarOrIconSetRule() : new Asc.asc_CIconSet();
|
||||
iconsProps.asc_setShowValue(this.chIconShow.getValue()!=='checked');
|
||||
iconsProps.asc_setReverse(!!this.iconsProps.isReverse);
|
||||
iconsProps.asc_setIconSet(this.iconsProps.iconsSet);
|
||||
|
@ -1428,19 +1436,26 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
value.asc_setGte(controls.cmbOperator.getValue());
|
||||
values.push(value);
|
||||
if (icons) {
|
||||
var icon = controls.pickerIcons.getSelectedRec().get('value')+1;
|
||||
for (var k=0; k<this.collectionPresets.length; k++) {
|
||||
var items = this.collectionPresets.at(k).get('icons');
|
||||
for (var j=0; j<items.length; j++) {
|
||||
if (icon==items[j]) {
|
||||
icon = new Asc.asc_CConditionalFormatIconSet();
|
||||
icon.asc_setIconSet(k);
|
||||
icon.asc_setIconId(j);
|
||||
this.iconsProps.isReverse ? icons.unshift(icon) : icons.push(icon);
|
||||
break;
|
||||
if (controls.itemNoIcons.isChecked()) {
|
||||
var icon = new Asc.asc_CConditionalFormatIconSet();
|
||||
icon.asc_setIconSet(Asc.EIconSetType.NoIcons);
|
||||
icon.asc_setIconId(0);
|
||||
this.iconsProps.isReverse ? icons.unshift(icon) : icons.push(icon);
|
||||
} else {
|
||||
var icon = controls.pickerIcons.getSelectedRec().get('value')+1;
|
||||
for (var k=0; k<this.collectionPresets.length; k++) {
|
||||
var items = this.collectionPresets.at(k).get('icons');
|
||||
for (var j=0; j<items.length; j++) {
|
||||
if (icon==items[j]) {
|
||||
icon = new Asc.asc_CConditionalFormatIconSet();
|
||||
icon.asc_setIconSet(k);
|
||||
icon.asc_setIconId(j);
|
||||
this.iconsProps.isReverse ? icons.unshift(icon) : icons.push(icon);
|
||||
break;
|
||||
}
|
||||
}
|
||||
if (typeof icon=='object') break;
|
||||
}
|
||||
if (typeof icon=='object') break;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -1493,6 +1508,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
this._changedProps.asc_setColorScaleOrDataBarOrIconSetRule(this.scaleProps);
|
||||
} else if (type == Asc.c_oAscCFType.dataBar) {
|
||||
this.barProps = new Asc.asc_CDataBar();
|
||||
this.barProps.asc_setInterfaceDefault();
|
||||
this.barProps.asc_setGradient(this.cmbFill.getValue());
|
||||
this.barProps.asc_setColor(Common.Utils.ThemeColor.getRgbColor(this.btnPosFill.colorPicker.currentColor));
|
||||
var hasBorder = !this.cmbBorder.getValue();
|
||||
|
@ -1859,7 +1875,10 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
if (icons && icons.length>0) {
|
||||
this.cmbIconsPresets.setValue(this.textCustom);
|
||||
_.each(icons, function(item) {
|
||||
iconsIndexes.push(me.collectionPresets.at(item.asc_getIconSet()).get('icons')[item.asc_getIconId()]);
|
||||
if (item.asc_getIconSet()==Asc.EIconSetType.NoIcons) {
|
||||
iconsIndexes.push(-1);
|
||||
} else
|
||||
iconsIndexes.push(me.collectionPresets.at(item.asc_getIconSet()).get('icons')[item.asc_getIconId()]);
|
||||
});
|
||||
} else {
|
||||
this.cmbIconsPresets.setValue(iconSet);
|
||||
|
@ -1869,8 +1888,9 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
var len = iconsIndexes.length;
|
||||
for (var i=0; i<iconsIndexes.length; i++) {
|
||||
var controls = arr[isReverse ? len-i-1 : i];
|
||||
var rec = controls.pickerIcons.store.findWhere({value: iconsIndexes[i]-1});
|
||||
rec && controls.pickerIcons.selectRecord(rec, true);
|
||||
var rec = (iconsIndexes[i]==-1) ? null : controls.pickerIcons.store.findWhere({value: iconsIndexes[i]-1});
|
||||
rec ? controls.pickerIcons.selectRecord(rec, true) : controls.pickerIcons.deselectAll(true);
|
||||
controls.itemNoIcons.setChecked(!rec, true);
|
||||
this.selectIconItem(controls.cmbIcons, rec);
|
||||
}
|
||||
this.fillIconsLabels();
|
||||
|
@ -1895,25 +1915,36 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
for (var i=0; i<len/2; i++) {
|
||||
var controls1 = arr[i],
|
||||
controls2 = arr[len-i-1];
|
||||
var icon1 = controls1.pickerIcons.getSelectedRec().get('value'),
|
||||
icon2 = controls2.pickerIcons.getSelectedRec().get('value');
|
||||
var icon1 = controls1.itemNoIcons.isChecked() ? -1 : controls1.pickerIcons.getSelectedRec().get('value'),
|
||||
icon2 = controls2.itemNoIcons.isChecked() ? -1 : controls2.pickerIcons.getSelectedRec().get('value');
|
||||
var rec = controls1.pickerIcons.store.findWhere({value: icon2});
|
||||
rec && controls1.pickerIcons.selectRecord(rec, true);
|
||||
rec ? controls1.pickerIcons.selectRecord(rec, true) : controls1.pickerIcons.deselectAll(true);
|
||||
controls1.itemNoIcons.setChecked(!rec, true);
|
||||
this.selectIconItem(controls1.cmbIcons, rec);
|
||||
rec = controls2.pickerIcons.store.findWhere({value: icon1});
|
||||
rec && controls2.pickerIcons.selectRecord(rec, true);
|
||||
rec ? controls2.pickerIcons.selectRecord(rec, true) : controls2.pickerIcons.deselectAll(true);
|
||||
controls2.itemNoIcons.setChecked(!rec, true);
|
||||
this.selectIconItem(controls2.cmbIcons, rec);
|
||||
}
|
||||
},
|
||||
|
||||
onSelectIcon: function(combo, picker, view, record) {
|
||||
onSelectIcon: function(combo, noIconItem, picker, view, record) {
|
||||
this.selectIconItem(combo, record);
|
||||
noIconItem.setChecked(false, true);
|
||||
this.cmbIconsPresets.setValue(this.textCustom);
|
||||
},
|
||||
|
||||
onSelectNoIcon: function(combo, picker, item, state) {
|
||||
if (!state) return;
|
||||
this.selectIconItem(combo);
|
||||
picker.deselectAll(true);
|
||||
this.cmbIconsPresets.setValue(this.textCustom);
|
||||
},
|
||||
|
||||
selectIconItem: function(combo, record) {
|
||||
var formcontrol = $(combo.el).find('.form-control');
|
||||
var formcontrol = $(combo.el).find('.form-control > div');
|
||||
formcontrol.css('background-image', record ? 'url(' + record.get('imgUrl') + ')' : '');
|
||||
formcontrol.text(record ? '' : this.txtNoCellIcon);
|
||||
},
|
||||
|
||||
isRangeValid: function() {
|
||||
|
@ -2190,7 +2221,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template',
|
|||
textInvalid: 'Invalid data range.',
|
||||
textClear: 'Clear',
|
||||
textItem: 'Item',
|
||||
textPresets: 'Presets'
|
||||
textPresets: 'Presets',
|
||||
txtNoCellIcon: 'No Icon'
|
||||
|
||||
}, SSE.Views.FormatRulesEditDlg || {}));
|
||||
});
|
|
@ -152,7 +152,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesManagerDlg.templa
|
|||
'<div class="list-item" style="width: 100%;display:inline-block;" id="format-manager-item-<%= ruleIndex %>">',
|
||||
'<div style="width:181px;padding-right: 10px;display: inline-block;vertical-align: middle;overflow: hidden; text-overflow: ellipsis; white-space: nowrap;"><%= name %></div>',
|
||||
'<div style="width:181px;padding-right: 10px;display: inline-block;vertical-align: middle;"><div id="format-manager-txt-rule-<%= ruleIndex %>" style=""></div></div>',
|
||||
'<div style="width:112px;display: inline-block;vertical-align: middle;"><div id="format-manager-item-preview-<%= ruleIndex %>" style="height:22px;"></div></div>',
|
||||
'<div style="width:112px;display: inline-block;vertical-align: middle;"><div id="format-manager-item-preview-<%= ruleIndex %>" style="height:22px;background-color: #ffffff;"></div></div>',
|
||||
'<% if (lock) { %>',
|
||||
'<div class="lock-user"><%=lockuser%></div>',
|
||||
'<% } %>',
|
||||
|
@ -674,11 +674,13 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesManagerDlg.templa
|
|||
rec = this.rulesList.getSelectedRec();
|
||||
if (rec) {
|
||||
var index = store.indexOf(rec);
|
||||
var newrec = store.at(up ? this.getPrevRuleIndex(index) : this.getNextRuleIndex(index)),
|
||||
var newindex = up ? this.getPrevRuleIndex(index) : this.getNextRuleIndex(index),
|
||||
newrec = store.at(newindex),
|
||||
prioritynew = newrec.get('priority');
|
||||
newrec.set('priority', rec.get('priority'));
|
||||
rec.set('priority', prioritynew);
|
||||
store.add(store.remove(rec), {at: up ? Math.max(0, index-1) : Math.min(length-1, index+1)});
|
||||
store.add(store.remove(rec), {at: up ? Math.max(0, newindex) : Math.min(length-1, newindex)});
|
||||
store.add(store.remove(newrec), {at: up ? Math.max(0, index) : Math.min(length-1, index)});
|
||||
this.rulesList.selectRecord(rec);
|
||||
this.rulesList.scrollToRecord(rec);
|
||||
}
|
||||
|
|
File diff suppressed because it is too large
Load diff
|
@ -983,7 +983,7 @@
|
|||
"SSE.Controllers.Main.unsupportedBrowserErrorText": "Ihr Webbrowser wird nicht unterstützt.",
|
||||
"SSE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.",
|
||||
"SSE.Controllers.Main.uploadImageFileCountMessage": "Kein Bild hochgeladen.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.",
|
||||
"SSE.Controllers.Main.uploadImageTextText": "Das Bild wird hochgeladen...",
|
||||
"SSE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen",
|
||||
"SSE.Controllers.Main.waitText": "Bitte warten...",
|
||||
|
@ -2087,7 +2087,7 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "Allgemein",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Seiten-Einstellungen",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Rechtschreibprüfung",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Hintergrundfarbe",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Füllfarbe",
|
||||
"SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Warnung",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "2-Farben-Skala",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "3-Farben-Skala",
|
||||
|
@ -3263,7 +3263,7 @@
|
|||
"SSE.Views.Toolbar.tipPageOrient": "Seitenausrichtung",
|
||||
"SSE.Views.Toolbar.tipPageSize": "Seitenformat",
|
||||
"SSE.Views.Toolbar.tipPaste": "Einfügen",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Hintergrundfarbe",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Füllfarbe",
|
||||
"SSE.Views.Toolbar.tipPrint": "Drucken",
|
||||
"SSE.Views.Toolbar.tipPrintArea": "Druckbereich",
|
||||
"SSE.Views.Toolbar.tipPrintTitles": "Drucke titel",
|
||||
|
|
|
@ -984,7 +984,7 @@
|
|||
"SSE.Controllers.Main.unsupportedBrowserErrorText": "Your browser is not supported.",
|
||||
"SSE.Controllers.Main.uploadImageExtMessage": "Unknown image format.",
|
||||
"SSE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Maximium image size limit exceeded.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.",
|
||||
"SSE.Controllers.Main.uploadImageTextText": "Uploading image...",
|
||||
"SSE.Controllers.Main.uploadImageTitleText": "Uploading Image",
|
||||
"SSE.Controllers.Main.waitText": "Please, wait...",
|
||||
|
@ -2088,7 +2088,7 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "General",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Page Settings",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Spell checking",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Background color",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Fill color",
|
||||
"SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Warning",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "2 Color scale",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "3 Color scale",
|
||||
|
@ -2181,6 +2181,7 @@
|
|||
"SSE.Views.FormatRulesEditDlg.txtEmpty": "This field is required",
|
||||
"SSE.Views.FormatRulesEditDlg.txtFraction": "Fraction",
|
||||
"SSE.Views.FormatRulesEditDlg.txtGeneral": "General",
|
||||
"SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "No Icon",
|
||||
"SSE.Views.FormatRulesEditDlg.txtNumber": "Number",
|
||||
"SSE.Views.FormatRulesEditDlg.txtPercentage": "Percentage",
|
||||
"SSE.Views.FormatRulesEditDlg.txtScientific": "Scientific",
|
||||
|
@ -3264,7 +3265,7 @@
|
|||
"SSE.Views.Toolbar.tipPageOrient": "Page orientation",
|
||||
"SSE.Views.Toolbar.tipPageSize": "Page size",
|
||||
"SSE.Views.Toolbar.tipPaste": "Paste",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Background color",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Fill color",
|
||||
"SSE.Views.Toolbar.tipPrint": "Print",
|
||||
"SSE.Views.Toolbar.tipPrintArea": "Print area",
|
||||
"SSE.Views.Toolbar.tipPrintTitles": "Print titles",
|
||||
|
|
|
@ -983,7 +983,7 @@
|
|||
"SSE.Controllers.Main.unsupportedBrowserErrorText": "Su navegador no está soportado.",
|
||||
"SSE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.",
|
||||
"SSE.Controllers.Main.uploadImageFileCountMessage": "No hay imágenes subidas.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Tamaño de imagen máximo está superado.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.",
|
||||
"SSE.Controllers.Main.uploadImageTextText": "Subiendo imagen...",
|
||||
"SSE.Controllers.Main.uploadImageTitleText": "Subiendo imagen",
|
||||
"SSE.Controllers.Main.waitText": "Por favor, espere...",
|
||||
|
@ -1026,7 +1026,7 @@
|
|||
"SSE.Controllers.Toolbar.textFontSizeErr": "El valor introducido es incorrecto.<br>Por favor, introduzca un valor numérico entre 1 y 409",
|
||||
"SSE.Controllers.Toolbar.textFraction": "Fracciones",
|
||||
"SSE.Controllers.Toolbar.textFunction": "Funciones",
|
||||
"SSE.Controllers.Toolbar.textIndicator": "Indicadores",
|
||||
"SSE.Controllers.Toolbar.textIndicator": "Hitos",
|
||||
"SSE.Controllers.Toolbar.textInsert": "Insertar",
|
||||
"SSE.Controllers.Toolbar.textIntegral": "Integrales",
|
||||
"SSE.Controllers.Toolbar.textLargeOperator": "Operadores grandes",
|
||||
|
@ -1429,7 +1429,7 @@
|
|||
"SSE.Views.CellSettings.strWrap": "Ajustar texto",
|
||||
"SSE.Views.CellSettings.textAngle": "Ángulo",
|
||||
"SSE.Views.CellSettings.textBackColor": "Color de fondo",
|
||||
"SSE.Views.CellSettings.textBackground": "Color del fondo",
|
||||
"SSE.Views.CellSettings.textBackground": "Color de fondo",
|
||||
"SSE.Views.CellSettings.textBorderColor": "Color",
|
||||
"SSE.Views.CellSettings.textBorders": "Estilo de bordes",
|
||||
"SSE.Views.CellSettings.textClearRule": "Borrar reglas",
|
||||
|
@ -2087,7 +2087,7 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "General",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Ajustes de la Página",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Сorrección ortográfica",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Color de fondo",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Color de relleno",
|
||||
"SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Advertencia",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "Escala de 2 colores",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "Escala de 3 colores",
|
||||
|
@ -3263,7 +3263,7 @@
|
|||
"SSE.Views.Toolbar.tipPageOrient": "Orientación de página",
|
||||
"SSE.Views.Toolbar.tipPageSize": "Tamaño de página",
|
||||
"SSE.Views.Toolbar.tipPaste": "Pegar",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Color de fondo",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Color de relleno",
|
||||
"SSE.Views.Toolbar.tipPrint": "Imprimir",
|
||||
"SSE.Views.Toolbar.tipPrintArea": "Área de impresión",
|
||||
"SSE.Views.Toolbar.tipPrintTitles": "Imprimir títulos",
|
||||
|
|
|
@ -49,8 +49,56 @@
|
|||
"Common.define.chartData.textSurface": "Superficie",
|
||||
"Common.define.chartData.textWinLossSpark": "Vinci/Perdi",
|
||||
"Common.define.conditionalData.exampleText": "AaBbCcYyZz",
|
||||
"Common.define.conditionalData.noFormatText": "Formato non impostato",
|
||||
"Common.define.conditionalData.text1Above": "1 deviazione standard sopra",
|
||||
"Common.define.conditionalData.text1Below": "1 deviazione standard sotto",
|
||||
"Common.define.conditionalData.text2Above": "2 deviazioni standard sopra",
|
||||
"Common.define.conditionalData.text2Below": "2 deviazioni standard sotto",
|
||||
"Common.define.conditionalData.text3Above": "3 deviazioni standard sopra",
|
||||
"Common.define.conditionalData.text3Below": "3 deviazioni standard sotto",
|
||||
"Common.define.conditionalData.textAbove": "Sopra",
|
||||
"Common.define.conditionalData.textAverage": "Media",
|
||||
"Common.define.conditionalData.textBegins": "Inizia con",
|
||||
"Common.define.conditionalData.textBelow": "Sotto",
|
||||
"Common.define.conditionalData.textBetween": "Tra",
|
||||
"Common.define.conditionalData.textBlank": "Vuoto",
|
||||
"Common.define.conditionalData.textBlanks": "contiene spazi vuoti",
|
||||
"Common.define.conditionalData.textBottom": "In basso",
|
||||
"Common.define.conditionalData.textContains": "contiene",
|
||||
"Common.define.conditionalData.textDataBar": "Barra di dati",
|
||||
"Common.define.conditionalData.textDate": "Data",
|
||||
"Common.define.conditionalData.textDuplicate": "Duplicare",
|
||||
"Common.define.conditionalData.textEnds": "finisce con",
|
||||
"Common.define.conditionalData.textEqAbove": "Uguale o superiore",
|
||||
"Common.define.conditionalData.textEqBelow": "Uguale o inferiore",
|
||||
"Common.define.conditionalData.textEqual": "Uguale a",
|
||||
"Common.define.conditionalData.textError": "Errore",
|
||||
"Common.define.conditionalData.textErrors": "contiene errori",
|
||||
"Common.define.conditionalData.textFormula": "Formula",
|
||||
"Common.define.conditionalData.textGreater": "Maggiore di",
|
||||
"Common.define.conditionalData.textGreaterEq": "Maggiore o uguale a",
|
||||
"Common.define.conditionalData.textIconSets": "Set di icone",
|
||||
"Common.define.conditionalData.textLast7days": "Negli ultimi 7 giorni",
|
||||
"Common.define.conditionalData.textLastMonth": "ultimo mese",
|
||||
"Common.define.conditionalData.textLastWeek": "ultima settimana",
|
||||
"Common.define.conditionalData.textLess": "Meno di",
|
||||
"Common.define.conditionalData.textLessEq": "Inferiore o uguale a",
|
||||
"Common.define.conditionalData.textNextMonth": "Mese prossimo",
|
||||
"Common.define.conditionalData.textNextWeek": "Settimana prossima",
|
||||
"Common.define.conditionalData.textNotBetween": "non tra",
|
||||
"Common.define.conditionalData.textNotBlanks": "non contiene spazi vuoti",
|
||||
"Common.define.conditionalData.textNotContains": "non contiene",
|
||||
"Common.define.conditionalData.textNotEqual": "Non uguale a",
|
||||
"Common.define.conditionalData.textNotErrors": "non contiene errori",
|
||||
"Common.define.conditionalData.textText": "Testo",
|
||||
"Common.define.conditionalData.textThisMonth": "Questo mese",
|
||||
"Common.define.conditionalData.textThisWeek": "Questa settimana",
|
||||
"Common.define.conditionalData.textToday": "Oggi",
|
||||
"Common.define.conditionalData.textTomorrow": "Domani",
|
||||
"Common.define.conditionalData.textTop": "In alto",
|
||||
"Common.define.conditionalData.textUnique": "Unico",
|
||||
"Common.define.conditionalData.textValue": "Valore è",
|
||||
"Common.define.conditionalData.textYesterday": "Ieri",
|
||||
"Common.Translation.warnFileLocked": "Il file è in fase di modifica in un'altra applicazione. Puoi continuare a modificarlo e salvarlo come copia.",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Crea una copia",
|
||||
"Common.Translation.warnFileLockedBtnView": "Aperto per la visualizzazione",
|
||||
|
@ -103,9 +151,11 @@
|
|||
"Common.Views.About.txtVersion": "Versione",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "Aggiungi",
|
||||
"Common.Views.AutoCorrectDialog.textApplyAsWork": "Applica mentre lavori",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "Correzione automatica",
|
||||
"Common.Views.AutoCorrectDialog.textAutoFormat": "Formattazione automatica durante la scrittura",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Di",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Elimina",
|
||||
"Common.Views.AutoCorrectDialog.textHyperlink": "Internet e percorsi di rete con i collegamenti ipertestuali",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Correzione automatica matematica",
|
||||
"Common.Views.AutoCorrectDialog.textNewRowCol": "Aggiungi nuove righe e colonne nella tabella",
|
||||
"Common.Views.AutoCorrectDialog.textRecognized": "Funzioni riconosciute",
|
||||
|
@ -189,10 +239,14 @@
|
|||
"Common.Views.ListSettingsDialog.txtTitle": "Impostazioni elenco",
|
||||
"Common.Views.ListSettingsDialog.txtType": "Tipo",
|
||||
"Common.Views.OpenDialog.closeButtonText": "Chiudi File",
|
||||
"Common.Views.OpenDialog.textInvalidRange": "Intervallo di celle non valido",
|
||||
"Common.Views.OpenDialog.textSelectData": "Selezionare i dati",
|
||||
"Common.Views.OpenDialog.txtAdvanced": "Avanzate",
|
||||
"Common.Views.OpenDialog.txtColon": "Due punti",
|
||||
"Common.Views.OpenDialog.txtComma": "Virgola",
|
||||
"Common.Views.OpenDialog.txtDelimiter": "Delimitatore",
|
||||
"Common.Views.OpenDialog.txtDestData": "Scegli dove inserire i dati",
|
||||
"Common.Views.OpenDialog.txtEmpty": "Questo campo è obbligatorio",
|
||||
"Common.Views.OpenDialog.txtEncoding": "Codifica",
|
||||
"Common.Views.OpenDialog.txtIncorrectPwd": "Password errata",
|
||||
"Common.Views.OpenDialog.txtOpenFile": "Immettere la password per aprire il file",
|
||||
|
@ -239,6 +293,8 @@
|
|||
"Common.Views.ReviewChanges.tipCoAuthMode": "Imposta modalità co-editing",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "Rimuovi i commenti",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Rimuovi i commenti correnti",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "Risolvere i commenti",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Risolvere i commenti presenti",
|
||||
"Common.Views.ReviewChanges.tipHistory": "Mostra Cronologia versioni",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "Annulla la modifica attuale",
|
||||
"Common.Views.ReviewChanges.tipReview": "Traccia cambiamenti",
|
||||
|
@ -258,6 +314,11 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "Rimuovi i miei commenti",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Rimuovi i miei commenti attuali",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "Elimina",
|
||||
"Common.Views.ReviewChanges.txtCommentResolve": "Risolvere",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "Risolvere tutti i commenti",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Risolvere i commenti presenti",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "Risolvere i miei commenti",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Risolvere i miei commenti presenti",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "Lingua",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Tutti le modifiche accettate (anteprima)",
|
||||
"Common.Views.ReviewChanges.txtFinalCap": "Finale",
|
||||
|
@ -345,12 +406,14 @@
|
|||
"Common.Views.UserNameDialog.textLabel": "Etichetta:",
|
||||
"Common.Views.UserNameDialog.textLabelError": "L'etichetta non deve essere vuota.",
|
||||
"SSE.Controllers.DataTab.textColumns": "Colonne",
|
||||
"SSE.Controllers.DataTab.textEmptyUrl": "Devi specificare l'URL.",
|
||||
"SSE.Controllers.DataTab.textRows": "Righe",
|
||||
"SSE.Controllers.DataTab.textWizard": "Testo a colonne",
|
||||
"SSE.Controllers.DataTab.txtDataValidation": "Validazione dati",
|
||||
"SSE.Controllers.DataTab.txtExpand": "Espandi",
|
||||
"SSE.Controllers.DataTab.txtExpandRemDuplicates": "I dati accanto alla selezione non verranno rimossi. Vuoi espandere la selezione per includere i dati adiacenti o continuare solo con le celle attualmente selezionate?",
|
||||
"SSE.Controllers.DataTab.txtExtendDataValidation": "La selezione contiene alcune celle senza impostazioni di convalida dei dati.<br>Desideri estendere la convalida dei dati a queste celle?",
|
||||
"SSE.Controllers.DataTab.txtImportWizard": "Procedura guidata di importazione del testo",
|
||||
"SSE.Controllers.DataTab.txtRemDuplicates": "Rimuovi duplicati",
|
||||
"SSE.Controllers.DataTab.txtRemoveDataValidation": "La selezione contiene più di un tipo di convalida.<br>Cancellare le impostazioni correnti e continuare?",
|
||||
"SSE.Controllers.DataTab.txtRemSelected": "Rimuovi nella selezione",
|
||||
|
@ -622,6 +685,7 @@
|
|||
"SSE.Controllers.Main.errorWrongOperator": "Un errore nella formula inserita. È stato utilizzato un operatore errato.<br>Correggere per continuare.",
|
||||
"SSE.Controllers.Main.errRemDuplicates": "Valori duplicati trovati ed eliminati: {0}, valori univoci rimasti: {1}.",
|
||||
"SSE.Controllers.Main.leavePageText": "Ci sono delle modifiche non salvate in questo foglio di calcolo. Clicca su 'Rimani in questa pagina', poi su 'Salva' per salvarle. Clicca su 'Esci da questa pagina' per scartare tutte le modifiche non salvate.",
|
||||
"SSE.Controllers.Main.leavePageTextOnClose": "Tutte le modifiche non salvate in questo foglio di calcolo andranno perse. Clicca su \"Cancellare\" poi \"Salvare\" per salvarle. Clicca su \"OK\" per eliminare tutte le modifiche non salvate.",
|
||||
"SSE.Controllers.Main.loadFontsTextText": "Caricamento dei dati in corso...",
|
||||
"SSE.Controllers.Main.loadFontsTitleText": "Caricamento dei dati",
|
||||
"SSE.Controllers.Main.loadFontTextText": "Caricamento dei dati in corso...",
|
||||
|
@ -670,6 +734,7 @@
|
|||
"SSE.Controllers.Main.textShape": "Forma",
|
||||
"SSE.Controllers.Main.textStrict": "Modalità Rigorosa",
|
||||
"SSE.Controllers.Main.textTryUndoRedo": "Le funzioni Annulla/Ripristina sono disabilitate per la Modalità di Co-editing Veloce.<br>Clicca il pulsante 'Modalità Rigorosa' per passare alla Modalità di Co-editing Rigorosa per poter modificare il file senza l'interferenza di altri utenti e inviare le modifiche solamente dopo averle salvate. Puoi passare da una modalità all'altra di co-editing utilizzando le Impostazioni avanzate dell'editor.",
|
||||
"SSE.Controllers.Main.textTryUndoRedoWarn": "Le funzioni Annulla/Ripeti sono disattivate nella modalità rapida di co-editing",
|
||||
"SSE.Controllers.Main.textYes": "Sì",
|
||||
"SSE.Controllers.Main.titleLicenseExp": "La licenza è scaduta",
|
||||
"SSE.Controllers.Main.titleRecalcFormulas": "Calcolo in corso...",
|
||||
|
@ -918,7 +983,7 @@
|
|||
"SSE.Controllers.Main.unsupportedBrowserErrorText": "Il tuo browser non è supportato.",
|
||||
"SSE.Controllers.Main.uploadImageExtMessage": "Formato immagine sconosciuto.",
|
||||
"SSE.Controllers.Main.uploadImageFileCountMessage": "Nessuna immagine caricata.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "È stata superata la dimensione massima per l'immagine.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.",
|
||||
"SSE.Controllers.Main.uploadImageTextText": "Caricamento immagine in corso...",
|
||||
"SSE.Controllers.Main.uploadImageTitleText": "Caricamento dell'immagine",
|
||||
"SSE.Controllers.Main.waitText": "Per favore, attendi...",
|
||||
|
@ -957,9 +1022,11 @@
|
|||
"SSE.Controllers.Toolbar.errorStockChart": "Ordine di righe scorretto. Per creare un grafico in pila posiziona i dati nel foglio nel seguente ordine:<br> prezzo di apertura, prezzo massimo, prezzo minimo, prezzo di chiusura.",
|
||||
"SSE.Controllers.Toolbar.textAccent": "Accenti",
|
||||
"SSE.Controllers.Toolbar.textBracket": "Parentesi",
|
||||
"SSE.Controllers.Toolbar.textDirectional": "Direzionale",
|
||||
"SSE.Controllers.Toolbar.textFontSizeErr": "Il valore inserito non è corretto.<br>Inserisci un valore numerico compreso tra 1 e 409",
|
||||
"SSE.Controllers.Toolbar.textFraction": "Frazioni",
|
||||
"SSE.Controllers.Toolbar.textFunction": "Funzioni",
|
||||
"SSE.Controllers.Toolbar.textIndicator": "Indicatori",
|
||||
"SSE.Controllers.Toolbar.textInsert": "Inserisci",
|
||||
"SSE.Controllers.Toolbar.textIntegral": "Integrali",
|
||||
"SSE.Controllers.Toolbar.textLargeOperator": "Operatori di grandi dimensioni",
|
||||
|
@ -969,7 +1036,9 @@
|
|||
"SSE.Controllers.Toolbar.textOperator": "Operatori",
|
||||
"SSE.Controllers.Toolbar.textPivot": "Tabella pivot",
|
||||
"SSE.Controllers.Toolbar.textRadical": "Radicali",
|
||||
"SSE.Controllers.Toolbar.textRating": "Valutazioni",
|
||||
"SSE.Controllers.Toolbar.textScript": "Script",
|
||||
"SSE.Controllers.Toolbar.textShapes": "Forme",
|
||||
"SSE.Controllers.Toolbar.textSymbols": "Simboli",
|
||||
"SSE.Controllers.Toolbar.textWarning": "Avviso",
|
||||
"SSE.Controllers.Toolbar.txtAccent_Accent": "Acuto",
|
||||
|
@ -1360,11 +1429,15 @@
|
|||
"SSE.Views.CellSettings.strWrap": "Disponi testo",
|
||||
"SSE.Views.CellSettings.textAngle": "Angolo",
|
||||
"SSE.Views.CellSettings.textBackColor": "Colore sfondo",
|
||||
"SSE.Views.CellSettings.textBackground": "Colore sfondo",
|
||||
"SSE.Views.CellSettings.textBackground": "Colore di sfondo",
|
||||
"SSE.Views.CellSettings.textBorderColor": "Colore",
|
||||
"SSE.Views.CellSettings.textBorders": "Stile bordo",
|
||||
"SSE.Views.CellSettings.textClearRule": "Cancellare le regole",
|
||||
"SSE.Views.CellSettings.textColor": "Colore di riempimento",
|
||||
"SSE.Views.CellSettings.textColorScales": "Scale cromatiche",
|
||||
"SSE.Views.CellSettings.textCondFormat": "Formattazione condizionale",
|
||||
"SSE.Views.CellSettings.textControl": "Controllo del testo",
|
||||
"SSE.Views.CellSettings.textDataBars": "Barre di dati",
|
||||
"SSE.Views.CellSettings.textDirection": "Direzione",
|
||||
"SSE.Views.CellSettings.textFill": "Riempimento",
|
||||
"SSE.Views.CellSettings.textForeground": "Colore primo piano",
|
||||
|
@ -1374,6 +1447,8 @@
|
|||
"SSE.Views.CellSettings.textIndent": "Rientro",
|
||||
"SSE.Views.CellSettings.textItems": "elementi",
|
||||
"SSE.Views.CellSettings.textLinear": "Lineare",
|
||||
"SSE.Views.CellSettings.textManageRule": "Gestire le regole",
|
||||
"SSE.Views.CellSettings.textNewRule": "Nuova regola",
|
||||
"SSE.Views.CellSettings.textNoFill": "Nessun riempimento",
|
||||
"SSE.Views.CellSettings.textOrientation": "Orientamento del testo",
|
||||
"SSE.Views.CellSettings.textPattern": "Modello",
|
||||
|
@ -1381,6 +1456,10 @@
|
|||
"SSE.Views.CellSettings.textPosition": "Posizione",
|
||||
"SSE.Views.CellSettings.textRadial": "Radiale",
|
||||
"SSE.Views.CellSettings.textSelectBorders": "Seleziona i bordi che desideri modificare applicando lo stile scelto sopra",
|
||||
"SSE.Views.CellSettings.textSelection": "Dalla selezione corrente",
|
||||
"SSE.Views.CellSettings.textThisPivot": "Da questo pivot",
|
||||
"SSE.Views.CellSettings.textThisSheet": "Da questo foglio di calcolo",
|
||||
"SSE.Views.CellSettings.textThisTable": "Da questa tabella",
|
||||
"SSE.Views.CellSettings.tipAddGradientPoint": "Aggiungi punto di sfumatura",
|
||||
"SSE.Views.CellSettings.tipAll": "Imposta bordo esterno e tutte le linee interne",
|
||||
"SSE.Views.CellSettings.tipBottom": "Imposta solo bordo esterno inferiore",
|
||||
|
@ -1592,12 +1671,21 @@
|
|||
"SSE.Views.CreatePivotDialog.textSelectData": "Seleziona dati",
|
||||
"SSE.Views.CreatePivotDialog.textTitle": "Crea tabella pivot",
|
||||
"SSE.Views.CreatePivotDialog.txtEmpty": "Campo obbligatorio",
|
||||
"SSE.Views.CreateSparklineDialog.textDataRange": "Fonte di intervallo di dati",
|
||||
"SSE.Views.CreateSparklineDialog.textDestination": "Scegli dove posizionare i grafici sparkline",
|
||||
"SSE.Views.CreateSparklineDialog.textInvalidRange": "Intervallo di celle non valido",
|
||||
"SSE.Views.CreateSparklineDialog.textSelectData": "Selezionare i dati",
|
||||
"SSE.Views.CreateSparklineDialog.textTitle": "Creare grafico sparkline",
|
||||
"SSE.Views.CreateSparklineDialog.txtEmpty": "Questo campo è obbligatorio",
|
||||
"SSE.Views.DataTab.capBtnGroup": "Raggruppa",
|
||||
"SSE.Views.DataTab.capBtnTextCustomSort": "Ordinamento personalizzato",
|
||||
"SSE.Views.DataTab.capBtnTextDataValidation": "Validazione dati",
|
||||
"SSE.Views.DataTab.capBtnTextRemDuplicates": "Rimuovi duplicati",
|
||||
"SSE.Views.DataTab.capBtnTextToCol": "Testo a colonne",
|
||||
"SSE.Views.DataTab.capBtnUngroup": "Separa",
|
||||
"SSE.Views.DataTab.capDataFromText": "Da Testo/CSV",
|
||||
"SSE.Views.DataTab.mniFromFile": "Ottenere i dati da file",
|
||||
"SSE.Views.DataTab.mniFromUrl": "Ottenere i dati da URL",
|
||||
"SSE.Views.DataTab.textBelow": "Righe di riepilogo sotto i dettagli",
|
||||
"SSE.Views.DataTab.textClear": "Elimina contorno",
|
||||
"SSE.Views.DataTab.textColumns": "Separare le colonne",
|
||||
|
@ -1606,6 +1694,7 @@
|
|||
"SSE.Views.DataTab.textRightOf": "Colonne di riepilogo a destra dei dettagli",
|
||||
"SSE.Views.DataTab.textRows": "Separare le righe",
|
||||
"SSE.Views.DataTab.tipCustomSort": "Ordinamento personalizzato",
|
||||
"SSE.Views.DataTab.tipDataFromText": "Ottenere i dati da file di testo o CSV",
|
||||
"SSE.Views.DataTab.tipDataValidation": "Validazione dati",
|
||||
"SSE.Views.DataTab.tipGroup": "Raggruppa intervallo di celle",
|
||||
"SSE.Views.DataTab.tipRemDuplicates": "Rimuovi le righe duplicate da un foglio",
|
||||
|
@ -1729,6 +1818,7 @@
|
|||
"SSE.Views.DocumentHolder.textArrangeForward": "Porta avanti",
|
||||
"SSE.Views.DocumentHolder.textArrangeFront": "Porta in primo piano",
|
||||
"SSE.Views.DocumentHolder.textAverage": "Media",
|
||||
"SSE.Views.DocumentHolder.textBullets": "Elenchi puntati",
|
||||
"SSE.Views.DocumentHolder.textCount": "Conteggio",
|
||||
"SSE.Views.DocumentHolder.textCrop": "Ritaglia",
|
||||
"SSE.Views.DocumentHolder.textCropFill": "Riempimento",
|
||||
|
@ -1741,11 +1831,13 @@
|
|||
"SSE.Views.DocumentHolder.textFromStorage": "Da spazio di archiviazione",
|
||||
"SSE.Views.DocumentHolder.textFromUrl": "Da URL",
|
||||
"SSE.Views.DocumentHolder.textListSettings": "Impostazioni elenco",
|
||||
"SSE.Views.DocumentHolder.textMacro": "Assegnare macro",
|
||||
"SSE.Views.DocumentHolder.textMax": "Max",
|
||||
"SSE.Views.DocumentHolder.textMin": "Min",
|
||||
"SSE.Views.DocumentHolder.textMore": "Altre funzioni",
|
||||
"SSE.Views.DocumentHolder.textMoreFormats": "Altri formati",
|
||||
"SSE.Views.DocumentHolder.textNone": "Nessuno",
|
||||
"SSE.Views.DocumentHolder.textNumbering": "Numerazione",
|
||||
"SSE.Views.DocumentHolder.textReplace": "Sostituisci immagine",
|
||||
"SSE.Views.DocumentHolder.textRotate": "Ruota",
|
||||
"SSE.Views.DocumentHolder.textRotate270": "Ruota 90° a sinistra",
|
||||
|
@ -1822,7 +1914,7 @@
|
|||
"SSE.Views.DocumentHolder.txtSortFontColor": "Colore del carattere selezionato in cima",
|
||||
"SSE.Views.DocumentHolder.txtSparklines": "Sparkline",
|
||||
"SSE.Views.DocumentHolder.txtText": "Testo",
|
||||
"SSE.Views.DocumentHolder.txtTextAdvanced": "Impostazioni avanzate testo",
|
||||
"SSE.Views.DocumentHolder.txtTextAdvanced": "Impostazioni avanzate di paragrafo",
|
||||
"SSE.Views.DocumentHolder.txtTime": "Ora",
|
||||
"SSE.Views.DocumentHolder.txtUngroup": "Separa",
|
||||
"SSE.Views.DocumentHolder.txtWidth": "Larghezza",
|
||||
|
@ -1902,7 +1994,7 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separatore decimale",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rapido",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Suggerimento per i caratteri",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Aggiungere la versione all'archivio dopo aver fatto clic su Salva o CTRL+S",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Lingua della Formula",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Esempio: SOMMA; MINIMO; MASSIMO; CONTEGGIO",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Attivare visualizzazione dei commenti",
|
||||
|
@ -1927,15 +2019,21 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Recupero automatico",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Salvataggio automatico",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Disattivato",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salva sul server",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salvare versioni intermedie",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Ogni minuto",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Stile di riferimento",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Bielorusso",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBg": "Bulgaro",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCa": "Catalano",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "Modalità cache predefinita",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimetro",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Ceco",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Danese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Tedesco",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "Greco",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Inglese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Spagnolo",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "Finlandese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "Ungherese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indonesiano",
|
||||
|
@ -1948,16 +2046,27 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Lettone",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "come su OS X",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Nativo",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Norvegese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Olandese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Polacco",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Punto",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portoghese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Rumeno",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Russo",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Abilita tutto",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Abilita tutte le macro senza una notifica",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Slovacco",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Sloveno",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Disabilita tutto",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Disabilita tutte le macro senza notifica",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Svedese",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtTr": "Turco",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUk": "Ucraino",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "Vietnamita",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Mostra notifica",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Disabilita tutte le macro con notifica",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "come su Windows",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Cinese",
|
||||
"SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Applica",
|
||||
"SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Lingua del dizionario",
|
||||
"SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignora le parole in MAIUSCOLO",
|
||||
|
@ -1978,10 +2087,148 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "Generale",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Impostazioni pagina",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Controllo ortografico",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Colore di riempimento",
|
||||
"SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Avviso",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "2 Scala cromatica",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "3 Scala cromatica",
|
||||
"SSE.Views.FormatRulesEditDlg.textAllBorders": "Tutti i bordi",
|
||||
"SSE.Views.FormatRulesEditDlg.textAppearance": "Aspetto di barra",
|
||||
"SSE.Views.FormatRulesEditDlg.textApply": "Applicare all'intervallo",
|
||||
"SSE.Views.FormatRulesEditDlg.textAutomatic": "Automatico",
|
||||
"SSE.Views.FormatRulesEditDlg.textAxis": "Asse",
|
||||
"SSE.Views.FormatRulesEditDlg.textBarDirection": "Direzione di barra",
|
||||
"SSE.Views.FormatRulesEditDlg.textBold": "Grassetto",
|
||||
"SSE.Views.FormatRulesEditDlg.textBorder": "Bordo",
|
||||
"SSE.Views.FormatRulesEditDlg.textBordersColor": "Colore bordi",
|
||||
"SSE.Views.FormatRulesEditDlg.textBordersStyle": "Stile bordo",
|
||||
"SSE.Views.FormatRulesEditDlg.textBottomBorders": "Bordi inferiori",
|
||||
"SSE.Views.FormatRulesEditDlg.textCannotAddCF": "Impossibile aggiungere formattazione condizionale",
|
||||
"SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Punto medio di cella",
|
||||
"SSE.Views.FormatRulesEditDlg.textCenterBorders": "Bordi interni verticali",
|
||||
"SSE.Views.FormatRulesEditDlg.textClear": "Cancellare",
|
||||
"SSE.Views.FormatRulesEditDlg.textColor": "Colore del testo",
|
||||
"SSE.Views.FormatRulesEditDlg.textContext": "contesto",
|
||||
"SSE.Views.FormatRulesEditDlg.textCustom": "Personalizzato",
|
||||
"SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Bordo diagonale discendente",
|
||||
"SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "Bordo diagonale ascendente",
|
||||
"SSE.Views.FormatRulesEditDlg.textEmptyFormula": "Inserisci una formula valida.",
|
||||
"SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "La formula inserita non valuta un numero, una data, un'ora o una stringa.",
|
||||
"SSE.Views.FormatRulesEditDlg.textEmptyText": "Inserisci un valore.",
|
||||
"SSE.Views.FormatRulesEditDlg.textEmptyValue": "Il valore inserito non è un numero, una data, un'ora o una stringa validi.",
|
||||
"SSE.Views.FormatRulesEditDlg.textErrorGreater": "Il valore per il {0} deve essere maggiore del valore per il {1}.",
|
||||
"SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "Inserisci un numero tra {0} e {1}.",
|
||||
"SSE.Views.FormatRulesEditDlg.textFill": "Riempire",
|
||||
"SSE.Views.FormatRulesEditDlg.textFormat": "Formato",
|
||||
"SSE.Views.FormatRulesEditDlg.textFormula": "Formula",
|
||||
"SSE.Views.FormatRulesEditDlg.textGradient": "Gradiente",
|
||||
"SSE.Views.FormatRulesEditDlg.textIconLabel": "quando {0} {1} e",
|
||||
"SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "quando {0} {1}",
|
||||
"SSE.Views.FormatRulesEditDlg.textIconLabelLast": "quando valore è",
|
||||
"SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Sovrapposizione di uno o più intervalli di dati delle icone.<br>Aggiusta i valori dell'intervallo di dati delle icone in modo che gli intervalli non si sovrappongano.",
|
||||
"SSE.Views.FormatRulesEditDlg.textIconStyle": "Stile di icone",
|
||||
"SSE.Views.FormatRulesEditDlg.textInsideBorders": "Bordi interni",
|
||||
"SSE.Views.FormatRulesEditDlg.textInvalid": "Intervallo di dati non valido",
|
||||
"SSE.Views.FormatRulesEditDlg.textInvalidRange": "ERRORE! Intervallo di celle non valido",
|
||||
"SSE.Views.FormatRulesEditDlg.textItalic": "Corsivo",
|
||||
"SSE.Views.FormatRulesEditDlg.textItem": "Elemento",
|
||||
"SSE.Views.FormatRulesEditDlg.textLeft2Right": "Bordi a destra",
|
||||
"SSE.Views.FormatRulesEditDlg.textLeftBorders": "Bordo sinistro",
|
||||
"SSE.Views.FormatRulesEditDlg.textLongBar": "Barra più lunga",
|
||||
"SSE.Views.FormatRulesEditDlg.textMaximum": "Massimo",
|
||||
"SSE.Views.FormatRulesEditDlg.textMaxpoint": "Punto massimo",
|
||||
"SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Bordi interni orizzontali",
|
||||
"SSE.Views.FormatRulesEditDlg.textMidpoint": "Punto medio",
|
||||
"SSE.Views.FormatRulesEditDlg.textMinimum": "Minimo",
|
||||
"SSE.Views.FormatRulesEditDlg.textMinpoint": "Punto minimo",
|
||||
"SSE.Views.FormatRulesEditDlg.textNegative": "Negativo",
|
||||
"SSE.Views.FormatRulesEditDlg.textNewColor": "Aggiungere un nuovo colore personalizzato",
|
||||
"SSE.Views.FormatRulesEditDlg.textNoBorders": "Senza bordi",
|
||||
"SSE.Views.FormatRulesEditDlg.textNone": "niente",
|
||||
"SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Uno o più dei valori specificati non è una percentuale valida.",
|
||||
"SSE.Views.FormatRulesEditDlg.textNotValidPercentageExt": "Il valore specificato non è una percentuale valida.",
|
||||
"SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Uno o più dei valori specificati non è una percentuale valida.",
|
||||
"SSE.Views.FormatRulesEditDlg.textNotValidPercentileExt": "Il valore specificato {0} non è un percentile valido.",
|
||||
"SSE.Views.FormatRulesEditDlg.textOutBorders": "Bordi esterni",
|
||||
"SSE.Views.FormatRulesEditDlg.textPercent": "Percento",
|
||||
"SSE.Views.FormatRulesEditDlg.textPercentile": "Percentile",
|
||||
"SSE.Views.FormatRulesEditDlg.textPosition": "Posizione",
|
||||
"SSE.Views.FormatRulesEditDlg.textPositive": "Positivo",
|
||||
"SSE.Views.FormatRulesEditDlg.textPresets": "Preimpostazioni",
|
||||
"SSE.Views.FormatRulesEditDlg.textPreview": "Anteprima",
|
||||
"SSE.Views.FormatRulesEditDlg.textRelativeRef": "Non è possibile utilizzare riferimenti relativi in criteri di formattazione condizionale per scale cromatiche, barre di dati e set di icone.",
|
||||
"SSE.Views.FormatRulesEditDlg.textReverse": "Ordine di icone inverso",
|
||||
"SSE.Views.FormatRulesEditDlg.textRight2Left": "Da destra a sinistra",
|
||||
"SSE.Views.FormatRulesEditDlg.textRightBorders": "Bordo destro",
|
||||
"SSE.Views.FormatRulesEditDlg.textRule": "Regola",
|
||||
"SSE.Views.FormatRulesEditDlg.textSameAs": "Uguale a positivo",
|
||||
"SSE.Views.FormatRulesEditDlg.textSelectData": "Selezionare i dati",
|
||||
"SSE.Views.FormatRulesEditDlg.textShortBar": "Barra più breve",
|
||||
"SSE.Views.FormatRulesEditDlg.textShowBar": "Mostrare solo la barra",
|
||||
"SSE.Views.FormatRulesEditDlg.textShowIcon": "Mostrare solo le icone",
|
||||
"SSE.Views.FormatRulesEditDlg.textSingleRef": "Questo tipo di riferimento non può essere utilizzato in una formula di formattazione condizionale.<br>Cambia il riferimento ad una cella singola o usa il riferimento con una funzione di foglio di calcolo come =SUM(A1:B5).",
|
||||
"SSE.Views.FormatRulesEditDlg.textSolid": "Solido",
|
||||
"SSE.Views.FormatRulesEditDlg.textStrikeout": "Barrato",
|
||||
"SSE.Views.FormatRulesEditDlg.textSubscript": "Pedice",
|
||||
"SSE.Views.FormatRulesEditDlg.textSuperscript": "Apice",
|
||||
"SSE.Views.FormatRulesEditDlg.textTopBorders": "Bordo superiore",
|
||||
"SSE.Views.FormatRulesEditDlg.textUnderline": "Sottolineato",
|
||||
"SSE.Views.FormatRulesEditDlg.tipBorders": "Bordi",
|
||||
"SSE.Views.FormatRulesEditDlg.tipNumFormat": "Formato del numero",
|
||||
"SSE.Views.FormatRulesEditDlg.txtAccounting": "Conteggio",
|
||||
"SSE.Views.FormatRulesEditDlg.txtCurrency": "Valuta",
|
||||
"SSE.Views.FormatRulesEditDlg.txtDate": "Data",
|
||||
"SSE.Views.FormatRulesEditDlg.txtEmpty": "Questo campo è obbligatorio",
|
||||
"SSE.Views.FormatRulesEditDlg.txtFraction": "Frazione",
|
||||
"SSE.Views.FormatRulesEditDlg.txtGeneral": "Generale",
|
||||
"SSE.Views.FormatRulesEditDlg.txtNumber": "Numero",
|
||||
"SSE.Views.FormatRulesEditDlg.txtPercentage": "Percentuale",
|
||||
"SSE.Views.FormatRulesEditDlg.txtScientific": "Scientifico",
|
||||
"SSE.Views.FormatRulesEditDlg.txtText": "Testo",
|
||||
"SSE.Views.FormatRulesEditDlg.txtTime": "Ora",
|
||||
"SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Modificare la regola di formattazione",
|
||||
"SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nuova regola di formattazione",
|
||||
"SSE.Views.FormatRulesManagerDlg.guestText": "Ospite",
|
||||
"SSE.Views.FormatRulesManagerDlg.text1Above": "1 deviazione standard sopra la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.text1Below": "1 deviazione standard sotto la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.text2Above": "2 deviazioni standard sopra la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.text2Below": "2 deviazioni standard sotto la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.text3Above": "3 deviazioni standard sopra la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.text3Below": "3 deviazioni standard sotto la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.textAbove": "Sopra la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.textApply": "Applica a",
|
||||
"SSE.Views.FormatRulesManagerDlg.textBeginsWith": "Valore della cella inizia con",
|
||||
"SSE.Views.FormatRulesManagerDlg.textBelow": "Sotto la media",
|
||||
"SSE.Views.FormatRulesManagerDlg.textBetween": "è tra {0} e {1}",
|
||||
"SSE.Views.FormatRulesManagerDlg.textCellValue": "Valore della cella",
|
||||
"SSE.Views.FormatRulesManagerDlg.textColorScale": "Scala di colore graduale",
|
||||
"SSE.Views.FormatRulesManagerDlg.textContains": "Valore della cella contiene",
|
||||
"SSE.Views.FormatRulesManagerDlg.textContainsBlank": "Cella contiene un valore vuoto",
|
||||
"SSE.Views.FormatRulesManagerDlg.textContainsError": "Cella contiene un errore",
|
||||
"SSE.Views.FormatRulesManagerDlg.textDelete": "Eliminare",
|
||||
"SSE.Views.FormatRulesManagerDlg.textDown": "Spostare la regola verso il basso",
|
||||
"SSE.Views.FormatRulesManagerDlg.textDuplicate": "Duplicare valori",
|
||||
"SSE.Views.FormatRulesManagerDlg.textEdit": "Modificare",
|
||||
"SSE.Views.FormatRulesManagerDlg.textEnds": "Valore della cella termina con",
|
||||
"SSE.Views.FormatRulesManagerDlg.textEqAbove": "Uguale o superiore alla media",
|
||||
"SSE.Views.FormatRulesManagerDlg.textEqBelow": "Uguale o inferiore alla media",
|
||||
"SSE.Views.FormatRulesManagerDlg.textFormat": "Formato",
|
||||
"SSE.Views.FormatRulesManagerDlg.textIconSet": "Set di icone",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNew": "Nuovo",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotBetween": "non è tra {0} e {1}",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotContains": "Valore della cella non contiene",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "Cella non contiene un valore vuoto",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotContainsError": "Cella non contiene un errore",
|
||||
"SSE.Views.FormatRulesManagerDlg.textRules": "Regole",
|
||||
"SSE.Views.FormatRulesManagerDlg.textScope": "Mostrare le regole di formattazione per",
|
||||
"SSE.Views.FormatRulesManagerDlg.textSelectData": "Selezionare i dati",
|
||||
"SSE.Views.FormatRulesManagerDlg.textSelection": "Selezione corrente",
|
||||
"SSE.Views.FormatRulesManagerDlg.textThisPivot": "Questo pivot",
|
||||
"SSE.Views.FormatRulesManagerDlg.textThisSheet": "Questo foglio di calcolo",
|
||||
"SSE.Views.FormatRulesManagerDlg.textThisTable": "Questa tabella",
|
||||
"SSE.Views.FormatRulesManagerDlg.textUnique": "Valori unici",
|
||||
"SSE.Views.FormatRulesManagerDlg.textUp": "Spostare la regola verso l'alto",
|
||||
"SSE.Views.FormatRulesManagerDlg.tipIsLocked": "Questo elemento si sta modificando da un altro utente.",
|
||||
"SSE.Views.FormatRulesManagerDlg.txtTitle": "Formattazione condizionale",
|
||||
"SSE.Views.FormatSettingsDialog.textCategory": "Categoria",
|
||||
"SSE.Views.FormatSettingsDialog.textDecimal": "Decimale",
|
||||
"SSE.Views.FormatSettingsDialog.textFormat": "Formato",
|
||||
|
@ -2146,6 +2393,8 @@
|
|||
"SSE.Views.LeftMenu.txtLimit": "Limita accesso",
|
||||
"SSE.Views.LeftMenu.txtTrial": "Modalità di prova",
|
||||
"SSE.Views.LeftMenu.txtTrialDev": "Prova Modalità sviluppatore",
|
||||
"SSE.Views.MacroDialog.textMacro": "Nome di macro",
|
||||
"SSE.Views.MacroDialog.textTitle": "Assegnare macro",
|
||||
"SSE.Views.MainSettingsPrint.okButtonText": "Salva",
|
||||
"SSE.Views.MainSettingsPrint.strBottom": "In basso",
|
||||
"SSE.Views.MainSettingsPrint.strLandscape": "Orizzontale",
|
||||
|
@ -2430,7 +2679,7 @@
|
|||
"SSE.Views.RightMenu.txtCellSettings": "impostazioni cella",
|
||||
"SSE.Views.RightMenu.txtChartSettings": "Impostazioni grafico",
|
||||
"SSE.Views.RightMenu.txtImageSettings": "Impostazioni immagine",
|
||||
"SSE.Views.RightMenu.txtParagraphSettings": "Impostazioni testo",
|
||||
"SSE.Views.RightMenu.txtParagraphSettings": "Impostazioni di paragrafo",
|
||||
"SSE.Views.RightMenu.txtPivotSettings": "Impostazioni tabella Pivot",
|
||||
"SSE.Views.RightMenu.txtSettings": "Impostazioni generali",
|
||||
"SSE.Views.RightMenu.txtShapeSettings": "Impostazioni forma",
|
||||
|
@ -2847,6 +3096,7 @@
|
|||
"SSE.Views.TextArtSettings.txtPapyrus": "Papiro",
|
||||
"SSE.Views.TextArtSettings.txtWood": "Legno",
|
||||
"SSE.Views.Toolbar.capBtnAddComment": "Aggiungi commento",
|
||||
"SSE.Views.Toolbar.capBtnColorSchemas": "Schema di colori",
|
||||
"SSE.Views.Toolbar.capBtnComment": "Commento",
|
||||
"SSE.Views.Toolbar.capBtnInsHeader": "Intestazione/Piè di pagina",
|
||||
"SSE.Views.Toolbar.capBtnInsSlicer": "Filtro dati",
|
||||
|
@ -2866,6 +3116,7 @@
|
|||
"SSE.Views.Toolbar.capInsertHyperlink": "Collegamento ipertestuale",
|
||||
"SSE.Views.Toolbar.capInsertImage": "Immagine",
|
||||
"SSE.Views.Toolbar.capInsertShape": "Forma",
|
||||
"SSE.Views.Toolbar.capInsertSpark": "Grafici sparkline",
|
||||
"SSE.Views.Toolbar.capInsertTable": "Tabella",
|
||||
"SSE.Views.Toolbar.capInsertText": "Casella di testo",
|
||||
"SSE.Views.Toolbar.mniImageFromFile": "Immagine da file",
|
||||
|
@ -2889,8 +3140,11 @@
|
|||
"SSE.Views.Toolbar.textBottomBorders": "Bordi inferiori",
|
||||
"SSE.Views.Toolbar.textCenterBorders": "Bordi verticali interni",
|
||||
"SSE.Views.Toolbar.textClearPrintArea": "Pulisci area di stampa",
|
||||
"SSE.Views.Toolbar.textClearRule": "Cancellare le regole",
|
||||
"SSE.Views.Toolbar.textClockwise": "Angolo in senso orario",
|
||||
"SSE.Views.Toolbar.textColorScales": "Scale cromatiche",
|
||||
"SSE.Views.Toolbar.textCounterCw": "Angolo in senso antiorario",
|
||||
"SSE.Views.Toolbar.textDataBars": "Barre di dati",
|
||||
"SSE.Views.Toolbar.textDelLeft": "Sposta celle a sinistra",
|
||||
"SSE.Views.Toolbar.textDelUp": "Sposta celle in alto",
|
||||
"SSE.Views.Toolbar.textDiagDownBorder": "Bordo diagonale inferiore",
|
||||
|
@ -2907,7 +3161,8 @@
|
|||
"SSE.Views.Toolbar.textItems": "elementi",
|
||||
"SSE.Views.Toolbar.textLandscape": "Orizzontale",
|
||||
"SSE.Views.Toolbar.textLeft": "Sinistra:",
|
||||
"SSE.Views.Toolbar.textLeftBorders": "Bordi a sinistra",
|
||||
"SSE.Views.Toolbar.textLeftBorders": "Bordo sinistro",
|
||||
"SSE.Views.Toolbar.textManageRule": "Gestire le regole",
|
||||
"SSE.Views.Toolbar.textManyPages": "Pagine",
|
||||
"SSE.Views.Toolbar.textMarginsLast": "Ultima personalizzazione",
|
||||
"SSE.Views.Toolbar.textMarginsNarrow": "Stretto",
|
||||
|
@ -2917,6 +3172,7 @@
|
|||
"SSE.Views.Toolbar.textMoreFormats": "Altri formati",
|
||||
"SSE.Views.Toolbar.textMorePages": "Più pagine",
|
||||
"SSE.Views.Toolbar.textNewColor": "Aggiungi Colore personalizzato",
|
||||
"SSE.Views.Toolbar.textNewRule": "Nuova regola",
|
||||
"SSE.Views.Toolbar.textNoBorders": "Nessun bordo",
|
||||
"SSE.Views.Toolbar.textOnePage": "Pagina",
|
||||
"SSE.Views.Toolbar.textOutBorders": "Bordi esterni",
|
||||
|
@ -2925,11 +3181,12 @@
|
|||
"SSE.Views.Toolbar.textPrint": "Stampa",
|
||||
"SSE.Views.Toolbar.textPrintOptions": "Impostazioni stampa",
|
||||
"SSE.Views.Toolbar.textRight": "Destra:",
|
||||
"SSE.Views.Toolbar.textRightBorders": "Bordi destri",
|
||||
"SSE.Views.Toolbar.textRightBorders": "Bordo destro",
|
||||
"SSE.Views.Toolbar.textRotateDown": "Ruota testo verso il basso",
|
||||
"SSE.Views.Toolbar.textRotateUp": "Ruota testo verso l'alto",
|
||||
"SSE.Views.Toolbar.textScale": "Ridimensiona",
|
||||
"SSE.Views.Toolbar.textScaleCustom": "Personalizzato",
|
||||
"SSE.Views.Toolbar.textSelection": "Dalla selezione corrente",
|
||||
"SSE.Views.Toolbar.textSetPrintArea": "Imposta area di stampa",
|
||||
"SSE.Views.Toolbar.textStrikeout": "Barrato",
|
||||
"SSE.Views.Toolbar.textSubscript": "Pedice",
|
||||
|
@ -2944,6 +3201,9 @@
|
|||
"SSE.Views.Toolbar.textTabLayout": "Layout di Pagina",
|
||||
"SSE.Views.Toolbar.textTabProtect": "Protezione",
|
||||
"SSE.Views.Toolbar.textTabView": "Visualizza",
|
||||
"SSE.Views.Toolbar.textThisPivot": "Da questo pivot",
|
||||
"SSE.Views.Toolbar.textThisSheet": "Da questo foglio di calcolo",
|
||||
"SSE.Views.Toolbar.textThisTable": "Da questa tabella",
|
||||
"SSE.Views.Toolbar.textTop": "In alto:",
|
||||
"SSE.Views.Toolbar.textTopBorders": "Bordi superiori",
|
||||
"SSE.Views.Toolbar.textUnderline": "Sottolineato",
|
||||
|
@ -2964,6 +3224,7 @@
|
|||
"SSE.Views.Toolbar.tipChangeChart": "Cambia tipo di grafico",
|
||||
"SSE.Views.Toolbar.tipClearStyle": "Svuota",
|
||||
"SSE.Views.Toolbar.tipColorSchemas": "Cambia combinazione colori",
|
||||
"SSE.Views.Toolbar.tipCondFormat": "Formattazione condizionale",
|
||||
"SSE.Views.Toolbar.tipCopy": "Copia",
|
||||
"SSE.Views.Toolbar.tipCopyStyle": "Copia stile",
|
||||
"SSE.Views.Toolbar.tipDecDecimal": "Diminuisci decimali",
|
||||
|
@ -2991,6 +3252,7 @@
|
|||
"SSE.Views.Toolbar.tipInsertOpt": "Inserisci celle",
|
||||
"SSE.Views.Toolbar.tipInsertShape": "Inserisci forma automatica",
|
||||
"SSE.Views.Toolbar.tipInsertSlicer": "Inserisci filtro dati",
|
||||
"SSE.Views.Toolbar.tipInsertSpark": "Inserire grafico sparkline",
|
||||
"SSE.Views.Toolbar.tipInsertSymbol": "Inserisci simbolo",
|
||||
"SSE.Views.Toolbar.tipInsertTable": "Inserisci tabella",
|
||||
"SSE.Views.Toolbar.tipInsertText": "Inserisci casella di testo",
|
||||
|
@ -3001,7 +3263,7 @@
|
|||
"SSE.Views.Toolbar.tipPageOrient": "Orientamento pagina",
|
||||
"SSE.Views.Toolbar.tipPageSize": "Dimensione pagina",
|
||||
"SSE.Views.Toolbar.tipPaste": "Incolla",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Colore sfondo",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Colore di riempimento",
|
||||
"SSE.Views.Toolbar.tipPrint": "Stampa",
|
||||
"SSE.Views.Toolbar.tipPrintArea": "Area di stampa",
|
||||
"SSE.Views.Toolbar.tipPrintTitles": "Stampa titoli",
|
||||
|
|
|
@ -48,6 +48,20 @@
|
|||
"Common.define.chartData.textStock": "Voorraad",
|
||||
"Common.define.chartData.textSurface": "Oppervlak",
|
||||
"Common.define.chartData.textWinLossSpark": "Winst/verlies",
|
||||
"Common.define.conditionalData.exampleText": "AaBbCcYyZz",
|
||||
"Common.define.conditionalData.text1Above": "1 std dev boven",
|
||||
"Common.define.conditionalData.text1Below": "1 std dev onder",
|
||||
"Common.define.conditionalData.text2Above": "2 std dev boven",
|
||||
"Common.define.conditionalData.text2Below": "2 std dev onder",
|
||||
"Common.define.conditionalData.text3Above": "3 std dev boven",
|
||||
"Common.define.conditionalData.text3Below": "3 std dev onder",
|
||||
"Common.define.conditionalData.textAbove": "Boven",
|
||||
"Common.define.conditionalData.textAverage": "Gemiddeld",
|
||||
"Common.define.conditionalData.textBegins": "Begint met",
|
||||
"Common.define.conditionalData.textBelow": "Onder",
|
||||
"Common.define.conditionalData.textBetween": "Tussen",
|
||||
"Common.define.conditionalData.textBlank": "Blanco",
|
||||
"Common.define.conditionalData.textBottom": "Bodem",
|
||||
"Common.Translation.warnFileLocked": "Het bestand wordt bewerkt in een andere app. U kunt doorgaan met bewerken en als kopie opslaan.",
|
||||
"Common.UI.ColorButton.textAutoColor": "Automatisch",
|
||||
"Common.UI.ColorButton.textNewColor": "Nieuwe aangepaste kleur toevoegen",
|
||||
|
@ -95,6 +109,7 @@
|
|||
"Common.Views.About.txtVersion": "Versie",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "Toevoegen",
|
||||
"Common.Views.AutoCorrectDialog.textApplyAsWork": "Pas toe terwijl u werkt",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "AutoCorrectie",
|
||||
"Common.Views.AutoCorrectDialog.textAutoFormat": "AutoOpmaak terwijl u typt",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Door",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Verwijder",
|
||||
|
@ -612,6 +627,7 @@
|
|||
"SSE.Controllers.Main.errorWrongOperator": "De ingevoerde formule bevat een fout. Verkeerde operator gebruikt.<br>Corrigeer de fout.",
|
||||
"SSE.Controllers.Main.errRemDuplicates": "Dubbele waarden gevonden en verwijderd: {0}, unieke waarden over: {1}.",
|
||||
"SSE.Controllers.Main.leavePageText": "Er zijn niet-opgeslagen wijzigingen in deze spreadsheet. Klik op 'Op deze pagina blijven' en dan op 'Opslaan' om de wijzigingen op te slaan. Klik op 'Pagina verlaten' om alle niet-opgeslagen wijzigingen te negeren.",
|
||||
"SSE.Controllers.Main.leavePageTextOnClose": "Alle niet-opgeslagen wijzigingen in deze spreadsheet gaan verloren. <br> Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet-opgeslagen wijzigingen te verwijderen.",
|
||||
"SSE.Controllers.Main.loadFontsTextText": "Gegevens worden geladen...",
|
||||
"SSE.Controllers.Main.loadFontsTitleText": "Gegevens worden geladen",
|
||||
"SSE.Controllers.Main.loadFontTextText": "Gegevens worden geladen...",
|
||||
|
@ -691,6 +707,7 @@
|
|||
"SSE.Controllers.Main.txtMinutes": "minuten",
|
||||
"SSE.Controllers.Main.txtMonths": "maanden",
|
||||
"SSE.Controllers.Main.txtMultiSelect": "Meerdere selecteren (Alt + S)",
|
||||
"SSE.Controllers.Main.txtOr": "%1 of %2",
|
||||
"SSE.Controllers.Main.txtPage": "Pagina",
|
||||
"SSE.Controllers.Main.txtPageOf": "Pagina %1 van %2",
|
||||
"SSE.Controllers.Main.txtPages": "Pagina's",
|
||||
|
@ -1728,6 +1745,7 @@
|
|||
"SSE.Views.DocumentHolder.textFromStorage": "Van Opslag",
|
||||
"SSE.Views.DocumentHolder.textFromUrl": "Van URL",
|
||||
"SSE.Views.DocumentHolder.textListSettings": "Lijst instellingen",
|
||||
"SSE.Views.DocumentHolder.textMacro": "Macro toewijzen",
|
||||
"SSE.Views.DocumentHolder.textMax": "Max",
|
||||
"SSE.Views.DocumentHolder.textMin": "Min",
|
||||
"SSE.Views.DocumentHolder.textMore": "Meer functies",
|
||||
|
@ -1917,6 +1935,7 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Opslaan op server",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Elke minuut",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Referentie stijl",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Wit-Russisch",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "standaard cache modus",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimeter",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Duits",
|
||||
|
@ -1958,6 +1977,31 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "Algemeen",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Pagina-instellingen",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Spellingcontrole",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Achtergrond kleur",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "2 Kleurenschaal",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "3 Kleurenschaal",
|
||||
"SSE.Views.FormatRulesEditDlg.textAllBorders": "Alle grenzen",
|
||||
"SSE.Views.FormatRulesEditDlg.textAppearance": "Uiterlijk van de bar",
|
||||
"SSE.Views.FormatRulesEditDlg.textApply": "Solliciteer naar Bereik",
|
||||
"SSE.Views.FormatRulesEditDlg.textAutomatic": "Automatisch",
|
||||
"SSE.Views.FormatRulesEditDlg.textAxis": "Assen",
|
||||
"SSE.Views.FormatRulesEditDlg.textBarDirection": "Bar richting",
|
||||
"SSE.Views.FormatRulesEditDlg.textBold": "Vet",
|
||||
"SSE.Views.FormatRulesEditDlg.textBorder": "Grens",
|
||||
"SSE.Views.FormatRulesEditDlg.textBordersColor": "Randen Kleur",
|
||||
"SSE.Views.FormatRulesEditDlg.textBordersStyle": "Rand Stijl",
|
||||
"SSE.Views.FormatRulesEditDlg.textNewColor": "Nieuwe aangepaste kleur toevoegen",
|
||||
"SSE.Views.FormatRulesEditDlg.tipBorders": "Randen",
|
||||
"SSE.Views.FormatRulesEditDlg.txtAccounting": "Boekhouding",
|
||||
"SSE.Views.FormatRulesManagerDlg.text1Above": "1 std dev boven het gemiddelde",
|
||||
"SSE.Views.FormatRulesManagerDlg.text1Below": "1 std dev onder het gemiddelde",
|
||||
"SSE.Views.FormatRulesManagerDlg.text2Above": "2 std dev boven het gemiddelde",
|
||||
"SSE.Views.FormatRulesManagerDlg.text2Below": "2 std dev onder het gemiddelde",
|
||||
"SSE.Views.FormatRulesManagerDlg.text3Above": "3 std dev boven het gemiddelde",
|
||||
"SSE.Views.FormatRulesManagerDlg.text3Below": "3 std dev onder het gemiddelde",
|
||||
"SSE.Views.FormatRulesManagerDlg.textAbove": "Boven het gemiddelde",
|
||||
"SSE.Views.FormatRulesManagerDlg.textApply": "Solliciteer naar",
|
||||
"SSE.Views.FormatRulesManagerDlg.textBelow": "Onder het gemiddelde",
|
||||
"SSE.Views.FormatSettingsDialog.textCategory": "Categorie",
|
||||
"SSE.Views.FormatSettingsDialog.textDecimal": "Decimaal",
|
||||
"SSE.Views.FormatSettingsDialog.textFormat": "Opmaak",
|
||||
|
@ -2121,6 +2165,7 @@
|
|||
"SSE.Views.LeftMenu.txtLimit": "Beperk toegang",
|
||||
"SSE.Views.LeftMenu.txtTrial": "TEST MODUS",
|
||||
"SSE.Views.LeftMenu.txtTrialDev": "Proefontwikkelaarsmodus",
|
||||
"SSE.Views.MacroDialog.textTitle": "Macro toewijzen",
|
||||
"SSE.Views.MainSettingsPrint.okButtonText": "Opslaan",
|
||||
"SSE.Views.MainSettingsPrint.strBottom": "Onder",
|
||||
"SSE.Views.MainSettingsPrint.strLandscape": "Liggend",
|
||||
|
|
|
@ -1489,7 +1489,7 @@
|
|||
"SSE.Views.PrintSettings.textPrintGrid": "Drukuj siatkę",
|
||||
"SSE.Views.PrintSettings.textPrintHeadings": "Drukuj wiersze i kolumny",
|
||||
"SSE.Views.PrintSettings.textPrintRange": "Drukuj zakres",
|
||||
"SSE.Views.PrintSettings.textSelection": "Wybrany",
|
||||
"SSE.Views.PrintSettings.textSelection": "Zaznaczenie",
|
||||
"SSE.Views.PrintSettings.textSettings": "Ustawienia arkusza",
|
||||
"SSE.Views.PrintSettings.textShowDetails": "Pokaż szczegóły",
|
||||
"SSE.Views.PrintSettings.textShowGrid": "Pokaż linie siatki",
|
||||
|
|
|
@ -983,7 +983,7 @@
|
|||
"SSE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.",
|
||||
"SSE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.",
|
||||
"SSE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.",
|
||||
"SSE.Controllers.Main.uploadImageTextText": "Carregando imagem...",
|
||||
"SSE.Controllers.Main.uploadImageTitleText": "Carregando imagem",
|
||||
"SSE.Controllers.Main.waitText": "Aguarde...",
|
||||
|
@ -1429,7 +1429,7 @@
|
|||
"SSE.Views.CellSettings.strWrap": "Ajustar texto",
|
||||
"SSE.Views.CellSettings.textAngle": "Ângulo",
|
||||
"SSE.Views.CellSettings.textBackColor": "Cor de fundo",
|
||||
"SSE.Views.CellSettings.textBackground": "Cor de fundo",
|
||||
"SSE.Views.CellSettings.textBackground": "Cor do plano de fundo",
|
||||
"SSE.Views.CellSettings.textBorderColor": "Cor",
|
||||
"SSE.Views.CellSettings.textBorders": "Estilo das bordas",
|
||||
"SSE.Views.CellSettings.textClearRule": "Regras claras",
|
||||
|
@ -2087,7 +2087,7 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "Geral",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Configurações de página",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Verificação ortográfica",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Cor do plano de fundo",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Cor de preenchimento",
|
||||
"SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Aviso",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "Escala Bicolor",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "Escala Tricolor",
|
||||
|
@ -3263,7 +3263,7 @@
|
|||
"SSE.Views.Toolbar.tipPageOrient": "Orientação da página",
|
||||
"SSE.Views.Toolbar.tipPageSize": "Tamanho da página",
|
||||
"SSE.Views.Toolbar.tipPaste": "Colar",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Cor do plano de fundo",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Cor de preenchimento",
|
||||
"SSE.Views.Toolbar.tipPrint": "Imprimir",
|
||||
"SSE.Views.Toolbar.tipPrintArea": "Área de impressão",
|
||||
"SSE.Views.Toolbar.tipPrintTitles": "Imprimir títulos",
|
||||
|
|
|
@ -49,6 +49,7 @@
|
|||
"Common.define.chartData.textSurface": "Suprafața",
|
||||
"Common.define.chartData.textWinLossSpark": "Câștig/pierdere",
|
||||
"Common.define.conditionalData.exampleText": "AaBbCcYyZz",
|
||||
"Common.define.conditionalData.noFormatText": "Niciun format definit ",
|
||||
"Common.define.conditionalData.text1Above": "1 abatere standard deasupra",
|
||||
"Common.define.conditionalData.text1Below": "1 abatere standard dedesubt ",
|
||||
"Common.define.conditionalData.text2Above": "2 abateri standard deasupra",
|
||||
|
@ -78,10 +79,18 @@
|
|||
"Common.define.conditionalData.textGreaterEq": "Mai mare sau egal",
|
||||
"Common.define.conditionalData.textIconSets": "Ansamble de icoane",
|
||||
"Common.define.conditionalData.textLast7days": "În ultimele 7 zile",
|
||||
"Common.define.conditionalData.textLastMonth": "Ultima lună",
|
||||
"Common.define.conditionalData.textLastWeek": "Săptămâna anterioară",
|
||||
"Common.define.conditionalData.textLess": "Mai mic decât",
|
||||
"Common.define.conditionalData.textLessEq": "Mai mic sau egal",
|
||||
"Common.define.conditionalData.textNextMonth": "Luna următoare",
|
||||
"Common.define.conditionalData.textNextWeek": "Săptămâna următoare",
|
||||
"Common.define.conditionalData.textNotBetween": "nu între",
|
||||
"Common.define.conditionalData.textNotBlanks": "Nu conțime celule goale",
|
||||
"Common.define.conditionalData.textNotContains": "Nu conține",
|
||||
"Common.define.conditionalData.textNotEqual": "Nu este egal cu",
|
||||
"Common.define.conditionalData.textNotErrors": "Nu conține erori",
|
||||
"Common.define.conditionalData.textText": "Text",
|
||||
"Common.Translation.warnFileLocked": "Fișierul este editat într-o altă aplicație. Puteți continua să editați și să-l salvați ca o copie.",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Crează o copie",
|
||||
"Common.Translation.warnFileLockedBtnView": "Deschide vizualizarea",
|
||||
|
@ -138,6 +147,7 @@
|
|||
"Common.Views.AutoCorrectDialog.textAutoFormat": "Formatare automată la tastare",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "După",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Ștergere",
|
||||
"Common.Views.AutoCorrectDialog.textHyperlink": "Căi Internet și de rețea cu hyperlink-uri",
|
||||
"Common.Views.AutoCorrectDialog.textMathCorrect": "Autocorecție matematică",
|
||||
"Common.Views.AutoCorrectDialog.textNewRowCol": "Inserare de rânduri și coloane noi în tabel",
|
||||
"Common.Views.AutoCorrectDialog.textRecognized": "Funcțiile recunoscute",
|
||||
|
@ -221,6 +231,8 @@
|
|||
"Common.Views.ListSettingsDialog.txtTitle": "Setări lista",
|
||||
"Common.Views.ListSettingsDialog.txtType": "Tip",
|
||||
"Common.Views.OpenDialog.closeButtonText": "Închide fișierul",
|
||||
"Common.Views.OpenDialog.textInvalidRange": "Zona de celule nu este validă",
|
||||
"Common.Views.OpenDialog.textSelectData": "Selectare date",
|
||||
"Common.Views.OpenDialog.txtAdvanced": "Avansat",
|
||||
"Common.Views.OpenDialog.txtColon": "Două puncte",
|
||||
"Common.Views.OpenDialog.txtComma": "Virgulă",
|
||||
|
@ -272,6 +284,8 @@
|
|||
"Common.Views.ReviewChanges.tipCoAuthMode": "Activare modul de colaborare",
|
||||
"Common.Views.ReviewChanges.tipCommentRem": "Ștergere comentarii",
|
||||
"Common.Views.ReviewChanges.tipCommentRemCurrent": "Se șterg aceste comentarii",
|
||||
"Common.Views.ReviewChanges.tipCommentResolve": "Soluționare comentarii",
|
||||
"Common.Views.ReviewChanges.tipCommentResolveCurrent": "Soluționarea comentariilor curente",
|
||||
"Common.Views.ReviewChanges.tipHistory": "Afișare istoricul versiunei",
|
||||
"Common.Views.ReviewChanges.tipRejectCurrent": "Respinge modificare",
|
||||
"Common.Views.ReviewChanges.tipReview": "Urmărirea modificărilor",
|
||||
|
@ -291,6 +305,11 @@
|
|||
"Common.Views.ReviewChanges.txtCommentRemMy": "Se șterg comentariile mele",
|
||||
"Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Se șterg comentariile mele curente",
|
||||
"Common.Views.ReviewChanges.txtCommentRemove": "Ștergere",
|
||||
"Common.Views.ReviewChanges.txtCommentResolve": "Soluționare",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveAll": "Marchează toate comentarii ca soluționate",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveCurrent": "Soluționarea comentariilor curente",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMy": "Soluționarea comentariilor mele",
|
||||
"Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Soluționarea comentariilor mele curente",
|
||||
"Common.Views.ReviewChanges.txtDocLang": "Limbă",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Toate modificările sunt acceptate (Previzualizare)",
|
||||
"Common.Views.ReviewChanges.txtFinalCap": "Final",
|
||||
|
@ -384,6 +403,7 @@
|
|||
"SSE.Controllers.DataTab.txtExpand": "Extindere",
|
||||
"SSE.Controllers.DataTab.txtExpandRemDuplicates": "Datele lângă selecție nu se vor elimina. Doriți să extindeți selecția pentru a include datele adiacente sau doriți să continuați cu selecția curentă?",
|
||||
"SSE.Controllers.DataTab.txtExtendDataValidation": "Zona selectată conține celulele pentru care regulile de validare a datelor nu sunt configutare.<br>Doriți să aplicați regulile de validare acestor celule?",
|
||||
"SSE.Controllers.DataTab.txtImportWizard": "Expertul import text",
|
||||
"SSE.Controllers.DataTab.txtRemDuplicates": "Eliminare dubluri",
|
||||
"SSE.Controllers.DataTab.txtRemoveDataValidation": "Zona selectată conține mai multe tipuri de validare.<br>Vreți să ștergeți setările curente și să continuați? ",
|
||||
"SSE.Controllers.DataTab.txtRemSelected": "Continuare în selecția curentă",
|
||||
|
@ -1005,7 +1025,9 @@
|
|||
"SSE.Controllers.Toolbar.textOperator": "Operatori",
|
||||
"SSE.Controllers.Toolbar.textPivot": "Tabelă Pivot",
|
||||
"SSE.Controllers.Toolbar.textRadical": "Radicale",
|
||||
"SSE.Controllers.Toolbar.textRating": "Evaluări",
|
||||
"SSE.Controllers.Toolbar.textScript": "Scripturile",
|
||||
"SSE.Controllers.Toolbar.textShapes": "Forme",
|
||||
"SSE.Controllers.Toolbar.textSymbols": "Simboluri",
|
||||
"SSE.Controllers.Toolbar.textWarning": "Avertisment",
|
||||
"SSE.Controllers.Toolbar.txtAccent_Accent": "Ascuțit",
|
||||
|
@ -1412,7 +1434,10 @@
|
|||
"SSE.Views.CellSettings.textGradientColor": "Culoare",
|
||||
"SSE.Views.CellSettings.textGradientFill": "Umplere gradient",
|
||||
"SSE.Views.CellSettings.textIndent": "Indentare",
|
||||
"SSE.Views.CellSettings.textItems": "Elemente",
|
||||
"SSE.Views.CellSettings.textLinear": "Liniar",
|
||||
"SSE.Views.CellSettings.textManageRule": "Gestionare reguli",
|
||||
"SSE.Views.CellSettings.textNewRule": "Nouă regilă",
|
||||
"SSE.Views.CellSettings.textNoFill": "Fără umplere",
|
||||
"SSE.Views.CellSettings.textOrientation": "Orientarea textului",
|
||||
"SSE.Views.CellSettings.textPattern": "Model",
|
||||
|
@ -1635,7 +1660,10 @@
|
|||
"SSE.Views.CreatePivotDialog.textSelectData": "Selectare date",
|
||||
"SSE.Views.CreatePivotDialog.textTitle": "Creare tabel Pivot",
|
||||
"SSE.Views.CreatePivotDialog.txtEmpty": "Câmp obligatoriu",
|
||||
"SSE.Views.CreateSparklineDialog.textDataRange": "Zonă de date sursă",
|
||||
"SSE.Views.CreateSparklineDialog.textDestination": "Alegeți locul unde se va plasa diagrama sparkline",
|
||||
"SSE.Views.CreateSparklineDialog.textInvalidRange": "Zona de celule nu este validă",
|
||||
"SSE.Views.CreateSparklineDialog.textSelectData": "Selectare date",
|
||||
"SSE.Views.CreateSparklineDialog.textTitle": "Creare diagrame sparkline",
|
||||
"SSE.Views.DataTab.capBtnGroup": "Grupare",
|
||||
"SSE.Views.DataTab.capBtnTextCustomSort": "Sortare particularizată",
|
||||
|
@ -1797,6 +1825,7 @@
|
|||
"SSE.Views.DocumentHolder.textMore": "Mai multe funcții",
|
||||
"SSE.Views.DocumentHolder.textMoreFormats": "Mai multe formate",
|
||||
"SSE.Views.DocumentHolder.textNone": "Niciunul",
|
||||
"SSE.Views.DocumentHolder.textNumbering": "Numerotare",
|
||||
"SSE.Views.DocumentHolder.textReplace": "Înlocuire imagine",
|
||||
"SSE.Views.DocumentHolder.textRotate": "Rotire",
|
||||
"SSE.Views.DocumentHolder.textRotate270": "Rotire 90° în sens contrar acelor de ceasornic",
|
||||
|
@ -1953,7 +1982,7 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separator zecimal",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rapid",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Sugestie font",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Se salvează întotdeauna pe server (altfel utilizați metoda document close pentru salvare)",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Versiunea se adaugă la stocarea după ce faceți clic pe Salvare sau Ctrl+S",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Limba formulă",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Exemplu: SUM; MIN; MAX; COUNT",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Activarea afișare comentarii",
|
||||
|
@ -1978,7 +2007,7 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Recuperare automată",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Salvare automată",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Dezactivat",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salvare pe server",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salvarea versiunilor intermediare",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "La fiecare minută",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Stil referință",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Belarusă",
|
||||
|
@ -1998,17 +2027,27 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indoneziană",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Inch",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiană",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japoneză",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreeană",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Afișare comentarii",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laoțiană",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letonă",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "ca OS X",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Sursă",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Norvegiană",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Neerlandeză",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Poloneză",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Punct",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portugheză",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Română",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Rusă",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Se activează toate",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Se activează toate macrocomenzile, fără notificare",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Slovacă",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Slovenă",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Se dezactivează toate",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Se dezactivează toate macrocomenzile, fără notificare",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Suedeză",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Afișare notificări",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Se dezactivează toate macrocomenzile, cu notificare ",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "ca Windows",
|
||||
|
@ -2033,7 +2072,7 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "General",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Setare pagină",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Verificarea ortografică",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Culoare de fundal",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Culoare de umplere",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "Scară cu două culori",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "Scară cu trei culori",
|
||||
"SSE.Views.FormatRulesEditDlg.textAllBorders": "Toate borduri",
|
||||
|
@ -2051,6 +2090,7 @@
|
|||
"SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Punctul central al celulei",
|
||||
"SSE.Views.FormatRulesEditDlg.textCenterBorders": "Bordurile verticale în interiorul ",
|
||||
"SSE.Views.FormatRulesEditDlg.textClear": "Golire",
|
||||
"SSE.Views.FormatRulesEditDlg.textColor": "Culoare text",
|
||||
"SSE.Views.FormatRulesEditDlg.textContext": "Context",
|
||||
"SSE.Views.FormatRulesEditDlg.textCustom": "Particularizat",
|
||||
"SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Bordură diagonală descendentă",
|
||||
|
@ -2062,19 +2102,61 @@
|
|||
"SSE.Views.FormatRulesEditDlg.textFormat": "Formatare",
|
||||
"SSE.Views.FormatRulesEditDlg.textFormula": "Formula",
|
||||
"SSE.Views.FormatRulesEditDlg.textGradient": "Gradient",
|
||||
"SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Datele din una sau mai multe zone de pictograme se suprapun.<br>Ajustați valorile pentru zonele de pictograme ca zonele să nu se suprapună.",
|
||||
"SSE.Views.FormatRulesEditDlg.textIconStyle": "Stil icoană",
|
||||
"SSE.Views.FormatRulesEditDlg.textInsideBorders": "Borduri în interiorul ",
|
||||
"SSE.Views.FormatRulesEditDlg.textInvalid": "Zona de date nevalidă.",
|
||||
"SSE.Views.FormatRulesEditDlg.textInvalidRange": "EROARE! Zonă de celule nu este validă",
|
||||
"SSE.Views.FormatRulesEditDlg.textItalic": "Cursiv",
|
||||
"SSE.Views.FormatRulesEditDlg.textItem": "Element",
|
||||
"SSE.Views.FormatRulesEditDlg.textLeft2Right": "De la stânga la dreapta",
|
||||
"SSE.Views.FormatRulesEditDlg.textLeftBorders": "Bordură la stânga",
|
||||
"SSE.Views.FormatRulesEditDlg.textLongBar": "bară cea mai lungă ",
|
||||
"SSE.Views.FormatRulesEditDlg.textMaximum": "Maxim",
|
||||
"SSE.Views.FormatRulesEditDlg.textMaxpoint": "Punct maxim",
|
||||
"SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Bordurile orizontale în interiorul ",
|
||||
"SSE.Views.FormatRulesEditDlg.textMidpoint": "Punct median",
|
||||
"SSE.Views.FormatRulesEditDlg.textMinimum": "Minim",
|
||||
"SSE.Views.FormatRulesEditDlg.textMinpoint": "Punct minim",
|
||||
"SSE.Views.FormatRulesEditDlg.textNegative": "Negativ",
|
||||
"SSE.Views.FormatRulesEditDlg.textNewColor": "Adăugarea unei culori particularizate noi",
|
||||
"SSE.Views.FormatRulesEditDlg.textNoBorders": "Fără borduri",
|
||||
"SSE.Views.FormatRulesEditDlg.textNone": "Niciunul",
|
||||
"SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Una sau mai multe valori specificate sunt valorile procentuale nevalide",
|
||||
"SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Una sau mail multe valori specificate sunt valorile de percentilă nevalide.",
|
||||
"SSE.Views.FormatRulesEditDlg.textOutBorders": "Borduri în exteriorul",
|
||||
"SSE.Views.FormatRulesEditDlg.textPercent": "Procent",
|
||||
"SSE.Views.FormatRulesEditDlg.textPercentile": "Percentilă",
|
||||
"SSE.Views.FormatRulesEditDlg.textPosition": "Poziție",
|
||||
"SSE.Views.FormatRulesEditDlg.textPositive": "Pozitiv",
|
||||
"SSE.Views.FormatRulesEditDlg.textPresets": "Presetări",
|
||||
"SSE.Views.FormatRulesEditDlg.textPreview": "Previzualizare",
|
||||
"SSE.Views.FormatRulesEditDlg.textReverse": "Ordine pictograme inversată",
|
||||
"SSE.Views.FormatRulesEditDlg.textRight2Left": "Dreapta la stânga",
|
||||
"SSE.Views.FormatRulesEditDlg.textRightBorders": "Borduri din dreapta",
|
||||
"SSE.Views.FormatRulesEditDlg.textRule": "Regulă",
|
||||
"SSE.Views.FormatRulesEditDlg.textSameAs": "La fel ca pozitiv",
|
||||
"SSE.Views.FormatRulesEditDlg.textSelectData": "Selectare date",
|
||||
"SSE.Views.FormatRulesEditDlg.textShortBar": "bară cea mai scurtă",
|
||||
"SSE.Views.FormatRulesEditDlg.textShowBar": "Se afișează doar bara",
|
||||
"SSE.Views.FormatRulesEditDlg.textShowIcon": "Se afișează doar pictograma",
|
||||
"SSE.Views.FormatRulesEditDlg.textSolid": "Solidă",
|
||||
"SSE.Views.FormatRulesEditDlg.textStrikeout": "Tăiere cu o linie",
|
||||
"SSE.Views.FormatRulesEditDlg.textSubscript": "Indice",
|
||||
"SSE.Views.FormatRulesEditDlg.textSuperscript": "Exponent",
|
||||
"SSE.Views.FormatRulesEditDlg.tipBorders": "Borduri",
|
||||
"SSE.Views.FormatRulesEditDlg.tipNumFormat": "Formatul de număr",
|
||||
"SSE.Views.FormatRulesEditDlg.txtAccounting": "Contabilitate",
|
||||
"SSE.Views.FormatRulesEditDlg.txtCurrency": "Monedă",
|
||||
"SSE.Views.FormatRulesEditDlg.txtDate": "Dată",
|
||||
"SSE.Views.FormatRulesEditDlg.txtFraction": "Fracție",
|
||||
"SSE.Views.FormatRulesEditDlg.txtGeneral": "General",
|
||||
"SSE.Views.FormatRulesEditDlg.txtNumber": "Număr",
|
||||
"SSE.Views.FormatRulesEditDlg.txtPercentage": "Procentaj",
|
||||
"SSE.Views.FormatRulesEditDlg.txtScientific": "Științific ",
|
||||
"SSE.Views.FormatRulesEditDlg.txtText": "Text",
|
||||
"SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Editare regulă de formatare",
|
||||
"SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nouă regulă de formatare",
|
||||
"SSE.Views.FormatRulesManagerDlg.guestText": "Invitat",
|
||||
"SSE.Views.FormatRulesManagerDlg.text1Above": "1 abatere standard deasupra medie",
|
||||
"SSE.Views.FormatRulesManagerDlg.text1Below": "1 abatere standard sub medie",
|
||||
|
@ -2086,12 +2168,14 @@
|
|||
"SSE.Views.FormatRulesManagerDlg.textApply": "Se aplică la",
|
||||
"SSE.Views.FormatRulesManagerDlg.textBeginsWith": "Valoarea din celulă se începe cu",
|
||||
"SSE.Views.FormatRulesManagerDlg.textBelow": "Sub medie",
|
||||
"SSE.Views.FormatRulesManagerDlg.textBetween": "este între {0} și {1}",
|
||||
"SSE.Views.FormatRulesManagerDlg.textCellValue": "Valoarea din celulă",
|
||||
"SSE.Views.FormatRulesManagerDlg.textColorScale": "Scală de culoare cu gradare ",
|
||||
"SSE.Views.FormatRulesManagerDlg.textContains": "Valoarea din celulă conține",
|
||||
"SSE.Views.FormatRulesManagerDlg.textContainsBlank": "Celula canține o valorae goală",
|
||||
"SSE.Views.FormatRulesManagerDlg.textContainsError": "Celula conține o eroare",
|
||||
"SSE.Views.FormatRulesManagerDlg.textDelete": "Ștergere",
|
||||
"SSE.Views.FormatRulesManagerDlg.textDown": "Mutare regulă în jos",
|
||||
"SSE.Views.FormatRulesManagerDlg.textDuplicate": "Valori duble",
|
||||
"SSE.Views.FormatRulesManagerDlg.textEdit": "Editare",
|
||||
"SSE.Views.FormatRulesManagerDlg.textEnds": "Valoarea din celulă se termină cu",
|
||||
|
@ -2099,11 +2183,17 @@
|
|||
"SSE.Views.FormatRulesManagerDlg.textEqBelow": "Egal cu sau sub medie",
|
||||
"SSE.Views.FormatRulesManagerDlg.textFormat": "Formatare",
|
||||
"SSE.Views.FormatRulesManagerDlg.textIconSet": "Ansamblul de icoane",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNew": "Nou",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotBetween": "nu este între {0} și {1}",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotContains": "Valoarea din celulă nu conține",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "Celula nu conține nicio valoare goală",
|
||||
"SSE.Views.FormatRulesManagerDlg.textNotContainsError": "Celula nu conține nicio eroare",
|
||||
"SSE.Views.FormatRulesManagerDlg.textRules": "Reguli",
|
||||
"SSE.Views.FormatRulesManagerDlg.textScope": "Afișare reguli formatare pentru",
|
||||
"SSE.Views.FormatRulesManagerDlg.textSelectData": "Selectare date",
|
||||
"SSE.Views.FormatRulesManagerDlg.textSelection": "Selecția curentă",
|
||||
"SSE.Views.FormatRulesManagerDlg.textThisTable": "Acest tabel",
|
||||
"SSE.Views.FormatRulesManagerDlg.textUp": "Mutare regulă în sus",
|
||||
"SSE.Views.FormatRulesManagerDlg.txtTitle": "Formatarea condiționată",
|
||||
"SSE.Views.FormatSettingsDialog.textCategory": "Categorie",
|
||||
"SSE.Views.FormatSettingsDialog.textDecimal": "Zecimal",
|
||||
|
@ -2269,6 +2359,7 @@
|
|||
"SSE.Views.LeftMenu.txtLimit": "Limitare acces",
|
||||
"SSE.Views.LeftMenu.txtTrial": "PERIOADĂ DE PROBĂ",
|
||||
"SSE.Views.LeftMenu.txtTrialDev": "Mod dezvoltator de încercare",
|
||||
"SSE.Views.MacroDialog.textMacro": "Nume macro",
|
||||
"SSE.Views.MacroDialog.textTitle": "Asocierea macrocomenzii",
|
||||
"SSE.Views.MainSettingsPrint.okButtonText": "Salvează",
|
||||
"SSE.Views.MainSettingsPrint.strBottom": "Jos",
|
||||
|
@ -2991,6 +3082,7 @@
|
|||
"SSE.Views.Toolbar.capInsertHyperlink": "Hyperlink",
|
||||
"SSE.Views.Toolbar.capInsertImage": "Imagine",
|
||||
"SSE.Views.Toolbar.capInsertShape": "Forma",
|
||||
"SSE.Views.Toolbar.capInsertSpark": "Diagrame sparkline",
|
||||
"SSE.Views.Toolbar.capInsertTable": "Tabel",
|
||||
"SSE.Views.Toolbar.capInsertText": "Casetă text",
|
||||
"SSE.Views.Toolbar.mniImageFromFile": "Imaginea din fișier",
|
||||
|
@ -3032,9 +3124,11 @@
|
|||
"SSE.Views.Toolbar.textInsideBorders": "Borduri în interiorul ",
|
||||
"SSE.Views.Toolbar.textInsRight": "Deplasare celule la dreapta",
|
||||
"SSE.Views.Toolbar.textItalic": "Cursiv",
|
||||
"SSE.Views.Toolbar.textItems": "Elemente",
|
||||
"SSE.Views.Toolbar.textLandscape": "Vedere",
|
||||
"SSE.Views.Toolbar.textLeft": "Stânga:",
|
||||
"SSE.Views.Toolbar.textLeftBorders": "Bordură la stânga",
|
||||
"SSE.Views.Toolbar.textManageRule": "Gestionare reguli",
|
||||
"SSE.Views.Toolbar.textManyPages": "pagini",
|
||||
"SSE.Views.Toolbar.textMarginsLast": "Ultima setare particularizată",
|
||||
"SSE.Views.Toolbar.textMarginsNarrow": "Îngust",
|
||||
|
@ -3044,6 +3138,7 @@
|
|||
"SSE.Views.Toolbar.textMoreFormats": "Mai multe formate",
|
||||
"SSE.Views.Toolbar.textMorePages": "Mai multe pagini",
|
||||
"SSE.Views.Toolbar.textNewColor": "Сuloare particularizată",
|
||||
"SSE.Views.Toolbar.textNewRule": "Nouă regulă",
|
||||
"SSE.Views.Toolbar.textNoBorders": "Fără borduri",
|
||||
"SSE.Views.Toolbar.textOnePage": "pagina",
|
||||
"SSE.Views.Toolbar.textOutBorders": "Borduri în exteriorul",
|
||||
|
@ -3134,7 +3229,7 @@
|
|||
"SSE.Views.Toolbar.tipPageOrient": "Orientare pagină",
|
||||
"SSE.Views.Toolbar.tipPageSize": "Dimensiune pagină",
|
||||
"SSE.Views.Toolbar.tipPaste": "Lipire",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Culoare de fundal",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Culoare de umplere",
|
||||
"SSE.Views.Toolbar.tipPrint": "Imprimare",
|
||||
"SSE.Views.Toolbar.tipPrintArea": "Zonă de imprimat",
|
||||
"SSE.Views.Toolbar.tipPrintTitles": "Imprimare titluri",
|
||||
|
|
|
@ -218,7 +218,7 @@
|
|||
"Common.Views.Header.tipSave": "Сохранить",
|
||||
"Common.Views.Header.tipUndo": "Отменить",
|
||||
"Common.Views.Header.tipUndock": "Открепить в отдельном окне",
|
||||
"Common.Views.Header.tipViewSettings": "Параметры представления",
|
||||
"Common.Views.Header.tipViewSettings": "Параметры вида",
|
||||
"Common.Views.Header.tipViewUsers": "Просмотр пользователей и управление правами доступа к документу",
|
||||
"Common.Views.Header.txtAccessRights": "Изменить права доступа",
|
||||
"Common.Views.Header.txtRename": "Переименовать",
|
||||
|
@ -599,6 +599,7 @@
|
|||
"SSE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.<br>Вы действительно хотите продолжить?",
|
||||
"SSE.Controllers.Main.confirmMoveCellRange": "Конечный диапазон ячеек может содержать данные. Продолжить операцию?",
|
||||
"SSE.Controllers.Main.confirmPutMergeRange": "Исходные данные содержали объединенные ячейки.<br>Перед вставкой этих ячеек в таблицу объединение было отменено.",
|
||||
"SSE.Controllers.Main.confirmReplaceFormulaInTable": "Формулы в строке заголовка будут удалены и преобразованы в статический текст.<br>Вы хотите продолжить?",
|
||||
"SSE.Controllers.Main.convertationTimeoutText": "Превышено время ожидания конвертации.",
|
||||
"SSE.Controllers.Main.criticalErrorExtText": "Нажмите \"OK\", чтобы вернуться к списку документов.",
|
||||
"SSE.Controllers.Main.criticalErrorTitle": "Ошибка",
|
||||
|
@ -983,7 +984,7 @@
|
|||
"SSE.Controllers.Main.unsupportedBrowserErrorText": "Ваш браузер не поддерживается.",
|
||||
"SSE.Controllers.Main.uploadImageExtMessage": "Неизвестный формат изображения.",
|
||||
"SSE.Controllers.Main.uploadImageFileCountMessage": "Ни одного изображения не загружено.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Превышен максимальный размер изображения.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "Слишком большое изображение. Максимальный размер - 25 MB.",
|
||||
"SSE.Controllers.Main.uploadImageTextText": "Загрузка изображения...",
|
||||
"SSE.Controllers.Main.uploadImageTitleText": "Загрузка изображения",
|
||||
"SSE.Controllers.Main.waitText": "Пожалуйста, подождите...",
|
||||
|
@ -2087,7 +2088,7 @@
|
|||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "Общие",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Параметры страницы",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Проверка орфографии",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Цвет фона",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Цвет заливки",
|
||||
"SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Внимание",
|
||||
"SSE.Views.FormatRulesEditDlg.text2Scales": "Двухцветная шкала",
|
||||
"SSE.Views.FormatRulesEditDlg.text3Scales": "Трехцветная шкала",
|
||||
|
@ -2180,6 +2181,7 @@
|
|||
"SSE.Views.FormatRulesEditDlg.txtEmpty": "Это поле необходимо заполнить",
|
||||
"SSE.Views.FormatRulesEditDlg.txtFraction": "Дробный",
|
||||
"SSE.Views.FormatRulesEditDlg.txtGeneral": "Общий",
|
||||
"SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "Без значка",
|
||||
"SSE.Views.FormatRulesEditDlg.txtNumber": "Числовой",
|
||||
"SSE.Views.FormatRulesEditDlg.txtPercentage": "Процент",
|
||||
"SSE.Views.FormatRulesEditDlg.txtScientific": "Научный",
|
||||
|
@ -3200,7 +3202,7 @@
|
|||
"SSE.Views.Toolbar.textTabInsert": "Вставка",
|
||||
"SSE.Views.Toolbar.textTabLayout": "Макет",
|
||||
"SSE.Views.Toolbar.textTabProtect": "Защита",
|
||||
"SSE.Views.Toolbar.textTabView": "Представление",
|
||||
"SSE.Views.Toolbar.textTabView": "Вид",
|
||||
"SSE.Views.Toolbar.textThisPivot": "Из этой сводной таблицы",
|
||||
"SSE.Views.Toolbar.textThisSheet": "Из этого листа",
|
||||
"SSE.Views.Toolbar.textThisTable": "Из этой таблицы",
|
||||
|
@ -3263,7 +3265,7 @@
|
|||
"SSE.Views.Toolbar.tipPageOrient": "Ориентация страницы",
|
||||
"SSE.Views.Toolbar.tipPageSize": "Размер страницы",
|
||||
"SSE.Views.Toolbar.tipPaste": "Вставить",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Цвет фона",
|
||||
"SSE.Views.Toolbar.tipPrColor": "Цвет заливки",
|
||||
"SSE.Views.Toolbar.tipPrint": "Печать",
|
||||
"SSE.Views.Toolbar.tipPrintArea": "Область печати",
|
||||
"SSE.Views.Toolbar.tipPrintTitles": "Печатать заголовки",
|
||||
|
@ -3328,6 +3330,7 @@
|
|||
"SSE.Views.Toolbar.txtScheme2": "Оттенки серого",
|
||||
"SSE.Views.Toolbar.txtScheme20": "Городская",
|
||||
"SSE.Views.Toolbar.txtScheme21": "Яркая",
|
||||
"SSE.Views.Toolbar.txtScheme22": "Новая офисная",
|
||||
"SSE.Views.Toolbar.txtScheme3": "Апекс",
|
||||
"SSE.Views.Toolbar.txtScheme4": "Аспект",
|
||||
"SSE.Views.Toolbar.txtScheme5": "Официальная",
|
||||
|
@ -3404,9 +3407,13 @@
|
|||
"SSE.Views.ViewTab.textCreate": "Новое",
|
||||
"SSE.Views.ViewTab.textDefault": "По умолчанию",
|
||||
"SSE.Views.ViewTab.textFormula": "Строка формул",
|
||||
"SSE.Views.ViewTab.textFreezeCol": "Закрепить первый столбец",
|
||||
"SSE.Views.ViewTab.textFreezeRow": "Закрепить верхнюю строку",
|
||||
"SSE.Views.ViewTab.textGridlines": "Линии сетки",
|
||||
"SSE.Views.ViewTab.textHeadings": "Заголовки",
|
||||
"SSE.Views.ViewTab.textManager": "Диспетчер представлений",
|
||||
"SSE.Views.ViewTab.textUnFreeze": "Снять закрепление областей",
|
||||
"SSE.Views.ViewTab.textZeros": "Отображать нули",
|
||||
"SSE.Views.ViewTab.textZoom": "Масштаб",
|
||||
"SSE.Views.ViewTab.tipClose": "Закрыть представление листа",
|
||||
"SSE.Views.ViewTab.tipCreate": "Создать представление листа",
|
||||
|
|
|
@ -11,6 +11,20 @@
|
|||
"Common.define.chartData.textPie": "Tortni grafikon",
|
||||
"Common.define.chartData.textPoint": "Točkovni grafikon",
|
||||
"Common.define.chartData.textStock": "Založni grafikon",
|
||||
"Common.define.conditionalData.exampleText": "AaBbCcYyZz",
|
||||
"Common.define.conditionalData.textAbove": "Nad",
|
||||
"Common.define.conditionalData.textAverage": "Povprečje",
|
||||
"Common.define.conditionalData.textBegins": "Se začne z",
|
||||
"Common.define.conditionalData.textBelow": "Pod",
|
||||
"Common.define.conditionalData.textBetween": "Med",
|
||||
"Common.define.conditionalData.textBlank": "Prazen",
|
||||
"Common.define.conditionalData.textBottom": "Spodaj",
|
||||
"Common.define.conditionalData.textDate": "Datum",
|
||||
"Common.define.conditionalData.textError": "Napaka",
|
||||
"Common.define.conditionalData.textFormula": "Formula",
|
||||
"Common.define.conditionalData.textNotContains": "Ne vsebuje",
|
||||
"Common.Translation.warnFileLockedBtnEdit": "Ustvari kopijo",
|
||||
"Common.UI.ColorButton.textAutoColor": "Samodejeno",
|
||||
"Common.UI.ColorButton.textNewColor": "Dodaj novo barvo po meri",
|
||||
"Common.UI.ComboBorderSize.txtNoBorders": "Ni mej",
|
||||
"Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ni mej",
|
||||
|
@ -32,6 +46,7 @@
|
|||
"Common.UI.SearchDialog.txtBtnReplaceAll": "Zamenjaj vse",
|
||||
"Common.UI.SynchronizeTip.textDontShow": "Tega sporočila ne prikaži več",
|
||||
"Common.UI.SynchronizeTip.textSynchronize": "Dokument je spremenil drug uporabnik.<br>Prosim pritisnite za shranjevanje svojih sprememb in osvežitev posodobitev.",
|
||||
"Common.UI.Themes.txtThemeDark": "Temen",
|
||||
"Common.UI.Window.cancelButtonText": "Prekliči",
|
||||
"Common.UI.Window.closeButtonText": "Zapri",
|
||||
"Common.UI.Window.noButtonText": "Ne",
|
||||
|
@ -51,8 +66,10 @@
|
|||
"Common.Views.About.txtTel": "tel.: ",
|
||||
"Common.Views.About.txtVersion": "Različica",
|
||||
"Common.Views.AutoCorrectDialog.textAdd": "Dodaj",
|
||||
"Common.Views.AutoCorrectDialog.textAutoCorrect": "Samodejno popravljanje",
|
||||
"Common.Views.AutoCorrectDialog.textBy": "Od",
|
||||
"Common.Views.AutoCorrectDialog.textDelete": "Izbriši",
|
||||
"Common.Views.AutoCorrectDialog.textTitle": "Samodejno popravljanje",
|
||||
"Common.Views.Chat.textSend": "Pošlji",
|
||||
"Common.Views.Comments.textAdd": "Dodaj",
|
||||
"Common.Views.Comments.textAddComment": "Dodaj",
|
||||
|
@ -83,7 +100,9 @@
|
|||
"Common.Views.Header.textBack": "Pojdi v dokumente",
|
||||
"Common.Views.Header.textSaveEnd": "Vse spremembe shranjene",
|
||||
"Common.Views.Header.textSaveExpander": "Vse spremembe shranjene",
|
||||
"Common.Views.Header.textZoom": "Povečaj",
|
||||
"Common.Views.Header.tipDownload": "Prenesi datoteko",
|
||||
"Common.Views.Header.tipGoEdit": "Uredi trenutno datoteko",
|
||||
"Common.Views.Header.txtAccessRights": "Spremeni pravice dostopa",
|
||||
"Common.Views.ImageFromUrlDialog.textUrl": "Prilepi URL slike:",
|
||||
"Common.Views.ImageFromUrlDialog.txtEmpty": "To polje je obvezno",
|
||||
|
@ -116,12 +135,14 @@
|
|||
"Common.Views.Protection.txtInvisibleSignature": "Dodaj digitalni podpis",
|
||||
"Common.Views.Protection.txtSignatureLine": "Dodaj podpisno črto",
|
||||
"Common.Views.RenameDialog.textName": "Ime datoteke",
|
||||
"Common.Views.ReviewChanges.strFast": "Hitro",
|
||||
"Common.Views.ReviewChanges.txtAccept": "Sprejmi",
|
||||
"Common.Views.ReviewChanges.txtAcceptAll": "Sprejmi vse spremembe",
|
||||
"Common.Views.ReviewChanges.txtAcceptChanges": "Sprejmi spremembe",
|
||||
"Common.Views.ReviewChanges.txtChat": "Pogovor",
|
||||
"Common.Views.ReviewChanges.txtClose": "Zapri",
|
||||
"Common.Views.ReviewChanges.txtFinal": "Vse spremembe so sprejete (Predogled)",
|
||||
"Common.Views.ReviewChanges.txtFinalCap": "Končno",
|
||||
"Common.Views.ReviewChanges.txtOriginal": "Vse spremembe zavrnjene (Predogled)",
|
||||
"Common.Views.ReviewChanges.txtView": "Način pogleda",
|
||||
"Common.Views.ReviewPopover.textAdd": "Dodaj",
|
||||
|
@ -134,9 +155,12 @@
|
|||
"Common.Views.SignDialog.textCertificate": "Certifikat",
|
||||
"Common.Views.SignDialog.textChange": "Spremeni",
|
||||
"Common.Views.SignDialog.textItalic": "Ležeče",
|
||||
"Common.Views.SignDialog.tipFontName": "Ime pisave",
|
||||
"Common.Views.SignDialog.tipFontSize": "Velikost pisave",
|
||||
"Common.Views.SignSettingsDialog.textInfoEmail": "Elektronski naslov",
|
||||
"Common.Views.SignSettingsDialog.textInfoName": "Ime",
|
||||
"Common.Views.SymbolTableDialog.textCharacter": "Znak",
|
||||
"Common.Views.SymbolTableDialog.textFont": "Pisava",
|
||||
"Common.Views.SymbolTableDialog.textQEmSpace": "1/4 prostora",
|
||||
"SSE.Controllers.DataTab.textColumns": "Stolpci",
|
||||
"SSE.Controllers.DataTab.txtExpand": "Razširi",
|
||||
|
@ -145,6 +169,8 @@
|
|||
"SSE.Controllers.DocumentHolder.deleteRowText": "Izbriši vrsto",
|
||||
"SSE.Controllers.DocumentHolder.deleteText": "Izbriši",
|
||||
"SSE.Controllers.DocumentHolder.guestText": "Gost",
|
||||
"SSE.Controllers.DocumentHolder.insertColumnLeftText": "Stolpec levo",
|
||||
"SSE.Controllers.DocumentHolder.insertColumnRightText": "Stolpec desno",
|
||||
"SSE.Controllers.DocumentHolder.insertText": "Vstavi",
|
||||
"SSE.Controllers.DocumentHolder.leftText": "Levo",
|
||||
"SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Širina stolpca {0} simboli ({1} pikslov)",
|
||||
|
@ -156,14 +182,19 @@
|
|||
"SSE.Controllers.DocumentHolder.txtAboveAve": "Nad povprečjem",
|
||||
"SSE.Controllers.DocumentHolder.txtAll": "(Vse)",
|
||||
"SSE.Controllers.DocumentHolder.txtAnd": "in",
|
||||
"SSE.Controllers.DocumentHolder.txtBegins": "Se začne z",
|
||||
"SSE.Controllers.DocumentHolder.txtBlanks": "(Prazno)",
|
||||
"SSE.Controllers.DocumentHolder.txtBottom": "Spodaj",
|
||||
"SSE.Controllers.DocumentHolder.txtColumn": "Stolpec",
|
||||
"SSE.Controllers.DocumentHolder.txtContains": "Vsebuje",
|
||||
"SSE.Controllers.DocumentHolder.txtDeleteEq": "Izbriši enačbo",
|
||||
"SSE.Controllers.DocumentHolder.txtDeleteGroupChar": "Izbriši diagram",
|
||||
"SSE.Controllers.DocumentHolder.txtEnds": "Se konča s/z",
|
||||
"SSE.Controllers.DocumentHolder.txtEquals": "Enako",
|
||||
"SSE.Controllers.DocumentHolder.txtFilterBottom": "Spodaj",
|
||||
"SSE.Controllers.DocumentHolder.txtHeight": "Višina",
|
||||
"SSE.Controllers.DocumentHolder.txtNotBegins": "Se ne začne z",
|
||||
"SSE.Controllers.DocumentHolder.txtNotContains": "Ne vsebuje",
|
||||
"SSE.Controllers.DocumentHolder.txtOr": "ali",
|
||||
"SSE.Controllers.DocumentHolder.txtPaste": "Prilepi",
|
||||
"SSE.Controllers.DocumentHolder.txtPasteFormat": "Prilepi le oblikovanje",
|
||||
|
@ -174,8 +205,10 @@
|
|||
"SSE.Controllers.DocumentHolder.txtRowHeight": "Višina vrste",
|
||||
"SSE.Controllers.DocumentHolder.txtWidth": "Širina",
|
||||
"SSE.Controllers.FormulaDialog.sCategoryAll": "Vse",
|
||||
"SSE.Controllers.FormulaDialog.sCategoryCube": "Kocka",
|
||||
"SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Datum in čas",
|
||||
"SSE.Controllers.FormulaDialog.sCategoryEngineering": "Inžinirstvo",
|
||||
"SSE.Controllers.FormulaDialog.sCategoryFinancial": "Finance",
|
||||
"SSE.Controllers.FormulaDialog.sCategoryInformation": "Informacije",
|
||||
"SSE.Controllers.LeftMenu.newDocumentTitle": "Neimenovana razpredelnica",
|
||||
"SSE.Controllers.LeftMenu.textByColumns": "Po stolpcih",
|
||||
|
@ -274,6 +307,7 @@
|
|||
"SSE.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.",
|
||||
"SSE.Controllers.Main.textYes": "Da",
|
||||
"SSE.Controllers.Main.titleRecalcFormulas": "Izračunavanje...",
|
||||
"SSE.Controllers.Main.titleServerVersion": "Urednik je bil posodobljen",
|
||||
"SSE.Controllers.Main.txtAccent": "Preglas",
|
||||
"SSE.Controllers.Main.txtAll": "(Vse)",
|
||||
"SSE.Controllers.Main.txtArt": "Your text here",
|
||||
|
@ -285,6 +319,7 @@
|
|||
"SSE.Controllers.Main.txtCharts": "Grafi",
|
||||
"SSE.Controllers.Main.txtColumn": "Stolpec",
|
||||
"SSE.Controllers.Main.txtDate": "Datum",
|
||||
"SSE.Controllers.Main.txtDays": "Dnevi",
|
||||
"SSE.Controllers.Main.txtDiagramTitle": "Naslov diagrama",
|
||||
"SSE.Controllers.Main.txtEditingMode": "Nastavi način urejanja...",
|
||||
"SSE.Controllers.Main.txtFiguredArrows": "Figurirane puščice",
|
||||
|
@ -294,9 +329,12 @@
|
|||
"SSE.Controllers.Main.txtRectangles": "Pravokotniki",
|
||||
"SSE.Controllers.Main.txtRow": "Vrsta",
|
||||
"SSE.Controllers.Main.txtSeries": "Serije",
|
||||
"SSE.Controllers.Main.txtShape_actionButtonBlank": "Prazen gumb",
|
||||
"SSE.Controllers.Main.txtShape_actionButtonHelp": "Gumb za pomoč",
|
||||
"SSE.Controllers.Main.txtShape_arc": "Lok",
|
||||
"SSE.Controllers.Main.txtShape_bevel": "Stožčasti",
|
||||
"SSE.Controllers.Main.txtShape_cloud": "Oblak",
|
||||
"SSE.Controllers.Main.txtShape_cube": "Kocka",
|
||||
"SSE.Controllers.Main.txtShape_frame": "Okvir",
|
||||
"SSE.Controllers.Main.txtShape_heart": "Srce",
|
||||
"SSE.Controllers.Main.txtShape_lineWithArrow": "Puščica",
|
||||
|
@ -319,6 +357,7 @@
|
|||
"SSE.Controllers.Main.txtStyle_Bad": "Slabo",
|
||||
"SSE.Controllers.Main.txtStyle_Check_Cell": "Preveri celico",
|
||||
"SSE.Controllers.Main.txtStyle_Comma": "Vejica",
|
||||
"SSE.Controllers.Main.txtStyle_Currency": "Valuta",
|
||||
"SSE.Controllers.Main.txtStyle_Heading_1": "Naslov 1",
|
||||
"SSE.Controllers.Main.txtStyle_Heading_2": "Naslov 2",
|
||||
"SSE.Controllers.Main.txtStyle_Heading_3": "Naslov 3",
|
||||
|
@ -339,6 +378,7 @@
|
|||
"SSE.Controllers.Main.warnProcessRightsChange": "Pravica, da urejate datoteko je bila zavrnjena.",
|
||||
"SSE.Controllers.Print.strAllSheets": "Vsi listi",
|
||||
"SSE.Controllers.Print.textFirstCol": "Prvi stolpec",
|
||||
"SSE.Controllers.Print.textFirstRow": "Prva vrstica",
|
||||
"SSE.Controllers.Print.textWarning": "Opozorilo",
|
||||
"SSE.Controllers.Print.txtCustom": "Po meri",
|
||||
"SSE.Controllers.Print.warnCheckMargings": "Meje so nepravilne",
|
||||
|
@ -351,6 +391,7 @@
|
|||
"SSE.Controllers.Toolbar.textAccent": "Naglasi",
|
||||
"SSE.Controllers.Toolbar.textBracket": "Oklepaji",
|
||||
"SSE.Controllers.Toolbar.textFontSizeErr": "Vnesena vrednost je nepravilna.<br>Prosim vnesite numerično vrednost med 1 in 409",
|
||||
"SSE.Controllers.Toolbar.textFraction": "Frakcije",
|
||||
"SSE.Controllers.Toolbar.textInsert": "Vstavi",
|
||||
"SSE.Controllers.Toolbar.textIntegral": "Integrali",
|
||||
"SSE.Controllers.Toolbar.textWarning": "Opozorilo",
|
||||
|
@ -358,12 +399,15 @@
|
|||
"SSE.Controllers.Toolbar.txtAccent_Bar": "Stolpični grafikon",
|
||||
"SSE.Controllers.Toolbar.txtAccent_Check": "Obkljukaj",
|
||||
"SSE.Controllers.Toolbar.txtAccent_Custom_2": "ABC z nadvrstico",
|
||||
"SSE.Controllers.Toolbar.txtAccent_Dot": "Pika",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Angle": "Oklepaji",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Oklepaji z ločevalniki",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Oklepaji z ločevalniki",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Curve": "Oklepaji",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Oklepaji z ločevalniki",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Custom_5": "Primer primerov",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Custom_6": "Binomski koeficient",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Custom_7": "Binomski koeficient",
|
||||
"SSE.Controllers.Toolbar.txtBracket_Line": "Oklepaji",
|
||||
"SSE.Controllers.Toolbar.txtBracket_LineDouble": "Oklepaji",
|
||||
"SSE.Controllers.Toolbar.txtBracket_LowLim": "Oklepaji",
|
||||
|
@ -393,15 +437,18 @@
|
|||
"SSE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Diagonalne pike",
|
||||
"SSE.Controllers.Toolbar.txtOperator_ColonEquals": "Enak dvopičju",
|
||||
"SSE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta je enaka",
|
||||
"SSE.Controllers.Toolbar.txtRadicalRoot_3": "Kvadratni koren",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_about": "Približno",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_additional": "Kompliment",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_alpha": "Alfa",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_beta": "Beta",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_cbrt": "Koren kvadrata",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_celsius": "Stopinje Celzija",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_cong": "Približno enako",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_degree": "Stopinje",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_delta": "Delta",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_equals": "Enak",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_eta": "Eta",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_fahrenheit": "stopinje Fahrenheita",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_forall": "Za vse",
|
||||
"SSE.Controllers.Toolbar.txtSymbol_infinity": "Neskončnost",
|
||||
|
@ -417,11 +464,13 @@
|
|||
"SSE.Views.AutoFilterDialog.textSelectAll": "Izberi vse",
|
||||
"SSE.Views.AutoFilterDialog.textWarning": "Opozorilo",
|
||||
"SSE.Views.AutoFilterDialog.txtAboveAve": "Nad povprečjem",
|
||||
"SSE.Views.AutoFilterDialog.txtBegins": "Se začne z ...",
|
||||
"SSE.Views.AutoFilterDialog.txtBetween": "med ...",
|
||||
"SSE.Views.AutoFilterDialog.txtContains": "Vsebuje ...",
|
||||
"SSE.Views.AutoFilterDialog.txtEmpty": "Vnesi celični filter",
|
||||
"SSE.Views.AutoFilterDialog.txtEnds": "Se konča z/s ...",
|
||||
"SSE.Views.AutoFilterDialog.txtEquals": "Enako ...",
|
||||
"SSE.Views.AutoFilterDialog.txtNotBegins": "Se ne začne z ...",
|
||||
"SSE.Views.AutoFilterDialog.txtTitle": "Filter",
|
||||
"SSE.Views.AutoFilterDialog.warnNoSelected": "Izbrati morate vsaj eno vrednost",
|
||||
"SSE.Views.CellEditor.textManager": "Manager",
|
||||
|
@ -430,9 +479,11 @@
|
|||
"SSE.Views.CellRangeDialog.txtEmpty": "To polje je obvezno",
|
||||
"SSE.Views.CellRangeDialog.txtInvalidRange": "NAPAKA! Neveljaven razpon celic",
|
||||
"SSE.Views.CellRangeDialog.txtTitle": "Izberi območje podatkov",
|
||||
"SSE.Views.CellSettings.textAngle": "Kot",
|
||||
"SSE.Views.CellSettings.textBackColor": "Barva ozadja",
|
||||
"SSE.Views.CellSettings.textBackground": "Barva ozadja",
|
||||
"SSE.Views.CellSettings.textBorderColor": "Barva",
|
||||
"SSE.Views.CellSettings.textBorders": "Stil obrob",
|
||||
"SSE.Views.CellSettings.textFill": "Zapolni",
|
||||
"SSE.Views.CellSettings.textForeground": "Barva ospredja",
|
||||
"SSE.Views.CellSettings.textGradientColor": "Barva",
|
||||
|
@ -443,6 +494,7 @@
|
|||
"SSE.Views.ChartSettings.textAdvanced": "Prikaži napredne nastavitve",
|
||||
"SSE.Views.ChartSettings.textChartType": "Spremeni vrsto razpredelnice",
|
||||
"SSE.Views.ChartSettings.textEditData": "Uredi podatke",
|
||||
"SSE.Views.ChartSettings.textFirstPoint": "Prva točka",
|
||||
"SSE.Views.ChartSettings.textHeight": "Višina",
|
||||
"SSE.Views.ChartSettings.textKeepRatio": "Nenehna razmerja",
|
||||
"SSE.Views.ChartSettings.textSize": "Velikost",
|
||||
|
@ -459,6 +511,7 @@
|
|||
"SSE.Views.ChartSettingsDlg.textAxisSettings": "Axis Settings",
|
||||
"SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Med obkljukanimi oznakami",
|
||||
"SSE.Views.ChartSettingsDlg.textBillions": "Milijarde",
|
||||
"SSE.Views.ChartSettingsDlg.textBottom": "Spodaj",
|
||||
"SSE.Views.ChartSettingsDlg.textCategoryName": "Ime kategorije",
|
||||
"SSE.Views.ChartSettingsDlg.textCenter": "Središče",
|
||||
"SSE.Views.ChartSettingsDlg.textChartElementsLegend": "Elementi grafa &<br>Legenda grafa",
|
||||
|
@ -541,11 +594,17 @@
|
|||
"SSE.Views.ChartSettingsDlg.textYAxisTitle": "Naslov Y osi",
|
||||
"SSE.Views.ChartSettingsDlg.txtEmpty": "To polje je obvezno",
|
||||
"SSE.Views.DataTab.capBtnGroup": "Skupina",
|
||||
"SSE.Views.DataTab.capDataFromText": "Iz besedila/CSV",
|
||||
"SSE.Views.DataValidationDialog.textAlert": "Opozorilo",
|
||||
"SSE.Views.DataValidationDialog.textAllow": "Dovoli",
|
||||
"SSE.Views.DataValidationDialog.textData": "Podatki",
|
||||
"SSE.Views.DataValidationDialog.textEndDate": "Končni datum",
|
||||
"SSE.Views.DataValidationDialog.textEndTime": "Končni čas",
|
||||
"SSE.Views.DataValidationDialog.textFormula": "Formula",
|
||||
"SSE.Views.DataValidationDialog.txtBetween": "med",
|
||||
"SSE.Views.DataValidationDialog.txtDate": "Datum",
|
||||
"SSE.Views.DataValidationDialog.txtEndDate": "Končni datum",
|
||||
"SSE.Views.DataValidationDialog.txtEndTime": "Končni čas",
|
||||
"SSE.Views.DigitalFilterDialog.capAnd": "In",
|
||||
"SSE.Views.DigitalFilterDialog.capCondition1": "enako",
|
||||
"SSE.Views.DigitalFilterDialog.capCondition10": "se ne konča z",
|
||||
|
@ -578,8 +637,12 @@
|
|||
"SSE.Views.DocumentHolder.directionText": "Text Direction",
|
||||
"SSE.Views.DocumentHolder.editChartText": "Uredi podatke",
|
||||
"SSE.Views.DocumentHolder.editHyperlinkText": "Uredi hiperpovezavo",
|
||||
"SSE.Views.DocumentHolder.insertColumnLeftText": "Stolpec levo",
|
||||
"SSE.Views.DocumentHolder.insertColumnRightText": "Stolpec desno",
|
||||
"SSE.Views.DocumentHolder.originalSizeText": "Dejanska velikost",
|
||||
"SSE.Views.DocumentHolder.removeHyperlinkText": "Odstrani hiperpovezavo",
|
||||
"SSE.Views.DocumentHolder.selectColumnText": "Cel stolpec",
|
||||
"SSE.Views.DocumentHolder.selectDataText": "Podatki stolpca",
|
||||
"SSE.Views.DocumentHolder.selectRowText": "Vrsta",
|
||||
"SSE.Views.DocumentHolder.textAlign": "Poravnava",
|
||||
"SSE.Views.DocumentHolder.textArrangeBack": "Pošlji k ozadju",
|
||||
|
@ -587,13 +650,23 @@
|
|||
"SSE.Views.DocumentHolder.textArrangeForward": "Premakni naprej",
|
||||
"SSE.Views.DocumentHolder.textArrangeFront": "Premakni v ospredje",
|
||||
"SSE.Views.DocumentHolder.textAverage": "POVPREČNA",
|
||||
"SSE.Views.DocumentHolder.textCount": "Štetje",
|
||||
"SSE.Views.DocumentHolder.textCrop": "Odreži",
|
||||
"SSE.Views.DocumentHolder.textCropFill": "Zapolni",
|
||||
"SSE.Views.DocumentHolder.textFlipH": "Zrcali horizontalno",
|
||||
"SSE.Views.DocumentHolder.textFlipV": "Zrcali vertikalno",
|
||||
"SSE.Views.DocumentHolder.textFreezePanes": "Zamrzni plošče",
|
||||
"SSE.Views.DocumentHolder.textFromFile": "Iz datoteke",
|
||||
"SSE.Views.DocumentHolder.textFromStorage": "Iz shrambe",
|
||||
"SSE.Views.DocumentHolder.textFromUrl": "z URL naslova",
|
||||
"SSE.Views.DocumentHolder.textMore": "Več funkcij",
|
||||
"SSE.Views.DocumentHolder.textNone": "Nič",
|
||||
"SSE.Views.DocumentHolder.textShapeAlignBottom": "Poravnaj spodaj",
|
||||
"SSE.Views.DocumentHolder.textShapeAlignCenter": "Poravnava na sredino",
|
||||
"SSE.Views.DocumentHolder.textShapeAlignLeft": "Poravnaj levo",
|
||||
"SSE.Views.DocumentHolder.textShapeAlignMiddle": "Poravnaj na sredino",
|
||||
"SSE.Views.DocumentHolder.textShapeAlignRight": "Poravnaj desno",
|
||||
"SSE.Views.DocumentHolder.textShapeAlignTop": "Poravnaj na vrh",
|
||||
"SSE.Views.DocumentHolder.textUnFreezePanes": "Unfreeze Panes",
|
||||
"SSE.Views.DocumentHolder.topCellText": "Poravnaj vrh",
|
||||
"SSE.Views.DocumentHolder.txtAccounting": "Računovodstvo",
|
||||
|
@ -610,6 +683,7 @@
|
|||
"SSE.Views.DocumentHolder.txtColumn": "Cel stolpec",
|
||||
"SSE.Views.DocumentHolder.txtColumnWidth": "Širina stolpcev",
|
||||
"SSE.Views.DocumentHolder.txtCopy": "Kopiraj",
|
||||
"SSE.Views.DocumentHolder.txtCurrency": "Valuta",
|
||||
"SSE.Views.DocumentHolder.txtCut": "Izreži",
|
||||
"SSE.Views.DocumentHolder.txtDate": "Datum",
|
||||
"SSE.Views.DocumentHolder.txtDelete": "Izbriši",
|
||||
|
@ -617,6 +691,8 @@
|
|||
"SSE.Views.DocumentHolder.txtEditComment": "Uredi komentar",
|
||||
"SSE.Views.DocumentHolder.txtFilter": "Filter",
|
||||
"SSE.Views.DocumentHolder.txtFormula": "Vstavi funkcijo",
|
||||
"SSE.Views.DocumentHolder.txtFraction": "Frakcija",
|
||||
"SSE.Views.DocumentHolder.txtGeneral": "Splošno",
|
||||
"SSE.Views.DocumentHolder.txtGroup": "Skupina",
|
||||
"SSE.Views.DocumentHolder.txtHide": "Skrij",
|
||||
"SSE.Views.DocumentHolder.txtInsert": "Vstavi",
|
||||
|
@ -637,6 +713,8 @@
|
|||
"SSE.Views.DocumentHolder.vertAlignText": "Vertikalna poravnava",
|
||||
"SSE.Views.FieldSettingsDialog.txtAverage": "POVPREČNA",
|
||||
"SSE.Views.FieldSettingsDialog.txtCompact": "Kompakten",
|
||||
"SSE.Views.FieldSettingsDialog.txtCount": "Štetje",
|
||||
"SSE.Views.FieldSettingsDialog.txtCountNums": "Štetje števil",
|
||||
"SSE.Views.FieldSettingsDialog.txtCustomName": "Ime po meri",
|
||||
"SSE.Views.FileMenu.btnBackCaption": "Pojdi v dokumente",
|
||||
"SSE.Views.FileMenu.btnCloseMenuCaption": "Zapri meni",
|
||||
|
@ -659,6 +737,7 @@
|
|||
"SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Uporabi",
|
||||
"SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Dodaj avtorja",
|
||||
"SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Dodaj besedilo",
|
||||
"SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikacija",
|
||||
"SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Avtor",
|
||||
"SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Spremeni pravice dostopa",
|
||||
"SSE.Views.FileMenuPanels.DocumentInfo.txtComment": "Komentar",
|
||||
|
@ -693,8 +772,11 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Onemogočeno",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Vsako minuto",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimeter",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Češka",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Danska",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Deutsch",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "English",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francosko",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Palec",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Živo komentiranje",
|
||||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "kot OS X",
|
||||
|
@ -704,12 +786,37 @@
|
|||
"SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "kot Windows",
|
||||
"SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Uporabi",
|
||||
"SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Jezik slovarja",
|
||||
"SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Uredi razpredelnico",
|
||||
"SSE.Views.FileMenuPanels.Settings.txtGeneral": "Splošen",
|
||||
"SSE.Views.FormatRulesEditDlg.fillColor": "Barva ozadja",
|
||||
"SSE.Views.FormatRulesEditDlg.textAutomatic": "Samodejeno",
|
||||
"SSE.Views.FormatRulesEditDlg.textBordersColor": "Barve obrob",
|
||||
"SSE.Views.FormatRulesEditDlg.textBordersStyle": "Slogi obrob",
|
||||
"SSE.Views.FormatRulesEditDlg.textBottomBorders": "Spodnje obrobe",
|
||||
"SSE.Views.FormatRulesEditDlg.textCustom": "Po meri",
|
||||
"SSE.Views.FormatRulesEditDlg.textEmptyText": "Vnesite vrednost.",
|
||||
"SSE.Views.FormatRulesEditDlg.textFill": "Zapolni",
|
||||
"SSE.Views.FormatRulesEditDlg.textFormat": "Format",
|
||||
"SSE.Views.FormatRulesEditDlg.textFormula": "Formula",
|
||||
"SSE.Views.FormatRulesEditDlg.tipBorders": "Obrobe",
|
||||
"SSE.Views.FormatRulesEditDlg.txtAccounting": "Računovodstvo",
|
||||
"SSE.Views.FormatRulesEditDlg.txtCurrency": "Valuta",
|
||||
"SSE.Views.FormatRulesEditDlg.txtDate": "Datum",
|
||||
"SSE.Views.FormatRulesEditDlg.txtFraction": "Frakcija",
|
||||
"SSE.Views.FormatRulesEditDlg.txtGeneral": "Splošno",
|
||||
"SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Uredi pravila formata",
|
||||
"SSE.Views.FormatRulesManagerDlg.textAbove": "Nad povprečjem",
|
||||
"SSE.Views.FormatRulesManagerDlg.textDelete": "Izbriši",
|
||||
"SSE.Views.FormatRulesManagerDlg.textEdit": "Uredi",
|
||||
"SSE.Views.FormatRulesManagerDlg.textFormat": "Format",
|
||||
"SSE.Views.FormatSettingsDialog.textCategory": "Kategorija",
|
||||
"SSE.Views.FormatSettingsDialog.textFormat": "Format",
|
||||
"SSE.Views.FormatSettingsDialog.txtAccounting": "Računovodstvo",
|
||||
"SSE.Views.FormatSettingsDialog.txtCurrency": "Valuta",
|
||||
"SSE.Views.FormatSettingsDialog.txtCustom": "Po meri",
|
||||
"SSE.Views.FormatSettingsDialog.txtDate": "Datum",
|
||||
"SSE.Views.FormatSettingsDialog.txtFraction": "Frakcija",
|
||||
"SSE.Views.FormatSettingsDialog.txtGeneral": "Splošno",
|
||||
"SSE.Views.FormatSettingsDialog.txtNone": "Nič",
|
||||
"SSE.Views.FormatSettingsDialog.txtNumber": "Število",
|
||||
"SSE.Views.FormulaDialog.sDescription": "Opis",
|
||||
|
@ -717,6 +824,7 @@
|
|||
"SSE.Views.FormulaDialog.textListDescription": "Izberi funkcijo",
|
||||
"SSE.Views.FormulaDialog.txtTitle": "Vstavi funkcijo",
|
||||
"SSE.Views.FormulaTab.textAutomatic": "Samodejeno",
|
||||
"SSE.Views.FormulaTab.tipCalculate": "Izračunaj",
|
||||
"SSE.Views.FormulaTab.txtAdditional": "Dodatno",
|
||||
"SSE.Views.FormulaTab.txtFormula": "Funkcija",
|
||||
"SSE.Views.FormulaWizard.textFunction": "Funkcija",
|
||||
|
@ -735,6 +843,8 @@
|
|||
"SSE.Views.HeaderFooterDialog.textLeft": "Levo",
|
||||
"SSE.Views.HeaderFooterDialog.textNewColor": "Dodaj novo barvo po meri",
|
||||
"SSE.Views.HeaderFooterDialog.textTitle": "Nastavitve glave/noge",
|
||||
"SSE.Views.HeaderFooterDialog.tipFontName": "Pisava",
|
||||
"SSE.Views.HeaderFooterDialog.tipFontSize": "Velikost pisave",
|
||||
"SSE.Views.HyperlinkSettingsDialog.strDisplay": "Zaslon",
|
||||
"SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Povezava k",
|
||||
"SSE.Views.HyperlinkSettingsDialog.strRange": "Razdalja",
|
||||
|
@ -754,10 +864,13 @@
|
|||
"SSE.Views.ImageSettings.textCrop": "Odreži",
|
||||
"SSE.Views.ImageSettings.textCropFill": "Zapolni",
|
||||
"SSE.Views.ImageSettings.textEdit": "Uredi",
|
||||
"SSE.Views.ImageSettings.textFlip": "Prezrcali",
|
||||
"SSE.Views.ImageSettings.textFromFile": "z datoteke",
|
||||
"SSE.Views.ImageSettings.textFromStorage": "Iz shrambe",
|
||||
"SSE.Views.ImageSettings.textFromUrl": "z URL",
|
||||
"SSE.Views.ImageSettings.textHeight": "Višina",
|
||||
"SSE.Views.ImageSettings.textHintFlipH": "Zrcali horizontalno",
|
||||
"SSE.Views.ImageSettings.textHintFlipV": "Zrcali vertikalno",
|
||||
"SSE.Views.ImageSettings.textInsert": "Zamenjaj sliko",
|
||||
"SSE.Views.ImageSettings.textKeepRatio": "Nenehna razmerja",
|
||||
"SSE.Views.ImageSettings.textOriginalSize": "Privzeta velikost",
|
||||
|
@ -765,6 +878,8 @@
|
|||
"SSE.Views.ImageSettings.textWidth": "Širina",
|
||||
"SSE.Views.ImageSettingsAdvanced.textAlt": "Nadomestno besedilo",
|
||||
"SSE.Views.ImageSettingsAdvanced.textAltDescription": "Opis",
|
||||
"SSE.Views.ImageSettingsAdvanced.textAngle": "Kot",
|
||||
"SSE.Views.ImageSettingsAdvanced.textFlipped": "Prezrcaljeno",
|
||||
"SSE.Views.ImageSettingsAdvanced.textTitle": "Slika - napredne nastavitve",
|
||||
"SSE.Views.LeftMenu.tipAbout": "O programu",
|
||||
"SSE.Views.LeftMenu.tipChat": "Pogovor",
|
||||
|
@ -827,6 +942,7 @@
|
|||
"SSE.Views.NameManagerDlg.textWorkbook": "Workbook",
|
||||
"SSE.Views.NameManagerDlg.tipIsLocked": "This element is being edited by another user.",
|
||||
"SSE.Views.NameManagerDlg.txtTitle": "Name Manager",
|
||||
"SSE.Views.PageMarginsDialog.textBottom": "Spodaj",
|
||||
"SSE.Views.PageMarginsDialog.textLeft": "Levo",
|
||||
"SSE.Views.ParagraphSettings.strLineHeight": "Razmik med vrsticami",
|
||||
"SSE.Views.ParagraphSettings.strParagraphSpacing": "Razmik",
|
||||
|
@ -843,6 +959,7 @@
|
|||
"SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Dvojno prečrtanje",
|
||||
"SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Levo",
|
||||
"SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Desno",
|
||||
"SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Po",
|
||||
"SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Pred",
|
||||
"SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "Od",
|
||||
"SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Pisava",
|
||||
|
@ -869,14 +986,21 @@
|
|||
"SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Samodejno",
|
||||
"SSE.Views.PivotDigitalFilterDialog.capCondition1": "enako",
|
||||
"SSE.Views.PivotDigitalFilterDialog.capCondition11": "vsebuje",
|
||||
"SSE.Views.PivotDigitalFilterDialog.capCondition12": "ne vsebuje",
|
||||
"SSE.Views.PivotDigitalFilterDialog.capCondition13": "med",
|
||||
"SSE.Views.PivotDigitalFilterDialog.capCondition7": "se začne z",
|
||||
"SSE.Views.PivotDigitalFilterDialog.capCondition9": "se konča z",
|
||||
"SSE.Views.PivotDigitalFilterDialog.txtAnd": "in",
|
||||
"SSE.Views.PivotGroupDialog.textAuto": "Samodejno",
|
||||
"SSE.Views.PivotGroupDialog.textBy": "Od",
|
||||
"SSE.Views.PivotGroupDialog.textDays": "Dnevi",
|
||||
"SSE.Views.PivotSettings.textColumns": "Stolpci",
|
||||
"SSE.Views.PivotSettings.textFilters": "Filtri",
|
||||
"SSE.Views.PivotSettings.txtAddFilter": "Dodaj v filtre",
|
||||
"SSE.Views.PivotSettingsAdvanced.textAlt": "Nadomestno besedilo",
|
||||
"SSE.Views.PivotSettingsAdvanced.textAltDescription": "Opis",
|
||||
"SSE.Views.PivotSettingsAdvanced.txtName": "Ime",
|
||||
"SSE.Views.PivotTable.textColHeader": "Glava stoplca",
|
||||
"SSE.Views.PivotTable.txtCreate": "Vstavi tabelo",
|
||||
"SSE.Views.PrintSettings.btnPrint": "Shrani & Natisni",
|
||||
"SSE.Views.PrintSettings.strBottom": "Dno",
|
||||
|
@ -903,6 +1027,7 @@
|
|||
"SSE.Views.PrintSettings.textTitle": "Natisni nastavitve",
|
||||
"SSE.Views.PrintSettings.textTitlePDF": "Nastavitev PDF dokumenta",
|
||||
"SSE.Views.PrintTitlesDialog.textFirstCol": "Prvi stolpec",
|
||||
"SSE.Views.PrintTitlesDialog.textFirstRow": "Prva vrstica",
|
||||
"SSE.Views.RemoveDuplicatesDialog.textColumns": "Stolpci",
|
||||
"SSE.Views.RightMenu.txtCellSettings": "Nastavitve celice",
|
||||
"SSE.Views.RightMenu.txtChartSettings": "Nastavitve grafa",
|
||||
|
@ -925,15 +1050,19 @@
|
|||
"SSE.Views.ShapeSettings.strStroke": "Črta",
|
||||
"SSE.Views.ShapeSettings.strTransparency": "Motnost",
|
||||
"SSE.Views.ShapeSettings.textAdvanced": "Prikaži napredne nastavitve",
|
||||
"SSE.Views.ShapeSettings.textAngle": "Kot",
|
||||
"SSE.Views.ShapeSettings.textBorderSizeErr": "Vnesena vrednost je nepravilna.<br>Prosim vnesite vrednost med 0 pt in 1584 pt.",
|
||||
"SSE.Views.ShapeSettings.textColor": "Barvna izpolnitev",
|
||||
"SSE.Views.ShapeSettings.textDirection": "Smer",
|
||||
"SSE.Views.ShapeSettings.textEmptyPattern": "Ni vzorcev",
|
||||
"SSE.Views.ShapeSettings.textFlip": "Prezrcali",
|
||||
"SSE.Views.ShapeSettings.textFromFile": "z datoteke",
|
||||
"SSE.Views.ShapeSettings.textFromStorage": "Iz shrambe",
|
||||
"SSE.Views.ShapeSettings.textFromUrl": "z URL",
|
||||
"SSE.Views.ShapeSettings.textGradient": "Gradient",
|
||||
"SSE.Views.ShapeSettings.textGradientFill": "Polnjenje gradienta",
|
||||
"SSE.Views.ShapeSettings.textHintFlipH": "Zrcali horizontalno",
|
||||
"SSE.Views.ShapeSettings.textHintFlipV": "Zrcali vertikalno",
|
||||
"SSE.Views.ShapeSettings.textImageTexture": "Slika ali tekstura",
|
||||
"SSE.Views.ShapeSettings.textLinear": "Linearna",
|
||||
"SSE.Views.ShapeSettings.textNoFill": "Ni polnila",
|
||||
|
@ -961,6 +1090,7 @@
|
|||
"SSE.Views.ShapeSettingsAdvanced.strMargins": "Oblazinjenje besedila",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textAlt": "Nadomestno besedilo",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textAltDescription": "Opis",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textAngle": "Kot",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textArrows": "Puščice",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textBeginSize": "Začetna velikost",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textBeginStyle": "Začetni stil",
|
||||
|
@ -970,6 +1100,7 @@
|
|||
"SSE.Views.ShapeSettingsAdvanced.textEndSize": "Končna velikost",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textEndStyle": "Končni slog",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textFlat": "Ploščat",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textFlipped": "Prezrcaljeno",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textHeight": "Višina",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textJoinType": "Vrsta pridruževanja",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textKeepRatio": "Nenehna razmerja",
|
||||
|
@ -984,25 +1115,33 @@
|
|||
"SSE.Views.ShapeSettingsAdvanced.textTop": "Vrh",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Uteži & puščice",
|
||||
"SSE.Views.ShapeSettingsAdvanced.textWidth": "Širina",
|
||||
"SSE.Views.SignatureSettings.txtContinueEditing": "Vseeno uredi",
|
||||
"SSE.Views.SlicerAddDialog.textColumns": "Stolpci",
|
||||
"SSE.Views.SlicerSettings.textAsc": "Naraščajoče",
|
||||
"SSE.Views.SlicerSettings.textAZ": "A do Ž",
|
||||
"SSE.Views.SlicerSettings.textButtons": "Gumbi",
|
||||
"SSE.Views.SlicerSettings.textColumns": "Stolpci",
|
||||
"SSE.Views.SlicerSettings.textDesc": "Padajoče",
|
||||
"SSE.Views.SlicerSettings.textHeight": "Višina",
|
||||
"SSE.Views.SlicerSettingsAdvanced.strButtons": "Gumbi",
|
||||
"SSE.Views.SlicerSettingsAdvanced.strColumns": "Stolpci",
|
||||
"SSE.Views.SlicerSettingsAdvanced.strHeight": "Višina",
|
||||
"SSE.Views.SlicerSettingsAdvanced.strShowHeader": "Pokaži nogo",
|
||||
"SSE.Views.SlicerSettingsAdvanced.textAlt": "Nadomestno besedilo",
|
||||
"SSE.Views.SlicerSettingsAdvanced.textAltDescription": "Opis",
|
||||
"SSE.Views.SlicerSettingsAdvanced.textAsc": "Naraščajoče",
|
||||
"SSE.Views.SlicerSettingsAdvanced.textAZ": "A do Ž",
|
||||
"SSE.Views.SlicerSettingsAdvanced.textDesc": "Padajoče",
|
||||
"SSE.Views.SlicerSettingsAdvanced.textHeader": "Glava",
|
||||
"SSE.Views.SlicerSettingsAdvanced.textName": "Ime",
|
||||
"SSE.Views.SortDialog.textAsc": "Naraščajoče",
|
||||
"SSE.Views.SortDialog.textAuto": "Samodejeno",
|
||||
"SSE.Views.SortDialog.textAZ": "A do Ž",
|
||||
"SSE.Views.SortDialog.textBelow": "Pod",
|
||||
"SSE.Views.SortDialog.textCellColor": "Barva celice",
|
||||
"SSE.Views.SortDialog.textColumn": "Stolpec",
|
||||
"SSE.Views.SortDialog.textDesc": "Padajoče",
|
||||
"SSE.Views.SortDialog.textFontColor": "Barva pisave",
|
||||
"SSE.Views.SortDialog.textLeft": "Levo",
|
||||
"SSE.Views.SortDialog.textMoreCols": "(Več stolpcev ...)",
|
||||
"SSE.Views.SortDialog.textMoreRows": "(Več vrstic ...)",
|
||||
|
@ -1012,6 +1151,7 @@
|
|||
"SSE.Views.SpecialPasteDialog.textAll": "Vse",
|
||||
"SSE.Views.SpecialPasteDialog.textComments": "Komentarji",
|
||||
"SSE.Views.SpecialPasteDialog.textFormats": "Formati",
|
||||
"SSE.Views.SpecialPasteDialog.textFormulas": "Formule",
|
||||
"SSE.Views.SpecialPasteDialog.textNone": "Nič",
|
||||
"SSE.Views.SpecialPasteDialog.textPaste": "Prilepi",
|
||||
"SSE.Views.Spellcheck.textChange": "Spremeni",
|
||||
|
@ -1027,6 +1167,7 @@
|
|||
"SSE.Views.Statusbar.filteredRecordsText": "{0} od {1} zadetkov filtriranih",
|
||||
"SSE.Views.Statusbar.itemAverage": "POVPREČNA",
|
||||
"SSE.Views.Statusbar.itemCopy": "Kopiraj",
|
||||
"SSE.Views.Statusbar.itemCount": "Štetje",
|
||||
"SSE.Views.Statusbar.itemDelete": "Izbriši",
|
||||
"SSE.Views.Statusbar.itemHidden": "Skrito",
|
||||
"SSE.Views.Statusbar.itemHide": "Skrij",
|
||||
|
@ -1074,6 +1215,7 @@
|
|||
"SSE.Views.TextArtSettings.strSize": "Size",
|
||||
"SSE.Views.TextArtSettings.strStroke": "Stroke",
|
||||
"SSE.Views.TextArtSettings.strTransparency": "Opacity",
|
||||
"SSE.Views.TextArtSettings.textAngle": "Kot",
|
||||
"SSE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.<br>Please enter a value between 0 pt and 1584 pt.",
|
||||
"SSE.Views.TextArtSettings.textColor": "Color Fill",
|
||||
"SSE.Views.TextArtSettings.textDirection": "Direction",
|
||||
|
@ -1127,8 +1269,10 @@
|
|||
"SSE.Views.Toolbar.textAlignTop": "Poravnaj vrh",
|
||||
"SSE.Views.Toolbar.textAllBorders": "Vse meje",
|
||||
"SSE.Views.Toolbar.textAuto": "Samodejno",
|
||||
"SSE.Views.Toolbar.textAutoColor": "Samodejeno",
|
||||
"SSE.Views.Toolbar.textBold": "Krepko",
|
||||
"SSE.Views.Toolbar.textBordersColor": "Barva obrobe",
|
||||
"SSE.Views.Toolbar.textBordersStyle": "Slogi obrob",
|
||||
"SSE.Views.Toolbar.textBottomBorders": "Meje na dnu",
|
||||
"SSE.Views.Toolbar.textCenterBorders": "Notranje vertikalne meje",
|
||||
"SSE.Views.Toolbar.textClockwise": "Kot v smeri urinega kazalca",
|
||||
|
@ -1187,9 +1331,11 @@
|
|||
"SSE.Views.Toolbar.tipDigStyleCurrency": "Slog valute",
|
||||
"SSE.Views.Toolbar.tipDigStylePercent": "Slog odstotkov",
|
||||
"SSE.Views.Toolbar.tipEditChart": "Uredi grafikon",
|
||||
"SSE.Views.Toolbar.tipEditHeader": "Uredi glavo ali nogo",
|
||||
"SSE.Views.Toolbar.tipFontColor": "Barva pisave",
|
||||
"SSE.Views.Toolbar.tipFontName": "Ime pisave",
|
||||
"SSE.Views.Toolbar.tipFontSize": "Velikost pisave",
|
||||
"SSE.Views.Toolbar.tipImgAlign": "Poravnaj predmete",
|
||||
"SSE.Views.Toolbar.tipIncDecimal": "Povečaj Decimal",
|
||||
"SSE.Views.Toolbar.tipIncFont": "Prirastek velikosti pisave",
|
||||
"SSE.Views.Toolbar.tipInsertChart": "Vstavi grafikon",
|
||||
|
@ -1280,10 +1426,13 @@
|
|||
"SSE.Views.Toolbar.txtTime": "Čas",
|
||||
"SSE.Views.Toolbar.txtUnmerge": "Razdruži celice",
|
||||
"SSE.Views.Toolbar.txtYen": "¥ Jen",
|
||||
"SSE.Views.Top10FilterDialog.txtBottom": "Spodaj",
|
||||
"SSE.Views.Top10FilterDialog.txtBy": "od",
|
||||
"SSE.Views.Top10FilterDialog.txtItems": "Izdelek",
|
||||
"SSE.Views.ValueFieldSettingsDialog.txtAverage": "POVPREČNA",
|
||||
"SSE.Views.ValueFieldSettingsDialog.txtByField": "%1 od %2",
|
||||
"SSE.Views.ValueFieldSettingsDialog.txtCount": "Štetje",
|
||||
"SSE.Views.ValueFieldSettingsDialog.txtCountNums": "Štetje števil",
|
||||
"SSE.Views.ValueFieldSettingsDialog.txtCustomName": "Ime po meri",
|
||||
"SSE.Views.ValueFieldSettingsDialog.txtIndex": "Indeks",
|
||||
"SSE.Views.ViewManagerDlg.closeButtonText": "Zapri",
|
||||
|
@ -1294,5 +1443,6 @@
|
|||
"SSE.Views.ViewTab.textClose": "Zapri",
|
||||
"SSE.Views.ViewTab.textCreate": "Novo",
|
||||
"SSE.Views.ViewTab.textDefault": "Privzeto",
|
||||
"SSE.Views.ViewTab.textHeadings": "Naslovi"
|
||||
"SSE.Views.ViewTab.textHeadings": "Naslovi",
|
||||
"SSE.Views.ViewTab.textZoom": "Povečaj"
|
||||
}
|
File diff suppressed because it is too large
Load diff
File diff suppressed because it is too large
Load diff
File diff suppressed because it is too large
Load diff
File diff suppressed because it is too large
Load diff
|
@ -1,661 +1,78 @@
|
|||
{
|
||||
"Common.Controllers.Collaboration.textAddReply": "Ajouter réponse",
|
||||
"Common.Controllers.Collaboration.textCancel": "Annuler",
|
||||
"Common.Controllers.Collaboration.textDeleteComment": "Supprimer commentaire",
|
||||
"Common.Controllers.Collaboration.textDeleteReply": "Supprimer réponse",
|
||||
"Common.Controllers.Collaboration.textDone": "Effectué",
|
||||
"Common.Controllers.Collaboration.textEdit": "Editer",
|
||||
"Common.Controllers.Collaboration.textEditUser": "Le document est en cours de modification par plusieurs utilisateurs.",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteComment": "Voulez-vous vraiment supprimer ce commentaire ?",
|
||||
"Common.Controllers.Collaboration.textMessageDeleteReply": "Voulez-vous vraiment supprimer cette réponse ?",
|
||||
"Common.Controllers.Collaboration.textReopen": "Rouvrir",
|
||||
"Common.Controllers.Collaboration.textResolve": "Résoudre",
|
||||
"Common.Controllers.Collaboration.textYes": "Oui",
|
||||
"Common.UI.ThemeColorPalette.textCustomColors": "Couleurs personnalisées",
|
||||
"Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard",
|
||||
"Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème",
|
||||
"Common.Utils.Metric.txtCm": "cm",
|
||||
"Common.Utils.Metric.txtPt": "pt",
|
||||
"Common.Views.Collaboration.textAddReply": "Ajouter réponse",
|
||||
"Common.Views.Collaboration.textBack": "Retour en arrière",
|
||||
"Common.Views.Collaboration.textCancel": "Annuler",
|
||||
"Common.Views.Collaboration.textCollaboration": "Collaboration",
|
||||
"Common.Views.Collaboration.textDone": "Effectué",
|
||||
"Common.Views.Collaboration.textEditReply": "Editer réponse",
|
||||
"Common.Views.Collaboration.textEditUsers": "Utilisateurs",
|
||||
"Common.Views.Collaboration.textEditСomment": "Editer commentaire",
|
||||
"Common.Views.Collaboration.textNoComments": "Cette feuille de calcul n'a pas de commentaires",
|
||||
"Common.Views.Collaboration.textСomments": "Commentaires",
|
||||
"SSE.Controllers.AddChart.txtDiagramTitle": "Titre du diagramme",
|
||||
"SSE.Controllers.AddChart.txtSeries": "Série",
|
||||
"SSE.Controllers.AddChart.txtXAxis": "Axe X",
|
||||
"SSE.Controllers.AddChart.txtYAxis": "Axe Y",
|
||||
"SSE.Controllers.AddContainer.textChart": "Diagramme",
|
||||
"SSE.Controllers.AddContainer.textFormula": "Fonction",
|
||||
"SSE.Controllers.AddContainer.textImage": "Image",
|
||||
"SSE.Controllers.AddContainer.textOther": "Autre",
|
||||
"SSE.Controllers.AddContainer.textShape": "Forme",
|
||||
"SSE.Controllers.AddLink.notcriticalErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.AddLink.textInvalidRange": "ERREUR ! Plage de cellules invalide",
|
||||
"SSE.Controllers.AddLink.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'",
|
||||
"SSE.Controllers.AddOther.notcriticalErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.AddOther.textCancel": "Annuler",
|
||||
"SSE.Controllers.AddOther.textContinue": "Continuer",
|
||||
"SSE.Controllers.AddOther.textDelete": "Supprimer",
|
||||
"SSE.Controllers.AddOther.textDeleteDraft": "Voulez-vous vraiment supprimer le brouillon ?",
|
||||
"SSE.Controllers.AddOther.textEmptyImgUrl": "Spécifiez l'URL de l'image",
|
||||
"SSE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'",
|
||||
"SSE.Controllers.DocumentHolder.errorCopyCutPaste": "Actions de copie, de coupe et de collage du menu contextuel seront appliquées seulement dans le fichier actuel.",
|
||||
"SSE.Controllers.DocumentHolder.errorInvalidLink": "Le lien de référence n'existe pas. Veuillez corriger la référence ou la supprimer.",
|
||||
"SSE.Controllers.DocumentHolder.menuAddComment": "Ajouter commentaire",
|
||||
"SSE.Controllers.DocumentHolder.menuAddLink": "Ajouter lien",
|
||||
"SSE.Controllers.DocumentHolder.menuCell": "Cellule",
|
||||
"SSE.Controllers.DocumentHolder.menuCopy": "Copier",
|
||||
"SSE.Controllers.DocumentHolder.menuCut": "Couper",
|
||||
"SSE.Controllers.DocumentHolder.menuDelete": "Supprimer",
|
||||
"SSE.Controllers.DocumentHolder.menuEdit": "Editer",
|
||||
"SSE.Controllers.DocumentHolder.menuFreezePanes": "Figer volets",
|
||||
"SSE.Controllers.DocumentHolder.menuHide": "Masquer",
|
||||
"SSE.Controllers.DocumentHolder.menuMerge": "Fusionner",
|
||||
"SSE.Controllers.DocumentHolder.menuMore": "Plus",
|
||||
"SSE.Controllers.DocumentHolder.menuOpenLink": "Ouvrir le lien",
|
||||
"SSE.Controllers.DocumentHolder.menuPaste": "Coller",
|
||||
"SSE.Controllers.DocumentHolder.menuShow": "Afficher",
|
||||
"SSE.Controllers.DocumentHolder.menuUnfreezePanes": "Libérer les volets",
|
||||
"SSE.Controllers.DocumentHolder.menuUnmerge": "Annuler la fusion",
|
||||
"SSE.Controllers.DocumentHolder.menuUnwrap": "Annuler le renvoi",
|
||||
"SSE.Controllers.DocumentHolder.menuViewComment": "Voir commentaire",
|
||||
"SSE.Controllers.DocumentHolder.menuWrap": "Renvoi à la ligne",
|
||||
"SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.DocumentHolder.sheetCancel": "Annuler",
|
||||
"SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "Actions copier, couper et coller",
|
||||
"SSE.Controllers.DocumentHolder.textDoNotShowAgain": "Ne plus afficher",
|
||||
"SSE.Controllers.DocumentHolder.warnMergeLostData": "Seulement les données de la cellule supérieure gauche seront conservées dans la cellule fusionnée.<br>Êtes-vous sûr de vouloir continuer ?",
|
||||
"SSE.Controllers.EditCell.textAuto": "Auto",
|
||||
"SSE.Controllers.EditCell.textFonts": "Polices",
|
||||
"SSE.Controllers.EditCell.textPt": "pt",
|
||||
"SSE.Controllers.EditChart.errorMaxRows": "ERREUR ! Le nombre maximal de séries de données par diagramme est 255.",
|
||||
"SSE.Controllers.EditChart.errorStockChart": "Ordre lignes incorrect. Pour créer un diagramme boursier, positionnez vos données sur la feuille de calcul dans l'ordre suivant :<br> cours à l'ouverture, cours maximal, cours minimal, cours à la clôture.",
|
||||
"SSE.Controllers.EditChart.textAuto": "Auto",
|
||||
"SSE.Controllers.EditChart.textBetweenTickMarks": "Entre graduations",
|
||||
"SSE.Controllers.EditChart.textBillions": "Milliards",
|
||||
"SSE.Controllers.EditChart.textBottom": "En bas",
|
||||
"SSE.Controllers.EditChart.textCenter": "Centre",
|
||||
"SSE.Controllers.EditChart.textCross": "Croisement",
|
||||
"SSE.Controllers.EditChart.textCustom": "Personnalisé",
|
||||
"SSE.Controllers.EditChart.textFit": "Ajuster au largeur",
|
||||
"SSE.Controllers.EditChart.textFixed": "Fixe",
|
||||
"SSE.Controllers.EditChart.textHigh": "Haut",
|
||||
"SSE.Controllers.EditChart.textHorizontal": "Horizontal",
|
||||
"SSE.Controllers.EditChart.textHundredMil": "100 000 000",
|
||||
"SSE.Controllers.EditChart.textHundreds": "Centaines",
|
||||
"SSE.Controllers.EditChart.textHundredThousands": "100 000",
|
||||
"SSE.Controllers.EditChart.textIn": "Dans",
|
||||
"SSE.Controllers.EditChart.textInnerBottom": "En bas à l'intérieur",
|
||||
"SSE.Controllers.EditChart.textInnerTop": "En haut à l'intérieur",
|
||||
"SSE.Controllers.EditChart.textLeft": "Gauche",
|
||||
"SSE.Controllers.EditChart.textLeftOverlay": "Superposition à gauche",
|
||||
"SSE.Controllers.EditChart.textLow": "Bas",
|
||||
"SSE.Controllers.EditChart.textManual": "Manuellement",
|
||||
"SSE.Controllers.EditChart.textMaxValue": "Valeur maximale",
|
||||
"SSE.Controllers.EditChart.textMillions": "Millions",
|
||||
"SSE.Controllers.EditChart.textMinValue": "Valeur minimale",
|
||||
"SSE.Controllers.EditChart.textNextToAxis": "À côté de l'axe",
|
||||
"SSE.Controllers.EditChart.textNone": "Aucun",
|
||||
"SSE.Controllers.EditChart.textNoOverlay": "Sans superposition",
|
||||
"SSE.Controllers.EditChart.textOnTickMarks": "Graduations",
|
||||
"SSE.Controllers.EditChart.textOut": "À l'extérieur",
|
||||
"SSE.Controllers.EditChart.textOuterTop": "En haut à l'extérieur",
|
||||
"SSE.Controllers.EditChart.textOverlay": "Superposition",
|
||||
"SSE.Controllers.EditChart.textRight": "À droite",
|
||||
"SSE.Controllers.EditChart.textRightOverlay": "Superposition à droite",
|
||||
"SSE.Controllers.EditChart.textRotated": "Incliné",
|
||||
"SSE.Controllers.EditChart.textTenMillions": "10 000 000",
|
||||
"SSE.Controllers.EditChart.textTenThousands": "10 000",
|
||||
"SSE.Controllers.EditChart.textThousands": "Milliers",
|
||||
"SSE.Controllers.EditChart.textTop": "En haut",
|
||||
"SSE.Controllers.EditChart.textTrillions": "Trillions",
|
||||
"SSE.Controllers.EditChart.textValue": "Valeur",
|
||||
"SSE.Controllers.EditContainer.textCell": "Cellule",
|
||||
"SSE.Controllers.EditContainer.textChart": "Diagramme",
|
||||
"SSE.Controllers.EditContainer.textHyperlink": "Lien hypertexte",
|
||||
"SSE.Controllers.EditContainer.textImage": "Image",
|
||||
"SSE.Controllers.EditContainer.textSettings": "Paramètres",
|
||||
"SSE.Controllers.EditContainer.textShape": "Forme",
|
||||
"SSE.Controllers.EditContainer.textTable": "Tableau",
|
||||
"SSE.Controllers.EditContainer.textText": "Texte",
|
||||
"SSE.Controllers.EditHyperlink.notcriticalErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.EditHyperlink.textDefault": "Plage sélectionnée",
|
||||
"SSE.Controllers.EditHyperlink.textEmptyImgUrl": "Spécifiez l'URL de l'image",
|
||||
"SSE.Controllers.EditHyperlink.textExternalLink": "Lien externe",
|
||||
"SSE.Controllers.EditHyperlink.textInternalLink": "Plage de données interne",
|
||||
"SSE.Controllers.EditHyperlink.textInvalidRange": "Plage de cellules non valide",
|
||||
"SSE.Controllers.EditHyperlink.txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"",
|
||||
"SSE.Controllers.EditImage.notcriticalErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.EditImage.textEmptyImgUrl": "Specifiez URL d'image",
|
||||
"SSE.Controllers.EditImage.txtNotUrl": "Ce champ doit être une URL au format 'http://www.exemple.com'",
|
||||
"SSE.Controllers.FilterOptions.textEmptyItem": "{Blancs}",
|
||||
"SSE.Controllers.FilterOptions.textErrorMsg": "Vous devez choisir au moins une valeur",
|
||||
"SSE.Controllers.FilterOptions.textErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.FilterOptions.textSelectAll": "Sélectionner tout",
|
||||
"SSE.Controllers.Main.advCSVOptions": "Choisir options CSV",
|
||||
"SSE.Controllers.Main.advDRMEnterPassword": "Entrez votre mot de passe:",
|
||||
"SSE.Controllers.Main.advDRMOptions": "Fichier protégé",
|
||||
"SSE.Controllers.Main.advDRMPassword": "Mot de passe",
|
||||
"SSE.Controllers.Main.applyChangesTextText": "Chargement des données...",
|
||||
"SSE.Controllers.Main.applyChangesTitleText": "Chargement des données",
|
||||
"SSE.Controllers.Main.closeButtonText": "Fermer fichier",
|
||||
"SSE.Controllers.Main.convertationTimeoutText": "Délai d'attente de la conversion dépassé ",
|
||||
"SSE.Controllers.Main.criticalErrorExtText": "Appuyez sur OK pour revenir à la liste des documents.",
|
||||
"SSE.Controllers.Main.criticalErrorTitle": "Erreur",
|
||||
"SSE.Controllers.Main.downloadErrorText": "Téléchargement echoué.",
|
||||
"SSE.Controllers.Main.downloadMergeText": "Téléchargement en cours...",
|
||||
"SSE.Controllers.Main.downloadMergeTitle": "Téléchargement en cours",
|
||||
"SSE.Controllers.Main.downloadTextText": "Téléchargement feuille de calcul en cours...",
|
||||
"SSE.Controllers.Main.downloadTitleText": "Téléchargement feuille de calcul en cours",
|
||||
"SSE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.<br>Veuillez contacter l'administrateur de Document Server.",
|
||||
"SSE.Controllers.Main.errorArgsRange": "Erreur dans la formule entrée.<br>La plage des arguments utilisée est incorrecte.",
|
||||
"SSE.Controllers.Main.errorAutoFilterChange": "L'opération n'est pas autorisée, car elle tente de déplacer les cellules d'un tableau de votre feuille de calcul.",
|
||||
"SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "Impossible de réaliser l'opération sur les cellules sélectionnées car vous ne pouvez pas déplacer une partie du tableau.<br>Sélectionnez une autre plage de données afin que tout le tableau soit déplacé et essayez à nouveau.",
|
||||
"SSE.Controllers.Main.errorAutoFilterDataRange": "Impossible de réaliser l'opération sur la plage de cellules spécifiée.<br>Sélectionnez la plage de données différente de la plage existante et essayez à nouveau.",
|
||||
"SSE.Controllers.Main.errorAutoFilterHiddenRange": "L'opération ne peut pas être effectuée car la zone contient des cellules filtrées.<br>Veuillez afficher des éléments filtrés et réessayez.",
|
||||
"SSE.Controllers.Main.errorBadImageUrl": "URL image incorrecte",
|
||||
"SSE.Controllers.Main.errorChangeArray": "Vous ne pouvez pas modifier des parties d'une tableau. ",
|
||||
"SSE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.",
|
||||
"SSE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.<br>Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.",
|
||||
"SSE.Controllers.Main.errorCopyMultiselectArea": "Impossible d'exécuter cette commande sur des sélections multiples.<br>Sélectionnez une seule plage et essayez à nouveau.",
|
||||
"SSE.Controllers.Main.errorCountArg": "Erreur dans la formule entrée.<br>Le nombre d'arguments utilisé est incorrect.",
|
||||
"SSE.Controllers.Main.errorCountArgExceed": "Erreur dans la formule entrée.<br>Le nombre d'arguments a été dépassé.",
|
||||
"SSE.Controllers.Main.errorCreateDefName": "Actuellement, des plages nommées existantes ne peuvent pas être modifiées et les nouvelles ne peuvent pas être créées,<br> car certaines d'entre eux sont en cours de modification.",
|
||||
"SSE.Controllers.Main.errorDatabaseConnection": "Erreur externe.<br>Erreur de connexion base de données. Contactez l'assistance technique si le problême persiste.",
|
||||
"SSE.Controllers.Main.errorDataEncrypted": "Modifications encodées reçues, mais ne peuvent pas être déchiffrées.",
|
||||
"SSE.Controllers.Main.errorDataRange": "Plage de données incorrecte.",
|
||||
"SSE.Controllers.Main.errorDataValidate": "La valeur saisie est incorrecte.<br>Un utilisateur a restreint les valeurs pouvant être saisies dans cette cellule.",
|
||||
"SSE.Controllers.Main.errorDefaultMessage": "Code d'erreur : %1",
|
||||
"SSE.Controllers.Main.errorEditingDownloadas": "Une erreure s'est produite lors du travail sur le document.<br>Utilisez l'option « Télécharger » pour enregistrer une copie de sauvegarde sur le disque dur de votre système.",
|
||||
"SSE.Controllers.Main.errorFilePassProtect": "Le fichier est protégé par le mot de passe et ne peut pas être ouvert.",
|
||||
"SSE.Controllers.Main.errorFileRequest": "Erreur externe.<br>Erreur de demande de fichier. Contactez l'assistance technique si le problème persiste.",
|
||||
"SSE.Controllers.Main.errorFileSizeExceed": "La taille du fichier dépasse les limites établies sur votre serveur.<br>Veuillez contacter votre administrateur de Document Server pour obtenir plus d'information. ",
|
||||
"SSE.Controllers.Main.errorFileVKey": "Erreur externe.<br>Clé de sécurité incorrecte. Contactez l'assistance technique si le problème persiste.",
|
||||
"SSE.Controllers.Main.errorFillRange": "Impossible de remplir la plage de cellules sélectionnée.<br>Toutes les cellules fusionnées doivent être de la même taille.",
|
||||
"SSE.Controllers.Main.errorFormulaName": "Erreur dans la formule entrée.<br>Le nom de formule utilisé est incorrect.",
|
||||
"SSE.Controllers.Main.errorFormulaParsing": "Une erreur interne lors de l'analyse de la formule.",
|
||||
"SSE.Controllers.Main.errorFrmlMaxLength": "Vous ne pouvez pas ajouter cette formule car sa longueur dépasse le nombre de caractères autorisés<br>Merci de modifier la formule et d'essayer à nouveau. ",
|
||||
"SSE.Controllers.Main.errorFrmlMaxReference": "Vous ne pouvez pas saisir cette formule parce qu'elle est trop longues, ou contient <br>références de cellules, et/ou noms. ",
|
||||
"SSE.Controllers.Main.errorFrmlMaxTextLength": "Les valeurs de texte dans les formules sont limitées à 255 caractères.<br> Utilisez la fonction CONCATENER ou l’opérateur de concaténation (&).",
|
||||
"SSE.Controllers.Main.errorFrmlWrongReferences": "La fonction fait référence à une feuille qui n'existe pas.<br>Veuillez vérifier les données et réessayez.",
|
||||
"SSE.Controllers.Main.errorInvalidRef": "Entrez un nom correct pour la sélection ou une référence valable à laquelle aller.",
|
||||
"SSE.Controllers.Main.errorKeyEncrypt": "Descripteur de clés inconnu",
|
||||
"SSE.Controllers.Main.errorKeyExpire": "Descripteur de clés expiré",
|
||||
"SSE.Controllers.Main.errorLockedAll": "L'opération ne peut pas être faite car la feuille a été verrouillée par un autre utilisateur.",
|
||||
"SSE.Controllers.Main.errorLockedCellPivot": "Impossible de modifier les données d'un tableau croisé dynamique.",
|
||||
"SSE.Controllers.Main.errorLockedWorksheetRename": "La feuille ne peut pas être renommée pour l'instant puisque elle est renommée par un autre utilisateur",
|
||||
"SSE.Controllers.Main.errorMailMergeLoadFile": "Échec du chargement. Merci de choisir un autre fichier",
|
||||
"SSE.Controllers.Main.errorMailMergeSaveFile": "Fusion a échoué.",
|
||||
"SSE.Controllers.Main.errorMaxPoints": "Le nombre maximal de points par graphique est 4096.",
|
||||
"SSE.Controllers.Main.errorMoveRange": "Impossible de modifier une partie d'une cellule fusionnée",
|
||||
"SSE.Controllers.Main.errorMultiCellFormula": "Formules de tableau plusieurs cellules ne sont pas autorisées dans les classeurs.",
|
||||
"SSE.Controllers.Main.errorOpensource": "L'utilisation la version gratuite \"Community version\" permet uniquement la visualisation des documents. Pour avoir accès à l'édition sur mobile, une version commerciale est nécessaire.",
|
||||
"SSE.Controllers.Main.errorOpenWarning": "La longueur de l'une des formules dans le fichier a dépassé <br> le nombre de caractères autorisé, et la formule a été supprimée.",
|
||||
"SSE.Controllers.Main.errorOperandExpected": "La syntaxe de la saisie est incorrecte. Veuillez vérifier la présence de l'une des parenthèses - '(' ou ')'.",
|
||||
"SSE.Controllers.Main.errorPasteMaxRange": "La zone de copie ne correspond pas à la zone de collage.<br>Sélectionnez une zone avec la même taille ou cliquez sur la première cellule d'une ligne pour coller les cellules sélectionnées.",
|
||||
"SSE.Controllers.Main.errorPrintMaxPagesCount": "Malheureusement, il n’est pas possible d’imprimer plus de 1500 pages à la fois en utilisant la version actuelle du programme.<br>Cette restriction sera supprimée dans les versions futures.",
|
||||
"SSE.Controllers.Main.errorProcessSaveResult": "Échec de l'enregistrement",
|
||||
"SSE.Controllers.Main.errorServerVersion": "La version de l'éditeur a été mise à jour. La page sera rechargée pour appliquer les modifications.",
|
||||
"SSE.Controllers.Main.errorSessionAbsolute": "Votre session a expiré. Veuillez recharger la page.",
|
||||
"SSE.Controllers.Main.errorSessionIdle": "Le document n'a pas été modifié depuis trop longtemps. Veuillez recharger la page.",
|
||||
"SSE.Controllers.Main.errorSessionToken": "La connexion au serveur a été interrompue. Veuillez recharger la page.",
|
||||
"SSE.Controllers.Main.errorStockChart": "Ordre lignes incorrect. Pour créer un diagramme boursier, positionnez les données sur la feuille de calcul dans l'ordre suivant :<br>cours à l'ouverture, cours maximal, cours minimal, cours à la clôture.",
|
||||
"SSE.Controllers.Main.errorToken": "Le jeton de sécurité du document n’était pas formé correctement.<br>Veuillez contacter l'administrateur de Document Server.",
|
||||
"SSE.Controllers.Main.errorTokenExpire": "Le jeton de sécurité du document a expiré.<br>Veuillez contactez l'administrateur de Document Server.",
|
||||
"SSE.Controllers.Main.errorUnexpectedGuid": "Erreur externe.<br>GUID imprévue. Contactez l'assistance technique si le problème persiste.",
|
||||
"SSE.Controllers.Main.errorUpdateVersion": "La version du fichier a été changée. La page sera rechargée.",
|
||||
"SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "La connexion internet a été rétablie, la version du fichier est modifiée.<br>Avant de continuer, téléchargez le fichier ou copiez le contenu pour vous assurer que tous les changements ont été enregistrés, et rechargez la page.",
|
||||
"SSE.Controllers.Main.errorUserDrop": "Impossible d'accéder au fichier.",
|
||||
"SSE.Controllers.Main.errorUsersExceed": "Le nombre d'utilisateurs autorisés par le plan tarifaire a été dépassé",
|
||||
"SSE.Controllers.Main.errorViewerDisconnect": "Connexion perdue. le document peut être affiché tout de même,<br>mais ne pourra pas être téléсhargé sans que la connexion soit restaurée et la page rafraichie.",
|
||||
"SSE.Controllers.Main.errorWrongBracketsCount": "Erreur dans la formule entrée.<br>Le nombre de crochets utilisé est incorrect.",
|
||||
"SSE.Controllers.Main.errorWrongOperator": "Erreur dans la formule entrée. Opérateur incorrect utilisé.<br>Veuillez corriger l'erreur.",
|
||||
"SSE.Controllers.Main.leavePageText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.",
|
||||
"SSE.Controllers.Main.loadFontsTextText": "Chargement des données...",
|
||||
"SSE.Controllers.Main.loadFontsTitleText": "Chargement des données",
|
||||
"SSE.Controllers.Main.loadFontTextText": "Chargement des données...",
|
||||
"SSE.Controllers.Main.loadFontTitleText": "Chargement des données",
|
||||
"SSE.Controllers.Main.loadImagesTextText": "Chargement des images...",
|
||||
"SSE.Controllers.Main.loadImagesTitleText": "Chargement des images",
|
||||
"SSE.Controllers.Main.loadImageTextText": "Chargement d'une image...",
|
||||
"SSE.Controllers.Main.loadImageTitleText": "Chargement d'une image",
|
||||
"SSE.Controllers.Main.loadingDocumentTextText": "Chargement feuille de calcul...",
|
||||
"SSE.Controllers.Main.loadingDocumentTitleText": "Chargement feuille de calcul",
|
||||
"SSE.Controllers.Main.mailMergeLoadFileText": "Chargement de la source des données...",
|
||||
"SSE.Controllers.Main.mailMergeLoadFileTitle": "Chargement de la source des données",
|
||||
"SSE.Controllers.Main.notcriticalErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.Main.openErrorText": "Une erreur s’est produite lors de l’ouverture du fichier",
|
||||
"SSE.Controllers.Main.openTextText": "Ouverture du document...",
|
||||
"SSE.Controllers.Main.openTitleText": "Ouverture du document",
|
||||
"SSE.Controllers.Main.pastInMergeAreaError": "Impossible de modifier une partie d'une cellule fusionnée",
|
||||
"SSE.Controllers.Main.printTextText": "Impression du document...",
|
||||
"SSE.Controllers.Main.printTitleText": "Impression du document",
|
||||
"SSE.Controllers.Main.reloadButtonText": "Recharger la page",
|
||||
"SSE.Controllers.Main.requestEditFailedMessageText": "Quelqu'un est en train de modifier ce document. Veuillez réessayer plus tard.",
|
||||
"SSE.Controllers.Main.requestEditFailedTitleText": "Accès refusé",
|
||||
"SSE.Controllers.Main.saveErrorText": "Une erreur s'est produite lors de l'enregistrement du fichier",
|
||||
"SSE.Controllers.Main.savePreparingText": "Préparation à l'enregistrement ",
|
||||
"SSE.Controllers.Main.savePreparingTitle": "Préparation à l'enregistrement en cours. Veuillez patienter...",
|
||||
"SSE.Controllers.Main.saveTextText": "Enregistrement du document...",
|
||||
"SSE.Controllers.Main.saveTitleText": "Enregistrement du document",
|
||||
"SSE.Controllers.Main.scriptLoadError": "La connexion est trop lente, certains éléments ne peuvent pas être chargés. Veuillez recharger la page.",
|
||||
"SSE.Controllers.Main.sendMergeText": "Envoie du résultat de la fusion...",
|
||||
"SSE.Controllers.Main.sendMergeTitle": "Envoie du résultat de la fusion",
|
||||
"SSE.Controllers.Main.textAnonymous": "Anonyme",
|
||||
"SSE.Controllers.Main.textBack": "Retour en arrière",
|
||||
"SSE.Controllers.Main.textBuyNow": "Visiter le site web",
|
||||
"SSE.Controllers.Main.textCancel": "Annuler",
|
||||
"SSE.Controllers.Main.textClose": "Fermer",
|
||||
"SSE.Controllers.Main.textContactUs": "Contacter l'équipe de ventes",
|
||||
"SSE.Controllers.Main.textCustomLoader": "Veuillez noter que conformément aux clauses du contrat de licence vous n'êtes pas autorisé à changer le chargeur.<br>Veuillez contacter notre Service des Ventes pour obtenir le devis.",
|
||||
"SSE.Controllers.Main.textDone": "Effectué",
|
||||
"SSE.Controllers.Main.textGuest": "Invité",
|
||||
"SSE.Controllers.Main.textHasMacros": "Le fichier contient des macros automatiques.<br>Voulez-vous exécuter les macros ?",
|
||||
"SSE.Controllers.Main.textLoadingDocument": "Chargement feuille de calcul",
|
||||
"SSE.Controllers.Main.textNo": "Non",
|
||||
"SSE.Controllers.Main.textNoLicenseTitle": "La limite de la licence est atteinte",
|
||||
"SSE.Controllers.Main.textOK": "OK",
|
||||
"SSE.Controllers.Main.textPaidFeature": "Fonction payée",
|
||||
"SSE.Controllers.Main.textPassword": "Mot de passe",
|
||||
"SSE.Controllers.Main.textPreloader": "Chargement en cours...",
|
||||
"SSE.Controllers.Main.textRemember": "Se souvenir de mon choix",
|
||||
"SSE.Controllers.Main.textShape": "Forme",
|
||||
"SSE.Controllers.Main.textStrict": "Mode strict",
|
||||
"SSE.Controllers.Main.textTryUndoRedo": "Les fonctions annuler/rétablir sont désactivées pour le mode de la co-édition rapide.<br>Cliquez sur le bouton \"Mode strict\" pour passer au mode de la co-édition stricte pour modifier le fichier sans interférence des autres utilisateurs et envoyer vos modifications seulement après leur enregistrement. Vous pouvez basculer entre les modes de la co-édition à l'aide des paramètres avancés de l'éditeur.",
|
||||
"SSE.Controllers.Main.textUsername": "Nom d'utilisateur",
|
||||
"SSE.Controllers.Main.textYes": "Oui",
|
||||
"SSE.Controllers.Main.titleLicenseExp": "Licence expirée",
|
||||
"SSE.Controllers.Main.titleServerVersion": "Editeur mis à jour",
|
||||
"SSE.Controllers.Main.titleUpdateVersion": "La version a été modifiée",
|
||||
"SSE.Controllers.Main.txtAccent": "Accent",
|
||||
"SSE.Controllers.Main.txtArt": "Entrez votre texte",
|
||||
"SSE.Controllers.Main.txtBasicShapes": "Formes de base",
|
||||
"SSE.Controllers.Main.txtButtons": "Boutons",
|
||||
"SSE.Controllers.Main.txtCallouts": "Légendes",
|
||||
"SSE.Controllers.Main.txtCharts": "Diagrammes",
|
||||
"SSE.Controllers.Main.txtDelimiter": "Délimiteur",
|
||||
"SSE.Controllers.Main.txtDiagramTitle": "Titre du diagramme",
|
||||
"SSE.Controllers.Main.txtEditingMode": "Définition du mode d'édition...",
|
||||
"SSE.Controllers.Main.txtEncoding": "Encodage ",
|
||||
"SSE.Controllers.Main.txtErrorLoadHistory": "Échec du chargement de l'historique",
|
||||
"SSE.Controllers.Main.txtFiguredArrows": "Flèches figurées",
|
||||
"SSE.Controllers.Main.txtLines": "Lignes",
|
||||
"SSE.Controllers.Main.txtMath": "Maths",
|
||||
"SSE.Controllers.Main.txtProtected": "Une fois le mot de passe saisi et le ficher ouvert, le mot de passe actuel sera réinitialisé",
|
||||
"SSE.Controllers.Main.txtRectangles": "Rectangles",
|
||||
"SSE.Controllers.Main.txtSeries": "Série",
|
||||
"SSE.Controllers.Main.txtSpace": "Espace",
|
||||
"SSE.Controllers.Main.txtStarsRibbons": "Étoiles et rubans",
|
||||
"SSE.Controllers.Main.txtStyle_Bad": "Incorrect",
|
||||
"SSE.Controllers.Main.txtStyle_Calculation": "Calcul",
|
||||
"SSE.Controllers.Main.txtStyle_Check_Cell": "Vérifier cellule",
|
||||
"SSE.Controllers.Main.txtStyle_Comma": "Virgule",
|
||||
"SSE.Controllers.Main.txtStyle_Currency": "Devise",
|
||||
"SSE.Controllers.Main.txtStyle_Explanatory_Text": "Texte explicatif",
|
||||
"SSE.Controllers.Main.txtStyle_Good": "Correct",
|
||||
"SSE.Controllers.Main.txtStyle_Heading_1": "Titre 1",
|
||||
"SSE.Controllers.Main.txtStyle_Heading_2": "Titre 2",
|
||||
"SSE.Controllers.Main.txtStyle_Heading_3": "Titre 3",
|
||||
"SSE.Controllers.Main.txtStyle_Heading_4": "Titre 4",
|
||||
"SSE.Controllers.Main.txtStyle_Input": "Entrée",
|
||||
"SSE.Controllers.Main.txtStyle_Linked_Cell": "Cellule liée",
|
||||
"SSE.Controllers.Main.txtStyle_Neutral": "Neutre",
|
||||
"SSE.Controllers.Main.txtStyle_Normal": "Normal",
|
||||
"SSE.Controllers.Main.txtStyle_Note": "Remarque",
|
||||
"SSE.Controllers.Main.txtStyle_Output": "Sortie",
|
||||
"SSE.Controllers.Main.txtStyle_Percent": "Pourcentage",
|
||||
"SSE.Controllers.Main.txtStyle_Title": "Titre",
|
||||
"SSE.Controllers.Main.txtStyle_Total": "Total",
|
||||
"SSE.Controllers.Main.txtStyle_Warning_Text": "Texte d'avertissement",
|
||||
"SSE.Controllers.Main.txtTab": "Tabulation",
|
||||
"SSE.Controllers.Main.txtXAxis": "Axe X",
|
||||
"SSE.Controllers.Main.txtYAxis": "Axe Y",
|
||||
"SSE.Controllers.Main.unknownErrorText": "Erreur inconnue.",
|
||||
"SSE.Controllers.Main.unsupportedBrowserErrorText": "Votre navigateur n'est pas pris en charge.",
|
||||
"SSE.Controllers.Main.uploadImageExtMessage": "Format d'image inconnu.",
|
||||
"SSE.Controllers.Main.uploadImageFileCountMessage": "Aucune image chargée.",
|
||||
"SSE.Controllers.Main.uploadImageSizeMessage": "La taille de l'image dépasse la limite maximale.",
|
||||
"SSE.Controllers.Main.uploadImageTextText": "Chargement d'une image en cours...",
|
||||
"SSE.Controllers.Main.uploadImageTitleText": "Chargement d'une image",
|
||||
"SSE.Controllers.Main.waitText": "Veuillez patienter...",
|
||||
"SSE.Controllers.Main.warnLicenseExceeded": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert à la lecture seulement.<br>Contactez votre administrateur pour en savoir davantage.",
|
||||
"SSE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.<br>Veuillez mettre à jour votre licence et actualisez la page.",
|
||||
"SSE.Controllers.Main.warnLicenseLimitedNoAccess": "La licence est expirée.<br>Vous n'avez plus d'accès aux outils d'édition.<br>Veuillez contacter votre administrateur.",
|
||||
"SSE.Controllers.Main.warnLicenseLimitedRenewed": "Il est indispensable de renouveler la licence.<br>Vous avez un accès limité aux outils d'édition des documents.<br>Veuillez contacter votre administrateur pour obtenir un accès complet",
|
||||
"SSE.Controllers.Main.warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez votre administrateur pour en savoir davantage.",
|
||||
"SSE.Controllers.Main.warnNoLicense": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert à la lecture seulement.<br>Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.",
|
||||
"SSE.Controllers.Main.warnNoLicenseUsers": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.",
|
||||
"SSE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.",
|
||||
"SSE.Controllers.Search.textNoTextFound": "Le texte est introuvable",
|
||||
"SSE.Controllers.Search.textReplaceAll": "Remplacer tout",
|
||||
"SSE.Controllers.Settings.notcriticalErrorTitle": "Avertissement",
|
||||
"SSE.Controllers.Settings.txtDe": "Allemand",
|
||||
"SSE.Controllers.Settings.txtEn": "Anglais",
|
||||
"SSE.Controllers.Settings.txtEs": "Espanol",
|
||||
"SSE.Controllers.Settings.txtFr": "Français",
|
||||
"SSE.Controllers.Settings.txtIt": "Italien",
|
||||
"SSE.Controllers.Settings.txtPl": "Polonais",
|
||||
"SSE.Controllers.Settings.txtRu": "Russe",
|
||||
"SSE.Controllers.Settings.warnDownloadAs": "Si vous enregistrez dans ce format, seulement le texte sera conservé.<br>Voulez-vous vraiment continuer ?",
|
||||
"SSE.Controllers.Statusbar.cancelButtonText": "Annuler",
|
||||
"SSE.Controllers.Statusbar.errNameExists": "Feuulle de travail portant ce nom existe déjà.",
|
||||
"SSE.Controllers.Statusbar.errNameWrongChar": "Le nom d'une feuille ne peut pas contenir les caractères suivants: \\ / * ? [ ] :",
|
||||
"SSE.Controllers.Statusbar.errNotEmpty": "Le nom de feuille ne peut pas être vide. ",
|
||||
"SSE.Controllers.Statusbar.errorLastSheet": "Un classeur doit avoir au moins une feuille de calcul visible.",
|
||||
"SSE.Controllers.Statusbar.errorRemoveSheet": "Impossible de supprimer la feuille de calcul.",
|
||||
"SSE.Controllers.Statusbar.menuDelete": "Supprimer",
|
||||
"SSE.Controllers.Statusbar.menuDuplicate": "Dupliquer",
|
||||
"SSE.Controllers.Statusbar.menuHide": "Masquer",
|
||||
"SSE.Controllers.Statusbar.menuMore": "Davantage",
|
||||
"SSE.Controllers.Statusbar.menuRename": "Renommer",
|
||||
"SSE.Controllers.Statusbar.menuUnhide": "Afficher",
|
||||
"SSE.Controllers.Statusbar.notcriticalErrorTitle": "Alerte",
|
||||
"SSE.Controllers.Statusbar.strRenameSheet": "Renommer la feuille",
|
||||
"SSE.Controllers.Statusbar.strSheet": "Feuille",
|
||||
"SSE.Controllers.Statusbar.strSheetName": "Nom de la feuille",
|
||||
"SSE.Controllers.Statusbar.textExternalLink": "Lien externe",
|
||||
"SSE.Controllers.Statusbar.warnDeleteSheet": "Une feuille de calcul peut contenir des données. Continuer l'opération ?",
|
||||
"SSE.Controllers.Toolbar.dlgLeaveMsgText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette page' pour ignorer toutes les modifications non enregistrées.",
|
||||
"SSE.Controllers.Toolbar.dlgLeaveTitleText": "Vous quittez l'application",
|
||||
"SSE.Controllers.Toolbar.leaveButtonText": "Quitter cette page",
|
||||
"SSE.Controllers.Toolbar.stayButtonText": "Rester sur cette page",
|
||||
"SSE.Views.AddFunction.sCatDateAndTime": "Date et heure",
|
||||
"SSE.Views.AddFunction.sCatEngineering": "Ingénierie",
|
||||
"SSE.Views.AddFunction.sCatFinancial": "Financier",
|
||||
"SSE.Views.AddFunction.sCatInformation": "Information",
|
||||
"SSE.Views.AddFunction.sCatLogical": "Logical",
|
||||
"SSE.Views.AddFunction.sCatLookupAndReference": "Recherche et référence",
|
||||
"SSE.Views.AddFunction.sCatMathematic": "Maths et trigonométrie",
|
||||
"SSE.Views.AddFunction.sCatStatistical": "Statistiques",
|
||||
"SSE.Views.AddFunction.sCatTextAndData": "Texte et données",
|
||||
"SSE.Views.AddFunction.textBack": "Retour en arrière",
|
||||
"SSE.Views.AddFunction.textGroups": "Catégories",
|
||||
"SSE.Views.AddLink.textAddLink": "Ajouter lien",
|
||||
"SSE.Views.AddLink.textAddress": "Adresse",
|
||||
"SSE.Views.AddLink.textDisplay": "Affichage",
|
||||
"SSE.Views.AddLink.textExternalLink": "Lien externe",
|
||||
"SSE.Views.AddLink.textInsert": "Insérer",
|
||||
"SSE.Views.AddLink.textInternalLink": "Plage de données interne",
|
||||
"SSE.Views.AddLink.textLink": "Lien",
|
||||
"SSE.Views.AddLink.textLinkType": "Type de lien",
|
||||
"SSE.Views.AddLink.textRange": "Plage",
|
||||
"SSE.Views.AddLink.textRequired": "Requis",
|
||||
"SSE.Views.AddLink.textSelectedRange": "Plage sélectionnée",
|
||||
"SSE.Views.AddLink.textSheet": "Feuille",
|
||||
"SSE.Views.AddLink.textTip": "Info-bulle",
|
||||
"SSE.Views.AddOther.textAddComment": "Ajouter commentaire",
|
||||
"SSE.Views.AddOther.textAddress": "Adresse",
|
||||
"SSE.Views.AddOther.textBack": "Retour",
|
||||
"SSE.Views.AddOther.textComment": "Commentaire",
|
||||
"SSE.Views.AddOther.textDone": "Effectué",
|
||||
"SSE.Views.AddOther.textFilter": "Filtre",
|
||||
"SSE.Views.AddOther.textFromLibrary": "Image de la bibliothèque",
|
||||
"SSE.Views.AddOther.textFromURL": "Image à partir d'une URL",
|
||||
"SSE.Views.AddOther.textImageURL": "URL image",
|
||||
"SSE.Views.AddOther.textInsert": "Insérer",
|
||||
"SSE.Views.AddOther.textInsertImage": "Insérer une image",
|
||||
"SSE.Views.AddOther.textLink": "Lien",
|
||||
"SSE.Views.AddOther.textLinkSettings": "Paramètres de lien",
|
||||
"SSE.Views.AddOther.textSort": "Trier et filtrer",
|
||||
"SSE.Views.EditCell.textAccounting": "Comptabilité",
|
||||
"SSE.Views.EditCell.textAddCustomColor": "Ajouter couleur personnalisée",
|
||||
"SSE.Views.EditCell.textAlignBottom": "Aligner en bas",
|
||||
"SSE.Views.EditCell.textAlignCenter": "Aligner au centre",
|
||||
"SSE.Views.EditCell.textAlignLeft": "Aligner à gauche",
|
||||
"SSE.Views.EditCell.textAlignMiddle": "Aligner au milieu",
|
||||
"SSE.Views.EditCell.textAlignRight": "Aligner à droite",
|
||||
"SSE.Views.EditCell.textAlignTop": "Aligner en haut",
|
||||
"SSE.Views.EditCell.textAllBorders": "Toutes les bordures",
|
||||
"SSE.Views.EditCell.textAngleClockwise": "Rotation dans le sens des aiguilles d'une montre",
|
||||
"SSE.Views.EditCell.textAngleCounterclockwise": "Rotation dans le sens inverse des aiguilles d'une montre",
|
||||
"SSE.Views.EditCell.textBack": "Retour",
|
||||
"SSE.Views.EditCell.textBorderStyle": "Style de bordure",
|
||||
"SSE.Views.EditCell.textBottomBorder": "Bordure inférieure",
|
||||
"SSE.Views.EditCell.textCellStyle": "Styles cellule",
|
||||
"SSE.Views.EditCell.textCharacterBold": "B",
|
||||
"SSE.Views.EditCell.textCharacterItalic": "I",
|
||||
"SSE.Views.EditCell.textCharacterUnderline": "U",
|
||||
"SSE.Views.EditCell.textColor": "Couleur",
|
||||
"SSE.Views.EditCell.textCurrency": "Devise",
|
||||
"SSE.Views.EditCell.textCustomColor": "Couleur personnalisée",
|
||||
"SSE.Views.EditCell.textDate": "Date",
|
||||
"SSE.Views.EditCell.textDiagDownBorder": "Bordure diagonale vers le bas",
|
||||
"SSE.Views.EditCell.textDiagUpBorder": "Bordure diagonale vers le haut",
|
||||
"SSE.Views.EditCell.textDollar": "Dollar",
|
||||
"SSE.Views.EditCell.textEuro": "Euro",
|
||||
"SSE.Views.EditCell.textFillColor": "Couleur remplissage",
|
||||
"SSE.Views.EditCell.textFonts": "Polices",
|
||||
"SSE.Views.EditCell.textFormat": "Format",
|
||||
"SSE.Views.EditCell.textGeneral": "Général",
|
||||
"SSE.Views.EditCell.textHorizontalText": "Texte horizontal",
|
||||
"SSE.Views.EditCell.textInBorders": "Bordures intérieures",
|
||||
"SSE.Views.EditCell.textInHorBorder": "Bordure intérieure horizontale",
|
||||
"SSE.Views.EditCell.textInteger": "Entier",
|
||||
"SSE.Views.EditCell.textInVertBorder": "Bordure intérieure verticale",
|
||||
"SSE.Views.EditCell.textJustified": "Justifié",
|
||||
"SSE.Views.EditCell.textLeftBorder": "Bordure gauche",
|
||||
"SSE.Views.EditCell.textMedium": "Moyen",
|
||||
"SSE.Views.EditCell.textNoBorder": "Sans bordures",
|
||||
"SSE.Views.EditCell.textNumber": "Numérique",
|
||||
"SSE.Views.EditCell.textPercentage": "Pourcentage",
|
||||
"SSE.Views.EditCell.textPound": "Livre",
|
||||
"SSE.Views.EditCell.textRightBorder": "Bordure droite",
|
||||
"SSE.Views.EditCell.textRotateTextDown": "Rotation du texte vers le bas",
|
||||
"SSE.Views.EditCell.textRotateTextUp": "Rotation du texte vers le haut",
|
||||
"SSE.Views.EditCell.textRouble": "Rouble",
|
||||
"SSE.Views.EditCell.textScientific": "Scientifique",
|
||||
"SSE.Views.EditCell.textSize": "Taille",
|
||||
"SSE.Views.EditCell.textText": "Texte",
|
||||
"SSE.Views.EditCell.textTextColor": "Couleur du texte",
|
||||
"SSE.Views.EditCell.textTextFormat": "Format du texte",
|
||||
"SSE.Views.EditCell.textTextOrientation": "Orientation texte",
|
||||
"SSE.Views.EditCell.textThick": "Épaisses",
|
||||
"SSE.Views.EditCell.textThin": "Fines",
|
||||
"SSE.Views.EditCell.textTime": "Heure",
|
||||
"SSE.Views.EditCell.textTopBorder": "Bordure supérieure",
|
||||
"SSE.Views.EditCell.textVerticalText": "Texte vertical",
|
||||
"SSE.Views.EditCell.textWrapText": "Envelopper le texte ",
|
||||
"SSE.Views.EditCell.textYen": "Yen",
|
||||
"SSE.Views.EditChart.textAddCustomColor": "Ajouter couleur personnalisée",
|
||||
"SSE.Views.EditChart.textAuto": "Auto",
|
||||
"SSE.Views.EditChart.textAxisCrosses": "Croisements de l'axe",
|
||||
"SSE.Views.EditChart.textAxisOptions": "Options d'axe",
|
||||
"SSE.Views.EditChart.textAxisPosition": "Position de l'axe",
|
||||
"SSE.Views.EditChart.textAxisTitle": "Titre de l’axe",
|
||||
"SSE.Views.EditChart.textBack": "Retour en arrière",
|
||||
"SSE.Views.EditChart.textBackward": "Déplacer vers l'arrière",
|
||||
"SSE.Views.EditChart.textBorder": "Bordure",
|
||||
"SSE.Views.EditChart.textBottom": "En bas",
|
||||
"SSE.Views.EditChart.textChart": "Diagramme",
|
||||
"SSE.Views.EditChart.textChartTitle": "Titre du diagramme",
|
||||
"SSE.Views.EditChart.textColor": "Couleur",
|
||||
"SSE.Views.EditChart.textCrossesValue": "Valeur croisements",
|
||||
"SSE.Views.EditChart.textCustomColor": "Couleur personnalisée",
|
||||
"SSE.Views.EditChart.textDataLabels": "Libellés de données",
|
||||
"SSE.Views.EditChart.textDesign": "Stylique",
|
||||
"SSE.Views.EditChart.textDisplayUnits": "Unités affichage",
|
||||
"SSE.Views.EditChart.textFill": "Remplissage",
|
||||
"SSE.Views.EditChart.textForward": "Déplacer vers l'avant",
|
||||
"SSE.Views.EditChart.textGridlines": "Quadrillage",
|
||||
"SSE.Views.EditChart.textHorAxis": "Axe horizontal",
|
||||
"SSE.Views.EditChart.textHorizontal": "Horizontal",
|
||||
"SSE.Views.EditChart.textLabelOptions": "Options d'étiquettes",
|
||||
"SSE.Views.EditChart.textLabelPos": "Position de l'étiquette",
|
||||
"SSE.Views.EditChart.textLayout": "Disposition",
|
||||
"SSE.Views.EditChart.textLeft": "Gauche",
|
||||
"SSE.Views.EditChart.textLeftOverlay": "Superposition à gauche",
|
||||
"SSE.Views.EditChart.textLegend": "Légende",
|
||||
"SSE.Views.EditChart.textMajor": "Principal",
|
||||
"SSE.Views.EditChart.textMajorMinor": "Principales et secondaires ",
|
||||
"SSE.Views.EditChart.textMajorType": "Type principal",
|
||||
"SSE.Views.EditChart.textMaxValue": "Valeur maximale",
|
||||
"SSE.Views.EditChart.textMinor": "Secondaires",
|
||||
"SSE.Views.EditChart.textMinorType": "Type secondaire",
|
||||
"SSE.Views.EditChart.textMinValue": "Valeur minimale",
|
||||
"SSE.Views.EditChart.textNone": "Aucun",
|
||||
"SSE.Views.EditChart.textNoOverlay": "Sans superposition",
|
||||
"SSE.Views.EditChart.textOverlay": "Superposition",
|
||||
"SSE.Views.EditChart.textRemoveChart": "Supprimer le graphique",
|
||||
"SSE.Views.EditChart.textReorder": "Réorganiser",
|
||||
"SSE.Views.EditChart.textRight": "À droite",
|
||||
"SSE.Views.EditChart.textRightOverlay": "Superposition à droite",
|
||||
"SSE.Views.EditChart.textRotated": "Incliné",
|
||||
"SSE.Views.EditChart.textSize": "Taille",
|
||||
"SSE.Views.EditChart.textStyle": "Style",
|
||||
"SSE.Views.EditChart.textTickOptions": "Options de graduations",
|
||||
"SSE.Views.EditChart.textToBackground": "Mettre en arrière-plan",
|
||||
"SSE.Views.EditChart.textToForeground": "Amener au premier plan",
|
||||
"SSE.Views.EditChart.textTop": "En haut",
|
||||
"SSE.Views.EditChart.textType": "Type",
|
||||
"SSE.Views.EditChart.textValReverseOrder": "Valeurs en ordre inverse",
|
||||
"SSE.Views.EditChart.textVerAxis": "Axe vertical",
|
||||
"SSE.Views.EditChart.textVertical": "Vertical",
|
||||
"SSE.Views.EditHyperlink.textBack": "Retour en arrière",
|
||||
"SSE.Views.EditHyperlink.textDisplay": "Affichage",
|
||||
"SSE.Views.EditHyperlink.textEditLink": "Editer lien",
|
||||
"SSE.Views.EditHyperlink.textExternalLink": "Lien externe",
|
||||
"SSE.Views.EditHyperlink.textInternalLink": "Plage de données interne",
|
||||
"SSE.Views.EditHyperlink.textLink": "Lien",
|
||||
"SSE.Views.EditHyperlink.textLinkType": "Type de lien",
|
||||
"SSE.Views.EditHyperlink.textRange": "Plage",
|
||||
"SSE.Views.EditHyperlink.textRemoveLink": "Supprimer le lien",
|
||||
"SSE.Views.EditHyperlink.textScreenTip": "Info-bulle",
|
||||
"SSE.Views.EditHyperlink.textSheet": "Feuille",
|
||||
"SSE.Views.EditImage.textAddress": "Adresse",
|
||||
"SSE.Views.EditImage.textBack": "Retour en arrière",
|
||||
"SSE.Views.EditImage.textBackward": "Déplacer vers l'arrière",
|
||||
"SSE.Views.EditImage.textDefault": "Taille actuelle",
|
||||
"SSE.Views.EditImage.textForward": "Déplacer vers l'avant",
|
||||
"SSE.Views.EditImage.textFromLibrary": "Image de la bibliothèque",
|
||||
"SSE.Views.EditImage.textFromURL": "Image à partir d'une URL",
|
||||
"SSE.Views.EditImage.textImageURL": "URL image",
|
||||
"SSE.Views.EditImage.textLinkSettings": "Paramètres de lien",
|
||||
"SSE.Views.EditImage.textRemove": "Supprimer l'image",
|
||||
"SSE.Views.EditImage.textReorder": "Réorganiser",
|
||||
"SSE.Views.EditImage.textReplace": "Remplacer",
|
||||
"SSE.Views.EditImage.textReplaceImg": "Remplacer l’image",
|
||||
"SSE.Views.EditImage.textToBackground": "Mettre en arrière-plan",
|
||||
"SSE.Views.EditImage.textToForeground": "Amener au premier plan",
|
||||
"SSE.Views.EditShape.textAddCustomColor": "Ajouter couleur personnalisée",
|
||||
"SSE.Views.EditShape.textBack": "Retour en arrière",
|
||||
"SSE.Views.EditShape.textBackward": "Déplacer vers l'arrière",
|
||||
"SSE.Views.EditShape.textBorder": "Bordure",
|
||||
"SSE.Views.EditShape.textColor": "Couleur",
|
||||
"SSE.Views.EditShape.textCustomColor": "Couleur personnalisée",
|
||||
"SSE.Views.EditShape.textEffects": "Effets",
|
||||
"SSE.Views.EditShape.textFill": "Remplissage",
|
||||
"SSE.Views.EditShape.textForward": "Déplacer vers l'avant",
|
||||
"SSE.Views.EditShape.textOpacity": "Opacité",
|
||||
"SSE.Views.EditShape.textRemoveShape": "Supprimer la forme",
|
||||
"SSE.Views.EditShape.textReorder": "Réorganiser",
|
||||
"SSE.Views.EditShape.textReplace": "Remplacer",
|
||||
"SSE.Views.EditShape.textSize": "Taille",
|
||||
"SSE.Views.EditShape.textStyle": "Style",
|
||||
"SSE.Views.EditShape.textToBackground": "Mettre en arrière-plan",
|
||||
"SSE.Views.EditShape.textToForeground": "Amener au premier plan",
|
||||
"SSE.Views.EditText.textAddCustomColor": "Ajouter couleur personnalisée",
|
||||
"SSE.Views.EditText.textBack": "Retour en arrière",
|
||||
"SSE.Views.EditText.textCharacterBold": "B",
|
||||
"SSE.Views.EditText.textCharacterItalic": "I",
|
||||
"SSE.Views.EditText.textCharacterUnderline": "U",
|
||||
"SSE.Views.EditText.textCustomColor": "Couleur personnalisée",
|
||||
"SSE.Views.EditText.textFillColor": "Couleur remplissage",
|
||||
"SSE.Views.EditText.textFonts": "Polices",
|
||||
"SSE.Views.EditText.textSize": "Taille",
|
||||
"SSE.Views.EditText.textTextColor": "Couleur du texte",
|
||||
"SSE.Views.FilterOptions.textClearFilter": "Effacer filtre",
|
||||
"SSE.Views.FilterOptions.textDeleteFilter": "Supprimer filtre",
|
||||
"SSE.Views.FilterOptions.textFilter": "Options filtre",
|
||||
"SSE.Views.Search.textByColumns": "Par colonnes",
|
||||
"SSE.Views.Search.textByRows": "Par lignes",
|
||||
"SSE.Views.Search.textDone": "Effectué",
|
||||
"SSE.Views.Search.textFind": "Rechercher",
|
||||
"SSE.Views.Search.textFindAndReplace": "Rechercher et remplacer",
|
||||
"SSE.Views.Search.textFormulas": "Formules",
|
||||
"SSE.Views.Search.textHighlightRes": "Surligner résultats",
|
||||
"SSE.Views.Search.textLookIn": "Rechercher dans",
|
||||
"SSE.Views.Search.textMatchCase": "Respecter la casse",
|
||||
"SSE.Views.Search.textMatchCell": "Respecter la cellule",
|
||||
"SSE.Views.Search.textReplace": "Remplacer",
|
||||
"SSE.Views.Search.textSearch": "Rechercher",
|
||||
"SSE.Views.Search.textSearchBy": "Recherche",
|
||||
"SSE.Views.Search.textSearchIn": "Сhamp de recherche",
|
||||
"SSE.Views.Search.textSheet": "Feuille",
|
||||
"SSE.Views.Search.textValues": "Valeurs",
|
||||
"SSE.Views.Search.textWorkbook": "Classeur",
|
||||
"SSE.Views.Settings.textAbout": "À propos de",
|
||||
"SSE.Views.Settings.textAddress": "adresse",
|
||||
"SSE.Views.Settings.textApplication": "Application",
|
||||
"SSE.Views.Settings.textApplicationSettings": "Réglages application",
|
||||
"SSE.Views.Settings.textAuthor": "Auteur",
|
||||
"SSE.Views.Settings.textBack": "Retour",
|
||||
"SSE.Views.Settings.textBottom": "En bas",
|
||||
"SSE.Views.Settings.textCentimeter": "Centimètre",
|
||||
"SSE.Views.Settings.textCollaboration": "Collaboration",
|
||||
"SSE.Views.Settings.textColorSchemes": "Jeux de couleurs",
|
||||
"SSE.Views.Settings.textComment": "Commentaire",
|
||||
"SSE.Views.Settings.textCommentingDisplay": "Affichage commentaires ",
|
||||
"SSE.Views.Settings.textCreated": "Créé",
|
||||
"SSE.Views.Settings.textCreateDate": "Date de création",
|
||||
"SSE.Views.Settings.textCustom": "Personnalisé",
|
||||
"SSE.Views.Settings.textCustomSize": "Taille personnalisée",
|
||||
"SSE.Views.Settings.textDisableAll": "Désactiver tout",
|
||||
"SSE.Views.Settings.textDisableAllMacrosWithNotification": "Désactiver tous les macros avec notification",
|
||||
"SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "Désactiver tous les macros sans notification",
|
||||
"SSE.Views.Settings.textDisplayComments": "Commentaires",
|
||||
"SSE.Views.Settings.textDisplayResolvedComments": "Commentaires résolus",
|
||||
"SSE.Views.Settings.textDocInfo": "Infos sur tableur",
|
||||
"SSE.Views.Settings.textDocTitle": "Titre du classeur",
|
||||
"SSE.Views.Settings.textDone": "Effectué",
|
||||
"SSE.Views.Settings.textDownload": "Télécharger",
|
||||
"SSE.Views.Settings.textDownloadAs": "Télécharger comme...",
|
||||
"SSE.Views.Settings.textEditDoc": "Editer document",
|
||||
"SSE.Views.Settings.textEmail": "e-mail",
|
||||
"SSE.Views.Settings.textEnableAll": "Activer tout",
|
||||
"SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Activer tous les macros sans notification",
|
||||
"SSE.Views.Settings.textExample": "Exemple",
|
||||
"SSE.Views.Settings.textFind": "Rechercher",
|
||||
"SSE.Views.Settings.textFindAndReplace": "Rechercher et remplacer",
|
||||
"SSE.Views.Settings.textFormat": "Format",
|
||||
"SSE.Views.Settings.textFormulaLanguage": "Langage formule",
|
||||
"SSE.Views.Settings.textHelp": "Aide",
|
||||
"SSE.Views.Settings.textHideGridlines": "Masquer quadrillage",
|
||||
"SSE.Views.Settings.textHideHeadings": "Masquer en-têtes",
|
||||
"SSE.Views.Settings.textInch": "Pouce",
|
||||
"SSE.Views.Settings.textLandscape": "Paysage",
|
||||
"SSE.Views.Settings.textLastModified": "Dernière modification",
|
||||
"SSE.Views.Settings.textLastModifiedBy": "Dernière modification par",
|
||||
"SSE.Views.Settings.textLeft": "À gauche",
|
||||
"SSE.Views.Settings.textLoading": "Chargement en cours...",
|
||||
"SSE.Views.Settings.textLocation": "Emplacement",
|
||||
"SSE.Views.Settings.textMacrosSettings": "Réglages macros",
|
||||
"SSE.Views.Settings.textMargins": "Marges",
|
||||
"SSE.Views.Settings.textOrientation": "Orientation",
|
||||
"SSE.Views.Settings.textOwner": "Propriétaire",
|
||||
"SSE.Views.Settings.textPoint": "Point",
|
||||
"SSE.Views.Settings.textPortrait": "Portrait",
|
||||
"SSE.Views.Settings.textPoweredBy": "Propulsé par ",
|
||||
"SSE.Views.Settings.textPrint": "Imprimer",
|
||||
"SSE.Views.Settings.textR1C1Style": "Style de référence L1C1",
|
||||
"SSE.Views.Settings.textRegionalSettings": "Paramètres régionaux",
|
||||
"SSE.Views.Settings.textRight": "À droit",
|
||||
"SSE.Views.Settings.textSettings": "Paramètres",
|
||||
"SSE.Views.Settings.textShowNotification": "Montrer notification",
|
||||
"SSE.Views.Settings.textSpreadsheetFormats": "Formats de feuille de calcul",
|
||||
"SSE.Views.Settings.textSpreadsheetSettings": "Paramètres de feuille de calcul",
|
||||
"SSE.Views.Settings.textSubject": "Sujet",
|
||||
"SSE.Views.Settings.textTel": "tél.",
|
||||
"SSE.Views.Settings.textTitle": "Titre",
|
||||
"SSE.Views.Settings.textTop": "En haut",
|
||||
"SSE.Views.Settings.textUnitOfMeasurement": "Unité de mesure",
|
||||
"SSE.Views.Settings.textUploaded": "Chargé",
|
||||
"SSE.Views.Settings.textVersion": "Version",
|
||||
"SSE.Views.Settings.unknownText": "Inconnu",
|
||||
"SSE.Views.Toolbar.textBack": "Retour en arrière"
|
||||
"About": {
|
||||
"textAbout": "A propos",
|
||||
"textAddress": "Adresse",
|
||||
"textBack": "Retour"
|
||||
},
|
||||
"Common": {
|
||||
"Collaboration": {
|
||||
"textAddComment": "Ajouter un commentaire",
|
||||
"textAddReply": "Ajouter une réponse",
|
||||
"textBack": "Retour"
|
||||
}
|
||||
},
|
||||
"ContextMenu": {
|
||||
"menuAddComment": "Ajouter un commentaire",
|
||||
"menuAddLink": "Ajouter un lien"
|
||||
},
|
||||
"Controller": {
|
||||
"Main": {
|
||||
"SDK": {
|
||||
"txtAccent": "Accentuation",
|
||||
"txtStyle_Bad": "Incorrect"
|
||||
},
|
||||
"textAnonymous": "Anonyme"
|
||||
}
|
||||
},
|
||||
"Error": {
|
||||
"errorArgsRange": "Il y a une erreur dans la formule : Plage d'arguments incorrecte.",
|
||||
"errorCountArg": "Il y a une erreur dans la formule : nombre d'arguments incorrecte.",
|
||||
"errorCountArgExceed": "Il y a une erreur dans la formule : Nombre maximal d'arguments dépassé.",
|
||||
"errorFormulaName": "Il y a une erreur dans la formule : nom de la formule incorrecte.",
|
||||
"errorWrongBracketsCount": "Il y a une erreur dans la formule : Mauvais nombre de parenthèses.",
|
||||
"errorWrongOperator": "Une erreur dans la formule. L'opérateur n'est pas valide. Corriger l'erreur ou presser Echap pour annuler l'édition de la formule.",
|
||||
"openErrorText": "Une erreur s’est produite lors de l’ouverture du fichier",
|
||||
"saveErrorText": "Une erreur s'est produite lors de l'enregistrement du fichier"
|
||||
},
|
||||
"Statusbar": {
|
||||
"textErrNameWrongChar": "Un nom de feuille ne peut pas contenir les caractères suivants : \\, /, *, ?, [, ], :"
|
||||
},
|
||||
"View": {
|
||||
"Add": {
|
||||
"textAddLink": "Ajouter un lien",
|
||||
"textAddress": "Adresse",
|
||||
"textBack": "Retour"
|
||||
},
|
||||
"Edit": {
|
||||
"textAccounting": "Comptabilité",
|
||||
"textActualSize": "Taille par défaut",
|
||||
"textAddCustomColor": "Ajouter une couleur personnalisée",
|
||||
"textAddress": "Adresse",
|
||||
"textAlign": "Aligner",
|
||||
"textAlignBottom": "Aligner en bas",
|
||||
"textAlignCenter": "Alignement centré",
|
||||
"textAlignLeft": "Aligner à gauche",
|
||||
"textAlignMiddle": "Aligner au milieu",
|
||||
"textAlignRight": "Aligner à droite",
|
||||
"textAlignTop": "Aligner en haut",
|
||||
"textAllBorders": "Toutes les bordures",
|
||||
"textBack": "Retour",
|
||||
"textBillions": "Milliards",
|
||||
"textBorder": "Bordure",
|
||||
"textBorderStyle": "Style de bordure",
|
||||
"textEmptyItem": "{Blancs}",
|
||||
"textHundredMil": "100000000",
|
||||
"textHundredThousands": "100000",
|
||||
"textTenMillions": "10000000",
|
||||
"textTenThousands": "10000"
|
||||
},
|
||||
"Settings": {
|
||||
"textAbout": "A propos",
|
||||
"textAddress": "Adresse",
|
||||
"textApplication": "Application",
|
||||
"textApplicationSettings": "Paramètres de l'application",
|
||||
"textAuthor": "Auteur",
|
||||
"textBack": "Retour"
|
||||
}
|
||||
}
|
||||
}
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Reference in a new issue