Merge branch 'develop' into feature/view-tab-settings

This commit is contained in:
Julia Radzhabova 2022-10-27 21:40:53 +03:00
commit 9af3a79df7
226 changed files with 6176 additions and 491 deletions

View file

@ -10,7 +10,7 @@
</head> </head>
<body> <body>
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<script type="text/javascript" src="../../../../sdkjs/common/AllFonts.js"></script> <script type="text/javascript" src="../../../../sdkjs/common/AllFonts.js"></script>
<script type="text/javascript" src="../../../../sdkjs/word/sdk-all-min.js"></script> <script type="text/javascript" src="../../../../sdkjs/word/sdk-all-min.js"></script>

View file

@ -407,8 +407,9 @@ define([
}, },
selectCandidate: function() { selectCandidate: function() {
var index = this._search.index || 0, var index = (this._search.index && this._search.index != -1) ? this._search.index : 0,
re = new RegExp('^' + ((this._search.full) ? this._search.text : this._search.char), 'i'), re = new RegExp('^' + ((this._search.full) ? this._search.text : this._search.char), 'i'),
isFirstCharsEqual = re.test(this.store.at(index).get(this.displayField)),
itemCandidate, idxCandidate; itemCandidate, idxCandidate;
for (var i=0; i<this.store.length; i++) { for (var i=0; i<this.store.length; i++) {
@ -417,6 +418,8 @@ define([
if (!itemCandidate) { if (!itemCandidate) {
itemCandidate = item; itemCandidate = item;
idxCandidate = i; idxCandidate = i;
if(!isFirstCharsEqual)
break;
} }
if (this._search.full && i==index || i>index) { if (this._search.full && i==index || i>index) {
itemCandidate = item; itemCandidate = item;

View file

@ -472,8 +472,9 @@ define([
}, },
selectCandidate: function() { selectCandidate: function() {
var index = this._search.index || 0, var index = (this._search.index && this._search.index != -1) ? this._search.index : 0,
re = new RegExp('^' + ((this._search.full) ? this._search.text : this._search.char), 'i'), re = new RegExp('^' + ((this._search.full) ? this._search.text : this._search.char), 'i'),
isFirstCharsEqual = re.test(this.items[index].caption),
itemCandidate, idxCandidate; itemCandidate, idxCandidate;
for (var i=0; i<this.items.length; i++) { for (var i=0; i<this.items.length; i++) {
@ -482,6 +483,8 @@ define([
if (!itemCandidate) { if (!itemCandidate) {
itemCandidate = item; itemCandidate = item;
idxCandidate = i; idxCandidate = i;
if(!isFirstCharsEqual)
break;
} }
if (this._search.full && i==index || i>index) { if (this._search.full && i==index || i>index) {
itemCandidate = item; itemCandidate = item;
@ -1051,8 +1054,9 @@ define([
}, },
selectCandidate: function() { selectCandidate: function() {
var index = this._search.index || 0, var index = (this._search.index && this._search.index != -1) ? this._search.index : 0,
re = new RegExp('^' + ((this._search.full) ? this._search.text : this._search.char), 'i'), re = new RegExp('^' + ((this._search.full) ? this._search.text : this._search.char), 'i'),
isFirstCharsEqual = re.test(this.items[index].caption),
itemCandidate, idxCandidate; itemCandidate, idxCandidate;
for (var i=0; i<this.items.length; i++) { for (var i=0; i<this.items.length; i++) {
@ -1061,6 +1065,8 @@ define([
if (!itemCandidate) { if (!itemCandidate) {
itemCandidate = item; itemCandidate = item;
idxCandidate = i; idxCandidate = i;
if(!isFirstCharsEqual)
break;
} }
if (this._search.full && i==index || i>index) { if (this._search.full && i==index || i>index) {
itemCandidate = item; itemCandidate = item;

View file

@ -406,9 +406,11 @@ define([
reply = null, reply = null,
addReply = null, addReply = null,
ascComment = buildCommentData(), // new asc_CCommentData(null), ascComment = buildCommentData(), // new asc_CCommentData(null),
comment = t.findComment(id); comment = t.findComment(id),
oldCommentVal = '';
if (comment && ascComment) { if (comment && ascComment) {
oldCommentVal = comment.get('comment');
ascComment.asc_putText(commentVal); ascComment.asc_putText(commentVal);
ascComment.asc_putQuoteText(comment.get('quote')); ascComment.asc_putQuoteText(comment.get('quote'));
ascComment.asc_putTime(t.utcDateToString(new Date(comment.get('time')))); ascComment.asc_putTime(t.utcDateToString(new Date(comment.get('time'))));
@ -452,6 +454,7 @@ define([
} }
t.api.asc_changeComment(id, ascComment); t.api.asc_changeComment(id, ascComment);
t.mode && t.mode.canRequestSendNotify && t.view.pickEMail(ascComment.asc_getGuid(), commentVal, oldCommentVal);
return true; return true;
} }
@ -465,7 +468,8 @@ define([
reply = null, reply = null,
addReply = null, addReply = null,
ascComment = buildCommentData(), // new asc_CCommentData(null), ascComment = buildCommentData(), // new asc_CCommentData(null),
comment = me.findComment(id); comment = me.findComment(id),
oldReplyVal = '';
if (ascComment && comment) { if (ascComment && comment) {
ascComment.asc_putText(comment.get('comment')); ascComment.asc_putText(comment.get('comment'));
@ -489,6 +493,7 @@ define([
addReply = buildCommentData(); // new asc_CCommentData(); addReply = buildCommentData(); // new asc_CCommentData();
if (addReply) { if (addReply) {
if (reply.get('id') === replyId && !_.isUndefined(replyVal)) { if (reply.get('id') === replyId && !_.isUndefined(replyVal)) {
oldReplyVal = reply.get('reply');
addReply.asc_putText(replyVal); addReply.asc_putText(replyVal);
addReply.asc_putUserId(me.currentUserId); addReply.asc_putUserId(me.currentUserId);
addReply.asc_putUserName(AscCommon.UserInfoParser.getCurrentName()); addReply.asc_putUserName(AscCommon.UserInfoParser.getCurrentName());
@ -508,7 +513,7 @@ define([
} }
me.api.asc_changeComment(id, ascComment); me.api.asc_changeComment(id, ascComment);
me.mode && me.mode.canRequestSendNotify && me.view.pickEMail(ascComment.asc_getGuid(), replyVal, oldReplyVal);
return true; return true;
} }
} }

View file

@ -45,7 +45,8 @@ define([
version: '{{PRODUCT_VERSION}}', version: '{{PRODUCT_VERSION}}',
eventloading: true, eventloading: true,
titlebuttons: true, titlebuttons: true,
uithemes: true uithemes: true,
btnhome: true,
}; };
var native = window.desktop || window.AscDesktopEditor; var native = window.desktop || window.AscDesktopEditor;
@ -93,8 +94,9 @@ define([
} }
if ( obj.singlewindow !== undefined ) { if ( obj.singlewindow !== undefined ) {
$('#box-document-title .hedset')[obj.singlewindow ? 'hide' : 'show'](); // $('#box-document-title .hedset')[obj.singlewindow ? 'hide' : 'show']();
native.features.singlewindow = obj.singlewindow; native.features.singlewindow = obj.singlewindow;
titlebuttons.home && titlebuttons.home.btn.setVisible(obj.singlewindow);
} }
} else } else
if (/editor:config/.test(cmd)) { if (/editor:config/.test(cmd)) {
@ -245,6 +247,40 @@ define([
titlebuttons = {}; titlebuttons = {};
if ( mode.isEdit ) { if ( mode.isEdit ) {
var header = webapp.getController('Viewport').getView('Common.Views.Header'); var header = webapp.getController('Viewport').getView('Common.Views.Header');
{
header.btnHome = (new Common.UI.Button({
cls: 'btn-header',
iconCls: 'toolbar__icon icon--inverse btn-home',
visible: false,
hint: 'Show Main window',
dataHint:'0',
dataHintDirection: 'right',
dataHintOffset: '10, -18',
dataHintTitle: 'K'
})).render($('#box-document-title #slot-btn-dt-home'));
titlebuttons['home'] = {btn: header.btnHome};
header.btnHome.on('click', event => {
native.execCommand('title:button', JSON.stringify({click: "home"}));
});
$('#id-box-doc-name').on({
'dblclick': e => {
native.execCommand('title:dblclick', JSON.stringify({x: e.originalEvent.screenX, y: e.originalEvent.screenY}))
},
'mousedown': e => {
native.execCommand('title:mousedown', JSON.stringify({x: e.originalEvent.screenX, y: e.originalEvent.screenY}))
},
'mousemove': e => {
native.execCommand('title:mousemove', JSON.stringify({x: e.originalEvent.screenX, y: e.originalEvent.screenY}))
},
'mouseup': e => {
native.execCommand('title:mouseup', JSON.stringify({x: e.originalEvent.screenX, y: e.originalEvent.screenY}))
}
});
}
if (!!header.btnSave) { if (!!header.btnSave) {
titlebuttons['save'] = {btn: header.btnSave}; titlebuttons['save'] = {btn: header.btnSave};
@ -278,7 +314,8 @@ define([
} }
if ( native.features.singlewindow !== undefined ) { if ( native.features.singlewindow !== undefined ) {
$('#box-document-title .hedset')[native.features.singlewindow ? 'hide' : 'show'](); // $('#box-document-title .hedset')[native.features.singlewindow ? 'hide' : 'show']();
!!titlebuttons.home && titlebuttons.home.btn.setVisible(native.features.singlewindow);
} }
}); });

View file

@ -121,7 +121,7 @@ Common.UI.HintManager = new(function() {
_usedTitles = [], _usedTitles = [],
_appPrefix, _appPrefix,
_staticHints = { // for desktop buttons _staticHints = { // for desktop buttons
"btnhome": 'K' // "btnhome": 'K'
}; };
var _api; var _api;

View file

@ -824,7 +824,7 @@ define([
rightMenu: {clear: disable, disable: true}, rightMenu: {clear: disable, disable: true},
statusBar: true, statusBar: true,
leftMenu: {disable: false, previewMode: true}, leftMenu: {disable: false, previewMode: true},
fileMenu: {protect: true}, fileMenu: {protect: true, info: true},
navigation: {disable: false, previewMode: true}, navigation: {disable: false, previewMode: true},
comments: {disable: false, previewMode: true}, comments: {disable: false, previewMode: true},
chat: false, chat: false,

View file

@ -806,11 +806,19 @@ define([
return str_res; return str_res;
}, },
pickEMail: function (commentId, message) { pickEMail: function (commentId, message, oldMessage) {
var old_arr = [];
if (oldMessage) {
old_arr = Common.Utils.String.htmlEncode(oldMessage).match(/\B[@+][A-Z0-9._%+-]+@[A-Z0-9._-]+\.[A-Z]+\b/gi);
old_arr = _.map(old_arr, function(str){
return str.slice(1, str.length);
});
}
var arr = Common.Utils.String.htmlEncode(message).match(/\B[@+][A-Z0-9._%+-]+@[A-Z0-9._-]+\.[A-Z]+\b/gi); var arr = Common.Utils.String.htmlEncode(message).match(/\B[@+][A-Z0-9._%+-]+@[A-Z0-9._-]+\.[A-Z]+\b/gi);
arr = _.map(arr, function(str){ arr = _.map(arr, function(str){
return str.slice(1, str.length); return str.slice(1, str.length);
}); });
arr = _.difference(arr, old_arr);
(arr.length>0) && Common.Gateway.requestSendNotify({ (arr.length>0) && Common.Gateway.requestSendNotify({
emails: arr, emails: arr,
actionId: commentId, // comment id actionId: commentId, // comment id

View file

@ -123,9 +123,10 @@ define([
'<div id="header-logo"><i></i></div>' + '<div id="header-logo"><i></i></div>' +
'</section>'; '</section>';
var templateTitleBox = '<section id="box-document-title">' + var templateTitleBox = '<section id="box-document-title">' +
'<div class="extra"></div>' + '<div class="extra"></div>' +
'<div class="hedset">' + '<div class="hedset">' +
'<div class="btn-slot" id="slot-btn-dt-home"></div>' +
'<div class="btn-slot" id="slot-btn-dt-save" data-layout-name="header-save"></div>' + '<div class="btn-slot" id="slot-btn-dt-save" data-layout-name="header-save"></div>' +
'<div class="btn-slot" id="slot-btn-dt-print"></div>' + '<div class="btn-slot" id="slot-btn-dt-print"></div>' +
'<div class="btn-slot" id="slot-btn-dt-undo"></div>' + '<div class="btn-slot" id="slot-btn-dt-undo"></div>' +

View file

@ -449,6 +449,7 @@ define([
} }
if ( this.appConfig.canCoAuthoring && this.appConfig.canComments ) { if ( this.appConfig.canCoAuthoring && this.appConfig.canComments ) {
this.canComments = true; // fix for loading protected document
this.btnCommentRemove = new Common.UI.Button({ this.btnCommentRemove = new Common.UI.Button({
cls: 'btn-toolbar x-huge icon-top', cls: 'btn-toolbar x-huge icon-top',
caption: this.txtCommentRemove, caption: this.txtCommentRemove,
@ -660,7 +661,7 @@ define([
} }
var separator_sharing = !(me.btnSharing || me.btnCoAuthMode) ? me.$el.find('.separator.sharing') : '.separator.sharing', var separator_sharing = !(me.btnSharing || me.btnCoAuthMode) ? me.$el.find('.separator.sharing') : '.separator.sharing',
separator_comments = !(config.canComments && config.canCoAuthoring) ? me.$el.find('.separator.comments') : '.separator.comments', separator_comments = !(me.btnCommentRemove || me.btnCommentResolve) ? me.$el.find('.separator.comments') : '.separator.comments',
separator_review = !(config.canReview || config.canViewReview) ? me.$el.find('.separator.review') : '.separator.review', separator_review = !(config.canReview || config.canViewReview) ? me.$el.find('.separator.review') : '.separator.review',
separator_compare = !(config.canReview && config.canFeatureComparison) ? me.$el.find('.separator.compare') : '.separator.compare', separator_compare = !(config.canReview && config.canFeatureComparison) ? me.$el.find('.separator.compare') : '.separator.compare',
separator_chat = !me.btnChat ? me.$el.find('.separator.chat') : '.separator.chat', separator_chat = !me.btnChat ? me.$el.find('.separator.chat') : '.separator.chat',
@ -694,7 +695,7 @@ define([
if (!me.btnHistory && separator_last) if (!me.btnHistory && separator_last)
me.$el.find(separator_last).hide(); me.$el.find(separator_last).hide();
Common.NotificationCenter.trigger('tab:visible', 'review', (config.isEdit || config.canViewReview || config.canCoAuthoring && config.canComments) && Common.UI.LayoutManager.isElementVisible('toolbar-collaboration')); Common.NotificationCenter.trigger('tab:visible', 'review', (config.isEdit || config.canViewReview || me.canComments) && Common.UI.LayoutManager.isElementVisible('toolbar-collaboration'));
setEvents.call(me); setEvents.call(me);
}); });
}, },

Binary file not shown.

After

Width:  |  Height:  |  Size: 338 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 310 B

After

Width:  |  Height:  |  Size: 185 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 295 B

After

Width:  |  Height:  |  Size: 204 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 360 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 328 B

After

Width:  |  Height:  |  Size: 195 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 296 B

After

Width:  |  Height:  |  Size: 219 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 417 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 351 B

After

Width:  |  Height:  |  Size: 214 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 330 B

After

Width:  |  Height:  |  Size: 244 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 287 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 297 B

After

Width:  |  Height:  |  Size: 178 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 256 B

After

Width:  |  Height:  |  Size: 194 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 511 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 482 B

After

Width:  |  Height:  |  Size: 308 B

Binary file not shown.

Before

Width:  |  Height:  |  Size: 455 B

After

Width:  |  Height:  |  Size: 315 B

View file

@ -236,6 +236,10 @@ textarea {
background-color: @background-normal; background-color: @background-normal;
color: @text-normal-ie; color: @text-normal-ie;
color: @text-normal; color: @text-normal;
&:-ms-input-placeholder {
color: @text-tertiary-ie;
}
.placeholder();
} }
.btn-edit-table, .btn-edit-table,

View file

@ -9,7 +9,9 @@
border: @scaled-one-px-value solid @border-regular-control; border: @scaled-one-px-value solid @border-regular-control;
background-color: @background-normal-ie; background-color: @background-normal-ie;
background-color: @background-normal; background-color: @background-normal;
&:-ms-input-placeholder {
color: @text-tertiary-ie;
}
&:focus { &:focus {
border-color: @border-control-focus-ie; border-color: @border-control-focus-ie;
border-color: @border-control-focus; border-color: @border-control-focus;

View file

@ -194,7 +194,7 @@
//** Small `.form-control` border radius //** Small `.form-control` border radius
@input-border-radius-small: @border-radius-small; @input-border-radius-small: @border-radius-small;
@input-color-placeholder: #cfcfcf; // @gray; @input-color-placeholder: @text-tertiary; //#cfcfcf; // @gray;
@input-height-base: (floor(@font-size-base * @line-height-base) + (@padding-base-vertical * 2) + 5); @input-height-base: (floor(@font-size-base * @line-height-base) + (@padding-base-vertical * 2) + 5);
@input-height-large: (ceil(@font-size-large * @line-height-large) + (@padding-large-vertical * 2) + 2); @input-height-large: (ceil(@font-size-large * @line-height-large) + (@padding-large-vertical * 2) + 2);

View file

@ -1,5 +1,5 @@
import { Dom7 } from 'framework7' import { Dom7 } from 'framework7'
import { LocalStorage } from "../../utils/LocalStorage"; import { LocalStorage } from "../../utils/LocalStorage.mjs";
class ThemesController { class ThemesController {
constructor() { constructor() {

View file

@ -1,7 +1,7 @@
import React, { Component } from 'react' import React, { Component } from 'react'
import { f7 } from 'framework7-react'; import { f7 } from 'framework7-react';
import {observer, inject} from "mobx-react" import {observer, inject} from "mobx-react"
import { LocalStorage } from '../../../utils/LocalStorage'; import { LocalStorage } from '../../../utils/LocalStorage.mjs';
import { withTranslation } from 'react-i18next'; import { withTranslation } from 'react-i18next';
class CollaborationController extends Component { class CollaborationController extends Component {

View file

@ -3,7 +3,7 @@ import { inject, observer } from "mobx-react";
import { f7 } from 'framework7-react'; import { f7 } from 'framework7-react';
import {Device} from '../../../../../common/mobile/utils/device'; import {Device} from '../../../../../common/mobile/utils/device';
import { withTranslation} from 'react-i18next'; import { withTranslation} from 'react-i18next';
import { LocalStorage } from '../../../utils/LocalStorage'; import { LocalStorage } from '../../../utils/LocalStorage.mjs';
import {AddComment, EditComment, AddReply, EditReply, ViewComments, ViewCurrentComments} from '../../view/collaboration/Comments'; import {AddComment, EditComment, AddReply, EditReply, ViewComments, ViewCurrentComments} from '../../view/collaboration/Comments';

View file

@ -4,7 +4,7 @@ import {observer, inject} from "mobx-react"
import { withTranslation } from 'react-i18next'; import { withTranslation } from 'react-i18next';
import {PageReview, PageReviewChange} from "../../view/collaboration/Review"; import {PageReview, PageReviewChange} from "../../view/collaboration/Review";
import {LocalStorage} from "../../../utils/LocalStorage"; import {LocalStorage} from "../../../utils/LocalStorage.mjs";
class InitReview extends Component { class InitReview extends Component {
constructor(props){ constructor(props){

View file

@ -1,9 +1,6 @@
import React, { Component } from 'react'; import React, { Component } from 'react';
import { Searchbar, Popover, Popup, View, Page, List, ListItem, Navbar, NavRight, Link } from 'framework7-react'; import { Popover, Popup, View, f7 } from 'framework7-react';
import { Toggle } from 'framework7-react';
import { f7 } from 'framework7-react';
import { Dom7 } from 'framework7';
import { Device } from '../../../../common/mobile/utils/device'; import { Device } from '../../../../common/mobile/utils/device';
import { observable, runInAction } from "mobx"; import { observable, runInAction } from "mobx";
import { observer } from "mobx-react"; import { observer } from "mobx-react";
@ -105,11 +102,7 @@ class SearchView extends Component {
$editor.on('pointerdown', this.onEditorTouchStart); $editor.on('pointerdown', this.onEditorTouchStart);
$editor.on('pointerup', this.onEditorTouchEnd); $editor.on('pointerup', this.onEditorTouchEnd);
if( !this.searchbar ) { if(!this.searchbar) {
this.searchbar = f7.searchbar.get('.searchbar');
}
if( !this.searchbar ) {
this.searchbar = f7.searchbar.create({ this.searchbar = f7.searchbar.create({
el: '.searchbar', el: '.searchbar',
customSearch: true, customSearch: true,

View file

@ -229,7 +229,7 @@
<script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<script src="../../../vendor/requirejs/require.js"></script> <script src="../../../vendor/requirejs/require.js"></script>

View file

@ -220,7 +220,7 @@
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
<script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<script src="../../../vendor/requirejs/require.js"></script> <script src="../../../vendor/requirejs/require.js"></script>
<script> <script>

View file

@ -329,7 +329,7 @@
<script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<script type="text/javascript" src="../../../../sdkjs/develop/sdkjs/word/scripts.js"></script> <script type="text/javascript" src="../../../../sdkjs/develop/sdkjs/word/scripts.js"></script>

View file

@ -320,7 +320,7 @@
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
<script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<!--sdk--> <!--sdk-->

View file

@ -46,7 +46,7 @@ require.config({
perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar', perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar',
jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel', jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel',
xregexp : '../vendor/xregexp/xregexp-all-min', xregexp : '../vendor/xregexp/xregexp-all-min',
sockjs : '../vendor/sockjs/sockjs.min', socketio : '../vendor/socketio/socket.io.min',
allfonts : '../../sdkjs/common/AllFonts', allfonts : '../../sdkjs/common/AllFonts',
sdk : '../../sdkjs/word/sdk-all-min', sdk : '../../sdkjs/word/sdk-all-min',
api : 'api/documents/api', api : 'api/documents/api',
@ -100,7 +100,7 @@ require.config({
'underscore', 'underscore',
'allfonts', 'allfonts',
'xregexp', 'xregexp',
'sockjs' 'socketio'
] ]
}, },
gateway: { gateway: {

View file

@ -46,7 +46,7 @@ require.config({
perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar', perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar',
jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel', jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel',
xregexp : '../vendor/xregexp/xregexp-all-min', xregexp : '../vendor/xregexp/xregexp-all-min',
sockjs : '../vendor/sockjs/sockjs.min', socketio : '../vendor/socketio/socket.io.min',
api : 'api/documents/api', api : 'api/documents/api',
core : 'common/main/lib/core/application', core : 'common/main/lib/core/application',
notification : 'common/main/lib/core/NotificationCenter', notification : 'common/main/lib/core/NotificationCenter',
@ -113,7 +113,7 @@ require([
'analytics', 'analytics',
'gateway', 'gateway',
'locale', 'locale',
'sockjs', 'socketio',
'underscore' 'underscore'
], function (Backbone, Bootstrap, Core) { ], function (Backbone, Bootstrap, Core) {
if (Backbone.History && Backbone.History.started) if (Backbone.History && Backbone.History.started)

View file

@ -53,7 +53,7 @@ require.config({
perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar', perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar',
jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel', jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel',
xregexp : '../vendor/xregexp/xregexp-all-min', xregexp : '../vendor/xregexp/xregexp-all-min',
sockjs : '../vendor/sockjs/sockjs.min', socketio : '../vendor/socketio/socket.io.min',
allfonts : '../../sdkjs/common/AllFonts', allfonts : '../../sdkjs/common/AllFonts',
sdk : '../../sdkjs/word/sdk-all-min', sdk : '../../sdkjs/word/sdk-all-min',
api : 'api/documents/api', api : 'api/documents/api',
@ -107,7 +107,7 @@ require.config({
'underscore', 'underscore',
'allfonts', 'allfonts',
'xregexp', 'xregexp',
'sockjs' 'socketio'
] ]
}, },
gateway: { gateway: {

View file

@ -324,7 +324,7 @@ define([
rightMenu: {clear: disable, disable: true}, rightMenu: {clear: disable, disable: true},
statusBar: true, statusBar: true,
leftMenu: {disable: false, previewMode: true}, leftMenu: {disable: false, previewMode: true},
fileMenu: false, fileMenu: {info: true},
navigation: {disable: false, previewMode: true}, navigation: {disable: false, previewMode: true},
comments: {disable: false, previewMode: true}, comments: {disable: false, previewMode: true},
chat: false, chat: false,

View file

@ -87,6 +87,9 @@ define([
}, },
initialize: function () { initialize: function () {
this._state = {
infoPreviewMode: false
};
}, },
render: function () { render: function () {
@ -363,6 +366,7 @@ define([
'info' : (new DE.Views.FileMenuPanels.DocumentInfo({menu:this})).render(this.$el.find('#panel-info')), 'info' : (new DE.Views.FileMenuPanels.DocumentInfo({menu:this})).render(this.$el.find('#panel-info')),
'rights' : (new DE.Views.FileMenuPanels.DocumentRights({menu:this})).render(this.$el.find('#panel-rights')) 'rights' : (new DE.Views.FileMenuPanels.DocumentRights({menu:this})).render(this.$el.find('#panel-rights'))
}; };
this._state.infoPreviewMode && this.panels['info'].setPreviewMode(this._state.infoPreviewMode);
} }
if (!this.mode) return; if (!this.mode) return;
@ -568,6 +572,7 @@ define([
options && options.protect && _btn_protect.setDisabled(disable); options && options.protect && _btn_protect.setDisabled(disable);
options && options.history && _btn_history.setDisabled(disable); options && options.history && _btn_history.setDisabled(disable);
options && options.info && (this.panels ? this.panels['info'].setPreviewMode(disable) : this._state.infoPreviewMode = disable );
}, },
isVisible: function () { isVisible: function () {

View file

@ -1316,7 +1316,16 @@ define([
this.menu = options.menu; this.menu = options.menu;
this.coreProps = null; this.coreProps = null;
this.authors = []; this.authors = [];
this._locked = false; this._state = {
_locked: false,
docProtection: {
isReadOnly: false,
isReviewOnly: false,
isFormsOnly: false,
isCommentsOnly: false
},
disableEditing: false
};
}, },
render: function(node) { render: function(node) {
@ -1601,7 +1610,7 @@ define([
me.authors.push(item); me.authors.push(item);
}); });
this.tblAuthor.find('.close').toggleClass('hidden', !this.mode.isEdit); this.tblAuthor.find('.close').toggleClass('hidden', !this.mode.isEdit);
!this.mode.isEdit && this._ShowHideInfoItem(this.tblAuthor, !!this.authors.length); this._ShowHideInfoItem(this.tblAuthor, this.mode.isEdit || !!this.authors.length);
} }
this.SetDisabled(); this.SetDisabled();
}, },
@ -1729,6 +1738,8 @@ define([
this.api.asc_registerCallback('asc_onGetDocInfoEnd', _.bind(this._onGetDocInfoEnd, this)); this.api.asc_registerCallback('asc_onGetDocInfoEnd', _.bind(this._onGetDocInfoEnd, this));
// this.api.asc_registerCallback('asc_onDocumentName', _.bind(this.onDocumentName, this)); // this.api.asc_registerCallback('asc_onDocumentName', _.bind(this.onDocumentName, this));
this.api.asc_registerCallback('asc_onLockCore', _.bind(this.onLockCore, this)); this.api.asc_registerCallback('asc_onLockCore', _.bind(this.onLockCore, this));
Common.NotificationCenter.on('protect:doclock', _.bind(this.onChangeProtectDocument, this));
this.onChangeProtectDocument();
this.updateInfo(this.doc); this.updateInfo(this.doc);
return this; return this;
}, },
@ -1738,17 +1749,19 @@ define([
this.inputAuthor.setVisible(mode.isEdit); this.inputAuthor.setVisible(mode.isEdit);
this.pnlApply.toggleClass('hidden', !mode.isEdit); this.pnlApply.toggleClass('hidden', !mode.isEdit);
this.tblAuthor.find('.close').toggleClass('hidden', !mode.isEdit); this.tblAuthor.find('.close').toggleClass('hidden', !mode.isEdit);
if (!mode.isEdit) { this.inputTitle._input.attr('placeholder', mode.isEdit ? this.txtAddText : '');
this.inputTitle._input.attr('placeholder', ''); this.inputTags._input.attr('placeholder', mode.isEdit ? this.txtAddText : '');
this.inputTags._input.attr('placeholder', ''); this.inputSubject._input.attr('placeholder', mode.isEdit ? this.txtAddText : '');
this.inputSubject._input.attr('placeholder', ''); this.inputComment._input.attr('placeholder', mode.isEdit ? this.txtAddText : '');
this.inputComment._input.attr('placeholder', ''); this.inputAuthor._input.attr('placeholder', mode.isEdit ? this.txtAddAuthor : '');
this.inputAuthor._input.attr('placeholder', '');
}
this.SetDisabled(); this.SetDisabled();
return this; return this;
}, },
setPreviewMode: function(mode) {
this._state.disableEditing = mode;
},
_onGetDocInfoStart: function() { _onGetDocInfoStart: function() {
var me = this; var me = this;
this.infoObj = {PageCount: 0, WordsCount: 0, ParagraphCount: 0, SymbolsCount: 0, SymbolsWSCount:0}; this.infoObj = {PageCount: 0, WordsCount: 0, ParagraphCount: 0, SymbolsCount: 0, SymbolsWSCount:0};
@ -1804,20 +1817,31 @@ define([
}, },
onLockCore: function(lock) { onLockCore: function(lock) {
this._locked = lock; this._state._locked = lock;
this.updateFileInfo(); this.updateFileInfo();
}, },
onChangeProtectDocument: function(props) {
if (!props) {
var docprotect = DE.getController('DocProtection');
props = docprotect ? docprotect.getDocProps() : null;
}
if (props) {
this._state.docProtection = props;
}
},
SetDisabled: function() { SetDisabled: function() {
var disable = !this.mode.isEdit || this._locked; var isProtected = this._state.docProtection.isReadOnly || this._state.docProtection.isFormsOnly || this._state.docProtection.isCommentsOnly;
var disable = !this.mode.isEdit || this._state._locked || isProtected || this._state.disableEditing;
this.inputTitle.setDisabled(disable); this.inputTitle.setDisabled(disable);
this.inputTags.setDisabled(disable); this.inputTags.setDisabled(disable);
this.inputSubject.setDisabled(disable); this.inputSubject.setDisabled(disable);
this.inputComment.setDisabled(disable); this.inputComment.setDisabled(disable);
this.inputAuthor.setDisabled(disable); this.inputAuthor.setDisabled(disable);
this.tblAuthor.find('.close').toggleClass('disabled', this._locked); this.tblAuthor.find('.close').toggleClass('disabled', this._state._locked);
this.tblAuthor.toggleClass('disabled', disable); this.tblAuthor.toggleClass('disabled', disable);
this.btnApply.setDisabled(this._locked); this.btnApply.setDisabled(this._state._locked);
}, },
applySettings: function() { applySettings: function() {

View file

@ -355,7 +355,7 @@ define([
cls: 'btn-toolbar x-huge icon-top', cls: 'btn-toolbar x-huge icon-top',
lock: [_set.lostConnect, _set.disableOnStart], lock: [_set.lostConnect, _set.disableOnStart],
iconCls: 'toolbar__icon save-form', iconCls: 'toolbar__icon save-form',
caption: this.appConfig.canRequestSaveAs || !!this.appConfig.saveAsUrl ? this.capBtnSaveForm : this.capBtnDownloadForm, caption: this.appConfig.canRequestSaveAs || !!this.appConfig.saveAsUrl || this.appConfig.isOffline ? this.capBtnSaveForm : this.capBtnDownloadForm,
// disabled: this.appConfig.isEdit && this.appConfig.canFeatureContentControl && this.appConfig.canFeatureForms, // disable only for edit mode, // disabled: this.appConfig.isEdit && this.appConfig.canFeatureContentControl && this.appConfig.canFeatureForms, // disable only for edit mode,
dataHint: '1', dataHint: '1',
dataHintDirection: 'bottom', dataHintDirection: 'bottom',

View file

@ -53,7 +53,7 @@ require.config({
perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar', perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar',
jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel', jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel',
xregexp : '../vendor/xregexp/xregexp-all-min', xregexp : '../vendor/xregexp/xregexp-all-min',
sockjs : '../vendor/sockjs/sockjs.min', socketio : '../vendor/socketio/socket.io.min',
api : 'api/documents/api', api : 'api/documents/api',
core : 'common/main/lib/core/application', core : 'common/main/lib/core/application',
notification : 'common/main/lib/core/NotificationCenter', notification : 'common/main/lib/core/NotificationCenter',
@ -120,7 +120,7 @@ require([
'analytics', 'analytics',
'gateway', 'gateway',
'locale', 'locale',
'sockjs', 'socketio',
'underscore' 'underscore'
], function (Backbone, Bootstrap, Core) { ], function (Backbone, Bootstrap, Core) {
if (Backbone.History && Backbone.History.started) if (Backbone.History && Backbone.History.started)

View file

@ -151,7 +151,7 @@
"Common.define.smartArt.textBendingPictureBlocks": "Bending Picture Blocks", "Common.define.smartArt.textBendingPictureBlocks": "Bending Picture Blocks",
"Common.define.smartArt.textBendingPictureCaption": "Bending Picture Caption", "Common.define.smartArt.textBendingPictureCaption": "Bending Picture Caption",
"Common.define.smartArt.textBendingPictureCaptionList": "Bending Picture Caption List", "Common.define.smartArt.textBendingPictureCaptionList": "Bending Picture Caption List",
"Common.define.smartArt.textBendingPictureSemiTranparentText": "Bending Picture Semi-Tranparent Text", "Common.define.smartArt.textBendingPictureSemiTranparentText": "Bending Picture Semi-Transparent Text",
"Common.define.smartArt.textBlockCycle": "Block Cycle", "Common.define.smartArt.textBlockCycle": "Block Cycle",
"Common.define.smartArt.textBubblePictureList": "Bubble Picture List", "Common.define.smartArt.textBubblePictureList": "Bubble Picture List",
"Common.define.smartArt.textCaptionedPictures": "Captioned Pictures", "Common.define.smartArt.textCaptionedPictures": "Captioned Pictures",
@ -715,6 +715,7 @@
"DE.Controllers.LeftMenu.warnReplaceString": "{0} is not a valid special character for the replacement field.", "DE.Controllers.LeftMenu.warnReplaceString": "{0} is not a valid special character for the replacement field.",
"DE.Controllers.Main.applyChangesTextText": "Loading the changes...", "DE.Controllers.Main.applyChangesTextText": "Loading the changes...",
"DE.Controllers.Main.applyChangesTitleText": "Loading the Changes", "DE.Controllers.Main.applyChangesTitleText": "Loading the Changes",
"DE.Controllers.Main.confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"DE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.", "DE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.",
"DE.Controllers.Main.criticalErrorExtText": "Press \"OK\" to return to document list.", "DE.Controllers.Main.criticalErrorExtText": "Press \"OK\" to return to document list.",
"DE.Controllers.Main.criticalErrorTitle": "Error", "DE.Controllers.Main.criticalErrorTitle": "Error",
@ -804,6 +805,7 @@
"DE.Controllers.Main.textClose": "Close", "DE.Controllers.Main.textClose": "Close",
"DE.Controllers.Main.textCloseTip": "Click to close the tip", "DE.Controllers.Main.textCloseTip": "Click to close the tip",
"DE.Controllers.Main.textContactUs": "Contact sales", "DE.Controllers.Main.textContactUs": "Contact sales",
"DE.Controllers.Main.textContinue": "Continue",
"DE.Controllers.Main.textConvertEquation": "This equation was created with an old version of the equation editor which is no longer supported. To edit it, convert the equation to the Office Math ML format.<br>Convert now?", "DE.Controllers.Main.textConvertEquation": "This equation was created with an old version of the equation editor which is no longer supported. To edit it, convert the equation to the Office Math ML format.<br>Convert now?",
"DE.Controllers.Main.textCustomLoader": "Please note that according to the terms of the license you are not entitled to change the loader.<br>Please contact our Sales Department to get a quote.", "DE.Controllers.Main.textCustomLoader": "Please note that according to the terms of the license you are not entitled to change the loader.<br>Please contact our Sales Department to get a quote.",
"DE.Controllers.Main.textDisconnect": "Connection is lost", "DE.Controllers.Main.textDisconnect": "Connection is lost",
@ -824,6 +826,7 @@
"DE.Controllers.Main.textStrict": "Strict mode", "DE.Controllers.Main.textStrict": "Strict mode",
"DE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.<br>Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.", "DE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.<br>Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.",
"DE.Controllers.Main.textTryUndoRedoWarn": "The Undo/Redo functions are disabled for the Fast co-editing mode.", "DE.Controllers.Main.textTryUndoRedoWarn": "The Undo/Redo functions are disabled for the Fast co-editing mode.",
"DE.Controllers.Main.textUndo": "Undo",
"DE.Controllers.Main.titleLicenseExp": "License expired", "DE.Controllers.Main.titleLicenseExp": "License expired",
"DE.Controllers.Main.titleServerVersion": "Editor updated", "DE.Controllers.Main.titleServerVersion": "Editor updated",
"DE.Controllers.Main.titleUpdateVersion": "Version changed", "DE.Controllers.Main.titleUpdateVersion": "Version changed",
@ -1092,9 +1095,6 @@
"DE.Controllers.Main.warnNoLicense": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only.<br>Contact %1 sales team for personal upgrade terms.", "DE.Controllers.Main.warnNoLicense": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only.<br>Contact %1 sales team for personal upgrade terms.",
"DE.Controllers.Main.warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", "DE.Controllers.Main.warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.",
"DE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", "DE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.",
"DE.Controllers.Main.confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"DE.Controllers.Main.textUndo": "Undo",
"DE.Controllers.Main.textContinue": "Continue",
"DE.Controllers.Navigation.txtBeginning": "Beginning of document", "DE.Controllers.Navigation.txtBeginning": "Beginning of document",
"DE.Controllers.Navigation.txtGotoBeginning": "Go to the beginning of the document", "DE.Controllers.Navigation.txtGotoBeginning": "Go to the beginning of the document",
"DE.Controllers.Search.notcriticalErrorTitle": "Warning", "DE.Controllers.Search.notcriticalErrorTitle": "Warning",
@ -1950,8 +1950,8 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistics", "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistics",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subject", "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subject",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symbols", "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symbols",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Title",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Tags", "DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Tags",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Title",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Uploaded", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Uploaded",
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Words", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Words",
"DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Yes", "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Yes",

View file

@ -588,6 +588,7 @@
"DE.Controllers.Main.errorMailMergeLoadFile": "Loading dokumen gagal. Silakan coba dengan file lain.", "DE.Controllers.Main.errorMailMergeLoadFile": "Loading dokumen gagal. Silakan coba dengan file lain.",
"DE.Controllers.Main.errorMailMergeSaveFile": "Merge gagal.", "DE.Controllers.Main.errorMailMergeSaveFile": "Merge gagal.",
"DE.Controllers.Main.errorNoTOC": "Tidak ada daftar isi yang harus diperbarui. Anda dapat menyisipkan satu daftar isi dari tab Referensi.", "DE.Controllers.Main.errorNoTOC": "Tidak ada daftar isi yang harus diperbarui. Anda dapat menyisipkan satu daftar isi dari tab Referensi.",
"DE.Controllers.Main.errorPasswordIsNotCorrect": "Kata sandi yang Anda masukkan tidak tepat.<br>Pastikan CAPS LOCK sudah mati dan pastikan telah menggunakan huruf besar dengan tepat.",
"DE.Controllers.Main.errorProcessSaveResult": "Gagal menyimpan.", "DE.Controllers.Main.errorProcessSaveResult": "Gagal menyimpan.",
"DE.Controllers.Main.errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.", "DE.Controllers.Main.errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.",
"DE.Controllers.Main.errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.", "DE.Controllers.Main.errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.",
@ -1447,6 +1448,13 @@
"DE.Views.DateTimeDialog.textLang": "Bahasa", "DE.Views.DateTimeDialog.textLang": "Bahasa",
"DE.Views.DateTimeDialog.textUpdate": "Update secara otomatis", "DE.Views.DateTimeDialog.textUpdate": "Update secara otomatis",
"DE.Views.DateTimeDialog.txtTitle": "Tanggal & Jam", "DE.Views.DateTimeDialog.txtTitle": "Tanggal & Jam",
"DE.Views.DocProtection.hintProtectDoc": "Proteksi dokumen",
"DE.Views.DocProtection.txtDocProtectedComment": "Dokumen terproteksi.<br>Anda hanya bisa menyisipkan komentar pada dokumen ini.",
"DE.Views.DocProtection.txtDocProtectedForms": "Dokumen terproteksi.<br>Anda hanya bisa mengisi formulir pada dokumen ini.",
"DE.Views.DocProtection.txtDocProtectedTrack": "Dokumen terproteksi.<br>Anda dapat menyunting dokumen ini, tapi semua perubahan akan dilacak.",
"DE.Views.DocProtection.txtDocProtectedView": "Dokumen terproteksi.<br>Anda hanya bisa melihat dokumen ini.",
"DE.Views.DocProtection.txtDocUnlockDescription": "Masukkan kata sandi untuk membuka proteksi dokumen",
"DE.Views.DocProtection.txtProtectDoc": "Proteksi Dokumen",
"DE.Views.DocumentHolder.aboveText": "Di atas", "DE.Views.DocumentHolder.aboveText": "Di atas",
"DE.Views.DocumentHolder.addCommentText": "Tambahkan Komentar", "DE.Views.DocumentHolder.addCommentText": "Tambahkan Komentar",
"DE.Views.DocumentHolder.advancedDropCapText": "Pengaturan Drop Cap", "DE.Views.DocumentHolder.advancedDropCapText": "Pengaturan Drop Cap",
@ -2401,6 +2409,18 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Buat Pembatas Atas Saja", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Buat Pembatas Atas Saja",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis", "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Tidak ada pembatas", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Tidak ada pembatas",
"DE.Views.ProtectDialog.textComments": "Komentar",
"DE.Views.ProtectDialog.textForms": "Formulir isian",
"DE.Views.ProtectDialog.textReview": "Perubahan terlacak",
"DE.Views.ProtectDialog.textView": "Tidak ada perubahan (Baca saja)",
"DE.Views.ProtectDialog.txtAllow": "Izinkan jenis penyuntingan ini saja pada dokumen",
"DE.Views.ProtectDialog.txtIncorrectPwd": "Kata sandi konfirmasi tidak sama",
"DE.Views.ProtectDialog.txtOptional": "opsional",
"DE.Views.ProtectDialog.txtPassword": "Kata Sandi",
"DE.Views.ProtectDialog.txtProtect": "Proteksi",
"DE.Views.ProtectDialog.txtRepeat": "Ulangi kata sandi",
"DE.Views.ProtectDialog.txtTitle": "Proteksi",
"DE.Views.ProtectDialog.txtWarning": "Peringatan: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.",
"DE.Views.RightMenu.txtChartSettings": "Pengaturan Bagan", "DE.Views.RightMenu.txtChartSettings": "Pengaturan Bagan",
"DE.Views.RightMenu.txtFormSettings": "Pengaturan Form", "DE.Views.RightMenu.txtFormSettings": "Pengaturan Form",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Pengaturan Header dan Footer", "DE.Views.RightMenu.txtHeaderFooterSettings": "Pengaturan Header dan Footer",
@ -2885,6 +2905,7 @@
"DE.Views.Toolbar.tipIncPrLeft": "Tambahkan Indentasi", "DE.Views.Toolbar.tipIncPrLeft": "Tambahkan Indentasi",
"DE.Views.Toolbar.tipInsertChart": "Sisipkan Bagan", "DE.Views.Toolbar.tipInsertChart": "Sisipkan Bagan",
"DE.Views.Toolbar.tipInsertEquation": "Masukkan Persamaan", "DE.Views.Toolbar.tipInsertEquation": "Masukkan Persamaan",
"DE.Views.Toolbar.tipInsertHorizontalText": "Sisipkan kotak teks horizontal",
"DE.Views.Toolbar.tipInsertImage": "Sisipkan Gambar", "DE.Views.Toolbar.tipInsertImage": "Sisipkan Gambar",
"DE.Views.Toolbar.tipInsertNum": "Sisipkan Nomor Halaman", "DE.Views.Toolbar.tipInsertNum": "Sisipkan Nomor Halaman",
"DE.Views.Toolbar.tipInsertShape": "Sisipkan Bentuk Otomatis", "DE.Views.Toolbar.tipInsertShape": "Sisipkan Bentuk Otomatis",
@ -2892,6 +2913,7 @@
"DE.Views.Toolbar.tipInsertTable": "Sisipkan Tabel", "DE.Views.Toolbar.tipInsertTable": "Sisipkan Tabel",
"DE.Views.Toolbar.tipInsertText": "Sisipkan kotak teks", "DE.Views.Toolbar.tipInsertText": "Sisipkan kotak teks",
"DE.Views.Toolbar.tipInsertTextArt": "Sisipkan Text Art", "DE.Views.Toolbar.tipInsertTextArt": "Sisipkan Text Art",
"DE.Views.Toolbar.tipInsertVerticalText": "Sisipkan kotak teks vertikal",
"DE.Views.Toolbar.tipLineNumbers": "Tampilkan nomor garis", "DE.Views.Toolbar.tipLineNumbers": "Tampilkan nomor garis",
"DE.Views.Toolbar.tipLineSpace": "Spasi Antar Baris Paragraf", "DE.Views.Toolbar.tipLineSpace": "Spasi Antar Baris Paragraf",
"DE.Views.Toolbar.tipMailRecepients": "Merge email", "DE.Views.Toolbar.tipMailRecepients": "Merge email",

View file

@ -1838,6 +1838,7 @@
"DE.Views.FormSettings.textColor": "Colore bordo", "DE.Views.FormSettings.textColor": "Colore bordo",
"DE.Views.FormSettings.textComb": "Combinazione di caratteri", "DE.Views.FormSettings.textComb": "Combinazione di caratteri",
"DE.Views.FormSettings.textCombobox": "Casella combinata", "DE.Views.FormSettings.textCombobox": "Casella combinata",
"DE.Views.FormSettings.textComplex": "Campo complesso",
"DE.Views.FormSettings.textConnected": "Campi collegati", "DE.Views.FormSettings.textConnected": "Campi collegati",
"DE.Views.FormSettings.textDelete": "Elimina", "DE.Views.FormSettings.textDelete": "Elimina",
"DE.Views.FormSettings.textDisconnect": "Disconnetti", "DE.Views.FormSettings.textDisconnect": "Disconnetti",
@ -1876,11 +1877,13 @@
"DE.Views.FormSettings.textWidth": "Larghezza cella", "DE.Views.FormSettings.textWidth": "Larghezza cella",
"DE.Views.FormsTab.capBtnCheckBox": "Casella di controllo", "DE.Views.FormsTab.capBtnCheckBox": "Casella di controllo",
"DE.Views.FormsTab.capBtnComboBox": "Casella combinata", "DE.Views.FormsTab.capBtnComboBox": "Casella combinata",
"DE.Views.FormsTab.capBtnComplex": "Campo complesso",
"DE.Views.FormsTab.capBtnDownloadForm": "Scarica come oform", "DE.Views.FormsTab.capBtnDownloadForm": "Scarica come oform",
"DE.Views.FormsTab.capBtnDropDown": "Menù a discesca", "DE.Views.FormsTab.capBtnDropDown": "Menù a discesca",
"DE.Views.FormsTab.capBtnEmail": "Indirizzo email", "DE.Views.FormsTab.capBtnEmail": "Indirizzo email",
"DE.Views.FormsTab.capBtnImage": "Immagine", "DE.Views.FormsTab.capBtnImage": "Immagine",
"DE.Views.FormsTab.capBtnNext": "Campo successivo", "DE.Views.FormsTab.capBtnNext": "Campo successivo",
"DE.Views.FormsTab.capBtnPhone": "Numero di telefono",
"DE.Views.FormsTab.capBtnPrev": "Campo precedente", "DE.Views.FormsTab.capBtnPrev": "Campo precedente",
"DE.Views.FormsTab.capBtnRadioBox": "Pulsante opzione", "DE.Views.FormsTab.capBtnRadioBox": "Pulsante opzione",
"DE.Views.FormsTab.capBtnSaveForm": "Salvare come oform", "DE.Views.FormsTab.capBtnSaveForm": "Salvare come oform",
@ -1897,10 +1900,13 @@
"DE.Views.FormsTab.textSubmited": "Modulo inviato con successo", "DE.Views.FormsTab.textSubmited": "Modulo inviato con successo",
"DE.Views.FormsTab.tipCheckBox": "Inserisci casella di controllo", "DE.Views.FormsTab.tipCheckBox": "Inserisci casella di controllo",
"DE.Views.FormsTab.tipComboBox": "Inserisci una cella combinata", "DE.Views.FormsTab.tipComboBox": "Inserisci una cella combinata",
"DE.Views.FormsTab.tipComplexField": "Inserisci campo complesso",
"DE.Views.FormsTab.tipDownloadForm": "Scaricare un file come un documento OFORM compilabile", "DE.Views.FormsTab.tipDownloadForm": "Scaricare un file come un documento OFORM compilabile",
"DE.Views.FormsTab.tipDropDown": "Inserisci lista in basso espandibile", "DE.Views.FormsTab.tipDropDown": "Inserisci lista in basso espandibile",
"DE.Views.FormsTab.tipEmailField": " Inserisci indirizzo email",
"DE.Views.FormsTab.tipImageField": "Inserisci immagine", "DE.Views.FormsTab.tipImageField": "Inserisci immagine",
"DE.Views.FormsTab.tipNextForm": "Vai al campo successivo", "DE.Views.FormsTab.tipNextForm": "Vai al campo successivo",
"DE.Views.FormsTab.tipPhoneField": "Inserisci numero di telefono",
"DE.Views.FormsTab.tipPrevForm": "Vai al campo precedente", "DE.Views.FormsTab.tipPrevForm": "Vai al campo precedente",
"DE.Views.FormsTab.tipRadioBox": "Inserisci pulsante di opzione", "DE.Views.FormsTab.tipRadioBox": "Inserisci pulsante di opzione",
"DE.Views.FormsTab.tipSaveForm": "Salvare un file come documento OFORM compilabile", "DE.Views.FormsTab.tipSaveForm": "Salvare un file come documento OFORM compilabile",

View file

@ -125,6 +125,84 @@
"Common.define.chartData.textScatterSmoothMarker": "マーカーと平滑線付き散布図", "Common.define.chartData.textScatterSmoothMarker": "マーカーと平滑線付き散布図",
"Common.define.chartData.textStock": "株価チャート", "Common.define.chartData.textStock": "株価チャート",
"Common.define.chartData.textSurface": "表面", "Common.define.chartData.textSurface": "表面",
"Common.define.smartArt.textAccentedPicture": "アクセント付きの図",
"Common.define.smartArt.textAccentProcess": "アクセント・プロセス",
"Common.define.smartArt.textAlternatingFlow": "波型ステップ",
"Common.define.smartArt.textAlternatingHexagons": "左右交替積み上げ六角形",
"Common.define.smartArt.textAlternatingPictureBlocks": "左右交替積み上げ画像ブロック",
"Common.define.smartArt.textAlternatingPictureCircles": "円形付き画像ジグザグ表示",
"Common.define.smartArt.textArchitectureLayout": "アーキテクチャ レイアウト",
"Common.define.smartArt.textArrowRibbon": "リボン状の矢印",
"Common.define.smartArt.textAscendingPictureAccentProcess": "アクセント画像付き上昇ステップ",
"Common.define.smartArt.textBalance": "バランス",
"Common.define.smartArt.textBasicBendingProcess": "基本蛇行ステップ",
"Common.define.smartArt.textBasicBlockList": "カード型リスト",
"Common.define.smartArt.textBasicChevronProcess": "プロセス",
"Common.define.smartArt.textBasicCycle": "基本の循環",
"Common.define.smartArt.textBasicMatrix": "基本マトリックス",
"Common.define.smartArt.textBasicPie": "円グラフ",
"Common.define.smartArt.textBasicProcess": "基本ステップ",
"Common.define.smartArt.textBasicPyramid": "基本ピラミッド",
"Common.define.smartArt.textBasicRadial": "基本放射",
"Common.define.smartArt.textBasicTarget": "ターゲット",
"Common.define.smartArt.textBasicTimeline": "タイムライン",
"Common.define.smartArt.textBasicVenn": "基本ベン図",
"Common.define.smartArt.textBendingPictureAccentList": "画像付きカード型リスト",
"Common.define.smartArt.textBendingPictureBlocks": "自動配置の画像ブロック",
"Common.define.smartArt.textBendingPictureCaption": "自動配置の表題付き画像",
"Common.define.smartArt.textBendingPictureCaptionList": "自動配置の表題付き画像レイアウト",
"Common.define.smartArt.textBendingPictureSemiTranparentText": "自動配置の半透明テキスト付き画像",
"Common.define.smartArt.textBlockCycle": "ボックス循環",
"Common.define.smartArt.textBubblePictureList": "バブル状画像リスト",
"Common.define.smartArt.textCaptionedPictures": "表題付き画像",
"Common.define.smartArt.textChevronAccentProcess": "アクセントステップ",
"Common.define.smartArt.textChevronList": "プロセス リスト",
"Common.define.smartArt.textCircleAccentTimeline": "円形組み合わせタイムライン",
"Common.define.smartArt.textCircleArrowProcess": "円形矢印プロセス",
"Common.define.smartArt.textCirclePictureHierarchy": "円形画像を使用した階層",
"Common.define.smartArt.textCircleProcess": "円形プロセス",
"Common.define.smartArt.textCircleRelationship": "円の関連付け",
"Common.define.smartArt.textCircularBendingProcess": "円形蛇行ステップ",
"Common.define.smartArt.textCircularPictureCallout": "円形画像を使った吹き出し",
"Common.define.smartArt.textClosedChevronProcess": "開始点強調型プロセス",
"Common.define.smartArt.textContinuousArrowProcess": "大きな矢印のプロセス",
"Common.define.smartArt.textContinuousBlockProcess": "矢印と長方形のプロセス",
"Common.define.smartArt.textContinuousCycle": "連続性強調循環",
"Common.define.smartArt.textContinuousPictureList": "矢印付き画像リスト",
"Common.define.smartArt.textConvergingArrows": "内向き矢印",
"Common.define.smartArt.textConvergingRadial": "集中",
"Common.define.smartArt.textConvergingText": "内向きテキスト",
"Common.define.smartArt.textCounterbalanceArrows": "対立とバランスの矢印",
"Common.define.smartArt.textCycle": "循環",
"Common.define.smartArt.textCycleMatrix": "循環マトリックス",
"Common.define.smartArt.textDescendingBlockList": "ブロックの降順リスト",
"Common.define.smartArt.textDescendingProcess": "降順プロセス",
"Common.define.smartArt.textDetailedProcess": "詳述プロセス",
"Common.define.smartArt.textDivergingArrows": "左右逆方向矢印",
"Common.define.smartArt.textDivergingRadial": "矢印付き放射",
"Common.define.smartArt.textEquation": "数式",
"Common.define.smartArt.textFramedTextPicture": "フレームに表示されるテキスト画像",
"Common.define.smartArt.textFunnel": "漏斗",
"Common.define.smartArt.textGear": "歯車",
"Common.define.smartArt.textGridMatrix": "グリッド マトリックス",
"Common.define.smartArt.textGroupedList": "グループ リスト",
"Common.define.smartArt.textHalfCircleOrganizationChart": "アーチ型線で飾られた組織図",
"Common.define.smartArt.textHexagonCluster": "蜂の巣状の六角形",
"Common.define.smartArt.textHexagonRadial": "六角形放射",
"Common.define.smartArt.textHierarchy": "階層",
"Common.define.smartArt.textHierarchyList": "階層リスト",
"Common.define.smartArt.textHorizontalBulletList": "横方向箇条書きリスト",
"Common.define.smartArt.textHorizontalHierarchy": "横方向階層",
"Common.define.smartArt.textHorizontalLabeledHierarchy": "ラベル付き横方向階層",
"Common.define.smartArt.textHorizontalMultiLevelHierarchy": "複数レベル対応の横方向階層",
"Common.define.smartArt.textHorizontalOrganizationChart": "水平方向の組織図",
"Common.define.smartArt.textHorizontalPictureList": "横方向画像リスト",
"Common.define.smartArt.textIncreasingArrowProcess": "上昇矢印のプロセス",
"Common.define.smartArt.textIncreasingCircleProcess": "上昇円プロセス",
"Common.define.smartArt.textInterconnectedBlockProcess": "相互接続された長方形のプロセス",
"Common.define.smartArt.textInterconnectedRings": "互いにつながったリング",
"Common.define.smartArt.textInvertedPyramid": "反転ピラミッド",
"Common.define.smartArt.textLabeledHierarchy": "ラベル付き階層",
"Common.Translation.textMoreButton": "もっと", "Common.Translation.textMoreButton": "もっと",
"Common.Translation.warnFileLocked": "このファイルは他のアプリで編集されているので、編集できません。", "Common.Translation.warnFileLocked": "このファイルは他のアプリで編集されているので、編集できません。",
"Common.Translation.warnFileLockedBtnEdit": "コピーを作成する", "Common.Translation.warnFileLockedBtnEdit": "コピーを作成する",
@ -288,6 +366,7 @@
"Common.Views.DocumentAccessDialog.textLoading": "読み込み中...", "Common.Views.DocumentAccessDialog.textLoading": "読み込み中...",
"Common.Views.DocumentAccessDialog.textTitle": "共有設定", "Common.Views.DocumentAccessDialog.textTitle": "共有設定",
"Common.Views.ExternalDiagramEditor.textTitle": "チャートのエディタ", "Common.Views.ExternalDiagramEditor.textTitle": "チャートのエディタ",
"Common.Views.ExternalEditor.textClose": "閉じる",
"Common.Views.ExternalMergeEditor.textTitle": "差し込み印刷の宛先", "Common.Views.ExternalMergeEditor.textTitle": "差し込み印刷の宛先",
"Common.Views.ExternalOleEditor.textTitle": "スプレッドシートエディター", "Common.Views.ExternalOleEditor.textTitle": "スプレッドシートエディター",
"Common.Views.Header.labelCoUsersDescr": "ファイルを編集しているユーザー:", "Common.Views.Header.labelCoUsersDescr": "ファイルを編集しているユーザー:",
@ -354,6 +433,7 @@
"Common.Views.Plugins.textStart": "開始", "Common.Views.Plugins.textStart": "開始",
"Common.Views.Plugins.textStop": "停止", "Common.Views.Plugins.textStop": "停止",
"Common.Views.Protection.hintAddPwd": "パスワードを使用して暗号化する", "Common.Views.Protection.hintAddPwd": "パスワードを使用して暗号化する",
"Common.Views.Protection.hintDelPwd": "パスワードを削除する",
"Common.Views.Protection.hintPwd": "パスワードを変更か削除する", "Common.Views.Protection.hintPwd": "パスワードを変更か削除する",
"Common.Views.Protection.hintSignature": "デジタル署名かデジタル署名行を追加", "Common.Views.Protection.hintSignature": "デジタル署名かデジタル署名行を追加",
"Common.Views.Protection.txtAddPwd": "パスワードの追加", "Common.Views.Protection.txtAddPwd": "パスワードの追加",
@ -499,6 +579,7 @@
"Common.Views.SignDialog.tipFontName": "フォント名", "Common.Views.SignDialog.tipFontName": "フォント名",
"Common.Views.SignDialog.tipFontSize": "フォントのサイズ", "Common.Views.SignDialog.tipFontSize": "フォントのサイズ",
"Common.Views.SignSettingsDialog.textAllowComment": "署名ダイアログで署名者がコメントを追加できるようにする", "Common.Views.SignSettingsDialog.textAllowComment": "署名ダイアログで署名者がコメントを追加できるようにする",
"Common.Views.SignSettingsDialog.textDefInstruction": "このドキュメントに署名する前に、署名するコンテンツが正しいことを確認してください。",
"Common.Views.SignSettingsDialog.textInfoEmail": "メール", "Common.Views.SignSettingsDialog.textInfoEmail": "メール",
"Common.Views.SignSettingsDialog.textInfoName": "名前", "Common.Views.SignSettingsDialog.textInfoName": "名前",
"Common.Views.SignSettingsDialog.textInfoTitle": "署名者の役職", "Common.Views.SignSettingsDialog.textInfoTitle": "署名者の役職",
@ -640,6 +721,7 @@
"DE.Controllers.Main.textClose": "閉じる", "DE.Controllers.Main.textClose": "閉じる",
"DE.Controllers.Main.textCloseTip": "クリックでヒントを閉じる", "DE.Controllers.Main.textCloseTip": "クリックでヒントを閉じる",
"DE.Controllers.Main.textContactUs": "営業部に連絡する", "DE.Controllers.Main.textContactUs": "営業部に連絡する",
"DE.Controllers.Main.textContinue": "続ける",
"DE.Controllers.Main.textConvertEquation": "この数式は、サポートされなくなった古いバージョンの数式エディタで作成されました。 編集するには、方程式をOffice Math ML形式に変換します。<br>今すぐ変換しますか?", "DE.Controllers.Main.textConvertEquation": "この数式は、サポートされなくなった古いバージョンの数式エディタで作成されました。 編集するには、方程式をOffice Math ML形式に変換します。<br>今すぐ変換しますか?",
"DE.Controllers.Main.textCustomLoader": "ライセンス条項により、ローダーを変更する権利がないことにご注意ください。<br>見積もりについては、弊社営業部門にお問い合わせください。", "DE.Controllers.Main.textCustomLoader": "ライセンス条項により、ローダーを変更する権利がないことにご注意ください。<br>見積もりについては、弊社営業部門にお問い合わせください。",
"DE.Controllers.Main.textDisconnect": "接続が切断されました", "DE.Controllers.Main.textDisconnect": "接続が切断されました",
@ -1329,10 +1411,17 @@
"DE.Views.CellsAddDialog.textRow": "行", "DE.Views.CellsAddDialog.textRow": "行",
"DE.Views.CellsAddDialog.textTitle": "複数を挿入する", "DE.Views.CellsAddDialog.textTitle": "複数を挿入する",
"DE.Views.CellsAddDialog.textUp": "カーソルより上", "DE.Views.CellsAddDialog.textUp": "カーソルより上",
"DE.Views.ChartSettings.text3dDepth": "深さ(ベースに対する割合)",
"DE.Views.ChartSettings.text3dHeight": "高さ(ベースに対する割合)",
"DE.Views.ChartSettings.text3dRotation": "3D回転",
"DE.Views.ChartSettings.textAdvanced": "詳細設定を表示", "DE.Views.ChartSettings.textAdvanced": "詳細設定を表示",
"DE.Views.ChartSettings.textAutoscale": "自動スケーリング",
"DE.Views.ChartSettings.textChartType": "グラフの種類の変更", "DE.Views.ChartSettings.textChartType": "グラフの種類の変更",
"DE.Views.ChartSettings.textDefault": "デフォルト回転",
"DE.Views.ChartSettings.textDown": "下",
"DE.Views.ChartSettings.textEditData": "データの編集", "DE.Views.ChartSettings.textEditData": "データの編集",
"DE.Views.ChartSettings.textHeight": "高さ", "DE.Views.ChartSettings.textHeight": "高さ",
"DE.Views.ChartSettings.textLeft": "左",
"DE.Views.ChartSettings.textOriginalSize": "実際のサイズ", "DE.Views.ChartSettings.textOriginalSize": "実際のサイズ",
"DE.Views.ChartSettings.textSize": "サイズ", "DE.Views.ChartSettings.textSize": "サイズ",
"DE.Views.ChartSettings.textStyle": "スタイル", "DE.Views.ChartSettings.textStyle": "スタイル",
@ -1428,14 +1517,22 @@
"DE.Views.DateTimeDialog.textLang": "言語", "DE.Views.DateTimeDialog.textLang": "言語",
"DE.Views.DateTimeDialog.textUpdate": "自動的に更新", "DE.Views.DateTimeDialog.textUpdate": "自動的に更新",
"DE.Views.DateTimeDialog.txtTitle": "日付&時刻", "DE.Views.DateTimeDialog.txtTitle": "日付&時刻",
"DE.Views.DocProtection.txtDocProtectedComment": "文書は保護されています。<br>この文書には、コメントしか挿入できません。",
"DE.Views.DocProtection.txtDocProtectedForms": "文書は保護されています。<br>この文書では、フォームにのみ記入することができます。",
"DE.Views.DocProtection.txtDocProtectedTrack": "文書は保護されています。<br>この文書を編集することは可能ですが、すべての変更は追跡されます。",
"DE.Views.DocProtection.txtDocProtectedView": "ドキュメントが保護されています。<br>このドキュメントは閲覧のみ可能です。",
"DE.Views.DocProtection.txtDocUnlockDescription": "パスワードを入力すると、文書の保護が解除されます",
"DE.Views.DocumentHolder.aboveText": "上", "DE.Views.DocumentHolder.aboveText": "上",
"DE.Views.DocumentHolder.addCommentText": "コメントの追加", "DE.Views.DocumentHolder.addCommentText": "コメントの追加",
"DE.Views.DocumentHolder.advancedDropCapText": "ドロップキャップの設定", "DE.Views.DocumentHolder.advancedDropCapText": "ドロップキャップの設定",
"DE.Views.DocumentHolder.advancedEquationText": "数式設定",
"DE.Views.DocumentHolder.advancedFrameText": "フレームの詳細設定", "DE.Views.DocumentHolder.advancedFrameText": "フレームの詳細設定",
"DE.Views.DocumentHolder.advancedParagraphText": "段落の詳細設定", "DE.Views.DocumentHolder.advancedParagraphText": "段落の詳細設定",
"DE.Views.DocumentHolder.advancedTableText": "テーブルの詳細設定", "DE.Views.DocumentHolder.advancedTableText": "テーブルの詳細設定",
"DE.Views.DocumentHolder.advancedText": "詳細設定", "DE.Views.DocumentHolder.advancedText": "詳細設定",
"DE.Views.DocumentHolder.alignmentText": "配置", "DE.Views.DocumentHolder.alignmentText": "配置",
"DE.Views.DocumentHolder.allLinearText": "すべて - 線形",
"DE.Views.DocumentHolder.allProfText": "すべて - プロフェッショナル",
"DE.Views.DocumentHolder.belowText": "下", "DE.Views.DocumentHolder.belowText": "下",
"DE.Views.DocumentHolder.breakBeforeText": "前に改ページ", "DE.Views.DocumentHolder.breakBeforeText": "前に改ページ",
"DE.Views.DocumentHolder.bulletsText": "箇条書きと段落番号", "DE.Views.DocumentHolder.bulletsText": "箇条書きと段落番号",
@ -1444,6 +1541,8 @@
"DE.Views.DocumentHolder.centerText": "中央揃え", "DE.Views.DocumentHolder.centerText": "中央揃え",
"DE.Views.DocumentHolder.chartText": "チャートの詳細設定", "DE.Views.DocumentHolder.chartText": "チャートの詳細設定",
"DE.Views.DocumentHolder.columnText": "列", "DE.Views.DocumentHolder.columnText": "列",
"DE.Views.DocumentHolder.currLinearText": "現在 - 線形",
"DE.Views.DocumentHolder.currProfText": "現在 - プロフェッショナル",
"DE.Views.DocumentHolder.deleteColumnText": "列の削除", "DE.Views.DocumentHolder.deleteColumnText": "列の削除",
"DE.Views.DocumentHolder.deleteRowText": "行の削除", "DE.Views.DocumentHolder.deleteRowText": "行の削除",
"DE.Views.DocumentHolder.deleteTableText": "表の削除", "DE.Views.DocumentHolder.deleteTableText": "表の削除",
@ -1456,6 +1555,7 @@
"DE.Views.DocumentHolder.editFooterText": "フッターの編集", "DE.Views.DocumentHolder.editFooterText": "フッターの編集",
"DE.Views.DocumentHolder.editHeaderText": "ヘッダーの編集", "DE.Views.DocumentHolder.editHeaderText": "ヘッダーの編集",
"DE.Views.DocumentHolder.editHyperlinkText": "ハイパーリンクの編集", "DE.Views.DocumentHolder.editHyperlinkText": "ハイパーリンクの編集",
"DE.Views.DocumentHolder.eqToInlineText": "内臓に切り替える",
"DE.Views.DocumentHolder.guestText": "ゲスト", "DE.Views.DocumentHolder.guestText": "ゲスト",
"DE.Views.DocumentHolder.hyperlinkText": "ハイパーリンク", "DE.Views.DocumentHolder.hyperlinkText": "ハイパーリンク",
"DE.Views.DocumentHolder.ignoreAllSpellText": "全てを無視する", "DE.Views.DocumentHolder.ignoreAllSpellText": "全てを無視する",
@ -1470,6 +1570,7 @@
"DE.Views.DocumentHolder.insertText": "挿入", "DE.Views.DocumentHolder.insertText": "挿入",
"DE.Views.DocumentHolder.keepLinesText": "段落を分割しない", "DE.Views.DocumentHolder.keepLinesText": "段落を分割しない",
"DE.Views.DocumentHolder.langText": "言語の選択", "DE.Views.DocumentHolder.langText": "言語の選択",
"DE.Views.DocumentHolder.latexText": "LaTeX",
"DE.Views.DocumentHolder.leftText": "左", "DE.Views.DocumentHolder.leftText": "左",
"DE.Views.DocumentHolder.loadSpellText": "バリエーションの読み込み中...", "DE.Views.DocumentHolder.loadSpellText": "バリエーションの読み込み中...",
"DE.Views.DocumentHolder.mergeCellsText": "セルの結合", "DE.Views.DocumentHolder.mergeCellsText": "セルの結合",
@ -2373,6 +2474,10 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "上罫線だけを設定", "DE.Views.ParagraphSettingsAdvanced.tipTop": "上罫線だけを設定",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "自動", "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "自動",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "罫線なし", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "罫線なし",
"DE.Views.ProtectDialog.textComments": "コメント",
"DE.Views.ProtectDialog.textForms": "フォームの入力",
"DE.Views.ProtectDialog.txtAllow": "ユーザーに許可する編集の種類を指定する",
"DE.Views.ProtectDialog.txtIncorrectPwd": "先に入力したパスワードと一致しません。",
"DE.Views.RightMenu.txtChartSettings": "チャート設定", "DE.Views.RightMenu.txtChartSettings": "チャート設定",
"DE.Views.RightMenu.txtFormSettings": "フォーム設定", "DE.Views.RightMenu.txtFormSettings": "フォーム設定",
"DE.Views.RightMenu.txtHeaderFooterSettings": "ヘッダーとフッターの設定", "DE.Views.RightMenu.txtHeaderFooterSettings": "ヘッダーとフッターの設定",
@ -2563,8 +2668,13 @@
"DE.Views.TableSettings.tipOuter": "外枠の罫線だけを設定", "DE.Views.TableSettings.tipOuter": "外枠の罫線だけを設定",
"DE.Views.TableSettings.tipRight": "外部の罫線(右)だけを設定", "DE.Views.TableSettings.tipRight": "外部の罫線(右)だけを設定",
"DE.Views.TableSettings.tipTop": "外部の罫線(上)だけを設定", "DE.Views.TableSettings.tipTop": "外部の罫線(上)だけを設定",
"DE.Views.TableSettings.txtGroupTable_BorderedAndLined": "境界&線付き表",
"DE.Views.TableSettings.txtGroupTable_Custom": "カスタム",
"DE.Views.TableSettings.txtGroupTable_Grid": "グリッド テーブル",
"DE.Views.TableSettings.txtNoBorders": "罫線なし", "DE.Views.TableSettings.txtNoBorders": "罫線なし",
"DE.Views.TableSettings.txtTable_Accent": "アクセント", "DE.Views.TableSettings.txtTable_Accent": "アクセント",
"DE.Views.TableSettings.txtTable_Bordered": "境界付き",
"DE.Views.TableSettings.txtTable_BorderedAndLined": "境界&線付き",
"DE.Views.TableSettings.txtTable_Colorful": "カラフル", "DE.Views.TableSettings.txtTable_Colorful": "カラフル",
"DE.Views.TableSettings.txtTable_Dark": "暗い", "DE.Views.TableSettings.txtTable_Dark": "暗い",
"DE.Views.TableSettings.txtTable_GridTable": "グリッドテーブル", "DE.Views.TableSettings.txtTable_GridTable": "グリッドテーブル",
@ -2849,13 +2959,16 @@
"DE.Views.Toolbar.tipIncPrLeft": "インデントを増やす", "DE.Views.Toolbar.tipIncPrLeft": "インデントを増やす",
"DE.Views.Toolbar.tipInsertChart": "グラフの挿入", "DE.Views.Toolbar.tipInsertChart": "グラフの挿入",
"DE.Views.Toolbar.tipInsertEquation": "数式の挿入", "DE.Views.Toolbar.tipInsertEquation": "数式の挿入",
"DE.Views.Toolbar.tipInsertHorizontalText": "横書きテキストボックスの挿入",
"DE.Views.Toolbar.tipInsertImage": "画像の挿入", "DE.Views.Toolbar.tipInsertImage": "画像の挿入",
"DE.Views.Toolbar.tipInsertNum": "ページ番号の挿入", "DE.Views.Toolbar.tipInsertNum": "ページ番号の挿入",
"DE.Views.Toolbar.tipInsertShape": "オートシェイプの挿入", "DE.Views.Toolbar.tipInsertShape": "オートシェイプの挿入",
"DE.Views.Toolbar.tipInsertSmartArt": "SmartArtの挿入",
"DE.Views.Toolbar.tipInsertSymbol": "記号の挿入", "DE.Views.Toolbar.tipInsertSymbol": "記号の挿入",
"DE.Views.Toolbar.tipInsertTable": "表の挿入", "DE.Views.Toolbar.tipInsertTable": "表の挿入",
"DE.Views.Toolbar.tipInsertText": "テキストボックスの挿入", "DE.Views.Toolbar.tipInsertText": "テキストボックスの挿入",
"DE.Views.Toolbar.tipInsertTextArt": "テキストアートの挿入", "DE.Views.Toolbar.tipInsertTextArt": "テキストアートの挿入",
"DE.Views.Toolbar.tipInsertVerticalText": "縦書きテキストボックスの挿入",
"DE.Views.Toolbar.tipLineNumbers": "行番号を表示する", "DE.Views.Toolbar.tipLineNumbers": "行番号を表示する",
"DE.Views.Toolbar.tipLineSpace": "段落の行間", "DE.Views.Toolbar.tipLineSpace": "段落の行間",
"DE.Views.Toolbar.tipMailRecepients": "差し込み印刷", "DE.Views.Toolbar.tipMailRecepients": "差し込み印刷",

View file

@ -503,9 +503,9 @@
"Common.Views.SignDialog.tipFontSize": "Tamanho do tipo de letra", "Common.Views.SignDialog.tipFontSize": "Tamanho do tipo de letra",
"Common.Views.SignSettingsDialog.textAllowComment": "Permitir ao signatário inserir comentários no diálogo de assinatura", "Common.Views.SignSettingsDialog.textAllowComment": "Permitir ao signatário inserir comentários no diálogo de assinatura",
"Common.Views.SignSettingsDialog.textDefInstruction": "Antes de assinar este documento, verifique se o conteúdo que está a assinar está correto.", "Common.Views.SignSettingsDialog.textDefInstruction": "Antes de assinar este documento, verifique se o conteúdo que está a assinar está correto.",
"Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail do assinante sugerido",
"Common.Views.SignSettingsDialog.textInfoName": "Nome", "Common.Views.SignSettingsDialog.textInfoName": "Assinante sugerido",
"Common.Views.SignSettingsDialog.textInfoTitle": "Título do Assinante", "Common.Views.SignSettingsDialog.textInfoTitle": "Título do assinante",
"Common.Views.SignSettingsDialog.textInstructions": "Instruções para o assinante", "Common.Views.SignSettingsDialog.textInstructions": "Instruções para o assinante",
"Common.Views.SignSettingsDialog.textShowDate": "Mostrar data na linha de assinatura", "Common.Views.SignSettingsDialog.textShowDate": "Mostrar data na linha de assinatura",
"Common.Views.SignSettingsDialog.textTitle": "Definições de Assinatura", "Common.Views.SignSettingsDialog.textTitle": "Definições de Assinatura",
@ -588,6 +588,7 @@
"DE.Controllers.Main.errorMailMergeLoadFile": "Não foi possível carregar o documento. Por favor escolha outro ficheiro.", "DE.Controllers.Main.errorMailMergeLoadFile": "Não foi possível carregar o documento. Por favor escolha outro ficheiro.",
"DE.Controllers.Main.errorMailMergeSaveFile": "Falha ao unir.", "DE.Controllers.Main.errorMailMergeSaveFile": "Falha ao unir.",
"DE.Controllers.Main.errorNoTOC": "Não existem alterações a fazer no índice remissivo. Pode introduzir alterações no separador Referências.", "DE.Controllers.Main.errorNoTOC": "Não existem alterações a fazer no índice remissivo. Pode introduzir alterações no separador Referências.",
"DE.Controllers.Main.errorPasswordIsNotCorrect": "A palavra-passe que introduziu não está correta.<br>Verifique se a tecla CAPS LOCK está desligada e não se esqueça de utilizar a capitalização correta.",
"DE.Controllers.Main.errorProcessSaveResult": "Falha ao guardar.", "DE.Controllers.Main.errorProcessSaveResult": "Falha ao guardar.",
"DE.Controllers.Main.errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.", "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 expirou. Tente recarregar a página.", "DE.Controllers.Main.errorSessionAbsolute": "A sessão de edição expirou. Tente recarregar a página.",
@ -940,7 +941,7 @@
"DE.Controllers.Search.textReplaceSuccess": "A pesquisa foi concluída. {0} ocorrências foram substituídas", "DE.Controllers.Search.textReplaceSuccess": "A pesquisa foi concluída. {0} ocorrências foram substituídas",
"DE.Controllers.Search.warnReplaceString": "{0} não é um carácter especial válido para a janela Substituir com.", "DE.Controllers.Search.warnReplaceString": "{0} não é um carácter especial válido para a janela Substituir com.",
"DE.Controllers.Statusbar.textDisconnect": "<b>Sem ligação</b><br>A tentar ligar. Por favor, verifique as definições da ligação.", "DE.Controllers.Statusbar.textDisconnect": "<b>Sem ligação</b><br>A tentar ligar. Por favor, verifique as definições da ligação.",
"DE.Controllers.Statusbar.textHasChanges": "Novas alterações foram encontradas", "DE.Controllers.Statusbar.textHasChanges": "Novas alterações foram rastreadas",
"DE.Controllers.Statusbar.textSetTrackChanges": "Está no modo Registar Alterações", "DE.Controllers.Statusbar.textSetTrackChanges": "Está no modo Registar Alterações",
"DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled", "DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled",
"DE.Controllers.Statusbar.tipReview": "Rastrear alterações", "DE.Controllers.Statusbar.tipReview": "Rastrear alterações",
@ -1447,6 +1448,13 @@
"DE.Views.DateTimeDialog.textLang": "Idioma", "DE.Views.DateTimeDialog.textLang": "Idioma",
"DE.Views.DateTimeDialog.textUpdate": "Atualizar automaticamente", "DE.Views.DateTimeDialog.textUpdate": "Atualizar automaticamente",
"DE.Views.DateTimeDialog.txtTitle": "Data e Hora", "DE.Views.DateTimeDialog.txtTitle": "Data e Hora",
"DE.Views.DocProtection.hintProtectDoc": "Proteger o documento",
"DE.Views.DocProtection.txtDocProtectedComment": "O documento está protegido.<br>Apenas pode inserir comentários a este documento.",
"DE.Views.DocProtection.txtDocProtectedForms": "O documento está protegido.<br>Apenas pode preencher formulários neste documento.",
"DE.Views.DocProtection.txtDocProtectedTrack": "O documento está protegido.<br>Pode editar este documento, mas todas as alterações serão rastreadas.",
"DE.Views.DocProtection.txtDocProtectedView": "O documento está protegido.<br>Apenas pode ver este documento.",
"DE.Views.DocProtection.txtDocUnlockDescription": "Introduzir uma palavra-passe para desproteger documento",
"DE.Views.DocProtection.txtProtectDoc": "Proteger o documento",
"DE.Views.DocumentHolder.aboveText": "Acima", "DE.Views.DocumentHolder.aboveText": "Acima",
"DE.Views.DocumentHolder.addCommentText": "Adicionar comentário", "DE.Views.DocumentHolder.addCommentText": "Adicionar comentário",
"DE.Views.DocumentHolder.advancedDropCapText": "Definições de capitulares", "DE.Views.DocumentHolder.advancedDropCapText": "Definições de capitulares",
@ -2401,6 +2409,18 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Definir apenas contorno superior", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Definir apenas contorno superior",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático", "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sem contornos", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sem contornos",
"DE.Views.ProtectDialog.textComments": "Comentários",
"DE.Views.ProtectDialog.textForms": "Preenchimento de formulários",
"DE.Views.ProtectDialog.textReview": "Alterações rastreadas",
"DE.Views.ProtectDialog.textView": "Sem alterações (apenas leitura)",
"DE.Views.ProtectDialog.txtAllow": "Permitir apenas este tipo de edição no documento",
"DE.Views.ProtectDialog.txtIncorrectPwd": "A palavra-passe de confirmação não é idêntica",
"DE.Views.ProtectDialog.txtOptional": "opcional",
"DE.Views.ProtectDialog.txtPassword": "Palavra-passe",
"DE.Views.ProtectDialog.txtProtect": "Proteger",
"DE.Views.ProtectDialog.txtRepeat": "Repetir palavra-passe",
"DE.Views.ProtectDialog.txtTitle": "Proteger",
"DE.Views.ProtectDialog.txtWarning": "Aviso: se perder ou esquecer a palavra-passe, não será possível recuperá-la. Guarde-a num local seguro.",
"DE.Views.RightMenu.txtChartSettings": "Definições de gráfico", "DE.Views.RightMenu.txtChartSettings": "Definições de gráfico",
"DE.Views.RightMenu.txtFormSettings": "Definições de formulários", "DE.Views.RightMenu.txtFormSettings": "Definições de formulários",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Definições de cabeçalho/rodapé", "DE.Views.RightMenu.txtHeaderFooterSettings": "Definições de cabeçalho/rodapé",
@ -2885,6 +2905,7 @@
"DE.Views.Toolbar.tipIncPrLeft": "Aumentar recuo", "DE.Views.Toolbar.tipIncPrLeft": "Aumentar recuo",
"DE.Views.Toolbar.tipInsertChart": "Inserir gráfico", "DE.Views.Toolbar.tipInsertChart": "Inserir gráfico",
"DE.Views.Toolbar.tipInsertEquation": "Inserir equação", "DE.Views.Toolbar.tipInsertEquation": "Inserir equação",
"DE.Views.Toolbar.tipInsertHorizontalText": "Inserir caixa de texto horizontal",
"DE.Views.Toolbar.tipInsertImage": "Inserir imagem", "DE.Views.Toolbar.tipInsertImage": "Inserir imagem",
"DE.Views.Toolbar.tipInsertNum": "Inserir número da página", "DE.Views.Toolbar.tipInsertNum": "Inserir número da página",
"DE.Views.Toolbar.tipInsertShape": "Inserir forma automática", "DE.Views.Toolbar.tipInsertShape": "Inserir forma automática",
@ -2892,6 +2913,7 @@
"DE.Views.Toolbar.tipInsertTable": "Inserir tabela", "DE.Views.Toolbar.tipInsertTable": "Inserir tabela",
"DE.Views.Toolbar.tipInsertText": "Inserir caixa de texto", "DE.Views.Toolbar.tipInsertText": "Inserir caixa de texto",
"DE.Views.Toolbar.tipInsertTextArt": "Inserir arte de texto", "DE.Views.Toolbar.tipInsertTextArt": "Inserir arte de texto",
"DE.Views.Toolbar.tipInsertVerticalText": "Inserir caixa de texto vertical",
"DE.Views.Toolbar.tipLineNumbers": "Mostrar número das linhas", "DE.Views.Toolbar.tipLineNumbers": "Mostrar número das linhas",
"DE.Views.Toolbar.tipLineSpace": "Espaçamento entre linhas do parágrafo", "DE.Views.Toolbar.tipLineSpace": "Espaçamento entre linhas do parágrafo",
"DE.Views.Toolbar.tipMailRecepients": "Select Recepients", "DE.Views.Toolbar.tipMailRecepients": "Select Recepients",

View file

@ -288,6 +288,8 @@
"Common.Views.DocumentAccessDialog.textLoading": "Carregando...", "Common.Views.DocumentAccessDialog.textLoading": "Carregando...",
"Common.Views.DocumentAccessDialog.textTitle": "Configurações de compartilhamento", "Common.Views.DocumentAccessDialog.textTitle": "Configurações de compartilhamento",
"Common.Views.ExternalDiagramEditor.textTitle": "Editor de gráfico", "Common.Views.ExternalDiagramEditor.textTitle": "Editor de gráfico",
"Common.Views.ExternalEditor.textClose": "Fechar",
"Common.Views.ExternalEditor.textSave": "Salvar e Sair",
"Common.Views.ExternalMergeEditor.textTitle": "Mail Merge Recepients", "Common.Views.ExternalMergeEditor.textTitle": "Mail Merge Recepients",
"Common.Views.ExternalOleEditor.textTitle": "Editor de planilhas", "Common.Views.ExternalOleEditor.textTitle": "Editor de planilhas",
"Common.Views.Header.labelCoUsersDescr": "Usuários que estão editando o arquivo:", "Common.Views.Header.labelCoUsersDescr": "Usuários que estão editando o arquivo:",
@ -354,6 +356,7 @@
"Common.Views.Plugins.textStart": "Iniciar", "Common.Views.Plugins.textStart": "Iniciar",
"Common.Views.Plugins.textStop": "Parar", "Common.Views.Plugins.textStop": "Parar",
"Common.Views.Protection.hintAddPwd": "Criptografar com senha", "Common.Views.Protection.hintAddPwd": "Criptografar com senha",
"Common.Views.Protection.hintDelPwd": "Excluir senha",
"Common.Views.Protection.hintPwd": "Alterar ou excluir senha", "Common.Views.Protection.hintPwd": "Alterar ou excluir senha",
"Common.Views.Protection.hintSignature": "Inserir assinatura digital ou linha de assinatura", "Common.Views.Protection.hintSignature": "Inserir assinatura digital ou linha de assinatura",
"Common.Views.Protection.txtAddPwd": "Inserir a senha", "Common.Views.Protection.txtAddPwd": "Inserir a senha",
@ -499,6 +502,7 @@
"Common.Views.SignDialog.tipFontName": "Nome da Fonte", "Common.Views.SignDialog.tipFontName": "Nome da Fonte",
"Common.Views.SignDialog.tipFontSize": "Tamanho da fonte", "Common.Views.SignDialog.tipFontSize": "Tamanho da fonte",
"Common.Views.SignSettingsDialog.textAllowComment": "Permitir ao signatário inserir comentários no diálogo de assinatura", "Common.Views.SignSettingsDialog.textAllowComment": "Permitir ao signatário inserir comentários no diálogo de assinatura",
"Common.Views.SignSettingsDialog.textDefInstruction": "Antes de assinar este documento, verifique se o conteúdo que está a assinar está correto.",
"Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail",
"Common.Views.SignSettingsDialog.textInfoName": "Nome", "Common.Views.SignSettingsDialog.textInfoName": "Nome",
"Common.Views.SignSettingsDialog.textInfoTitle": "Título do Signatário", "Common.Views.SignSettingsDialog.textInfoTitle": "Título do Signatário",
@ -584,6 +588,7 @@
"DE.Controllers.Main.errorMailMergeLoadFile": "Carregamento falhou. Por favor, selecione um arquivo diferente.", "DE.Controllers.Main.errorMailMergeLoadFile": "Carregamento falhou. Por favor, selecione um arquivo diferente.",
"DE.Controllers.Main.errorMailMergeSaveFile": "Merge failed.", "DE.Controllers.Main.errorMailMergeSaveFile": "Merge failed.",
"DE.Controllers.Main.errorNoTOC": "Não há índice para atualizar. Você pode inserir um na guia Referências.", "DE.Controllers.Main.errorNoTOC": "Não há índice para atualizar. Você pode inserir um na guia Referências.",
"DE.Controllers.Main.errorPasswordIsNotCorrect": "A senha fornecida não está correta. <br> Verifique se a tecla CAPS LOCK está desligada e use a capitalização correta.",
"DE.Controllers.Main.errorProcessSaveResult": "Salvamento falhou.", "DE.Controllers.Main.errorProcessSaveResult": "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.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.errorSessionAbsolute": "A sessão de edição de documentos expirou. Por Favor atualize a página.",
@ -1329,17 +1334,31 @@
"DE.Views.CellsAddDialog.textRow": "Linhas", "DE.Views.CellsAddDialog.textRow": "Linhas",
"DE.Views.CellsAddDialog.textTitle": "Insira vários", "DE.Views.CellsAddDialog.textTitle": "Insira vários",
"DE.Views.CellsAddDialog.textUp": "Acima do cursor", "DE.Views.CellsAddDialog.textUp": "Acima do cursor",
"DE.Views.ChartSettings.text3dDepth": "Profundidade (% da base)",
"DE.Views.ChartSettings.text3dHeight": "Altura (% da base)",
"DE.Views.ChartSettings.text3dRotation": "Rotação 3D",
"DE.Views.ChartSettings.textAdvanced": "Exibir configurações avançadas", "DE.Views.ChartSettings.textAdvanced": "Exibir configurações avançadas",
"DE.Views.ChartSettings.textAutoscale": "Autoescala", "DE.Views.ChartSettings.textAutoscale": "Autoescala",
"DE.Views.ChartSettings.textChartType": "Alterar tipo de gráfico", "DE.Views.ChartSettings.textChartType": "Alterar tipo de gráfico",
"DE.Views.ChartSettings.textDefault": "Rotação padrão",
"DE.Views.ChartSettings.textDown": "Abaixo",
"DE.Views.ChartSettings.textEditData": "Editar dados", "DE.Views.ChartSettings.textEditData": "Editar dados",
"DE.Views.ChartSettings.textHeight": "Altura", "DE.Views.ChartSettings.textHeight": "Altura",
"DE.Views.ChartSettings.textLeft": "Esquerda",
"DE.Views.ChartSettings.textNarrow": "Campo de visão estreito",
"DE.Views.ChartSettings.textOriginalSize": "Tamanho atual", "DE.Views.ChartSettings.textOriginalSize": "Tamanho atual",
"DE.Views.ChartSettings.textPerspective": "Perspectiva",
"DE.Views.ChartSettings.textRight": "Direita",
"DE.Views.ChartSettings.textRightAngle": "Eixos de ângulo reto",
"DE.Views.ChartSettings.textSize": "Tamanho", "DE.Views.ChartSettings.textSize": "Tamanho",
"DE.Views.ChartSettings.textStyle": "Estilo", "DE.Views.ChartSettings.textStyle": "Estilo",
"DE.Views.ChartSettings.textUndock": "Desencaixar do painel", "DE.Views.ChartSettings.textUndock": "Desencaixar do painel",
"DE.Views.ChartSettings.textUp": "Para cima",
"DE.Views.ChartSettings.textWiden": "Ampliar o campo de visão",
"DE.Views.ChartSettings.textWidth": "Largura", "DE.Views.ChartSettings.textWidth": "Largura",
"DE.Views.ChartSettings.textWrap": "Estilo da quebra automática", "DE.Views.ChartSettings.textWrap": "Estilo da quebra automática",
"DE.Views.ChartSettings.textX": "Rotação X",
"DE.Views.ChartSettings.textY": "Rotação Y",
"DE.Views.ChartSettings.txtBehind": "Atrás", "DE.Views.ChartSettings.txtBehind": "Atrás",
"DE.Views.ChartSettings.txtInFront": "Em frente", "DE.Views.ChartSettings.txtInFront": "Em frente",
"DE.Views.ChartSettings.txtInline": "Em linha", "DE.Views.ChartSettings.txtInline": "Em linha",
@ -1429,14 +1448,24 @@
"DE.Views.DateTimeDialog.textLang": "Idioma", "DE.Views.DateTimeDialog.textLang": "Idioma",
"DE.Views.DateTimeDialog.textUpdate": "Atualizar automaticamente", "DE.Views.DateTimeDialog.textUpdate": "Atualizar automaticamente",
"DE.Views.DateTimeDialog.txtTitle": "Data e Hora", "DE.Views.DateTimeDialog.txtTitle": "Data e Hora",
"DE.Views.DocProtection.hintProtectDoc": "Proteger o Documento",
"DE.Views.DocProtection.txtDocProtectedComment": "O documento está protegido.<br>Você só pode inserir comentários neste documento.",
"DE.Views.DocProtection.txtDocProtectedForms": "O documento está protegido.<br>Você só pode preencher formulários neste documento.",
"DE.Views.DocProtection.txtDocProtectedTrack": "O documento está protegido.<br>Você pode editar este documento, mas todas as alterações serão rastreadas.",
"DE.Views.DocProtection.txtDocProtectedView": "O documento está protegido.<br>Você só pode visualizar este documento.",
"DE.Views.DocProtection.txtDocUnlockDescription": "Digite uma senha para desproteger o documento",
"DE.Views.DocProtection.txtProtectDoc": "Proteger o Documento",
"DE.Views.DocumentHolder.aboveText": "Acima", "DE.Views.DocumentHolder.aboveText": "Acima",
"DE.Views.DocumentHolder.addCommentText": "Adicionar comentário", "DE.Views.DocumentHolder.addCommentText": "Adicionar comentário",
"DE.Views.DocumentHolder.advancedDropCapText": "Configurações de capitulação", "DE.Views.DocumentHolder.advancedDropCapText": "Configurações de capitulação",
"DE.Views.DocumentHolder.advancedEquationText": "Definições de equações",
"DE.Views.DocumentHolder.advancedFrameText": "Configurações avançadas de moldura", "DE.Views.DocumentHolder.advancedFrameText": "Configurações avançadas de moldura",
"DE.Views.DocumentHolder.advancedParagraphText": "Configurações avançadas de parágrafo", "DE.Views.DocumentHolder.advancedParagraphText": "Configurações avançadas de parágrafo",
"DE.Views.DocumentHolder.advancedTableText": "Configurações avançadas de tabela", "DE.Views.DocumentHolder.advancedTableText": "Configurações avançadas de tabela",
"DE.Views.DocumentHolder.advancedText": "Configurações avançadas", "DE.Views.DocumentHolder.advancedText": "Configurações avançadas",
"DE.Views.DocumentHolder.alignmentText": "Alinhamento", "DE.Views.DocumentHolder.alignmentText": "Alinhamento",
"DE.Views.DocumentHolder.allLinearText": "Tudo - Linear",
"DE.Views.DocumentHolder.allProfText": "Tudo - Profissional",
"DE.Views.DocumentHolder.belowText": "Abaixo", "DE.Views.DocumentHolder.belowText": "Abaixo",
"DE.Views.DocumentHolder.breakBeforeText": "Quebra de página antes", "DE.Views.DocumentHolder.breakBeforeText": "Quebra de página antes",
"DE.Views.DocumentHolder.bulletsText": "Marcadores e numeração", "DE.Views.DocumentHolder.bulletsText": "Marcadores e numeração",
@ -1445,6 +1474,8 @@
"DE.Views.DocumentHolder.centerText": "Centro", "DE.Views.DocumentHolder.centerText": "Centro",
"DE.Views.DocumentHolder.chartText": "Configurações avançadas de gráfico", "DE.Views.DocumentHolder.chartText": "Configurações avançadas de gráfico",
"DE.Views.DocumentHolder.columnText": "Coluna", "DE.Views.DocumentHolder.columnText": "Coluna",
"DE.Views.DocumentHolder.currLinearText": "Atual - Linear",
"DE.Views.DocumentHolder.currProfText": "Atual - Profissional",
"DE.Views.DocumentHolder.deleteColumnText": "Excluir coluna", "DE.Views.DocumentHolder.deleteColumnText": "Excluir coluna",
"DE.Views.DocumentHolder.deleteRowText": "Excluir linha", "DE.Views.DocumentHolder.deleteRowText": "Excluir linha",
"DE.Views.DocumentHolder.deleteTableText": "Excluir tabela", "DE.Views.DocumentHolder.deleteTableText": "Excluir tabela",
@ -1457,6 +1488,7 @@
"DE.Views.DocumentHolder.editFooterText": "Editar rodapé", "DE.Views.DocumentHolder.editFooterText": "Editar rodapé",
"DE.Views.DocumentHolder.editHeaderText": "Editar cabeçalho", "DE.Views.DocumentHolder.editHeaderText": "Editar cabeçalho",
"DE.Views.DocumentHolder.editHyperlinkText": "Editar hiperlink", "DE.Views.DocumentHolder.editHyperlinkText": "Editar hiperlink",
"DE.Views.DocumentHolder.eqToInlineText": "Alterar para em linha",
"DE.Views.DocumentHolder.guestText": "Visitante", "DE.Views.DocumentHolder.guestText": "Visitante",
"DE.Views.DocumentHolder.hyperlinkText": "Hiperlink", "DE.Views.DocumentHolder.hyperlinkText": "Hiperlink",
"DE.Views.DocumentHolder.ignoreAllSpellText": "Ignorar tudo", "DE.Views.DocumentHolder.ignoreAllSpellText": "Ignorar tudo",
@ -1471,6 +1503,7 @@
"DE.Views.DocumentHolder.insertText": "Inserir", "DE.Views.DocumentHolder.insertText": "Inserir",
"DE.Views.DocumentHolder.keepLinesText": "Manter as linhas juntas", "DE.Views.DocumentHolder.keepLinesText": "Manter as linhas juntas",
"DE.Views.DocumentHolder.langText": "Selecionar idioma", "DE.Views.DocumentHolder.langText": "Selecionar idioma",
"DE.Views.DocumentHolder.latexText": "LaTex",
"DE.Views.DocumentHolder.leftText": "Esquerda", "DE.Views.DocumentHolder.leftText": "Esquerda",
"DE.Views.DocumentHolder.loadSpellText": "Carregando variantes...", "DE.Views.DocumentHolder.loadSpellText": "Carregando variantes...",
"DE.Views.DocumentHolder.mergeCellsText": "Mesclar células", "DE.Views.DocumentHolder.mergeCellsText": "Mesclar células",
@ -1658,6 +1691,7 @@
"DE.Views.DocumentHolder.txtUnderbar": "Barra abaixo de texto", "DE.Views.DocumentHolder.txtUnderbar": "Barra abaixo de texto",
"DE.Views.DocumentHolder.txtUngroup": "Desagrupar", "DE.Views.DocumentHolder.txtUngroup": "Desagrupar",
"DE.Views.DocumentHolder.txtWarnUrl": "Clicar neste link pode ser prejudicial ao seu dispositivo e dados.<br>Você tem certeza de que quer continuar?", "DE.Views.DocumentHolder.txtWarnUrl": "Clicar neste link pode ser prejudicial ao seu dispositivo e dados.<br>Você tem certeza de que quer continuar?",
"DE.Views.DocumentHolder.unicodeText": "Unicode",
"DE.Views.DocumentHolder.updateStyleText": "Update %1 style", "DE.Views.DocumentHolder.updateStyleText": "Update %1 style",
"DE.Views.DocumentHolder.vertAlignText": "Alinhamento vertical", "DE.Views.DocumentHolder.vertAlignText": "Alinhamento vertical",
"DE.Views.DropcapSettingsAdvanced.strBorders": "Bordas e preenchimento", "DE.Views.DropcapSettingsAdvanced.strBorders": "Bordas e preenchimento",
@ -2067,6 +2101,7 @@
"DE.Views.LeftMenu.tipComments": "Comentários", "DE.Views.LeftMenu.tipComments": "Comentários",
"DE.Views.LeftMenu.tipNavigation": "Navegação", "DE.Views.LeftMenu.tipNavigation": "Navegação",
"DE.Views.LeftMenu.tipOutline": "Cabeçalhos", "DE.Views.LeftMenu.tipOutline": "Cabeçalhos",
"DE.Views.LeftMenu.tipPageThumbnails": "Miniaturas de página",
"DE.Views.LeftMenu.tipPlugins": "Plug-ins", "DE.Views.LeftMenu.tipPlugins": "Plug-ins",
"DE.Views.LeftMenu.tipSearch": "Pesquisar", "DE.Views.LeftMenu.tipSearch": "Pesquisar",
"DE.Views.LeftMenu.tipSupport": "Feedback e Suporte", "DE.Views.LeftMenu.tipSupport": "Feedback e Suporte",
@ -2374,6 +2409,18 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "Definir apenas borda superior", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Definir apenas borda superior",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático", "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sem bordas", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sem bordas",
"DE.Views.ProtectDialog.textComments": "Comentários",
"DE.Views.ProtectDialog.textForms": "Preenchimento de formulários",
"DE.Views.ProtectDialog.textReview": "Mudanças rastreadas",
"DE.Views.ProtectDialog.textView": "Sem alterações (somente leitura)",
"DE.Views.ProtectDialog.txtAllow": "Permitir apenas este tipo de edição no documento",
"DE.Views.ProtectDialog.txtIncorrectPwd": "A confirmação da senha não é idêntica",
"DE.Views.ProtectDialog.txtOptional": "Opcional",
"DE.Views.ProtectDialog.txtPassword": "Senha",
"DE.Views.ProtectDialog.txtProtect": "Proteger",
"DE.Views.ProtectDialog.txtRepeat": "Repetir a senha",
"DE.Views.ProtectDialog.txtTitle": "Proteger",
"DE.Views.ProtectDialog.txtWarning": "Cuidado: se você perder ou esquecer a senha, não será possível recuperá-la. Guarde-o em local seguro.",
"DE.Views.RightMenu.txtChartSettings": "Configurações de gráfico", "DE.Views.RightMenu.txtChartSettings": "Configurações de gráfico",
"DE.Views.RightMenu.txtFormSettings": "Configurações do formulário", "DE.Views.RightMenu.txtFormSettings": "Configurações do formulário",
"DE.Views.RightMenu.txtHeaderFooterSettings": "Configurações de cabeçalho e rodapé", "DE.Views.RightMenu.txtHeaderFooterSettings": "Configurações de cabeçalho e rodapé",
@ -2564,12 +2611,20 @@
"DE.Views.TableSettings.tipOuter": "Definir apenas borda externa", "DE.Views.TableSettings.tipOuter": "Definir apenas borda externa",
"DE.Views.TableSettings.tipRight": "Definir apenas borda direita externa", "DE.Views.TableSettings.tipRight": "Definir apenas borda direita externa",
"DE.Views.TableSettings.tipTop": "Definir apenas borda superior externa", "DE.Views.TableSettings.tipTop": "Definir apenas borda superior externa",
"DE.Views.TableSettings.txtGroupTable_BorderedAndLined": "Tabelas Contornadas e Alinhadas",
"DE.Views.TableSettings.txtGroupTable_Custom": "Personalizado",
"DE.Views.TableSettings.txtGroupTable_Grid": "Tabelas de grade",
"DE.Views.TableSettings.txtGroupTable_List": "Listar tabelas",
"DE.Views.TableSettings.txtGroupTable_Plain": "Tabelas simples",
"DE.Views.TableSettings.txtNoBorders": "Sem bordas", "DE.Views.TableSettings.txtNoBorders": "Sem bordas",
"DE.Views.TableSettings.txtTable_Accent": "Destacar", "DE.Views.TableSettings.txtTable_Accent": "Destacar",
"DE.Views.TableSettings.txtTable_Bordered": "Delimitado",
"DE.Views.TableSettings.txtTable_BorderedAndLined": "Contornado e Alinhado",
"DE.Views.TableSettings.txtTable_Colorful": "Colorido", "DE.Views.TableSettings.txtTable_Colorful": "Colorido",
"DE.Views.TableSettings.txtTable_Dark": "Escuro", "DE.Views.TableSettings.txtTable_Dark": "Escuro",
"DE.Views.TableSettings.txtTable_GridTable": "Tabela de grade", "DE.Views.TableSettings.txtTable_GridTable": "Tabela de grade",
"DE.Views.TableSettings.txtTable_Light": "Claro", "DE.Views.TableSettings.txtTable_Light": "Claro",
"DE.Views.TableSettings.txtTable_Lined": "Alinhado",
"DE.Views.TableSettings.txtTable_ListTable": "Tabela de Lista", "DE.Views.TableSettings.txtTable_ListTable": "Tabela de Lista",
"DE.Views.TableSettings.txtTable_PlainTable": "Tabela Normal", "DE.Views.TableSettings.txtTable_PlainTable": "Tabela Normal",
"DE.Views.TableSettings.txtTable_TableGrid": "Grid da Tabela", "DE.Views.TableSettings.txtTable_TableGrid": "Grid da Tabela",
@ -2850,6 +2905,7 @@
"DE.Views.Toolbar.tipIncPrLeft": "Aumentar recuo", "DE.Views.Toolbar.tipIncPrLeft": "Aumentar recuo",
"DE.Views.Toolbar.tipInsertChart": "Inserir gráfico", "DE.Views.Toolbar.tipInsertChart": "Inserir gráfico",
"DE.Views.Toolbar.tipInsertEquation": "Inserir equação", "DE.Views.Toolbar.tipInsertEquation": "Inserir equação",
"DE.Views.Toolbar.tipInsertHorizontalText": "Inserir caixa de texto horizontal",
"DE.Views.Toolbar.tipInsertImage": "Inserir imagem", "DE.Views.Toolbar.tipInsertImage": "Inserir imagem",
"DE.Views.Toolbar.tipInsertNum": "Inserir número da página", "DE.Views.Toolbar.tipInsertNum": "Inserir número da página",
"DE.Views.Toolbar.tipInsertShape": "Inserir forma automática", "DE.Views.Toolbar.tipInsertShape": "Inserir forma automática",
@ -2857,6 +2913,7 @@
"DE.Views.Toolbar.tipInsertTable": "Inserir tabela", "DE.Views.Toolbar.tipInsertTable": "Inserir tabela",
"DE.Views.Toolbar.tipInsertText": "Inserir caixa de texto", "DE.Views.Toolbar.tipInsertText": "Inserir caixa de texto",
"DE.Views.Toolbar.tipInsertTextArt": "Inserir arte de texto", "DE.Views.Toolbar.tipInsertTextArt": "Inserir arte de texto",
"DE.Views.Toolbar.tipInsertVerticalText": "Inserir caixa de texto vertical",
"DE.Views.Toolbar.tipLineNumbers": "Mostrar números de linha", "DE.Views.Toolbar.tipLineNumbers": "Mostrar números de linha",
"DE.Views.Toolbar.tipLineSpace": "Espaçamento entre linhas do parágrafo", "DE.Views.Toolbar.tipLineSpace": "Espaçamento entre linhas do parágrafo",
"DE.Views.Toolbar.tipMailRecepients": "Select Recepients", "DE.Views.Toolbar.tipMailRecepients": "Select Recepients",

View file

@ -125,6 +125,165 @@
"Common.define.chartData.textScatterSmoothMarker": "Точечная с гладкими кривыми и маркерами", "Common.define.chartData.textScatterSmoothMarker": "Точечная с гладкими кривыми и маркерами",
"Common.define.chartData.textStock": "Биржевая", "Common.define.chartData.textStock": "Биржевая",
"Common.define.chartData.textSurface": "Поверхность", "Common.define.chartData.textSurface": "Поверхность",
"Common.define.smartArt.textAccentedPicture": "Акцентируемый рисунок",
"Common.define.smartArt.textAccentProcess": "Процесс со смещением",
"Common.define.smartArt.textAlternatingFlow": "Переменный поток",
"Common.define.smartArt.textAlternatingHexagons": "Чередующиеся шестиугольники",
"Common.define.smartArt.textAlternatingPictureBlocks": "Чередующиеся блоки рисунков",
"Common.define.smartArt.textAlternatingPictureCircles": "Чередующиеся круги рисунков",
"Common.define.smartArt.textArchitectureLayout": "Архитектурный макет",
"Common.define.smartArt.textArrowRibbon": "Лента со стрелками",
"Common.define.smartArt.textAscendingPictureAccentProcess": "Процесс со смещенными по возрастанию рисунками",
"Common.define.smartArt.textBalance": "Баланс",
"Common.define.smartArt.textBasicBendingProcess": "Простой ломаный процесс",
"Common.define.smartArt.textBasicBlockList": "Простой блочный список",
"Common.define.smartArt.textBasicChevronProcess": "Простой уголковый процесс",
"Common.define.smartArt.textBasicCycle": "Простой цикл",
"Common.define.smartArt.textBasicMatrix": "Простая матрица",
"Common.define.smartArt.textBasicPie": "Простая круговая",
"Common.define.smartArt.textBasicProcess": "Простой процесс",
"Common.define.smartArt.textBasicPyramid": "Простая пирамида",
"Common.define.smartArt.textBasicRadial": "Простая радиальная",
"Common.define.smartArt.textBasicTarget": "Простая целевая",
"Common.define.smartArt.textBasicTimeline": "Простая временная шкала",
"Common.define.smartArt.textBasicVenn": "Простая Венна",
"Common.define.smartArt.textBendingPictureAccentList": "Ломаный список со смещенными рисунками",
"Common.define.smartArt.textBendingPictureBlocks": "Нелинейные рисунки с блоками",
"Common.define.smartArt.textBendingPictureCaption": "Нелинейные рисунки с подписями",
"Common.define.smartArt.textBendingPictureCaptionList": "Ломаный список рисунков с подписями",
"Common.define.smartArt.textBendingPictureSemiTranparentText": "Нелинейные рисунки с полупрозрачным текстом",
"Common.define.smartArt.textBlockCycle": "Блочный цикл",
"Common.define.smartArt.textBubblePictureList": "Список рисунков с выносками",
"Common.define.smartArt.textCaptionedPictures": "Подписанные рисунки",
"Common.define.smartArt.textChevronAccentProcess": "Уголковый процесс со смещением",
"Common.define.smartArt.textChevronList": "Уголковый список",
"Common.define.smartArt.textCircleAccentTimeline": "Круглая временная шкала",
"Common.define.smartArt.textCircleArrowProcess": "Стрелка процесса с кругами",
"Common.define.smartArt.textCirclePictureHierarchy": "Иерархия с круглыми рисунками",
"Common.define.smartArt.textCircleProcess": "Процесс с кругами",
"Common.define.smartArt.textCircleRelationship": "Круг связей",
"Common.define.smartArt.textCircularBendingProcess": "Круглый ломаный процесс",
"Common.define.smartArt.textCircularPictureCallout": "Выноска с круглыми рисунками",
"Common.define.smartArt.textClosedChevronProcess": "Закрытый уголковый процесс",
"Common.define.smartArt.textContinuousArrowProcess": "Стрелка непрерывного процесса",
"Common.define.smartArt.textContinuousBlockProcess": "Непрерывный блочный процесс",
"Common.define.smartArt.textContinuousCycle": "Непрерывный цикл",
"Common.define.smartArt.textContinuousPictureList": "Непрерывный список с рисунками",
"Common.define.smartArt.textConvergingArrows": "Сходящиеся стрелки",
"Common.define.smartArt.textConvergingRadial": "Сходящаяся радиальная",
"Common.define.smartArt.textConvergingText": "Сходящийся текст",
"Common.define.smartArt.textCounterbalanceArrows": "Уравновешивающие стрелки",
"Common.define.smartArt.textCycle": "Цикл",
"Common.define.smartArt.textCycleMatrix": "Циклическая матрица",
"Common.define.smartArt.textDescendingBlockList": "Нисходящий блочный список",
"Common.define.smartArt.textDescendingProcess": "Убывающий процесс",
"Common.define.smartArt.textDetailedProcess": "Подробный процесс",
"Common.define.smartArt.textDivergingArrows": "Расходящиеся стрелки",
"Common.define.smartArt.textDivergingRadial": "Расходящаяся радиальная",
"Common.define.smartArt.textEquation": "Уравнение",
"Common.define.smartArt.textFramedTextPicture": "Рисунок с текстом в рамке",
"Common.define.smartArt.textFunnel": "Воронка",
"Common.define.smartArt.textGear": "Шестеренка",
"Common.define.smartArt.textGridMatrix": "Сетчатая матрица",
"Common.define.smartArt.textGroupedList": "Сгруппированный список",
"Common.define.smartArt.textHalfCircleOrganizationChart": "Полукруглая организационная диаграмма",
"Common.define.smartArt.textHexagonCluster": "Кластер шестиугольников",
"Common.define.smartArt.textHexagonRadial": "Радиальный шестиугольник",
"Common.define.smartArt.textHierarchy": "Иерархия",
"Common.define.smartArt.textHierarchyList": "Иерархический список",
"Common.define.smartArt.textHorizontalBulletList": "Горизонтальный маркированный список",
"Common.define.smartArt.textHorizontalHierarchy": "Горизонтальная иерархия",
"Common.define.smartArt.textHorizontalLabeledHierarchy": "Горизонтальная иерархия с подписями",
"Common.define.smartArt.textHorizontalMultiLevelHierarchy": "Горизонтальная многоуровневая иерархия",
"Common.define.smartArt.textHorizontalOrganizationChart": "Горизонтальная организационная диаграмма",
"Common.define.smartArt.textHorizontalPictureList": "Горизонтальный список рисунков",
"Common.define.smartArt.textIncreasingArrowProcess": "Стрелка нарастающего процесса",
"Common.define.smartArt.textIncreasingCircleProcess": "Нарастающий процесс с кругами",
"Common.define.smartArt.textInterconnectedBlockProcess": "Процесс со взаимосвязанными блоками",
"Common.define.smartArt.textInterconnectedRings": "Взаимосвязанные кольца",
"Common.define.smartArt.textInvertedPyramid": "Инвертированная пирамида",
"Common.define.smartArt.textLabeledHierarchy": "Иерархия с подписями",
"Common.define.smartArt.textLinearVenn": "Линейная Венна",
"Common.define.smartArt.textLinedList": "Список с линиями",
"Common.define.smartArt.textList": "Список",
"Common.define.smartArt.textMatrix": "Матрица",
"Common.define.smartArt.textMultidirectionalCycle": "Разнонаправленный цикл",
"Common.define.smartArt.textNameAndTitleOrganizationChart": "Организационная диаграмма с именами и должностями",
"Common.define.smartArt.textNestedTarget": "Вложенная целевая",
"Common.define.smartArt.textNondirectionalCycle": "Ненаправленный цикл",
"Common.define.smartArt.textOpposingArrows": "Противостоящие стрелки",
"Common.define.smartArt.textOpposingIdeas": "Противоположные идеи",
"Common.define.smartArt.textOrganizationChart": "Организационная диаграмма",
"Common.define.smartArt.textOther": "Другое",
"Common.define.smartArt.textPhasedProcess": "Поэтапный процесс",
"Common.define.smartArt.textPicture": "Рисунок",
"Common.define.smartArt.textPictureAccentBlocks": "Блоки со смещенными рисунками",
"Common.define.smartArt.textPictureAccentList": "Список со смещенными рисунками",
"Common.define.smartArt.textPictureAccentProcess": "Процесс со смещенными рисунками",
"Common.define.smartArt.textPictureCaptionList": "Список названий рисунков",
"Common.define.smartArt.textPictureFrame": "Фоторамка",
"Common.define.smartArt.textPictureGrid": "Сетка рисунков",
"Common.define.smartArt.textPictureLineup": "Линия рисунков",
"Common.define.smartArt.textPictureOrganizationChart": "Организационная диаграмма с рисунками",
"Common.define.smartArt.textPictureStrips": "Полосы рисунков",
"Common.define.smartArt.textPieProcess": "Процесс с круговой диаграммой",
"Common.define.smartArt.textPlusAndMinus": "Плюс и минус",
"Common.define.smartArt.textProcess": "Процесс",
"Common.define.smartArt.textProcessArrows": "Стрелки процесса",
"Common.define.smartArt.textProcessList": "Список процессов",
"Common.define.smartArt.textPyramid": "Пирамида",
"Common.define.smartArt.textPyramidList": "Пирамидальный список",
"Common.define.smartArt.textRadialCluster": "Радиальный кластер",
"Common.define.smartArt.textRadialCycle": "Радиальная циклическая",
"Common.define.smartArt.textRadialList": "Радиальный список",
"Common.define.smartArt.textRadialPictureList": "Радиальный список рисунков",
"Common.define.smartArt.textRadialVenn": "Радиальная Венна",
"Common.define.smartArt.textRandomToResultProcess": "Процесс от случайности к результату",
"Common.define.smartArt.textRelationship": "Связь",
"Common.define.smartArt.textRepeatingBendingProcess": "Повторяющийся ломаный процесс",
"Common.define.smartArt.textReverseList": "Обратный список",
"Common.define.smartArt.textSegmentedCycle": "Сегментированный цикл",
"Common.define.smartArt.textSegmentedProcess": "Сегментированный процесс",
"Common.define.smartArt.textSegmentedPyramid": "Сегментированная пирамида",
"Common.define.smartArt.textSnapshotPictureList": "Список со снимками",
"Common.define.smartArt.textSpiralPicture": "Спираль рисунков",
"Common.define.smartArt.textSquareAccentList": "Список с квадратиками",
"Common.define.smartArt.textStackedList": "Список в столбик",
"Common.define.smartArt.textStackedVenn": "Венна в столбик",
"Common.define.smartArt.textStaggeredProcess": "Ступенчатый процесс",
"Common.define.smartArt.textStepDownProcess": "Нисходящий процесс",
"Common.define.smartArt.textStepUpProcess": "Восходящий процесс",
"Common.define.smartArt.textSubStepProcess": "Процесс с вложенными шагами",
"Common.define.smartArt.textTabbedArc": "Дуга с вкладками",
"Common.define.smartArt.textTableHierarchy": "Табличная иерархия",
"Common.define.smartArt.textTableList": "Табличный список",
"Common.define.smartArt.textTabList": "Список вкладок",
"Common.define.smartArt.textTargetList": "Целевой список",
"Common.define.smartArt.textTextCycle": "Текстовый цикл",
"Common.define.smartArt.textThemePictureAccent": "Смещенные рисунки темы",
"Common.define.smartArt.textThemePictureAlternatingAccent": "Чередующиеся смещенные рисунки темы",
"Common.define.smartArt.textThemePictureGrid": "Сетка рисунков темы",
"Common.define.smartArt.textTitledMatrix": "Матрица с заголовками",
"Common.define.smartArt.textTitledPictureAccentList": "Список со смещенными рисунками и заголовком",
"Common.define.smartArt.textTitledPictureBlocks": "Блоки рисунков с названиями",
"Common.define.smartArt.textTitlePictureLineup": "Линия рисунков с названиями",
"Common.define.smartArt.textTrapezoidList": "Трапециевидный список",
"Common.define.smartArt.textUpwardArrow": "Восходящая стрелка",
"Common.define.smartArt.textVaryingWidthList": "Список переменной ширины",
"Common.define.smartArt.textVerticalAccentList": "Вертикальный список со смещением",
"Common.define.smartArt.textVerticalArrowList": "Вертикальный список со стрелкой",
"Common.define.smartArt.textVerticalBendingProcess": "Вертикальный ломаный процесс",
"Common.define.smartArt.textVerticalBlockList": "Вертикальный блочный список",
"Common.define.smartArt.textVerticalBoxList": "Вертикальный список",
"Common.define.smartArt.textVerticalBracketList": "Вертикальный список со скобками",
"Common.define.smartArt.textVerticalBulletList": "Вертикальный маркированный список",
"Common.define.smartArt.textVerticalChevronList": "Вертикальный уголковый список",
"Common.define.smartArt.textVerticalCircleList": "Вертикальный список с кругами",
"Common.define.smartArt.textVerticalCurvedList": "Вертикальный нелинейный список",
"Common.define.smartArt.textVerticalEquation": "Вертикальное уравнение",
"Common.define.smartArt.textVerticalPictureAccentList": "Вертикальный список со смещенными рисунками",
"Common.define.smartArt.textVerticalPictureList": "Вертикальный список рисунков",
"Common.define.smartArt.textVerticalProcess": "Вертикальный процесс",
"Common.Translation.textMoreButton": "Ещё", "Common.Translation.textMoreButton": "Ещё",
"Common.Translation.warnFileLocked": "Вы не можете редактировать этот файл, потому что он уже редактируется в другом приложении.", "Common.Translation.warnFileLocked": "Вы не можете редактировать этот файл, потому что он уже редактируется в другом приложении.",
"Common.Translation.warnFileLockedBtnEdit": "Создать копию", "Common.Translation.warnFileLockedBtnEdit": "Создать копию",
@ -556,6 +715,7 @@
"DE.Controllers.LeftMenu.warnReplaceString": "{0} нельзя использовать как специальный символ в поле замены.", "DE.Controllers.LeftMenu.warnReplaceString": "{0} нельзя использовать как специальный символ в поле замены.",
"DE.Controllers.Main.applyChangesTextText": "Загрузка изменений...", "DE.Controllers.Main.applyChangesTextText": "Загрузка изменений...",
"DE.Controllers.Main.applyChangesTitleText": "Загрузка изменений", "DE.Controllers.Main.applyChangesTitleText": "Загрузка изменений",
"DE.Controllers.Main.confirmMaxChangesSize": "Размер внесенных изменений превышает ограничение, установленное для вашего сервера.<br>Нажмите \"Отменить\" для отмены последнего действия или нажмите \"Продолжить\", чтобы сохранить действие локально (потребуется скачать файл или скопировать его содержимое чтобы ничего не потерялось).",
"DE.Controllers.Main.convertationTimeoutText": "Превышено время ожидания конвертации.", "DE.Controllers.Main.convertationTimeoutText": "Превышено время ожидания конвертации.",
"DE.Controllers.Main.criticalErrorExtText": "Нажмите \"OK\", чтобы вернуться к списку документов.", "DE.Controllers.Main.criticalErrorExtText": "Нажмите \"OK\", чтобы вернуться к списку документов.",
"DE.Controllers.Main.criticalErrorTitle": "Ошибка", "DE.Controllers.Main.criticalErrorTitle": "Ошибка",
@ -645,6 +805,7 @@
"DE.Controllers.Main.textClose": "Закрыть", "DE.Controllers.Main.textClose": "Закрыть",
"DE.Controllers.Main.textCloseTip": "Щелкните, чтобы закрыть эту подсказку", "DE.Controllers.Main.textCloseTip": "Щелкните, чтобы закрыть эту подсказку",
"DE.Controllers.Main.textContactUs": "Связаться с отделом продаж", "DE.Controllers.Main.textContactUs": "Связаться с отделом продаж",
"DE.Controllers.Main.textContinue": "Продолжить",
"DE.Controllers.Main.textConvertEquation": "Это уравнение создано в старой версии редактора уравнений, которая больше не поддерживается. Чтобы изменить это уравнение, его необходимо преобразовать в формат Office Math ML.<br>Преобразовать сейчас?", "DE.Controllers.Main.textConvertEquation": "Это уравнение создано в старой версии редактора уравнений, которая больше не поддерживается. Чтобы изменить это уравнение, его необходимо преобразовать в формат Office Math ML.<br>Преобразовать сейчас?",
"DE.Controllers.Main.textCustomLoader": "Обратите внимание, что по условиям лицензии у вас нет прав изменять экран, отображаемый при загрузке.<br>Пожалуйста, обратитесь в наш отдел продаж, чтобы сделать запрос.", "DE.Controllers.Main.textCustomLoader": "Обратите внимание, что по условиям лицензии у вас нет прав изменять экран, отображаемый при загрузке.<br>Пожалуйста, обратитесь в наш отдел продаж, чтобы сделать запрос.",
"DE.Controllers.Main.textDisconnect": "Соединение потеряно", "DE.Controllers.Main.textDisconnect": "Соединение потеряно",
@ -665,6 +826,7 @@
"DE.Controllers.Main.textStrict": "Строгий режим", "DE.Controllers.Main.textStrict": "Строгий режим",
"DE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.<br>Нажмите на кнопку 'Строгий режим' для переключения в Строгий режим совместного редактирования, чтобы редактировать файл без вмешательства других пользователей и отправлять изменения только после того, как вы их сохраните. Переключаться между режимами совместного редактирования можно с помощью Дополнительных параметров редактора.", "DE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.<br>Нажмите на кнопку 'Строгий режим' для переключения в Строгий режим совместного редактирования, чтобы редактировать файл без вмешательства других пользователей и отправлять изменения только после того, как вы их сохраните. Переключаться между режимами совместного редактирования можно с помощью Дополнительных параметров редактора.",
"DE.Controllers.Main.textTryUndoRedoWarn": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.", "DE.Controllers.Main.textTryUndoRedoWarn": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.",
"DE.Controllers.Main.textUndo": "Отменить",
"DE.Controllers.Main.titleLicenseExp": "Истек срок действия лицензии", "DE.Controllers.Main.titleLicenseExp": "Истек срок действия лицензии",
"DE.Controllers.Main.titleServerVersion": "Редактор обновлен", "DE.Controllers.Main.titleServerVersion": "Редактор обновлен",
"DE.Controllers.Main.titleUpdateVersion": "Версия изменилась", "DE.Controllers.Main.titleUpdateVersion": "Версия изменилась",
@ -1788,8 +1950,8 @@
"DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Статистика", "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Статистика",
"DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Тема", "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Тема",
"DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Символы", "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Символы",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Название",
"DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Теги", "DE.Views.FileMenuPanels.DocumentInfo.txtTags": "Теги",
"DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Название",
"DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Загружен", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Загружен",
"DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Слова", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Слова",
"DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Да", "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Да",
@ -2760,6 +2922,7 @@
"DE.Views.Toolbar.capBtnInsImage": "Изображение", "DE.Views.Toolbar.capBtnInsImage": "Изображение",
"DE.Views.Toolbar.capBtnInsPagebreak": "Разрывы", "DE.Views.Toolbar.capBtnInsPagebreak": "Разрывы",
"DE.Views.Toolbar.capBtnInsShape": "Фигура", "DE.Views.Toolbar.capBtnInsShape": "Фигура",
"DE.Views.Toolbar.capBtnInsSmartArt": "SmartArt",
"DE.Views.Toolbar.capBtnInsSymbol": "Символ", "DE.Views.Toolbar.capBtnInsSymbol": "Символ",
"DE.Views.Toolbar.capBtnInsTable": "Таблица", "DE.Views.Toolbar.capBtnInsTable": "Таблица",
"DE.Views.Toolbar.capBtnInsTextart": "Text Art", "DE.Views.Toolbar.capBtnInsTextart": "Text Art",
@ -2910,6 +3073,7 @@
"DE.Views.Toolbar.tipInsertImage": "Вставить изображение", "DE.Views.Toolbar.tipInsertImage": "Вставить изображение",
"DE.Views.Toolbar.tipInsertNum": "Вставить номер страницы", "DE.Views.Toolbar.tipInsertNum": "Вставить номер страницы",
"DE.Views.Toolbar.tipInsertShape": "Вставить автофигуру", "DE.Views.Toolbar.tipInsertShape": "Вставить автофигуру",
"DE.Views.Toolbar.tipInsertSmartArt": "Вставить SmartArt",
"DE.Views.Toolbar.tipInsertSymbol": "Вставить символ", "DE.Views.Toolbar.tipInsertSymbol": "Вставить символ",
"DE.Views.Toolbar.tipInsertTable": "Вставить таблицу", "DE.Views.Toolbar.tipInsertTable": "Вставить таблицу",
"DE.Views.Toolbar.tipInsertText": "Вставить надпись", "DE.Views.Toolbar.tipInsertText": "Вставить надпись",

View file

@ -125,6 +125,19 @@
"Common.define.chartData.textScatterSmoothMarker": "带平滑线和数据标记的散点图", "Common.define.chartData.textScatterSmoothMarker": "带平滑线和数据标记的散点图",
"Common.define.chartData.textStock": "股价图", "Common.define.chartData.textStock": "股价图",
"Common.define.chartData.textSurface": "平面", "Common.define.chartData.textSurface": "平面",
"Common.define.smartArt.textAccentedPicture": "重音图片",
"Common.define.smartArt.textAccentProcess": "重点流程",
"Common.define.smartArt.textAlternatingFlow": "交替流",
"Common.define.smartArt.textAlternatingHexagons": "交替六边形",
"Common.define.smartArt.textAlternatingPictureBlocks": "交替图片块",
"Common.define.smartArt.textAlternatingPictureCircles": "交替图片圆形",
"Common.define.smartArt.textArchitectureLayout": "结构布局",
"Common.define.smartArt.textArrowRibbon": "带形箭头",
"Common.define.smartArt.textAscendingPictureAccentProcess": "升序图片重点流程",
"Common.define.smartArt.textBalance": "平衡",
"Common.define.smartArt.textBasicBendingProcess": "基本蛇形流程",
"Common.define.smartArt.textBasicBlockList": "基本列表",
"Common.define.smartArt.textBasicChevronProcess": "基本 V 形流程",
"Common.Translation.textMoreButton": "更多", "Common.Translation.textMoreButton": "更多",
"Common.Translation.warnFileLocked": "您不能编辑此文件,因为它正在另一个应用程序中被编辑。", "Common.Translation.warnFileLocked": "您不能编辑此文件,因为它正在另一个应用程序中被编辑。",
"Common.Translation.warnFileLockedBtnEdit": "建立副本", "Common.Translation.warnFileLockedBtnEdit": "建立副本",
@ -2401,6 +2414,7 @@
"DE.Views.ParagraphSettingsAdvanced.tipTop": "仅限顶部边框", "DE.Views.ParagraphSettingsAdvanced.tipTop": "仅限顶部边框",
"DE.Views.ParagraphSettingsAdvanced.txtAutoText": "自动", "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "自动",
"DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "没有边框", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "没有边框",
"DE.Views.ProtectDialog.txtAllow": "仅允许在文档中进行此类型的编辑",
"DE.Views.RightMenu.txtChartSettings": "图表设置", "DE.Views.RightMenu.txtChartSettings": "图表设置",
"DE.Views.RightMenu.txtFormSettings": "表单设置", "DE.Views.RightMenu.txtFormSettings": "表单设置",
"DE.Views.RightMenu.txtHeaderFooterSettings": "页眉和页脚设置", "DE.Views.RightMenu.txtHeaderFooterSettings": "页眉和页脚设置",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Təsvir Yüklənir", "uploadImageTitleText": "Təsvir Yüklənir",
"waitText": "Lütfən, gözləyin...", "waitText": "Lütfən, gözləyin...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Xəta", "criticalErrorTitle": "Xəta",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Запампоўванне выявы", "uploadImageTitleText": "Запампоўванне выявы",
"waitText": "Калі ласка, пачакайце...", "waitText": "Калі ласка, пачакайце...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Памылка", "criticalErrorTitle": "Памылка",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "S'està carregant la imatge", "uploadImageTitleText": "S'està carregant la imatge",
"waitText": "Espereu...", "waitText": "Espereu...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Error", "criticalErrorTitle": "Error",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Nahrávání obrázku", "uploadImageTitleText": "Nahrávání obrázku",
"waitText": "Čekejte prosím...", "waitText": "Čekejte prosím...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Chyba", "criticalErrorTitle": "Chyba",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Bild wird hochgeladen", "uploadImageTitleText": "Bild wird hochgeladen",
"waitText": "Bitte warten...", "waitText": "Bitte warten...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Fehler", "criticalErrorTitle": "Fehler",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Μεταφόρτωση Εικόνας", "uploadImageTitleText": "Μεταφόρτωση Εικόνας",
"waitText": "Παρακαλούμε, περιμένετε...", "waitText": "Παρακαλούμε, περιμένετε...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Σφάλμα", "criticalErrorTitle": "Σφάλμα",

View file

@ -425,6 +425,7 @@
"LongActions": { "LongActions": {
"applyChangesTextText": "Loading data...", "applyChangesTextText": "Loading data...",
"applyChangesTitleText": "Loading Data", "applyChangesTitleText": "Loading Data",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"downloadMergeText": "Downloading...", "downloadMergeText": "Downloading...",
"downloadMergeTitle": "Downloading", "downloadMergeTitle": "Downloading",
"downloadTextText": "Downloading document...", "downloadTextText": "Downloading document...",
@ -451,14 +452,13 @@
"saveTitleText": "Saving Document", "saveTitleText": "Saving Document",
"sendMergeText": "Sending Merge...", "sendMergeText": "Sending Merge...",
"sendMergeTitle": "Sending Merge", "sendMergeTitle": "Sending Merge",
"textContinue": "Continue",
"textLoadingDocument": "Loading document", "textLoadingDocument": "Loading document",
"textUndo": "Undo",
"txtEditingMode": "Set editing mode...", "txtEditingMode": "Set editing mode...",
"uploadImageTextText": "Uploading image...", "uploadImageTextText": "Uploading image...",
"uploadImageTitleText": "Uploading Image", "uploadImageTitleText": "Uploading Image",
"waitText": "Please, wait...", "waitText": "Please, wait..."
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo",
"textContinue": "Continue"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Error", "criticalErrorTitle": "Error",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Cargando imagen", "uploadImageTitleText": "Cargando imagen",
"waitText": "Por favor, espere...", "waitText": "Por favor, espere...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Error", "criticalErrorTitle": "Error",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Irudia kargatzen", "uploadImageTitleText": "Irudia kargatzen",
"waitText": "Mesedez, itxaron...", "waitText": "Mesedez, itxaron...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Errorea", "criticalErrorTitle": "Errorea",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Chargement d'une image", "uploadImageTitleText": "Chargement d'une image",
"waitText": "Veuillez patienter...", "waitText": "Veuillez patienter...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Erreur", "criticalErrorTitle": "Erreur",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Cargando imaxe", "uploadImageTitleText": "Cargando imaxe",
"waitText": "Agarde...", "waitText": "Agarde...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Erro", "criticalErrorTitle": "Erro",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Kép feltöltése", "uploadImageTitleText": "Kép feltöltése",
"waitText": "Kérjük, várjon...", "waitText": "Kérjük, várjon...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Hiba", "criticalErrorTitle": "Hiba",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Նկարի վերբեռնում", "uploadImageTitleText": "Նկարի վերբեռնում",
"waitText": "Խնդրում ենք սպասել...", "waitText": "Խնդրում ենք սպասել...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Սխալ", "criticalErrorTitle": "Սխալ",

View file

@ -425,6 +425,7 @@
"LongActions": { "LongActions": {
"applyChangesTextText": "Memuat data...", "applyChangesTextText": "Memuat data...",
"applyChangesTitleText": "Memuat Data", "applyChangesTitleText": "Memuat Data",
"confirmMaxChangesSize": "Ukuran tindakan melebihi batas yang ditetapkan untuk server Anda.<br>Tekan \"Batalkan\" untuk membatalkan tindakan terakhir Anda atau tekan \"Lanjutkan\" untuk menyimpan tindakan secara lokal (Anda perlu mengunduh file atau menyalin isinya untuk memastikan tidak ada yang hilang).",
"downloadMergeText": "Downloading...", "downloadMergeText": "Downloading...",
"downloadMergeTitle": "Mengunduh", "downloadMergeTitle": "Mengunduh",
"downloadTextText": "Mengunduh dokumen...", "downloadTextText": "Mengunduh dokumen...",
@ -451,14 +452,13 @@
"saveTitleText": "Menyimpan Dokumen", "saveTitleText": "Menyimpan Dokumen",
"sendMergeText": "Mengirim Merge...", "sendMergeText": "Mengirim Merge...",
"sendMergeTitle": "Mengirim Merge", "sendMergeTitle": "Mengirim Merge",
"textContinue": "Lanjutkan",
"textLoadingDocument": "Memuat dokumen", "textLoadingDocument": "Memuat dokumen",
"textUndo": "Batalkan",
"txtEditingMode": "Atur mode editing...", "txtEditingMode": "Atur mode editing...",
"uploadImageTextText": "Mengunggah gambar...", "uploadImageTextText": "Mengunggah gambar...",
"uploadImageTitleText": "Mengunggah Gambar", "uploadImageTitleText": "Mengunggah Gambar",
"waitText": "Silahkan menunggu", "waitText": "Silahkan menunggu"
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo",
"textContinue": "Continue"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Kesalahan", "criticalErrorTitle": "Kesalahan",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Caricamento dell'immagine", "uploadImageTitleText": "Caricamento dell'immagine",
"waitText": "Attendere prego...", "waitText": "Attendere prego...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Errore", "criticalErrorTitle": "Errore",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "イメージのアップロード中", "uploadImageTitleText": "イメージのアップロード中",
"waitText": "少々お待ちください...", "waitText": "少々お待ちください...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "エラー", "criticalErrorTitle": "エラー",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "이미지 업로드 중", "uploadImageTitleText": "이미지 업로드 중",
"waitText": "잠시만 기다려주세요...", "waitText": "잠시만 기다려주세요...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "오류", "criticalErrorTitle": "오류",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ", "uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ",
"waitText": "ກະລຸນາລໍຖ້າ...", "waitText": "ກະລຸນາລໍຖ້າ...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "ຂໍ້ຜິດພາດ", "criticalErrorTitle": "ຂໍ້ຜິດພາດ",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Imej dimuat naik", "uploadImageTitleText": "Imej dimuat naik",
"waitText": "Sila, tunggu…", "waitText": "Sila, tunggu…",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Ralat", "criticalErrorTitle": "Ralat",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Afbeelding wordt geüpload", "uploadImageTitleText": "Afbeelding wordt geüpload",
"waitText": "Een moment geduld...", "waitText": "Een moment geduld...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Fout", "criticalErrorTitle": "Fout",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "A carregar imagem", "uploadImageTitleText": "A carregar imagem",
"waitText": "Aguarde...", "waitText": "Aguarde...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Erro", "criticalErrorTitle": "Erro",

View file

@ -26,6 +26,7 @@
"textContinuousPage": "Página contínua", "textContinuousPage": "Página contínua",
"textCurrentPosition": "Posição Atual", "textCurrentPosition": "Posição Atual",
"textDisplay": "Exibir", "textDisplay": "Exibir",
"textDone": "Concluído",
"textEmptyImgUrl": "Você precisa especificar uma URL de imagem.", "textEmptyImgUrl": "Você precisa especificar uma URL de imagem.",
"textEvenPage": "Página par", "textEvenPage": "Página par",
"textFootnote": "Nota de rodapé", "textFootnote": "Nota de rodapé",
@ -49,6 +50,8 @@
"textPictureFromLibrary": "Imagem da biblioteca", "textPictureFromLibrary": "Imagem da biblioteca",
"textPictureFromURL": "Imagem da URL", "textPictureFromURL": "Imagem da URL",
"textPosition": "Posição", "textPosition": "Posição",
"textRecommended": "Recomendado",
"textRequired": "Necessário",
"textRightBottom": "Parte inferior direita", "textRightBottom": "Parte inferior direita",
"textRightTop": "Parte superior direita", "textRightTop": "Parte superior direita",
"textRows": "Linhas", "textRows": "Linhas",
@ -61,10 +64,7 @@
"textTableSize": "Tamanho da tabela", "textTableSize": "Tamanho da tabela",
"textWithBlueLinks": "Com links azuis", "textWithBlueLinks": "Com links azuis",
"textWithPageNumbers": "Com números de página", "textWithPageNumbers": "Com números de página",
"txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"", "txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\""
"textDone": "Done",
"textRecommended": "Recommended",
"textRequired": "Required"
}, },
"Common": { "Common": {
"Collaboration": { "Collaboration": {
@ -147,6 +147,7 @@
"textReviewChange": "Rever Alterações", "textReviewChange": "Rever Alterações",
"textRight": "Alinhar à direita", "textRight": "Alinhar à direita",
"textShape": "Forma", "textShape": "Forma",
"textSharingSettings": "Configurações de compartilhamento",
"textShd": "Cor do plano de fundo", "textShd": "Cor do plano de fundo",
"textSmallCaps": "Versalete", "textSmallCaps": "Versalete",
"textSpacing": "Espaçamento", "textSpacing": "Espaçamento",
@ -163,8 +164,7 @@
"textTryUndoRedo": "As funções Desfazer/Refazer estão desabilitadas para o modo de coedição rápido", "textTryUndoRedo": "As funções Desfazer/Refazer estão desabilitadas para o modo de coedição rápido",
"textUnderline": "Sublinhado", "textUnderline": "Sublinhado",
"textUsers": "Usuários", "textUsers": "Usuários",
"textWidow": "Controle de linhas órfãs/viúvas.", "textWidow": "Controle de linhas órfãs/viúvas."
"textSharingSettings": "Sharing Settings"
}, },
"HighlightColorPalette": { "HighlightColorPalette": {
"textNoFill": "Sem preenchimento" "textNoFill": "Sem preenchimento"
@ -184,6 +184,7 @@
"menuDelete": "Excluir", "menuDelete": "Excluir",
"menuDeleteTable": "Excluir tabela", "menuDeleteTable": "Excluir tabela",
"menuEdit": "Editar", "menuEdit": "Editar",
"menuEditLink": "Editar Link",
"menuJoinList": "Junta-se à lista anterior", "menuJoinList": "Junta-se à lista anterior",
"menuMerge": "Mesclar", "menuMerge": "Mesclar",
"menuMore": "Mais", "menuMore": "Mais",
@ -204,8 +205,7 @@
"textRefreshEntireTable": "Atualizar tabela inteira", "textRefreshEntireTable": "Atualizar tabela inteira",
"textRefreshPageNumbersOnly": "Atualizar apenas números de página", "textRefreshPageNumbersOnly": "Atualizar apenas números de página",
"textRows": "Linhas", "textRows": "Linhas",
"txtWarnUrl": "Clicar neste link pode ser prejudicial ao seu dispositivo e dados.<br>Você tem certeza de que quer continuar?", "txtWarnUrl": "Clicar neste link pode ser prejudicial ao seu dispositivo e dados.<br>Você tem certeza de que quer continuar?"
"menuEditLink": "Edit Link"
}, },
"Edit": { "Edit": {
"notcriticalErrorTitle": "Aviso", "notcriticalErrorTitle": "Aviso",
@ -238,6 +238,7 @@
"textCancel": "Cancelar", "textCancel": "Cancelar",
"textCellMargins": "Margens da célula", "textCellMargins": "Margens da célula",
"textCentered": "Centralizado", "textCentered": "Centralizado",
"textChangeShape": "Mudar forma",
"textChart": "Gráfico", "textChart": "Gráfico",
"textClassic": "Clássico", "textClassic": "Clássico",
"textClose": "Fechar", "textClose": "Fechar",
@ -246,7 +247,10 @@
"textCreateTextStyle": "Criar um novo estilo de texto", "textCreateTextStyle": "Criar um novo estilo de texto",
"textCurrent": "Atual", "textCurrent": "Atual",
"textCustomColor": "Cor personalizada", "textCustomColor": "Cor personalizada",
"textCustomStyle": "Estilo personalizado",
"textDecember": "Dezembro", "textDecember": "Dezembro",
"textDeleteImage": "Eliminar imagem",
"textDeleteLink": "Excluir Link",
"textDesign": "Design", "textDesign": "Design",
"textDifferentFirstPage": "Primeira página diferente", "textDifferentFirstPage": "Primeira página diferente",
"textDifferentOddAndEvenPages": "Páginas pares e ímpares diferentes", "textDifferentOddAndEvenPages": "Páginas pares e ímpares diferentes",
@ -319,6 +323,7 @@
"textPictureFromLibrary": "Imagem da biblioteca", "textPictureFromLibrary": "Imagem da biblioteca",
"textPictureFromURL": "Imagem da URL", "textPictureFromURL": "Imagem da URL",
"textPt": "Pt", "textPt": "Pt",
"textRecommended": "Recomendado",
"textRefresh": "Atualizar", "textRefresh": "Atualizar",
"textRefreshEntireTable": "Atualizar tabela inteira", "textRefreshEntireTable": "Atualizar tabela inteira",
"textRefreshPageNumbersOnly": "Atualizar apenas números de página", "textRefreshPageNumbersOnly": "Atualizar apenas números de página",
@ -330,6 +335,7 @@
"textRepeatAsHeaderRow": "Repetir como linha de cabeçalho", "textRepeatAsHeaderRow": "Repetir como linha de cabeçalho",
"textReplace": "Substituir", "textReplace": "Substituir",
"textReplaceImage": "Substituir imagem", "textReplaceImage": "Substituir imagem",
"textRequired": "Necessário",
"textResizeToFitContent": "Redimensionar para ajustar o conteúdo", "textResizeToFitContent": "Redimensionar para ajustar o conteúdo",
"textRightAlign": "Alinhar à direita", "textRightAlign": "Alinhar à direita",
"textSa": "Sáb", "textSa": "Sáb",
@ -359,6 +365,7 @@
"textTableOfCont": "Índice", "textTableOfCont": "Índice",
"textTableOptions": "Opções de tabela", "textTableOptions": "Opções de tabela",
"textText": "Тexto", "textText": "Тexto",
"textTextWrapping": "Disposição do texto",
"textTh": "Qui.", "textTh": "Qui.",
"textThrough": "Através", "textThrough": "Através",
"textTight": "Justo", "textTight": "Justo",
@ -369,14 +376,7 @@
"textType": "Tipo", "textType": "Tipo",
"textWe": "Qua", "textWe": "Qua",
"textWrap": "Encapsulamento", "textWrap": "Encapsulamento",
"textChangeShape": "Change Shape", "textWrappingStyle": "Estilo da quebra"
"textCustomStyle": "Custom Style",
"textDeleteImage": "Delete Image",
"textDeleteLink": "Delete Link",
"textRecommended": "Recommended",
"textRequired": "Required",
"textTextWrapping": "Text Wrapping",
"textWrappingStyle": "Wrapping Style"
}, },
"Error": { "Error": {
"convertationTimeoutText": "Tempo limite de conversão excedido.", "convertationTimeoutText": "Tempo limite de conversão excedido.",
@ -390,6 +390,7 @@
"errorDataEncrypted": "Alteração criptografadas foram recebidas, e não podem ser decifradas.", "errorDataEncrypted": "Alteração criptografadas foram recebidas, e não podem ser decifradas.",
"errorDataRange": "Intervalo de dados incorreto.", "errorDataRange": "Intervalo de dados incorreto.",
"errorDefaultMessage": "Código do erro: %1", "errorDefaultMessage": "Código do erro: %1",
"errorDirectUrl": "Por favor, verifique o link para o documento.<br>Este link deve ser o link direto para baixar o arquivo.",
"errorEditingDownloadas": "Ocorreu um erro durante o trabalho com o documento. <br> Baixe o documento para salvar a cópia de backup do arquivo localmente.", "errorEditingDownloadas": "Ocorreu um erro durante o trabalho com o documento. <br> Baixe o documento para salvar a cópia de backup do arquivo localmente.",
"errorEmptyTOC": "Comece a criar um sumário aplicando um estilo de título da galeria Estilos ao texto selecionado.", "errorEmptyTOC": "Comece a criar um sumário aplicando um estilo de título da galeria Estilos ao texto selecionado.",
"errorFilePassProtect": "O arquivo é protegido por senha e não pôde ser aberto.", "errorFilePassProtect": "O arquivo é protegido por senha e não pôde ser aberto.",
@ -419,8 +420,7 @@
"unknownErrorText": "Erro desconhecido.", "unknownErrorText": "Erro desconhecido.",
"uploadImageExtMessage": "Formato de imagem desconhecido.", "uploadImageExtMessage": "Formato de imagem desconhecido.",
"uploadImageFileCountMessage": "Sem imagens carregadas.", "uploadImageFileCountMessage": "Sem imagens carregadas.",
"uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.", "uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB."
"errorDirectUrl": "Please verify the link to the document.<br>This link must be a direct link to the file for downloading."
}, },
"LongActions": { "LongActions": {
"applyChangesTextText": "Carregando dados...", "applyChangesTextText": "Carregando dados...",
@ -457,8 +457,8 @@
"uploadImageTitleText": "Carregando imagem", "uploadImageTitleText": "Carregando imagem",
"waitText": "Por favor, aguarde...", "waitText": "Por favor, aguarde...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Erro", "criticalErrorTitle": "Erro",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Încărcarea imaginii", "uploadImageTitleText": "Încărcarea imaginii",
"waitText": "Vă rugăm să așteptați...", "waitText": "Vă rugăm să așteptați...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Eroare", "criticalErrorTitle": "Eroare",

View file

@ -425,6 +425,7 @@
"LongActions": { "LongActions": {
"applyChangesTextText": "Загрузка данных...", "applyChangesTextText": "Загрузка данных...",
"applyChangesTitleText": "Загрузка данных", "applyChangesTitleText": "Загрузка данных",
"confirmMaxChangesSize": "Размер внесенных изменений превышает ограничение, установленное для вашего сервера.<br>Нажмите \"Отменить\" для отмены последнего действия или нажмите \"Продолжить\", чтобы сохранить действие локально (потребуется скачать файл или скопировать его содержимое чтобы ничего не потерялось).",
"downloadMergeText": "Загрузка...", "downloadMergeText": "Загрузка...",
"downloadMergeTitle": "Загрузка", "downloadMergeTitle": "Загрузка",
"downloadTextText": "Загрузка документа...", "downloadTextText": "Загрузка документа...",
@ -451,14 +452,13 @@
"saveTitleText": "Сохранение документа", "saveTitleText": "Сохранение документа",
"sendMergeText": "Отправка результатов слияния...", "sendMergeText": "Отправка результатов слияния...",
"sendMergeTitle": "Отправка результатов слияния", "sendMergeTitle": "Отправка результатов слияния",
"textContinue": "Продолжить",
"textLoadingDocument": "Загрузка документа", "textLoadingDocument": "Загрузка документа",
"textUndo": "Отменить",
"txtEditingMode": "Установка режима редактирования...", "txtEditingMode": "Установка режима редактирования...",
"uploadImageTextText": "Загрузка рисунка...", "uploadImageTextText": "Загрузка рисунка...",
"uploadImageTitleText": "Загрузка рисунка", "uploadImageTitleText": "Загрузка рисунка",
"waitText": "Пожалуйста, подождите...", "waitText": "Пожалуйста, подождите..."
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo",
"textContinue": "Continue"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Ошибка", "criticalErrorTitle": "Ошибка",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Nahrávanie obrázku", "uploadImageTitleText": "Nahrávanie obrázku",
"waitText": "Čakajte, prosím...", "waitText": "Čakajte, prosím...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Chyba", "criticalErrorTitle": "Chyba",

View file

@ -653,6 +653,7 @@
"LongActions": { "LongActions": {
"applyChangesTextText": "Loading data...", "applyChangesTextText": "Loading data...",
"applyChangesTitleText": "Loading Data", "applyChangesTitleText": "Loading Data",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"downloadMergeText": "Downloading...", "downloadMergeText": "Downloading...",
"downloadMergeTitle": "Downloading", "downloadMergeTitle": "Downloading",
"downloadTextText": "Downloading document...", "downloadTextText": "Downloading document...",
@ -679,14 +680,13 @@
"saveTitleText": "Saving Document", "saveTitleText": "Saving Document",
"sendMergeText": "Sending Merge...", "sendMergeText": "Sending Merge...",
"sendMergeTitle": "Sending Merge", "sendMergeTitle": "Sending Merge",
"textContinue": "Continue",
"textLoadingDocument": "Loading document", "textLoadingDocument": "Loading document",
"textUndo": "Undo",
"txtEditingMode": "Set editing mode...", "txtEditingMode": "Set editing mode...",
"uploadImageTextText": "Uploading image...", "uploadImageTextText": "Uploading image...",
"uploadImageTitleText": "Uploading Image", "uploadImageTitleText": "Uploading Image",
"waitText": "Please, wait...", "waitText": "Please, wait..."
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo",
"textContinue": "Continue"
}, },
"Toolbar": { "Toolbar": {
"dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Resim Yükleniyor", "uploadImageTitleText": "Resim Yükleniyor",
"waitText": "Lütfen bekleyin...", "waitText": "Lütfen bekleyin...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Hata", "criticalErrorTitle": "Hata",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "Завантаження зображення", "uploadImageTitleText": "Завантаження зображення",
"waitText": "Будь ласка, зачекайте...", "waitText": "Будь ласка, зачекайте...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "Помилка", "criticalErrorTitle": "Помилка",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "上傳圖片中", "uploadImageTitleText": "上傳圖片中",
"waitText": "請耐心等待...", "waitText": "請耐心等待...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "錯誤", "criticalErrorTitle": "錯誤",

View file

@ -457,8 +457,8 @@
"uploadImageTitleText": "图片上传中", "uploadImageTitleText": "图片上传中",
"waitText": "请稍候...", "waitText": "请稍候...",
"confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).", "confirmMaxChangesSize": "The size of actions exceeds the limitation set for your server.<br>Press \"Undo\" to cancel your last action or press \"Continue\" to keep action locally (you need to download the file or copy its content to make sure nothing is lost).",
"textUndo": "Undo", "textContinue": "Continue",
"textContinue": "Continue" "textUndo": "Undo"
}, },
"Main": { "Main": {
"criticalErrorTitle": "错误", "criticalErrorTitle": "错误",

View file

@ -4,7 +4,7 @@ import { createRoot } from 'react-dom/client';
// Import Framework7 // Import Framework7
import Framework7 from 'framework7/lite-bundle'; import Framework7 from 'framework7/lite-bundle';
import { Dom7 } from 'framework7'; import { Dom7 } from 'framework7/lite-bundle';
window.$$ = Dom7; window.$$ = Dom7;
// Import Framework7-React Plugin // Import Framework7-React Plugin
@ -22,19 +22,19 @@ import('./less/app.less');
// Import App Component // Import App Component
import App from './view/app';
import { I18nextProvider } from 'react-i18next'; import { I18nextProvider } from 'react-i18next';
import i18n from './lib/i18n'; import i18n from './lib/i18n.js';
import App from './view/app.jsx';
import { Provider } from 'mobx-react' import { Provider } from 'mobx-react';
import { stores } from './store/mainStore' import { stores } from './store/mainStore.js';
import { LocalStorage } from '../../../common/mobile/utils/LocalStorage'; // import { LocalStorage } from '../../../common/mobile/utils/LocalStorage';
const container = document.getElementById('app'); const container = document.getElementById('app');
const root = createRoot(container); const root = createRoot(container);
// Init F7 React Plugin // Init F7 React Plugin
Framework7.use(Framework7React) Framework7.use(Framework7React);
// Mount React App // Mount React App
root.render( root.render(

View file

@ -2,7 +2,7 @@ import React, { useContext } from 'react';
import { f7 } from 'framework7-react'; import { f7 } from 'framework7-react';
import { inject, observer } from "mobx-react"; import { inject, observer } from "mobx-react";
import { withTranslation} from 'react-i18next'; import { withTranslation} from 'react-i18next';
import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage'; import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage.mjs';
import ContextMenuController from '../../../../common/mobile/lib/controller/ContextMenu'; import ContextMenuController from '../../../../common/mobile/lib/controller/ContextMenu';
import { idContextMenuElement } from '../../../../common/mobile/lib/view/ContextMenu'; import { idContextMenuElement } from '../../../../common/mobile/lib/view/ContextMenu';

View file

@ -3,7 +3,7 @@ import React, {Component, Fragment} from 'react';
import {inject} from "mobx-react"; import {inject} from "mobx-react";
import { f7 } from "framework7-react"; import { f7 } from "framework7-react";
import { withTranslation } from 'react-i18next'; import { withTranslation } from 'react-i18next';
import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage'; import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage.mjs';
import CollaborationController from '../../../../common/mobile/lib/controller/collaboration/Collaboration.jsx'; import CollaborationController from '../../../../common/mobile/lib/controller/collaboration/Collaboration.jsx';
import {InitReviewController as ReviewController} from '../../../../common/mobile/lib/controller/collaboration/Review.jsx'; import {InitReviewController as ReviewController} from '../../../../common/mobile/lib/controller/collaboration/Review.jsx';
import { onAdvancedOptions } from './settings/Download.jsx'; import { onAdvancedOptions } from './settings/Download.jsx';
@ -61,7 +61,7 @@ class MainController extends Component {
!window.sdk_scripts && (window.sdk_scripts = ['../../../../sdkjs/common/AllFonts.js', !window.sdk_scripts && (window.sdk_scripts = ['../../../../sdkjs/common/AllFonts.js',
'../../../../sdkjs/word/sdk-all-min.js']); '../../../../sdkjs/word/sdk-all-min.js']);
let dep_scripts = ['../../../vendor/xregexp/xregexp-all-min.js', let dep_scripts = ['../../../vendor/xregexp/xregexp-all-min.js',
'../../../vendor/sockjs/sockjs.min.js']; '../../../vendor/socketio/socket.io.min.js'];
dep_scripts.push(...window.sdk_scripts); dep_scripts.push(...window.sdk_scripts);
const promise_get_script = (scriptpath) => { const promise_get_script = (scriptpath) => {

View file

@ -1,7 +1,6 @@
import React, { useEffect } from 'react'; import React, { useEffect } from 'react';
import { List, ListItem, Toggle, Page, Navbar, NavRight, Link } from 'framework7-react'; import { List, ListItem, Toggle, Page, Navbar, NavRight, Link, f7 } from 'framework7-react';
import { SearchController, SearchView, SearchSettingsView } from '../../../../common/mobile/lib/controller/Search'; import { SearchController, SearchView, SearchSettingsView } from '../../../../common/mobile/lib/controller/Search';
import { f7 } from 'framework7-react';
import { withTranslation } from 'react-i18next'; import { withTranslation } from 'react-i18next';
import { Device } from '../../../../common/mobile/utils/device'; import { Device } from '../../../../common/mobile/utils/device';
import { observer, inject } from "mobx-react"; import { observer, inject } from "mobx-react";
@ -96,12 +95,12 @@ const Search = withTranslation()(props => {
const _t = t('Settings', {returnObjects: true}); const _t = t('Settings', {returnObjects: true});
useEffect(() => { useEffect(() => {
if (f7.searchbar.get('.searchbar')?.enabled && Device.phone) { if(f7.searchbar.get('.searchbar')?.enabled && Device.phone) {
const api = Common.EditorApi.get(); const api = Common.EditorApi.get();
$$('.searchbar-input').focus(); $$('.searchbar-input').focus();
api.asc_enableKeyEvents(false); api.asc_enableKeyEvents(false);
} }
}); }, []);
const onSearchQuery = params => { const onSearchQuery = params => {
const api = Common.EditorApi.get(); const api = Common.EditorApi.get();

View file

@ -3,7 +3,7 @@ import { inject, observer } from 'mobx-react';
import { f7 } from 'framework7-react'; import { f7 } from 'framework7-react';
import { useTranslation } from 'react-i18next'; import { useTranslation } from 'react-i18next';
import ToolbarView from "../view/Toolbar"; import ToolbarView from "../view/Toolbar";
import {LocalStorage} from "../../../../common/mobile/utils/LocalStorage"; import {LocalStorage} from "../../../../common/mobile/utils/LocalStorage.mjs";
const ToolbarController = inject('storeAppOptions', 'users', 'storeReview', 'storeFocusObjects', 'storeToolbarSettings','storeDocumentInfo')(observer(props => { const ToolbarController = inject('storeAppOptions', 'users', 'storeReview', 'storeFocusObjects', 'storeToolbarSettings','storeDocumentInfo')(observer(props => {
const {t} = useTranslation(); const {t} = useTranslation();

View file

@ -1,6 +1,6 @@
import React, { Component } from "react"; import React, { Component } from "react";
import { ApplicationSettings } from "../../view/settings/ApplicationSettings"; import { ApplicationSettings } from "../../view/settings/ApplicationSettings";
import { LocalStorage } from '../../../../../common/mobile/utils/LocalStorage'; import { LocalStorage } from '../../../../../common/mobile/utils/LocalStorage.mjs';
import {observer, inject} from "mobx-react"; import {observer, inject} from "mobx-react";
import { Themes } from '../../../../../common/mobile/lib/controller/Themes.js'; import { Themes } from '../../../../../common/mobile/lib/controller/Themes.js';

View file

@ -5,7 +5,7 @@ import { observer, inject } from "mobx-react";
import {Device} from '../../../../../common/mobile/utils/device'; import {Device} from '../../../../../common/mobile/utils/device';
import SettingsView from "../../view/settings/Settings"; import SettingsView from "../../view/settings/Settings";
import {LocalStorage} from "../../../../../common/mobile/utils/LocalStorage"; import {LocalStorage} from "../../../../../common/mobile/utils/LocalStorage.mjs";
const Settings = props => { const Settings = props => {
useEffect(() => { useEffect(() => {

View file

@ -1,5 +1,5 @@
import {makeObservable, action, observable} from 'mobx'; import {makeObservable, action, observable} from 'mobx';
import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage'; import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage.mjs';
export class storeAppOptions { export class storeAppOptions {
constructor() { constructor() {

View file

@ -1,5 +1,5 @@
import {makeObservable, action, observable} from 'mobx'; import {makeObservable, action, observable} from 'mobx';
import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage'; import { LocalStorage } from '../../../../common/mobile/utils/LocalStorage.mjs';
export class storeApplicationSettings { export class storeApplicationSettings {
constructor() { constructor() {

View file

@ -5,7 +5,7 @@ import { useTranslation } from 'react-i18next';
import {Device} from '../../../../../common/mobile/utils/device'; import {Device} from '../../../../../common/mobile/utils/device';
import { ThemeColorPalette, CustomColorPicker } from '../../../../../common/mobile/lib/component/ThemeColorPalette.jsx'; import { ThemeColorPalette, CustomColorPicker } from '../../../../../common/mobile/lib/component/ThemeColorPalette.jsx';
import HighlightColorPalette from '../../../../../common/mobile/lib/component/HighlightColorPalette.jsx'; import HighlightColorPalette from '../../../../../common/mobile/lib/component/HighlightColorPalette.jsx';
import { LocalStorage } from '../../../../../common/mobile/utils/LocalStorage'; import { LocalStorage } from '../../../../../common/mobile/utils/LocalStorage.mjs';
const PageFonts = props => { const PageFonts = props => {
const isAndroid = Device.android; const isAndroid = Device.android;

View file

@ -279,7 +279,7 @@
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
<script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<script src="../../../vendor/requirejs/require.js"></script> <script src="../../../vendor/requirejs/require.js"></script>

View file

@ -273,7 +273,7 @@
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
<script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<script src="../../../vendor/requirejs/require.js"></script> <script src="../../../vendor/requirejs/require.js"></script>
<script> <script>

View file

@ -327,7 +327,7 @@
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
<script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery.browser/dist/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<script type="text/javascript" src="../../../../sdkjs/develop/sdkjs/slide/scripts.js"></script> <script type="text/javascript" src="../../../../sdkjs/develop/sdkjs/slide/scripts.js"></script>

View file

@ -320,7 +320,7 @@
<script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.min.js"></script>
<script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script> <script type="text/javascript" src="../../../vendor/jquery/jquery.browser.min.js"></script>
<script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script> <script type="text/javascript" src="../../../vendor/bootstrap/dist/js/bootstrap.min.js"></script>
<script type="text/javascript" src="../../../vendor/sockjs/sockjs.min.js"></script> <script type="text/javascript" src="../../../vendor/socketio/socket.io.min.js"></script>
<script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script> <script type="text/javascript" src="../../../vendor/xregexp/xregexp-all-min.js"></script>
<!--sdk--> <!--sdk-->

View file

@ -53,7 +53,7 @@ require.config({
perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar', perfectscrollbar: 'common/main/lib/mods/perfect-scrollbar',
jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel', jmousewheel : '../vendor/perfect-scrollbar/src/jquery.mousewheel',
xregexp : '../vendor/xregexp/xregexp-all-min', xregexp : '../vendor/xregexp/xregexp-all-min',
sockjs : '../vendor/sockjs/sockjs.min', socketio : '../vendor/socketio/socket.io.min',
allfonts : '../../sdkjs/common/AllFonts', allfonts : '../../sdkjs/common/AllFonts',
sdk : '../../sdkjs/slide/sdk-all-min', sdk : '../../sdkjs/slide/sdk-all-min',
api : 'api/documents/api', api : 'api/documents/api',
@ -106,7 +106,7 @@ require.config({
'underscore', 'underscore',
'allfonts', 'allfonts',
'xregexp', 'xregexp',
'sockjs' 'socketio'
] ]
}, },
gateway: { gateway: {

View file

@ -48,7 +48,7 @@ require.config({
jquery : '../vendor/jquery/jquery.min', jquery : '../vendor/jquery/jquery.min',
underscore : '../vendor/underscore/underscore-min', underscore : '../vendor/underscore/underscore-min',
xregexp : '../vendor/xregexp/xregexp-all-min', xregexp : '../vendor/xregexp/xregexp-all-min',
sockjs : '../vendor/sockjs/sockjs.min', socketio : '../vendor/socketio/socket.io.min',
allfonts : '../../sdkjs/common/AllFonts', allfonts : '../../sdkjs/common/AllFonts',
sdk : '../../sdkjs/slide/sdk-all-min' sdk : '../../sdkjs/slide/sdk-all-min'
}, },
@ -62,7 +62,7 @@ require.config({
'underscore', 'underscore',
'allfonts', 'allfonts',
'xregexp', 'xregexp',
'sockjs' 'socketio'
] ]
} }
} }

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