Merge pull request #963 from ONLYOFFICE/feature/merge-with-hotfix-631
Feature/merge with hotfix 631
|
@ -39,7 +39,8 @@ Common.Locale = new(function() {
|
|||
var l10n = null;
|
||||
var loadcallback,
|
||||
apply = false,
|
||||
currentLang = 'en';
|
||||
defLang = '{{DEFAULT_LANG}}',
|
||||
currentLang = defLang;
|
||||
|
||||
var _applyLocalization = function(callback) {
|
||||
try {
|
||||
|
@ -83,7 +84,11 @@ Common.Locale = new(function() {
|
|||
};
|
||||
|
||||
var _getCurrentLanguage = function() {
|
||||
return (currentLang || 'en');
|
||||
return currentLang;
|
||||
};
|
||||
|
||||
var _getLoadedLanguage = function() {
|
||||
return loadedLang;
|
||||
};
|
||||
|
||||
var _getUrlParameterByName = function(name) {
|
||||
|
@ -94,23 +99,26 @@ Common.Locale = new(function() {
|
|||
};
|
||||
|
||||
var _requireLang = function () {
|
||||
var lang = (_getUrlParameterByName('lang') || 'en').split(/[\-_]/)[0];
|
||||
var lang = (_getUrlParameterByName('lang') || defLang).split(/[\-_]/)[0];
|
||||
currentLang = lang;
|
||||
fetch('locale/' + lang + '.json')
|
||||
.then(function(response) {
|
||||
if (!response.ok) {
|
||||
currentLang = 'en';
|
||||
if (lang != 'en')
|
||||
currentLang = defLang;
|
||||
if (lang != defLang)
|
||||
/* load default lang if fetch failed */
|
||||
return fetch('locale/en.json');
|
||||
return fetch('locale/' + defLang + '.json');
|
||||
|
||||
throw new Error('server error');
|
||||
}
|
||||
return response.json();
|
||||
}).then(function(response) {
|
||||
if ( response.then )
|
||||
if ( response.json ) {
|
||||
if (!response.ok)
|
||||
throw new Error('server error');
|
||||
|
||||
return response.json();
|
||||
else {
|
||||
} else {
|
||||
l10n = response;
|
||||
/* to break promises chain */
|
||||
throw new Error('loaded');
|
||||
|
@ -122,8 +130,10 @@ Common.Locale = new(function() {
|
|||
l10n = l10n || {};
|
||||
apply && _applyLocalization();
|
||||
if ( e.message == 'loaded' ) {
|
||||
} else
|
||||
} else {
|
||||
currentLang = null;
|
||||
console.log('fetch error: ' + e);
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
|
|
|
@ -128,6 +128,9 @@ define([
|
|||
bottom = Common.Utils.innerHeight() - showxy.top - this.target.height()/2;
|
||||
} else if (pos == 'bottom') {
|
||||
top = showxy.top + this.target.height()/2;
|
||||
var height = this.cmpEl.height();
|
||||
if (top+height>Common.Utils.innerHeight())
|
||||
top = Common.Utils.innerHeight() - height - 10;
|
||||
} else if (pos == 'left') {
|
||||
right = Common.Utils.innerWidth() - showxy.left - this.target.width()/2;
|
||||
} else if (pos == 'right') {
|
||||
|
|
|
@ -632,7 +632,7 @@ define([
|
|||
|
||||
this.$window = $('#' + this.initConfig.id);
|
||||
|
||||
if (Common.Locale.getCurrentLanguage() !== 'en')
|
||||
if (Common.Locale.getCurrentLanguage() && Common.Locale.getCurrentLanguage() !== 'en')
|
||||
this.$window.attr('applang', Common.Locale.getCurrentLanguage());
|
||||
|
||||
this.binding.keydown = _.bind(_keydown,this);
|
||||
|
|
|
@ -48,7 +48,7 @@ define([
|
|||
'common/main/lib/view/ExternalDiagramEditor'
|
||||
], function () { 'use strict';
|
||||
Common.Controllers.ExternalDiagramEditor = Backbone.Controller.extend(_.extend((function() {
|
||||
var appLang = 'en',
|
||||
var appLang = '{{DEFAULT_LANG}}',
|
||||
customization = undefined,
|
||||
targetApp = '',
|
||||
externalEditor = null,
|
||||
|
|
|
@ -48,7 +48,7 @@ define([
|
|||
'common/main/lib/view/ExternalMergeEditor'
|
||||
], function () { 'use strict';
|
||||
Common.Controllers.ExternalMergeEditor = Backbone.Controller.extend(_.extend((function() {
|
||||
var appLang = 'en',
|
||||
var appLang = '{{DEFAULT_LANG}}',
|
||||
customization = undefined,
|
||||
targetApp = '',
|
||||
externalEditor = null;
|
||||
|
|
|
@ -7,6 +7,8 @@ define([
|
|||
], function () {
|
||||
'use strict';
|
||||
|
||||
!Common.UI && (Common.UI = {});
|
||||
|
||||
Common.UI.Themes = new (function(locale) {
|
||||
!locale && (locale = {});
|
||||
var themes_map = {
|
||||
|
@ -217,7 +219,7 @@ define([
|
|||
|
||||
$(window).on('storage', function (e) {
|
||||
if ( e.key == 'ui-theme' || e.key == 'ui-theme-id' ) {
|
||||
me.setTheme(e.originalEvent.newValue);
|
||||
me.setTheme(e.originalEvent.newValue, true);
|
||||
}
|
||||
})
|
||||
|
||||
|
@ -230,6 +232,10 @@ define([
|
|||
$('body').addClass(theme_name);
|
||||
}
|
||||
|
||||
if ( !document.body.className.match(/theme-type-/) ) {
|
||||
document.body.classList.add('theme-type-' + themes_map[theme_name].type);
|
||||
}
|
||||
|
||||
var obj = get_current_theme_colors(name_colors);
|
||||
obj.type = themes_map[theme_name].type;
|
||||
obj.name = theme_name;
|
||||
|
@ -243,7 +249,7 @@ define([
|
|||
},
|
||||
|
||||
setAvailable: function (value) {
|
||||
this.locked = value;
|
||||
this.locked = !value;
|
||||
},
|
||||
|
||||
map: function () {
|
||||
|
@ -274,16 +280,16 @@ define([
|
|||
setTheme: function (obj, force) {
|
||||
var id = get_ui_theme_name(obj);
|
||||
if ( (this.currentThemeId() != id || force) && !!themes_map[id] ) {
|
||||
var classname = document.body.className.replace(/theme-\w+\s?/, '');
|
||||
document.body.className = classname;
|
||||
document.body.className = document.body.className.replace(/theme-[\w-]+\s?/gi, '').trim();
|
||||
document.body.classList.add(id, 'theme-type-' + themes_map[id].type);
|
||||
|
||||
$('body').addClass(id);
|
||||
if ( this.api ) {
|
||||
var obj = get_current_theme_colors(name_colors);
|
||||
obj.type = themes_map[id].type;
|
||||
obj.name = id;
|
||||
|
||||
var obj = get_current_theme_colors(name_colors);
|
||||
obj.type = themes_map[id].type;
|
||||
obj.name = id;
|
||||
|
||||
this.api.asc_setSkin(obj);
|
||||
this.api.asc_setSkin(obj);
|
||||
}
|
||||
|
||||
if ( !(Common.Utils.isIE10 || Common.Utils.isIE11) ) {
|
||||
var theme_obj = {
|
||||
|
|
|
@ -103,7 +103,7 @@ define([
|
|||
'</div>' +
|
||||
'<div class="hedset">' +
|
||||
'<div class="btn-slot" id="slot-btn-user-name"></div>' +
|
||||
'<div class="btn-current-user hidden">' +
|
||||
'<div class="btn-current-user btn-header hidden">' +
|
||||
'<i class="icon toolbar__icon icon--inverse btn-user"></i>' +
|
||||
'</div>' +
|
||||
'</div>' +
|
||||
|
|
|
@ -105,15 +105,15 @@ define([
|
|||
'<table style="margin-top: 30px;">',
|
||||
'<tr>',
|
||||
'<td><label style="font-weight: bold;margin-bottom: 3px;">' + this.textCertificate + '</label></td>' +
|
||||
'<td rowspan="2" style="vertical-align: top; padding-left: 30px;"><button id="id-dlg-sign-change" class="btn btn-text-default" style="">' + this.textSelect + '</button></td>',
|
||||
'<td rowspan="2" style="vertical-align: top; padding-left: 20px;"><button id="id-dlg-sign-change" class="btn btn-text-default" style="float:right;">' + this.textSelect + '</button></td>',
|
||||
'</tr>',
|
||||
'<tr><td><div id="id-dlg-sign-certificate" class="hidden" style="max-width: 212px;overflow: hidden;"></td></tr>',
|
||||
'<tr><td><div id="id-dlg-sign-certificate" class="hidden" style="max-width: 240px;overflow: hidden;white-space: nowrap;"></td></tr>',
|
||||
'</table>',
|
||||
'</div>'
|
||||
].join('');
|
||||
|
||||
this.templateCertificate = _.template([
|
||||
'<label style="display: block;margin-bottom: 3px;"><%= Common.Utils.String.htmlEncode(name) %></label>',
|
||||
'<label style="display: block;margin-bottom: 3px;overflow: hidden;text-overflow: ellipsis;"><%= Common.Utils.String.htmlEncode(name) %></label>',
|
||||
'<label style="display: block;"><%= Common.Utils.String.htmlEncode(valid) %></label>'
|
||||
].join(''));
|
||||
|
||||
|
|
|
@ -332,7 +332,7 @@
|
|||
.border-radius(1px);
|
||||
background-color: transparent;
|
||||
|
||||
.masked & {
|
||||
.masked:not(.statusbar) & {
|
||||
&:disabled {
|
||||
opacity: 1;
|
||||
}
|
||||
|
@ -985,6 +985,18 @@
|
|||
&.disabled {
|
||||
opacity: @component-disabled-opacity;
|
||||
}
|
||||
|
||||
&:not(:disabled) {
|
||||
.icon {
|
||||
opacity: 1;
|
||||
}
|
||||
|
||||
&:hover {
|
||||
.icon {
|
||||
.icon();
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
.cnt-lang {
|
||||
|
|
|
@ -47,7 +47,7 @@
|
|||
--text-contrast-background: #fff;
|
||||
|
||||
--icon-normal: #444;
|
||||
--icon-normal-pressed: #fff;
|
||||
--icon-normal-pressed: #444;
|
||||
--icon-inverse: #444;
|
||||
--icon-toolbar-header: fade(#fff, 80%);
|
||||
--icon-notification-badge: #000;
|
||||
|
|
|
@ -392,11 +392,13 @@
|
|||
}
|
||||
}
|
||||
|
||||
.extra {
|
||||
#header-logo {
|
||||
i {
|
||||
background-image: ~"url('@{common-image-const-path}/header/dark-logo_s.svg')";
|
||||
background-repeat: no-repeat;
|
||||
.theme-type-light & {
|
||||
.extra {
|
||||
#header-logo {
|
||||
i {
|
||||
background-image: ~"url('@{common-image-const-path}/header/dark-logo_s.svg')";
|
||||
background-repeat: no-repeat;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -85,10 +85,8 @@
|
|||
&.close {
|
||||
position: relative;
|
||||
opacity: 0.7;
|
||||
transition: transform .3s;
|
||||
|
||||
&:hover {
|
||||
transform: scale(1.1);
|
||||
opacity: 1;
|
||||
}
|
||||
|
||||
|
|
|
@ -1264,7 +1264,7 @@ define([
|
|||
if (Asc.c_oLicenseResult.ExpiredLimited === licType)
|
||||
this._state.licenseType = licType;
|
||||
|
||||
if ( this.onServerVersion(params.asc_getBuildVersion()) ) return;
|
||||
if ( this.onServerVersion(params.asc_getBuildVersion()) || !this.onLanguageLoaded()) return;
|
||||
|
||||
this.permissions.review = (this.permissions.review === undefined) ? (this.permissions.edit !== false) : this.permissions.review;
|
||||
|
||||
|
@ -2551,6 +2551,18 @@ define([
|
|||
this.getApplication().getController('DocumentHolder').getView().focus();
|
||||
},
|
||||
|
||||
onLanguageLoaded: function() {
|
||||
if (!Common.Locale.getCurrentLanguage()) {
|
||||
Common.UI.warning({
|
||||
msg: this.errorLang,
|
||||
buttons: [],
|
||||
closable: false
|
||||
});
|
||||
return false;
|
||||
}
|
||||
return true;
|
||||
},
|
||||
|
||||
leavePageText: 'You have unsaved changes in this document. Click \'Stay on this Page\' then \'Save\' to save them. Click \'Leave this Page\' to discard all the unsaved changes.',
|
||||
criticalErrorTitle: 'Error',
|
||||
notcriticalErrorTitle: 'Warning',
|
||||
|
@ -2922,7 +2934,8 @@ define([
|
|||
txtNoTableOfFigures: "No table of figures entries found.",
|
||||
txtTableOfFigures: 'Table of figures',
|
||||
txtStyle_endnote_text: 'Endnote Text',
|
||||
txtTOCHeading: 'TOC Heading'
|
||||
txtTOCHeading: 'TOC Heading',
|
||||
errorLang: 'The interface language is not loaded.<br>Please contact your Document Server administrator.'
|
||||
}
|
||||
})(), DE.Controllers.Main || {}))
|
||||
});
|
|
@ -174,7 +174,7 @@
|
|||
|
||||
</div>
|
||||
<div>
|
||||
<div class="padding-large" style="display: inline-block; margin-right: 9px;">
|
||||
<div class="padding-large" style="display: inline-block; margin-right: 8px;">
|
||||
<label class="input-label"><%= scope.textTabPosition %></label>
|
||||
<div id="paraadv-spin-tab"></div>
|
||||
</div>
|
||||
|
|
|
@ -1524,7 +1524,7 @@ define([
|
|||
Common.UI.BaseView.prototype.initialize.call(this,arguments);
|
||||
|
||||
this.menu = options.menu;
|
||||
this.urlPref = 'resources/help/en/';
|
||||
this.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
|
||||
this.openUrl = null;
|
||||
|
||||
this.en_data = [
|
||||
|
@ -1642,12 +1642,12 @@ define([
|
|||
var config = {
|
||||
dataType: 'json',
|
||||
error: function () {
|
||||
if ( me.urlPref.indexOf('resources/help/en/')<0 ) {
|
||||
me.urlPref = 'resources/help/en/';
|
||||
store.url = 'resources/help/en/Contents.json';
|
||||
if ( me.urlPref.indexOf('resources/help/{{DEFAULT_LANG}}/')<0 ) {
|
||||
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
|
||||
store.url = 'resources/help/{{DEFAULT_LANG}}/Contents.json';
|
||||
store.fetch(config);
|
||||
} else {
|
||||
me.urlPref = 'resources/help/en/';
|
||||
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
|
||||
store.reset(me.en_data);
|
||||
}
|
||||
},
|
||||
|
|
|
@ -152,7 +152,7 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat
|
|||
this.cmbUnit.setDisabled(!value);
|
||||
if (this._changedProps) {
|
||||
if (value && this.nfWidth.getNumberValue()>0)
|
||||
this._changedProps.put_Width(this.cmbUnit.getValue() ? -field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfWidth.getNumberValue()));
|
||||
this._changedProps.put_Width(this.cmbUnit.getValue() ? -this.nfWidth.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfWidth.getNumberValue()));
|
||||
else
|
||||
this._changedProps.put_Width(null);
|
||||
}
|
||||
|
@ -447,7 +447,7 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat
|
|||
this.cmbPrefWidthUnit.setDisabled(!value);
|
||||
if (this._changedProps) {
|
||||
if (value && this.nfPrefWidth.getNumberValue()>0)
|
||||
this._changedProps.put_CellsWidth(this.cmbPrefWidthUnit.getValue() ? -field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfPrefWidth.getNumberValue()));
|
||||
this._changedProps.put_CellsWidth(this.cmbPrefWidthUnit.getValue() ? -this.nfPrefWidth.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfPrefWidth.getNumberValue()));
|
||||
else
|
||||
this._changedProps.put_CellsWidth(null);
|
||||
}
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>Klicken Sie in der oberen Menüleiste auf die Registerkarte <b>Datei</b>.</li>
|
||||
<li>Wählen Sie die Option <b>Speichern als...</b>.</li>
|
||||
<li>Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDFA. Sie können die Option <b>Dokumentenvorlage</b> (DOTX oder OTT) auswählen.</li>
|
||||
<li>Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDF/A. Sie können die Option <b>Dokumentenvorlage</b> (DOTX oder OTT) auswählen.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -180,7 +180,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -18,7 +18,7 @@
|
|||
and edit documents<span class="onlineDocumentFeatures"> directly in your browser</span>.</p>
|
||||
<p>Using the <b>Document Editor</b>, you can perform various editing operations like in any desktop editor,
|
||||
print the edited documents keeping all the formatting details or download them onto your computer hard disk drive of your computer as DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB files.</p>
|
||||
<p><span class="onlineDocumentFeatures">To view the current software version and licensor details in the <em>online version</em>, click the <img alt="About icon" src="../images/about.png" /> icon on the left sidebar.</span> <span class="desktopDocumentFeatures"> To view the current software version and licensor details in the <em>desktop version</em>, select the <b>About</b> menu item on the left sidebar of the main program window.</span></p>
|
||||
<p><span class="onlineDocumentFeatures">To view the current software version and licensor details in the <em>online version</em>, click the <img alt="About icon" src="../images/about.png" /> icon on the left sidebar.</span> <span class="desktopDocumentFeatures"> To view the current software version and licensor details in the <em>desktop version</em> for Windows, select the <b>About</b> menu item on the left sidebar of the main program window. In the <em>desktop version</em> for Mac OS, open the <b>ONLYOFFICE</b> menu at the top of the screen and select the <b>About ONLYOFFICE</b> menu item.</span></p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -53,7 +53,7 @@
|
|||
<td>FB2</td>
|
||||
<td>An ebook extension that lets you read books on your computer or mobile devices</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
|
@ -103,13 +103,13 @@
|
|||
<td>HyperText Markup Language<br />The main markup language for web pages</td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
<td>in the online version</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>EPUB</td>
|
||||
<td>Electronic Publication<br />Free and open e-book standard created by the International Digital Publishing Forum</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
|
@ -130,7 +130,7 @@
|
|||
<td>XML</td>
|
||||
<td>Extensible Markup Language (XML).<br />A simple and flexible markup language that derived from SGML (ISO 8879) and is designed to store and transport data.</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
</tr>
|
||||
<!--<tr>
|
||||
|
@ -148,7 +148,7 @@
|
|||
<td></td>
|
||||
</tr>-->
|
||||
</table>
|
||||
<p class="note"><b>Note</b>: the HTML/EPUB/MHT formats run without Chromium and are available on all platforms.</p>
|
||||
<p class="note"><b>Note</b>: all formats run without Chromium and are available on all platforms.</p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -43,7 +43,7 @@
|
|||
</ol>
|
||||
<p>If you select the <b>Square</b>, <b>Tight</b>, <b>Through</b>, or <b>Top and bottom</b> style, you will be able to set up some additional parameters - <b>Distance from Text</b> at all sides (top, bottom, left, right). To access these parameters, right-click the object, select the <b>Advanced Settings</b> option and switch to the <b>Text Wrapping</b> tab of the object <b>Advanced Settings</b> window. Set the required values and click <b>OK</b>.</p>
|
||||
<p>If you select a wrapping style other than <b>Inline</b>, the <b>Position</b> tab is also available in the object <b>Advanced Settings</b> window. To learn more on these parameters, please refer to the corresponding pages with the instructions on how to work with <a href="../UsageInstructions/InsertAutoshapes.htm#position" onclick="onhyperlinkclick(this)">shapes</a>, <a href="../UsageInstructions/InsertImages.htm#position" onclick="onhyperlinkclick(this)">images</a> or <a href="../UsageInstructions/InsertCharts.htm#position" onclick="onhyperlinkclick(this)">charts</a>.</p>
|
||||
<p>If you select a wrapping style other than <b>Inline</b>, you can also edit the wrap boundary for <b>images</b> or <b>shapes</b>. Right-click the object, select the <b>Wrapping Style</b> option from the contextual menu and click the <b>Edit Wrap Boundary</b> option. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the required position. <img alt="Editing Wrap Boundary" src="../images/wrap_boundary.png" /></p>
|
||||
<p>If you select a wrapping style other than <b>Inline</b>, you can also edit the wrap boundary for <b>images</b> or <b>shapes</b>. Right-click the object, select the <b>Wrapping Style</b> option from the contextual menu and click the <b>Edit Wrap Boundary</b> option. You can also use the <b>Wrapping</b> -> <b>Edit Wrap Boundary</b> menu on the <b>Layout</b> tab of the top toolbar. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the required position. <img alt="Editing Wrap Boundary" src="../images/wrap_boundary.png" /></p>
|
||||
<h3>Change text wrapping for tables</h3>
|
||||
<p>For <a href="../UsageInstructions/InsertTables.htm" onclick="onhyperlinkclick(this)">tables</a>, the following two wrapping styles are available: <b>Inline table</b> and <b>Flow table</b>.</p>
|
||||
<p>To change the currently selected wrapping style:</p>
|
||||
|
|
|
@ -32,7 +32,7 @@
|
|||
</ol>
|
||||
<p>The program also creates numbered lists automatically when you enter digit 1 with a dot or a bracket and a space after it: <b>1.</b>, <b>1)</b>. Bulleted lists can be created automatically when you enter the <b>-</b>, <b>*</b> characters and a space after them.</p>
|
||||
<p>You can also change the text indentation in the lists and their nesting by clicking the <b>Multilevel list</b> <img alt="Multilevel list icon" src="../images/outline.png" />, <b>Decrease indent</b> <img alt="Decrease indent icon" src="../images/decreaseindent.png" />, and <b>Increase indent</b> <img alt="Increase indent icon" src="../images/increaseindent.png" /> icons on the <b>Home</b> tab of the top toolbar.</p>
|
||||
<p>To change the list level, click the <b>Numbering</b> <img alt="Ordered List icon" src="../images/numbering.png" /> or <b>Bullets</b> <img alt="Unordered List icon" src="../images/bullets.png" /> icon and choose the <b>Change list level</b> option, or place the cursor at the beginning of the line and press the <b>Tab</b> key on a keyboard to move to the next level of the list. Proceed with the list level needed.</p>
|
||||
<p>To change the list level, click the <b>Numbering</b> <img alt="Ordered List icon" src="../images/numbering.png" />, <b>Bullets</b> <img alt="Unordered List icon" src="../images/bullets.png" />, or <b>Multilevel list</b> <img alt="Multilevel list icon" src="../images/outline.png" /> icon and choose the <b>Change List Level</b> option, or place the cursor at the beginning of the line and press the <b>Tab</b> key on a keyboard to move to the next level of the list. Proceed with the list level needed.</p>
|
||||
<p><img alt="change list level" src="../images/listlevel.png" /></p>
|
||||
<p class="note">The additional indentation and spacing parameters can be changed on the right sidebar and in the advanced settings window. To learn more about it, read the <a href="ParagraphIndents.htm" onclick="onhyperlinkclick(this)">Change paragraph indents</a> and <a href="LineSpacing.htm" onclick="onhyperlinkclick(this)">Set paragraph line spacing</a> section.</p>
|
||||
|
||||
|
|
|
@ -15,7 +15,7 @@
|
|||
</div>
|
||||
<h1>Set the font type, size, and color</h1>
|
||||
<p>In the <a href="https://www.onlyoffice.com/document-editor.aspx" target="_blank" onclick="onhyperlinkclick(this)"><b>Document Editor</b></a>, you can select the font type, its size and color using the corresponding icons on the <b>Home</b> tab of the top toolbar.</p>
|
||||
<p class="note">In case you want to apply the formatting to the already existing text in the document, select it with the mouse or <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">use the keyboard</a> and apply the formatting.</p>
|
||||
<p class="note">In case you want to apply the formatting to the already existing text in the document, select it with the mouse or <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">use the keyboard</a> and apply the formatting. You can also place the mouse cursor within the necessary word to apply the formatting to this word only.</p>
|
||||
<table>
|
||||
<tr>
|
||||
<td width="10%">Font</td>
|
||||
|
@ -40,7 +40,7 @@
|
|||
<tr>
|
||||
<td>Change case</td>
|
||||
<td><img alt="Change case" src="../images/change_case.png" /></td>
|
||||
<td>Used to change the font case. <em>Sentence case.</em> - the case matches that of a common sentence. <em>lowercase</em> - all letters are small. <em>UPPERCASE</em> - all letters are capital. <em>Capitalize Each Word</em> - each word starts with a capital letter. <em>tOGGLE cASE</em> - reverse the case of the selected text.</td>
|
||||
<td>Used to change the font case. <em>Sentence case.</em> - the case matches that of a common sentence. <em>lowercase</em> - all letters are small. <em>UPPERCASE</em> - all letters are capital. <em>Capitalize Each Word</em> - each word starts with a capital letter. <em>tOGGLE cASE</em> - reverse the case of the selected text or the word where the mouse cursor is positioned.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Highlight color</td>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>click the <b>File</b> tab of the top toolbar,</li>
|
||||
<li>select the <b>Save as...</b> option,</li>
|
||||
<li>choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDFA. You can also choose the <b>Document template</b> (DOTX or OTT) option.</li>
|
||||
<li>choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. You can also choose the <b>Document template</b> (DOTX or OTT) option.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -15,9 +15,9 @@
|
|||
</div>
|
||||
<h1>Count words</h1>
|
||||
<p>To know the exact number of words and symbols both with and without spaces in your document, as well as the number of paragraphs altogether, use the Word counter plugin.</p>
|
||||
<ol>
|
||||
<ol>
|
||||
<li>Open the <b>Plugins</b> tab and click <b>Count words and characters</b>.</li>
|
||||
<li>Select the text.</li>
|
||||
<li>Open the <b>Plugins</b> tab and click <b>Word counter</b>.</li>
|
||||
</ol>
|
||||
<div class="note">Please note that the following elements are not included in the word count:
|
||||
<ul>
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -180,7 +180,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -14,7 +14,7 @@
|
|||
<input id="search" class="searchBar" placeholder="Buscar" type="text" onkeypress="doSearch(event)">
|
||||
</div>
|
||||
<h1>Cree un documento nuevo o abra el documento existente</h1>
|
||||
<h6>Para crear un nuevo documento</h6>
|
||||
<h3>Para crear un nuevo documento</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>En el <em>editor en línea</em></p>
|
||||
<ol>
|
||||
|
@ -32,7 +32,7 @@
|
|||
</div>
|
||||
|
||||
<div class="desktopDocumentFeatures">
|
||||
<h6>Para abrir un documento existente</h6>
|
||||
<h3>Para abrir un documento existente</h3>
|
||||
<p>En el <em>editor de escritorio </em></p>
|
||||
<ol>
|
||||
<li>en la ventana principal del programa, seleccione la opción <b>Abrir archivo local</b> en la barra lateral izquierda,</li>
|
||||
|
@ -42,7 +42,7 @@
|
|||
<p>Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de <b>Carpetas recientes</b> para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella.</p>
|
||||
</div>
|
||||
|
||||
<h6>Para abrir un documento recientemente editado</h6>
|
||||
<h3>Para abrir un documento recientemente editado</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>En el <em>editor en línea</em></p>
|
||||
<ol>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>haga clic en la pestaña <b>Archivo</b> en la barra de herramientas superior,</li>
|
||||
<li>seleccione la opción <b>Guardar como...</b>,</li>
|
||||
<li>elija uno de los formatos disponibles: DOCX, ODT, RTF, TXT, PDF, PDFA. También puede seleccionar la opción <b>Plantilla de documento</b> (DOTX o OTT).</li>
|
||||
<li>elija uno de los formatos disponibles: DOCX, ODT, RTF, TXT, PDF, PDF/A. También puede seleccionar la opción <b>Plantilla de documento</b> (DOTX o OTT).</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -180,7 +180,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
Before Width: | Height: | Size: 219 B After Width: | Height: | Size: 273 B |
Before Width: | Height: | Size: 97 B After Width: | Height: | Size: 209 B |
Before Width: | Height: | Size: 124 B After Width: | Height: | Size: 178 B |
Before Width: | Height: | Size: 141 B After Width: | Height: | Size: 208 B |
Before Width: | Height: | Size: 180 B After Width: | Height: | Size: 106 B |
Before Width: | Height: | Size: 178 B After Width: | Height: | Size: 100 B |
|
@ -16,7 +16,7 @@
|
|||
<h1>À propos de Document Editor</h1>
|
||||
<p><a href="https://www.onlyoffice.com/fr/document-editor.aspx" target="_blank" onclick="onhyperlinkclick(this)"><b>Document Editor</b></a> est une application <span class="onlineDocumentFeatures">en ligne</span> qui vous permet de parcourir et de modifier des documents<span class="onlineDocumentFeatures"> dans votre navigateur</span>.</p>
|
||||
<p>En utilisant<B> Document Editor</B>, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les documents modifiés en gardant la mise en forme ou les télécharger sur votre disque dur au format DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.</p>
|
||||
<p><span class="onlineDocumentFeatures">Pour afficher la version actuelle du logiciel et les informations de licence dans la <I>version en ligne</I>, cliquez sur l'icône <img alt="L'icône À propos" src="../images/about.png" /> dans la barre latérale gauche.</span> <span class="desktopDocumentFeatures"> Pour afficher la version actuelle du logiciel et les informations de licence dans la <I><I>version</I>de bureau</I>, cliquez sur l'icône <B>À propos</B> dans la barre latérale gauche de la fenêtre principale du programme.</span></p>
|
||||
<p><span class="onlineDocumentFeatures">Pour afficher la version actuelle du logiciel et les informations de licence dans la <em>version en ligne</em>, cliquez sur l'icône <img alt="L'icône À propos" src="../images/about.png" /> dans la barre latérale gauche.</span> <span class="desktopDocumentFeatures"> Pour afficher la version actuelle du logiciel et les informations de licence dans la <em>version de bureau</em> pour Windows, cliquez sur l'icône <B>À propos</B> dans la barre latérale gauche de la fenêtre principale du programme. Dans la <em>version de bureau</em> pour Mac OS, accédez au menu <b>ONLYOFFICE</b> en haut de l'écran et sélectionnez l'élément de menu <b>À propos d'ONLYOFFICE</b>.</span></p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -50,7 +50,7 @@
|
|||
<td>FB2</td>
|
||||
<td>Une extension de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
|
@ -100,13 +100,13 @@
|
|||
<td>HyperText Markup Language<br />Le principale langage de balisage pour les pages web</td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
<td>dans la <I>version en ligne</I></td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>EPUB</td>
|
||||
<td>Electronic Publication<br />Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum </td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
|
@ -127,7 +127,7 @@
|
|||
<td>XML</td>
|
||||
<td>Extensible Markup Language (XML).<br />Le langage de balisage extensible est une forme restreinte d'application du langage de balisage généralisé standard SGM (ISO 8879) conçu pour stockage et traitement de données.</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
</tr>
|
||||
<!--<tr>
|
||||
|
@ -145,7 +145,7 @@
|
|||
<td></td>
|
||||
</tr>-->
|
||||
</table>
|
||||
<p class="note"><b>Remarque</b>: Les formats HTML/EPUB/MHT n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes.</p>
|
||||
<p class="note"><b>Remarque</b>: tous les formats n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes.</p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -43,7 +43,7 @@
|
|||
</ol>
|
||||
<p>Si vous avez choisi l'un des styles <b>Carré</b>, <b>Rapproché</b>, <b>Au travers</b>, <b>Haut et bas</b>, vous avez la possibilité de configurer des paramètres supplémentaires - <b>Distance du texte</b> de tous les côtés (haut, bas, droite, gauche). Pour accéder à ces paramètres, cliquez avec le bouton droit sur l'objet, sélectionnez l'option <b>Paramètres avancés</b> et passez à l'onglet <b>Style d'habillage</b> du texte de la fenêtre <b>Paramètres avancés</b> de l'objet. Définissez les valeurs voulues et cliquez sur <b>OK</b>.</p>
|
||||
<p>Si vous sélectionnez un style d'habillage autre que<b> En ligne</b>, l'onglet <b>Position</b> est également disponible dans la fenêtre <b>Paramètres avancés</b> de l'objet. Pour en savoir plus sur ces paramètres, reportez-vous aux pages correspondantes avec les instructions sur la façon de travailler avec <a href="../UsageInstructions/InsertAutoshapes.htm#position" onclick="onhyperlinkclick(this)">des formes</a>, <a href="../UsageInstructions/InsertImages.htm#position" onclick="onhyperlinkclick(this)">des images</a> ou <a href="../UsageInstructions/InsertCharts.htm#position" onclick="onhyperlinkclick(this)">des graphiques</a>.</p>
|
||||
<p>Si vous sélectionnez un style d'habillage autre que <b>En ligne</b>, vous pouvez également modifier la limite d'habillage pour les <b>images</b> ou les <b>formes</b>. Cliquez avec le bouton droit sur l'objet, sélectionnez l'option <b>Style d'habillage</b> dans le menu contextuel et cliquez sur <b>Modifier les limites du renvoi à la ligne</b>. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. <img alt="Modifier les limites du renvoi à la ligne" src="../images/wrap_boundary.png" /></p>
|
||||
<p>Si vous sélectionnez un style d'habillage autre que <b>En ligne</b>, vous pouvez également modifier la limite d'habillage pour les <b>images</b> ou les <b>formes</b>. Cliquez avec le bouton droit sur l'objet, sélectionnez l'option <b>Style d'habillage</b> dans le menu contextuel et cliquez sur <b>Modifier les limites du renvoi à la ligne</b>. Il est aussi possible d'utiliser le menu <b>Retour à la ligne</b> -> <b>Modifier les limites du renvoi à la ligne</b> sous l'onglet <b>Mise en page</b> de la barre d'outils supérieure. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. <img alt="Modifier les limites du renvoi à la ligne" src="../images/wrap_boundary.png" /></p>
|
||||
<h3>Modifier l'habillage de texte pour les tableaux</h3>
|
||||
<p>Pour les <a href="../UsageInstructions/InsertTables.htm" onclick="onhyperlinkclick(this)">tableaux</a>, les deux styles d'habillage suivants sont disponibles: <b>Tableau aligné</b> et <b>Tableau flottant</b>.</p>
|
||||
<p>Pour changer le style d'habillage actuellement sélectionné:</p>
|
||||
|
|
|
@ -32,7 +32,7 @@
|
|||
</ol>
|
||||
<p>L'éditeur commence automatiquement une liste numérotée lorsque vous tapez 1 et un point ou une parenthèse droite et un espace: <b>1.</b>, <b>1)</b>. La liste à puces commence automatiquement lorsque vous tapez <b>-</b> ou <b>* </b> et un espace.</p>
|
||||
<p>Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes <b>Liste multi-niveaux</b> <img alt="L'icône de la liste multi-niveaux" src="../images/outline.png" />, <b>Réduire le retrait</b> <img alt="L'icône Réduire le retrait" src="../images/decreaseindent.png" /> et <b>Augmenter le retrait</b> <img alt="L'icône Augmenter le retrait" src="../images/increaseindent.png" /> sous l'onglet <b>Accueil</b> de la barre d'outils supérieure.</p>
|
||||
<p>Pour modifier le niveau de la liste, cliquez sur l'icône <b>Numérotation </b> <img alt="L'icône de la liste ordonnée" src="../images/numbering.png" /> ou <b>Puces</b> <img alt="L'icône de la liste non ordonnée" src="../images/bullets.png" /> et choisissez <b>Changer le niveau de liste</b>, ou placer le curseur au début de la ligne et appuyez sur la touche Tab du clavier pour augmenter le niveau de la liste. Procédez au niveau de liste approprié.</p>
|
||||
<p>Pour modifier le niveau de la liste, cliquez sur l'icône <b>Numérotation </b> <img alt="L'icône de la liste ordonnée" src="../images/numbering.png" />, <b>Puces</b> <img alt="L'icône de la liste non ordonnée" src="../images/bullets.png" />, ou <b>Liste multi-niveaux</b> <img alt="L'icône de la liste multi-niveaux" src="../images/outline.png" /> et choisissez <b>Changer le niveau de liste</b>, ou placer le curseur au début de la ligne et appuyez sur la touche Tab du clavier pour augmenter le niveau de la liste. Procédez au niveau de liste approprié.</p>
|
||||
<p><img alt="Changer le niveau de liste" src="../images/listlevel.png" /></p>
|
||||
<p class="note">Vous pouvez configurez les paramètres supplémentaires du retrait et de l'espacement sur la barre latérale droite et dans la fenêtre de configuration de paramètres avancées. Pour en savoir plus, consultez les pages <a href="ParagraphIndents.htm" onclick="onhyperlinkclick(this)">Modifier le retrait des paragraphes</a> et <a href="LineSpacing.htm" onclick="onhyperlinkclick(this)">Régler l'interligne du paragraphe</a> .</p>
|
||||
|
||||
|
|
|
@ -15,7 +15,7 @@
|
|||
</div>
|
||||
<h1>Définir le type de police, la taille et la couleur</h1>
|
||||
<p>Dans <a href="https://www.onlyoffice.com/fr/document-editor.aspx" target="_blank" onclick="onhyperlinkclick(this)"><b>Document Editor</b></a>, vous pouvez sélectionner le type, la taille et la couleur de police à l'aide des icônes correspondantes situées dans l'onglet <b>Accueil</b> de la barre d'outils supérieure.</p>
|
||||
<p class="note">Si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">en utilisant le clavier</a> et appliquez la mise en forme appropriée.</p>
|
||||
<p class="note">Si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">en utilisant le clavier</a> et appliquez la mise en forme appropriée. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme.</p>
|
||||
<table>
|
||||
<tr>
|
||||
<td width="10%">Nom de la police</td>
|
||||
|
@ -40,7 +40,7 @@
|
|||
<tr>
|
||||
<td>Modifier la casse</td>
|
||||
<td><img alt="Modifier la casse" src="../images/change_case.png" /></td>
|
||||
<td>Sert à modifier la casse du texte. <em>Majuscule en début de phrase</em> - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres MAJUSCULES - mettre en majuscule toutes les lettres Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot Inverser la casse - basculer entre d'affichages de la casse du texte.</td>
|
||||
<td>Sert à modifier la casse du texte. <em>Majuscule en début de phrase</em> - la casse à correspondre la casse de la proposition ordinaire. <em>minuscule</em> - mettre en minuscule toutes les lettres. <em>MAJUSCULES</em> - mettre en majuscule toutes les lettres. <em>Mettre en majuscule chaque mot</em> - mettre en majuscule la première lettre de chaque mot. <em>Inverser la casse</em> - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Couleur de surlignage</td>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>cliquez sur l'onglet <b>Fichier</b> de la barre d'outils supérieure,</li>
|
||||
<li>sélectionnez l'option <b>Enregistrer sous...</b>,</li>
|
||||
<li>sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDFA. Vous pouvez également choisir l'option <b>Modèle de document</b> (DOTX or OTT).</li>
|
||||
<li>sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. Vous pouvez également choisir l'option <b>Modèle de document</b> (DOTX or OTT).</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -180,7 +180,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -14,7 +14,7 @@
|
|||
<input id="search" class="searchBar" placeholder="Search" type="text" onkeypress="doSearch(event)">
|
||||
</div>
|
||||
<h1>Create a new document or open an existing one</h1>
|
||||
<h4>Per creare un nuovo documento</h4>
|
||||
<h3>Per creare un nuovo documento</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>Nell’Editor di <em>Documenti Online</em></p>
|
||||
<ol>
|
||||
|
@ -32,7 +32,7 @@
|
|||
</div>
|
||||
|
||||
<div class="desktopDocumentFeatures">
|
||||
<h4>Per aprire un documento esistente</h4>
|
||||
<h3>Per aprire un documento esistente</h3>
|
||||
<p>Nell’Editor di <em>Documenti Desktop</em></p>
|
||||
<ol>
|
||||
<li>Nella finestra principale del programma, seleziona nella barra a sinistra la voce di menù <b>Apri file locale</b>,</li>
|
||||
|
@ -42,7 +42,7 @@
|
|||
<p>Tutte le directory a cui hai accesso usando l’editor per desktop verranno visualizzate nell’elenco delle <b>Cartelle recenti</b> in modo da poter avere un rapido accesso in seguito. Cliccando sulla cartella, verranno visualizzati i file in essa contenuti.</p>
|
||||
</div>
|
||||
|
||||
<h4>Per aprire un documento modificato recentemente</h4>
|
||||
<h3>Per aprire un documento modificato recentemente</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>Nell’Editor di <em>Documenti Online</em></p>
|
||||
<ol>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>click the <b>File</b> tab of the top toolbar,</li>
|
||||
<li>select the <b>Save as...</b> option,</li>
|
||||
<li>choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDFA. You can also choose the <b>Document template</b> (DOTX or OTT) option.</li>
|
||||
<li>choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDF/A. You can also choose the <b>Document template</b> (DOTX or OTT) option.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -158,7 +158,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
Before Width: | Height: | Size: 219 B After Width: | Height: | Size: 273 B |
Before Width: | Height: | Size: 97 B After Width: | Height: | Size: 209 B |
Before Width: | Height: | Size: 124 B After Width: | Height: | Size: 178 B |
Before Width: | Height: | Size: 141 B After Width: | Height: | Size: 208 B |
Before Width: | Height: | Size: 180 B After Width: | Height: | Size: 106 B |
Before Width: | Height: | Size: 178 B After Width: | Height: | Size: 100 B |
|
@ -23,7 +23,7 @@
|
|||
распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера
|
||||
как файлы в формате DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.
|
||||
</p>
|
||||
<p> <span class="onlineDocumentFeatures">Для просмотра текущей версии программы и информации о владельце лицензии в <em>онлайн-версии</em> щелкните по значку <img alt="Значок О программе" src="../images/about.png" /> на левой боковой панели инструментов.</span> <span class="desktopDocumentFeatures"> Для просмотра текущей версии программы и информации о владельце лицензии в <em>десктопной версии</em> выберите пункт меню <b>О программе</b> на левой боковой панели в главном окне приложения.</span></p>
|
||||
<p> <span class="onlineDocumentFeatures">Для просмотра текущей версии программы и информации о владельце лицензии в <em>онлайн-версии</em> щелкните по значку <img alt="Значок О программе" src="../images/about.png" /> на левой боковой панели инструментов.</span> <span class="desktopDocumentFeatures"> Для просмотра текущей версии программы и информации о владельце лицензии в <em>десктопной версии</em> для Windows выберите пункт меню <b>О программе</b> на левой боковой панели в главном окне приложения. В <em>десктопной версии</em> для Mac OS откройте меню <b>ONLYOFFICE</b> в верхней части и выберите пункт меню <b>О программе ONLYOFFICE</b>.</span></p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -51,7 +51,7 @@
|
|||
<td>FB2</td>
|
||||
<td>Расширение для электронных книг, позволяющее читать книги на компьютере или мобильных устройствах</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
|
@ -101,13 +101,13 @@
|
|||
<td>HyperText Markup Language<br />Основной язык разметки веб-страниц</td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
<td>в онлайн-версии</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>EPUB</td>
|
||||
<td>Electronic Publication<br />Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum)</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td>+</td>
|
||||
</tr>
|
||||
<tr>
|
||||
|
@ -128,7 +128,7 @@
|
|||
<td>XML</td>
|
||||
<td>Расширяемый язык разметки (XML). <br /> Простой и гибкий язык разметки, созданный на основе SGML (ISO 8879) и предназначенный для хранения и передачи данных</td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
<td>+</td>
|
||||
<td></td>
|
||||
</tr>
|
||||
<!--<tr>
|
||||
|
@ -146,6 +146,7 @@
|
|||
<td></td>
|
||||
</tr>-->
|
||||
</table>
|
||||
<p class="note">Все форматы работают без Chromium и доступны на всех платформах.</p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -43,7 +43,7 @@
|
|||
</ol>
|
||||
<p>При выборе стиля обтекания <b>Вокруг рамки</b>, <b>По контуру</b>, <b>Сквозное</b> или <b>Сверху и снизу</b> можно задать дополнительные параметры - <b>Расстояние до текста</b> со всех сторон (сверху, снизу, слева, справа). Чтобы открыть эти настройки, щелкните по объекту правой кнопкой мыши, выберите опцию <b>Дополнительные параметры</b> и перейдите на вкладку <b>Обтекание текстом</b> в окне <b>Дополнительные параметры</b> объекта. Укажите нужные значения и нажмите кнопку <b>OK</b>.</p>
|
||||
<p>Если выбран стиль обтекания, отличный от стиля <b>В тексте</b>, в окне <b>Дополнительные параметры</b> объекта также становится доступна вкладка <b>Положение</b>. Для получения дополнительной информации об этих параметрах обратитесь к соответствующим страницам с инструкциями по работе с <a href="../UsageInstructions/InsertAutoshapes.htm#position" onclick="onhyperlinkclick(this)">фигурами</a>, <a href="../UsageInstructions/InsertImages.htm#position" onclick="onhyperlinkclick(this)">изображениями</a> или <a href="../UsageInstructions/InsertCharts.htm#position" onclick="onhyperlinkclick(this)">диаграммами</a>.</p>
|
||||
<p>Если выбран стиль обтекания, отличный от стиля <b>В тексте</b>, можно также редактировать контур обтекания для <b>изображений</b> или <b>фигур</b>. Щелкните по объекту правой кнопкой мыши, выберите в контекстном меню пункт <b>Стиль обтекания</b> и щелкните по опции <b>Изменить границу обтекания</b>. Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. <img alt="Изменение границы обтекания" src="../images/wrap_boundary.png" /></p>
|
||||
<p>Если выбран стиль обтекания, отличный от стиля <b>В тексте</b>, можно также редактировать контур обтекания для <b>изображений</b> или <b>фигур</b>. Щелкните по объекту правой кнопкой мыши, выберите в контекстном меню пункт <b>Стиль обтекания</b> и щелкните по опции <b>Изменить границу обтекания</b>. Вы также можете использовтаь опцию <b>Обтекание</b> -> <b>Изменить границу обтекания</b> на вкладке <b>Макет</b> верхней панели инструментов. Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. <img alt="Изменение границы обтекания" src="../images/wrap_boundary.png" /></p>
|
||||
<h3>Изменение стиля обтекания текстом для таблиц</h3>
|
||||
<p>Для <a href="../UsageInstructions/InsertTables.htm" onclick="onhyperlinkclick(this)">таблиц</a> доступны два следующих стиля обтекания: <b>Встроенная таблица</b> и <b>Плавающая таблица</b>.</p>
|
||||
<p>Для изменения выбранного в данный момент стиля обтекания:</p>
|
||||
|
|
|
@ -32,7 +32,7 @@
|
|||
</ol>
|
||||
<p>Нумерованные списки также создаются автоматически при вводе цифры 1 с точкой или скобкой и пробелом после нее: <b>1.</b>, <b>1)</b>. Маркированные списки создаются автоматически при вводе символов <b>-</b>, <b>*</b> и пробела после них.</p>
|
||||
<p>Можно также изменить отступы текста в списках и их вложенность с помощью значков <b>Многоуровневый список</b> <img alt="Значок Многоуровневый список" src="../images/outline.png" />, <b>Уменьшить отступ</b> <img alt="Значок Уменьшить отступ" src="../images/decreaseindent.png" /> и <b>Увеличить отступ</b> <img alt="Значок Увеличить отступ" src="../images/increaseindent.png" /> на вкладке <b>Главная</b> верхней панели инструментов.</p>
|
||||
<p>Чтобы изменить уровень списка, щелкните значок <b>Нумерованный список</b> <img alt="Значок Нумерованный список" src="../images/numbering.png" /> или <b>Маркированный список</b> <img alt="Значок Маркированный список" src="../images/bullets.png" /> и в пункте меню <b>Изменить уровень списка</b> выберите подходящий стиль списка. Чтобы перейти на следующий уровень списка, поместите курсор на начало строки и нажмите на клавиатуре клавишу <b>Tab</b>.</p>
|
||||
<p>Чтобы изменить уровень списка, щелкните значок <b>Нумерованный список</b> <img alt="Значок Нумерованный список" src="../images/numbering.png" />, <b>Маркированный список</b> <img alt="Значок Маркированный список" src="../images/bullets.png" /> или <b>Многоуровневый список</b> <img alt="Многоуровневый список" src="../images/outline.png" /> и в пункте меню <b>Изменить уровень списка</b> выберите подходящий стиль списка. Чтобы перейти на следующий уровень списка, поместите курсор на начало строки и нажмите на клавиатуре клавишу <b>Tab</b>.</p>
|
||||
<p><img alt="изменить уровень списка" src="../images/listlevel.png" /></p>
|
||||
<p class="note"><b>Примечание</b>: дополнительные параметры отступов и интервалов можно изменить на правой боковой панели и в окне дополнительных параметров. Чтобы получить дополнительную информацию об этом, прочитайте разделы <a href="ParagraphIndents.htm" onclick="onhyperlinkclick(this)">Изменение отступов абзацев</a> и <a href="LineSpacing.htm" onclick="onhyperlinkclick(this)">Настройка междустрочного интервала в абзацах</a>.</p>
|
||||
|
||||
|
|
|
@ -15,7 +15,7 @@
|
|||
</div>
|
||||
<h1>Настройка типа, размера и цвета шрифта</h1>
|
||||
<p>Вы можете выбрать тип шрифта, его размер и цвет, используя соответствующие значки на вкладке <b>Главная</b> верхней панели инструментов.</p>
|
||||
<p class="note"><b>Примечание</b>: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">с помощью клавиатуры</a>, а затем примените форматирование.</p>
|
||||
<p class="note"><b>Примечание</b>: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">с помощью клавиатуры</a>, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову.</p>
|
||||
<table>
|
||||
<tr>
|
||||
<td width="10%">Шрифт</td>
|
||||
|
@ -40,7 +40,7 @@
|
|||
<tr>
|
||||
<td>Изменить регистр</td>
|
||||
<td><img alt="Change case" src="../images/change_case.png" /></td>
|
||||
<td>Используется для изменения регистра шрифта. <em>Как в предложениях.</em> - регистр совпадает с обычным предложением. <em>нижнеий регистр</em> - все буквы маленькие. <em>ВЕРХНИЙ РЕГИСТР</em> - все буквы прописные. <em>Каждое Слово С Прописной</em> - каждое слово начинается с заглавной буквы. <em>иЗМЕНИТЬ рЕГИСТР</em> - поменять регистр выделенного текста.</td>
|
||||
<td>Используется для изменения регистра шрифта. <em>Как в предложениях.</em> - регистр совпадает с обычным предложением. <em>нижнеий регистр</em> - все буквы маленькие. <em>ВЕРХНИЙ РЕГИСТР</em> - все буквы прописные. <em>Каждое Слово С Прописной</em> - каждое слово начинается с заглавной буквы. <em>иЗМЕНИТЬ рЕГИСТР</em> - поменять регистр выделенного текста или слова, в котором находится курсор мыши.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Цвет выделения</td>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>нажмите на вкладку <b>Файл</b> на верхней панели инструментов,</li>
|
||||
<li>выберите опцию <b>Сохранить как</b>,</li>
|
||||
<li>выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDFA. Также можно выбрать вариант <b>Шаблон документа</b> DOTX или OTT.</li>
|
||||
<li>выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. Также можно выбрать вариант <b>Шаблон документа</b> DOTX или OTT.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -180,7 +180,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -999,7 +999,7 @@ define([
|
|||
if (Asc.c_oLicenseResult.ExpiredLimited === licType)
|
||||
this._state.licenseType = licType;
|
||||
|
||||
if ( this.onServerVersion(params.asc_getBuildVersion()) ) return;
|
||||
if ( this.onServerVersion(params.asc_getBuildVersion()) || !this.onLanguageLoaded() ) return;
|
||||
|
||||
if (params.asc_getRights() !== Asc.c_oRights.Edit)
|
||||
this.permissions.edit = false;
|
||||
|
@ -2191,6 +2191,18 @@ define([
|
|||
this._renameDialog.show(Common.Utils.innerWidth() - this._renameDialog.options.width - 15, 30);
|
||||
},
|
||||
|
||||
onLanguageLoaded: function() {
|
||||
if (!Common.Locale.getCurrentLanguage()) {
|
||||
Common.UI.warning({
|
||||
msg: this.errorLang,
|
||||
buttons: [],
|
||||
closable: false
|
||||
});
|
||||
return false;
|
||||
}
|
||||
return true;
|
||||
},
|
||||
|
||||
onRefreshHistory: function(opts) {
|
||||
if (!this.appOptions.canUseHistory) return;
|
||||
|
||||
|
@ -2709,6 +2721,7 @@ define([
|
|||
textRenameError: 'User name must not be empty.',
|
||||
textLongName: 'Enter a name that is less than 128 characters.',
|
||||
textGuest: 'Guest',
|
||||
errorLang: 'The interface language is not loaded.<br>Please contact your Document Server administrator.',
|
||||
txtErrorLoadHistory: 'Loading history failed',
|
||||
leavePageTextOnClose: 'All unsaved changes in this document will be lost.<br> Click \'Cancel\' then \'Save\' to save them. Click \'OK\' to discard all the unsaved changes.',
|
||||
textTryUndoRedoWarn: 'The Undo/Redo functions are disabled for the Fast co-editing mode.',
|
||||
|
|
|
@ -101,7 +101,7 @@
|
|||
<span class="btn-slot split" id="slot-btn-slidesize"></span>
|
||||
</div>
|
||||
</div>
|
||||
<div class="group flex small" id="slot-field-styles" style="width: 100%; min-width: 140px;" data-group-width="100%"></div>
|
||||
<div class="group flex small" id="slot-field-styles" style="width: 100%; min-width: 145px;" data-group-width="100%"></div>
|
||||
</section>
|
||||
<section class="panel" data-tab="ins">
|
||||
<div class="group">
|
||||
|
|
|
@ -1324,7 +1324,7 @@ define([
|
|||
Common.UI.BaseView.prototype.initialize.call(this,arguments);
|
||||
|
||||
this.menu = options.menu;
|
||||
this.urlPref = 'resources/help/en/';
|
||||
this.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
|
||||
|
||||
this.en_data = [
|
||||
{"src": "ProgramInterface/ProgramInterface.htm", "name": "Introducing Presentation Editor user interface", "headername": "Program Interface"},
|
||||
|
@ -1424,12 +1424,12 @@ define([
|
|||
var config = {
|
||||
dataType: 'json',
|
||||
error: function () {
|
||||
if ( me.urlPref.indexOf('resources/help/en/')<0 ) {
|
||||
me.urlPref = 'resources/help/en/';
|
||||
store.url = 'resources/help/en/Contents.json';
|
||||
if ( me.urlPref.indexOf('resources/help/{{DEFAULT_LANG}}/')<0 ) {
|
||||
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
|
||||
store.url = 'resources/help/{{DEFAULT_LANG}}/Contents.json';
|
||||
store.fetch(config);
|
||||
} else {
|
||||
me.urlPref = 'resources/help/en/';
|
||||
me.urlPref = 'resources/help/{{DEFAULT_LANG}}/';
|
||||
store.reset(me.en_data);
|
||||
}
|
||||
},
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>Klicken Sie in der oberen Menüleiste auf die Registerkarte <b>Datei</b>.</li>
|
||||
<li>Wählen Sie die Option <b>Speichern als...</b>.</li>
|
||||
<li>Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDFA. Sie können auch die Option <b>Präsentationsvorlage</b> (POTX oder OTP) auswählen.</li>
|
||||
<li>Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDF/A. Sie können auch die Option <b>Präsentationsvorlage</b> (POTX oder OTP) auswählen.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -170,7 +170,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -19,7 +19,7 @@
|
|||
<p>Using the <b>Presentation Editor</b>, you can perform various editing operations like in any desktop editor,
|
||||
print the edited presentations keeping all the formatting details or download them onto the hard disk drive of your computer
|
||||
as PPTX, PDF, ODP, POTX, PDF/A, OTP files.</p>
|
||||
<p><span class="onlineDocumentFeatures">To view the current software version and licensor details in the <em>online version</em>, click the <img alt="About icon" src="../images/about.png" /> icon on the left sidebar.</span> <span class="desktopDocumentFeatures"> To view the current software version and licensor details in the <em>desktop version</em>, select the <b>About</b> menu item on the left sidebar of the main program window.</span></p>
|
||||
<p><span class="onlineDocumentFeatures">To view the current software version and licensor details in the <em>online version</em>, click the <img alt="About icon" src="../images/about.png" /> icon on the left sidebar.</span> <span class="desktopDocumentFeatures"> To view the current software version and licensor details in the <em>desktop version</em> for Windows, select the <b>About</b> menu item on the left sidebar of the main program window. In the <em>desktop version</em> for Mac OS, open the <b>ONLYOFFICE</b> menu at the top of the screen and select the <b>About ONLYOFFICE</b> menu item.</span></p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -79,7 +79,7 @@
|
|||
<hr />
|
||||
<p id="formatfont"><b>Adjust font type, size, color and apply decoration styles</b></p>
|
||||
<p>You can select the font type, its size and color as well as apply various font decoration styles using the corresponding icons situated on the <b>Home</b> tab of the top toolbar.</p>
|
||||
<p class="note"><b>Note</b>: in case you want to apply the formatting to the text already present in the presentation, select it with the mouse or <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">using the keyboard</a> and apply the formatting.</p>
|
||||
<p class="note"><b>Note</b>: in case you want to apply the formatting to the text already present in the presentation, select it with the mouse or <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">using the keyboard</a> and apply the formatting. You can also place the mouse cursor within the necessary word to apply the formatting to this word only.</p>
|
||||
<table>
|
||||
<tr>
|
||||
<td width="10%">Font</td>
|
||||
|
@ -104,7 +104,7 @@
|
|||
<tr>
|
||||
<td>Change case</td>
|
||||
<td><img alt="Change case" src="../images/change_case.png" /></td>
|
||||
<td>Used to change the font case. <em>Sentence case.</em> - the case matches that of a common sentence. <em>lowercase</em> - all letters are small. <em>UPPERCASE</em> - all letters are capital. <em>Capitalize Each Word</em> - each word starts with a capital letter. <em>tOGGLE cASE</em> - reverse the case of the selected text.</td>
|
||||
<td>Used to change the font case. <em>Sentence case.</em> - the case matches that of a common sentence. <em>lowercase</em> - all letters are small. <em>UPPERCASE</em> - all letters are capital. <em>Capitalize Each Word</em> - each word starts with a capital letter. <em>tOGGLE cASE</em> - reverse the case of the selected text or the word where the mouse cursor is positioned.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Highlight color</td>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>click the <b>File</b> tab of the top toolbar,</li>
|
||||
<li>select the <b>Save as...</b> option,</li>
|
||||
<li>choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDFA. You can also choose the <b>Рresentation template</b> (POTX or OTP) option.</li>
|
||||
<li>choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDF/A. You can also choose the <b>Рresentation template</b> (POTX or OTP) option.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -170,7 +170,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -14,7 +14,7 @@
|
|||
<input id="search" class="searchBar" placeholder="Buscar" type="text" onkeypress="doSearch(event)">
|
||||
</div>
|
||||
<h1>Cree una presentación nueva o abra la existente</h1>
|
||||
<h4>Para crear una nueva presentación</h4>
|
||||
<h3>Para crear una nueva presentación</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>En el <em>editor en línea</em></p>
|
||||
<ol>
|
||||
|
@ -32,7 +32,7 @@
|
|||
</div>
|
||||
|
||||
<div class="desktopDocumentFeatures">
|
||||
<h4>Para abrir una presentación existente</h4>
|
||||
<h3>Para abrir una presentación existente</h3>
|
||||
<p>En el <em>editor de escritorio </em></p>
|
||||
<ol>
|
||||
<li>en la ventana principal del programa, seleccione la opción <b>Abrir archivo local</b> en la barra lateral izquierda,</li>
|
||||
|
@ -42,7 +42,7 @@
|
|||
<p>Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de <b>Carpetas recientes</b> para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella.</p>
|
||||
</div>
|
||||
|
||||
<h4>Para abrir una presentación recientemente editada</h4>
|
||||
<h3>Para abrir una presentación recientemente editada</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>En el <em>editor en línea</em></p>
|
||||
<ol>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>haga clic en la pestaña <b>Archivo</b> en la barra de herramientas superior,</li>
|
||||
<li>seleccione la opción <b>Guardar como...</b>,</li>
|
||||
<li>elija uno de los formatos disponibles: PPTX, ODP, PDF, PDFA. También puede seleccionar la opción <b>Plantilla de presentación</b> (POTX o OTP).</li>
|
||||
<li>elija uno de los formatos disponibles: PPTX, ODP, PDF, PDF/A. También puede seleccionar la opción <b>Plantilla de presentación</b> (POTX o OTP).</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -170,7 +170,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
Before Width: | Height: | Size: 206 B After Width: | Height: | Size: 273 B |
Before Width: | Height: | Size: 96 B After Width: | Height: | Size: 207 B |
Before Width: | Height: | Size: 93 B After Width: | Height: | Size: 178 B |
Before Width: | Height: | Size: 180 B After Width: | Height: | Size: 106 B |
Before Width: | Height: | Size: 178 B After Width: | Height: | Size: 100 B |
|
@ -16,7 +16,7 @@
|
|||
<h1>À propos de Presentation Editor</h1>
|
||||
<p> <a target="_blank" href="https://www.onlyoffice.com/fr/presentation-editor.aspx" onclick="onhyperlinkclick(this)"><b>Presentation Editor</b></a> est une application <span class="onlineDocumentFeatures">en ligne</span> qui vous permet de parcourir et de modifier des présentations<span class="onlineDocumentFeatures"> dans votre navigateur</span>.</p>
|
||||
<p>En utilisant<b> Presentation Editor</b>, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les présentations modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format PPTX, PDF, ODP, POTX, PDF/A, OTP.</p>
|
||||
<p><span class="onlineDocumentFeatures">Pour afficher la version actuelle du logiciel et les informations de licence dans la <I>version en ligne</I>, cliquez sur l'icône <img alt="L'icône À propos" src="../images/about.png" /> dans la barre latérale gauche.</span> <span class="desktopDocumentFeatures"> Pour afficher la version actuelle du logiciel et les informations de licence dans la <I><I>version</I>de bureau</I>, cliquez sur l'icône <b>À propos</b> dans la barre latérale gauche de la fenêtre principale du programme.</span></p>
|
||||
<p><span class="onlineDocumentFeatures">Pour afficher la version actuelle du logiciel et les informations de licence dans la <em>version en ligne</em>, cliquez sur l'icône <img alt="L'icône À propos" src="../images/about.png" /> dans la barre latérale gauche.</span> <span class="desktopDocumentFeatures"> Pour afficher la version actuelle du logiciel et les informations de licence dans la <em>version de bureau</em> pour Windows, cliquez sur l'icône <b>À propos</b> dans la barre latérale gauche de la fenêtre principale du programme. Dans la <em>version de bureau</em> pour Mac OS, accédez au menu <b>ONLYOFFICE</b> en haut de l'écran et sélectionnez l'élément de menu <b>À propos d'ONLYOFFICE</b>.</span></p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -79,7 +79,7 @@
|
|||
<hr />
|
||||
<p id="formatfont"><b>Ajuster le type de police, la taille, la couleur et appliquer les styles de décoration</b></p>
|
||||
<p>Vous pouvez sélectionner le type, la taille et la couleur de police et appliquer l'un des styles de décoration en utilisant les icônes correspondantes situées dans l'onglet <b>Accueil</b> de la barre d'outils supérieure.</p>
|
||||
<p class="note"><b>Remarque</b>: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">en utilisant le clavier</a>et appliquez la mise en forme.</p>
|
||||
<p class="note"><b>Remarque</b>: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">en utilisant le clavier</a>et appliquez la mise en forme. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme.</p>
|
||||
<table>
|
||||
<tr>
|
||||
<td width="10%">Police</td>
|
||||
|
@ -104,7 +104,7 @@
|
|||
<tr>
|
||||
<td>Modifier la casse</td>
|
||||
<td><img alt="Modifier la casse" src="../images/change_case.png" /></td>
|
||||
<td>Sert à modifier la casse du texte. <em>Majuscule en début de phrase</em> - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres MAJUSCULES - mettre en majuscule toutes les lettres Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot Inverser la casse - basculer entre d'affichages de la casse du texte.</td>
|
||||
<td>Sert à modifier la casse du texte. <em>Majuscule en début de phrase</em> - la casse à correspondre la casse de la proposition ordinaire. <em>minuscule</em> - mettre en minuscule toutes les lettres. <em>MAJUSCULES</em> - mettre en majuscule toutes les lettres. <em>Mettre en majuscule chaque mot</em> - mettre en majuscule la première lettre de chaque mot. <em>Inverser la casse</em> - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Couleur de surlignage</td>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>cliquez sur l'onglet <b>Fichier</b> de la barre d'outils supérieure,</li>
|
||||
<li>sélectionnez l'option <b>Enregistrer sous...</b>,</li>
|
||||
<li>sélectionnez l'un des formats disponibles selon vos besoins: PPTX, ODP, PDF, PDFA. Vous pouvez également choisir l'option <b>Modèle de présentation</b> (POTX or OTP).</li>
|
||||
<li>sélectionnez l'un des formats disponibles selon vos besoins: PPTX, ODP, PDF, PDF/A. Vous pouvez également choisir l'option <b>Modèle de présentation</b> (POTX or OTP).</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -170,7 +170,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -14,7 +14,7 @@
|
|||
<input id="search" class="searchBar" placeholder="Search" type="text" onkeypress="doSearch(event)">
|
||||
</div>
|
||||
<h1>Create a new presentation or open an existing one</h1>
|
||||
<h4>To create a new presentation</h4>
|
||||
<h3>To create a new presentation</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>In the <em>online editor</em></p>
|
||||
<ol>
|
||||
|
@ -32,7 +32,7 @@
|
|||
</div>
|
||||
|
||||
<div class="desktopDocumentFeatures">
|
||||
<h4>To open an existing presentation</h4>
|
||||
<h3>To open an existing presentation</h3>
|
||||
<p>In the <em>desktop editor</em></p>
|
||||
<ol>
|
||||
<li>in the main program window, select the <b>Open local file</b> menu item at the left sidebar,</li>
|
||||
|
@ -42,7 +42,7 @@
|
|||
<p>All the directories that you have accessed using the desktop editor will be displayed in the <b>Recent folders</b> list so that you can quickly access them afterwards. Click the necessary folder to select one of the files stored in it.</p>
|
||||
</div>
|
||||
|
||||
<h4>To open a recently edited presentation</h4>
|
||||
<h3>To open a recently edited presentation</h3>
|
||||
<div class="onlineDocumentFeatures">
|
||||
<p>In the <em>online editor</em></p>
|
||||
<ol>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>click the <b>File</b> tab of the top toolbar,</li>
|
||||
<li>select the <b>Save as...</b> option,</li>
|
||||
<li>choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDFA. You can also choose the <b>Рresentation template</b> (POTX or OTP) option.</li>
|
||||
<li>choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDF/A. You can also choose the <b>Рresentation template</b> (POTX or OTP) option.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -148,7 +148,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
Before Width: | Height: | Size: 206 B After Width: | Height: | Size: 273 B |
Before Width: | Height: | Size: 96 B After Width: | Height: | Size: 207 B |
Before Width: | Height: | Size: 93 B After Width: | Height: | Size: 178 B |
Before Width: | Height: | Size: 180 B After Width: | Height: | Size: 106 B |
Before Width: | Height: | Size: 178 B After Width: | Height: | Size: 100 B |
|
@ -17,7 +17,7 @@
|
|||
<p><b>Редактор презентаций</b> - это <span class="onlineDocumentFeatures">онлайн-</span>приложение, которое позволяет просматривать и редактировать презентации<span class="onlineDocumentFeatures"> непосредственно в браузере</span>.</p>
|
||||
<p>Используя <b><span class="onlineDocumentFeatures">онлайн-</span>редактор презентаций</b>, можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные презентации,
|
||||
сохраняя все детали форматирования, или сохранять их на жесткий диск компьютера как файлы в формате PPTX, PDF, ODP, POTX, PDF/A, OTP.</p>
|
||||
<p> <span class="onlineDocumentFeatures">Для просмотра текущей версии программы и информации о владельце лицензии в <em>онлайн-версии</em> щелкните по значку <img alt="Значок О программе" src="../images/about.png" /> на левой боковой панели инструментов.</span> <span class="desktopDocumentFeatures"> Для просмотра текущей версии программы и информации о владельце лицензии в <em>десктопной версии</em> выберите пункт меню <b>О программе</b> на левой боковой панели в главном окне приложения.</span></p>
|
||||
<p> <span class="onlineDocumentFeatures">Для просмотра текущей версии программы и информации о владельце лицензии в <em>онлайн-версии</em> щелкните по значку <img alt="Значок О программе" src="../images/about.png" /> на левой боковой панели инструментов.</span> <span class="desktopDocumentFeatures"> Для просмотра текущей версии программы и информации о владельце лицензии в <em>десктопной версии</em> для Windows выберите пункт меню <b>О программе</b> на левой боковой панели в главном окне приложения. В <em>десктопной версии</em> для Mac OS откройте меню <b>ONLYOFFICE</b> в верхней части и выберите пункт меню <b>О программе ONLYOFFICE</b>.</span></p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -79,7 +79,7 @@
|
|||
<hr />
|
||||
<p id="formatfont"><b>Настройка типа, размера, цвета шрифта и применение стилей оформления</b></p>
|
||||
<p>Можно выбрать тип, размер и цвет шрифта, а также применить различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке <b>Главная</b> верхней панели инструментов.</p>
|
||||
<p class="note"><b>Примечание</b>: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">с помощью клавиатуры</a>, а затем примените форматирование.</p>
|
||||
<p class="note"><b>Примечание</b>: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или <a href="../HelpfulHints/KeyboardShortcuts.htm#textselection" onclick="onhyperlinkclick(this)">с помощью клавиатуры</a>, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову.</p>
|
||||
<table>
|
||||
<tr>
|
||||
<td width="10%">Шрифт</td>
|
||||
|
@ -104,7 +104,7 @@
|
|||
<tr>
|
||||
<td>Изменить регистр</td>
|
||||
<td><img alt="Change case" src="../images/change_case.png" /></td>
|
||||
<td>Используется для изменения регистра шрифта. <em>Как в предложениях.</em> - регистр совпадает с обычным предложением. <em>нижнеий регистр</em> - все буквы маленькие. <em>ВЕРХНИЙ РЕГИСТР</em> - все буквы прописные. <em>Каждое Слово С Прописной</em> - каждое слово начинается с заглавной буквы. <em>иЗМЕНИТЬ рЕГИСТР</em> - поменять регистр выделенного текста.</td>
|
||||
<td>Используется для изменения регистра шрифта. <em>Как в предложениях.</em> - регистр совпадает с обычным предложением. <em>нижнеий регистр</em> - все буквы маленькие. <em>ВЕРХНИЙ РЕГИСТР</em> - все буквы прописные. <em>Каждое Слово С Прописной</em> - каждое слово начинается с заглавной буквы. <em>иЗМЕНИТЬ рЕГИСТР</em> - поменять регистр выделенного текста или слова, в котором находится курсор мыши.</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>Цвет выделения</td>
|
||||
|
|
|
@ -28,7 +28,7 @@
|
|||
<ol>
|
||||
<li>нажмите на вкладку <b>Файл</b> на верхней панели инструментов,</li>
|
||||
<li>выберите опцию <b>Сохранить как</b>,</li>
|
||||
<li>выберите один из доступных форматов: PPTX, ODP, PDF, PDFA. Также можно выбрать вариант <b>Шаблон презентации</b> POTX или OTP.</li>
|
||||
<li>выберите один из доступных форматов: PPTX, ODP, PDF, PDF/A. Также можно выбрать вариант <b>Шаблон презентации</b> POTX или OTP.</li>
|
||||
</ol>
|
||||
</div>
|
||||
<div class="onlineDocumentFeatures">
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
body
|
||||
{
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 12px;
|
||||
color: #444;
|
||||
background: #fff;
|
||||
|
@ -170,7 +170,7 @@ text-decoration: none;
|
|||
font-style: italic;
|
||||
}
|
||||
#search-results a {
|
||||
font-family: "Helvetica Neue",Helvetica,Arial,sans-serif;
|
||||
font-family: Arial, Helvetica, "Helvetica Neue", sans-serif;
|
||||
font-size: 1em;
|
||||
font-weight: bold;
|
||||
color: #444;
|
||||
|
|
|
@ -206,7 +206,7 @@
|
|||
left: 0;
|
||||
right: 0;
|
||||
bottom: 0;
|
||||
background: rgb(226, 226, 226);
|
||||
background: @canvas-background;
|
||||
|
||||
.slide-h {
|
||||
display: flex;
|
||||
|
|
|
@ -1062,7 +1062,7 @@ define([
|
|||
if (Asc.c_oLicenseResult.ExpiredLimited === licType)
|
||||
this._state.licenseType = licType;
|
||||
|
||||
if ( this.onServerVersion(params.asc_getBuildVersion()) ) return;
|
||||
if ( this.onServerVersion(params.asc_getBuildVersion()) || !this.onLanguageLoaded() ) return;
|
||||
|
||||
if (params.asc_getRights() !== Asc.c_oRights.Edit)
|
||||
this.permissions.edit = false;
|
||||
|
@ -2552,6 +2552,18 @@ define([
|
|||
this.getApplication().getController('DocumentHolder').getView().focus();
|
||||
},
|
||||
|
||||
onLanguageLoaded: function() {
|
||||
if (!Common.Locale.getCurrentLanguage()) {
|
||||
Common.UI.warning({
|
||||
msg: this.errorLang,
|
||||
buttons: [],
|
||||
closable: false
|
||||
});
|
||||
return false;
|
||||
}
|
||||
return true;
|
||||
},
|
||||
|
||||
leavePageText: 'You have unsaved changes in this document. Click \'Stay on this Page\' then \'Save\' to save them. Click \'Leave this Page\' to discard all the unsaved changes.',
|
||||
criticalErrorTitle: 'Error',
|
||||
notcriticalErrorTitle: 'Warning',
|
||||
|
@ -2952,6 +2964,7 @@ define([
|
|||
errorPivotWithoutUnderlying: 'The Pivot Table report was saved without the underlying data.<br>Use the \'Refresh\' button to update the report.',
|
||||
txtQuarter: 'Qtr',
|
||||
txtOr: '%1 or %2',
|
||||
errorLang: 'The interface language is not loaded.<br>Please contact your Document Server administrator.',
|
||||
confirmReplaceFormulaInTable: 'Formulas in the header row will be removed and converted to static text.<br>Do you want to continue?'
|
||||
}
|
||||
})(), SSE.Controllers.Main || {}))
|
||||
|
|
|
@ -2175,6 +2175,10 @@ define([
|
|||
toolbar.listStyles.resumeEvents();
|
||||
this._state.prstyle = undefined;
|
||||
}
|
||||
|
||||
if ( this.appConfig.isDesktopApp && this.appConfig.canProtect ) {
|
||||
this.getApplication().getController('Common.Controllers.Protection').SetDisabled(is_cell_edited, false);
|
||||
}
|
||||
} else {
|
||||
if (state == Asc.c_oAscCellEditorState.editText) var is_text = true, is_formula = false; else
|
||||
if (state == Asc.c_oAscCellEditorState.editFormula) is_text = !(is_formula = true); else
|
||||
|
|