From b1bd5a100ffd6f13cb72205f4b7e73ca08ae965c Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Wed, 12 Oct 2022 14:23:57 +0300 Subject: [PATCH 01/87] Quota: recalculate user quota --- .../FilesSpaceUsageStatManager.cs | 48 +++-- .../Core/Configuration/ProductEntryPoint.cs | 8 +- .../Core/Core/UsersQuotaSyncOperation.cs | 174 ++++++++++++++++++ products/ASC.Files/Core/Helpers/Global.cs | 8 +- .../ASC.Files/Server/ProductEntryPoint.cs | 4 +- .../ASC.People/Server/Api/UserController.cs | 22 ++- products/ASC.People/Server/GlobalUsings.cs | 1 + web/ASC.Web.Core/SpaceUsageStatManager.cs | 2 + 8 files changed, 227 insertions(+), 40 deletions(-) create mode 100644 products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs diff --git a/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs b/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs index a095d40b12..00f5b4b94e 100644 --- a/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs +++ b/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs @@ -27,7 +27,7 @@ namespace ASC.Web.Files; [Scope] -public class FilesSpaceUsageStatManager : SpaceUsageStatManager +public class FilesSpaceUsageStatManager : SpaceUsageStatManager, IUserSpaceUsage { private readonly IDbContextFactory _dbContextFactory; private readonly TenantManager _tenantManager; @@ -37,6 +37,9 @@ public class FilesSpaceUsageStatManager : SpaceUsageStatManager private readonly CommonLinkUtility _commonLinkUtility; private readonly GlobalFolderHelper _globalFolderHelper; private readonly PathProvider _pathProvider; + private readonly IDaoFactory _daoFactory; + private readonly GlobalFolder _globalFolder; + private readonly FileMarker _fileMarker; public FilesSpaceUsageStatManager( IDbContextFactory dbContextFactory, @@ -46,7 +49,10 @@ public class FilesSpaceUsageStatManager : SpaceUsageStatManager DisplayUserSettingsHelper displayUserSettingsHelper, CommonLinkUtility commonLinkUtility, GlobalFolderHelper globalFolderHelper, - PathProvider pathProvider) + PathProvider pathProvider, + IDaoFactory daoFactory, + GlobalFolder globalFolder, + FileMarker fileMarker) { _dbContextFactory = dbContextFactory; _tenantManager = tenantManager; @@ -56,6 +62,9 @@ public class FilesSpaceUsageStatManager : SpaceUsageStatManager _commonLinkUtility = commonLinkUtility; _globalFolderHelper = globalFolderHelper; _pathProvider = pathProvider; + _daoFactory = daoFactory; + _globalFolder = globalFolder; + _fileMarker = fileMarker; } public override ValueTask> GetStatDataAsync() @@ -107,31 +116,8 @@ public class FilesSpaceUsageStatManager : SpaceUsageStatManager .ToListAsync(); } -} -[Scope] -public class FilesUserSpaceUsage : IUserSpaceUsage -{ - private readonly IDbContextFactory _dbContextFactory; - private readonly TenantManager _tenantManager; - private readonly GlobalFolder _globalFolder; - private readonly FileMarker _fileMarker; - private readonly IDaoFactory _daoFactory; - public FilesUserSpaceUsage( - IDbContextFactory dbContextFactory, - TenantManager tenantManager, - GlobalFolder globalFolder, - FileMarker fileMarker, - IDaoFactory daoFactory) - { - _dbContextFactory = dbContextFactory; - _tenantManager = tenantManager; - _globalFolder = globalFolder; - _fileMarker = fileMarker; - _daoFactory = daoFactory; - } - public async Task GetUserSpaceUsageAsync(Guid userId) { var tenantId = _tenantManager.GetCurrentTenant().Id; @@ -143,4 +129,16 @@ public class FilesUserSpaceUsage : IUserSpaceUsage .Where(r => r.TenantId == tenantId && r.CreateBy == userId && (r.ParentId == my || r.ParentId == trash)) .SumAsync(r => r.ContentLength); } + + public async Task RecalculateUserQuota(int TenantId, Guid userId) + { + _tenantManager.SetCurrentTenant(TenantId); + + var size = await GetUserSpaceUsageAsync(userId); + + _tenantManager.SetTenantQuotaRow( + new TenantQuotaRow { Tenant = TenantId, Path = $"/{FileConstant.ModuleId}/", Counter = size, Tag = WebItemManager.DocumentsProductID.ToString(), UserId = userId, LastModified = DateTime.UtcNow }, + true); + } + } diff --git a/products/ASC.Files/Core/Configuration/ProductEntryPoint.cs b/products/ASC.Files/Core/Configuration/ProductEntryPoint.cs index d067a07bab..62ad4958f6 100644 --- a/products/ASC.Files/Core/Configuration/ProductEntryPoint.cs +++ b/products/ASC.Files/Core/Configuration/ProductEntryPoint.cs @@ -31,7 +31,7 @@ public class ProductEntryPoint : Product { internal const string ProductPath = "/products/files/"; - //public FilesSpaceUsageStatManager FilesSpaceUsageStatManager { get; } + private readonly FilesSpaceUsageStatManager _filesSpaceUsageStatManager; private readonly CoreBaseSettings _coreBaseSettings; private readonly AuthContext _authContext; private readonly UserManager _userManager; @@ -42,7 +42,7 @@ public class ProductEntryPoint : Product public ProductEntryPoint() { } public ProductEntryPoint( - // FilesSpaceUsageStatManager filesSpaceUsageStatManager, + FilesSpaceUsageStatManager filesSpaceUsageStatManager, CoreBaseSettings coreBaseSettings, AuthContext authContext, UserManager userManager, @@ -50,7 +50,7 @@ public class ProductEntryPoint : Product // SubscriptionManager subscriptionManager ) { - // FilesSpaceUsageStatManager = filesSpaceUsageStatManager; + _filesSpaceUsageStatManager = filesSpaceUsageStatManager; _coreBaseSettings = coreBaseSettings; _authContext = authContext; _userManager = userManager; @@ -83,7 +83,7 @@ public class ProductEntryPoint : Product LargeIconFileName = "images/files.svg", DefaultSortOrder = 10, //SubscriptionManager = SubscriptionManager, - //SpaceUsageStatManager = FilesSpaceUsageStatManager, + SpaceUsageStatManager = _filesSpaceUsageStatManager, AdminOpportunities = adminOpportunities, UserOpportunities = userOpportunities, CanNotBeDisabled = true, diff --git a/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs new file mode 100644 index 0000000000..a1b08dc8fa --- /dev/null +++ b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs @@ -0,0 +1,174 @@ +// (c) Copyright Ascensio System SIA 2010-2022 +// +// This program is a free software product. +// You can redistribute it and/or modify it under the terms +// of the GNU Affero General Public License (AGPL) version 3 as published by the Free Software +// Foundation. In accordance with Section 7(a) of the GNU AGPL its Section 15 shall be amended +// to the effect that Ascensio System SIA expressly excludes the warranty of non-infringement of +// any third-party rights. +// +// This program is distributed WITHOUT ANY WARRANTY, without even the implied warranty +// of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For details, see +// the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html +// +// You can contact Ascensio System SIA at Lubanas st. 125a-25, Riga, Latvia, EU, LV-1021. +// +// The interactive user interfaces in modified source and object code versions of the Program must +// display Appropriate Legal Notices, as required under Section 5 of the GNU AGPL version 3. +// +// Pursuant to Section 7(b) of the License you must retain the original Product logo when +// distributing the program. Pursuant to Section 7(e) we decline to grant you any rights under +// trademark law for use of our trademarks. +// +// All the Product's GUI elements, including illustrations and icon sets, as well as technical writing +// content are licensed under the terms of the Creative Commons Attribution-ShareAlike 4.0 +// International. See the License terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + +using ASC.Files.Core.Data; +using ASC.Web.Core; + +namespace ASC.Web.Files; + +[Singletone(Additional = typeof(UsersQuotaOperationExtension))] +public class UsersQuotaSyncOperation +{ + public const string CUSTOM_DISTRIBUTED_TASK_QUEUE_NAME = "userQuotaOperation"; + + private readonly DistributedTaskQueue _progressQueue; + + private readonly IServiceProvider _serviceProvider; + + + public void RecalculateQuota(Tenant tenant) + { + var item = _progressQueue.GetAllTasks().FirstOrDefault(t => t.TenantId == tenant.Id); + if (item != null && item.IsCompleted) + { + _progressQueue.DequeueTask(item.Id); + item = null; + } + + if (item == null) + { + item = _serviceProvider.GetRequiredService(); + item.InitJob(tenant); + _progressQueue.EnqueueTask(item); + } + + item.PublishChanges(); + } + + + public UsersQuotaSyncOperation(IServiceProvider serviceProvider, IDistributedTaskQueueFactory queueFactory) + { + ; + _serviceProvider = serviceProvider; + + _progressQueue = queueFactory.CreateQueue(CUSTOM_DISTRIBUTED_TASK_QUEUE_NAME); + } + + + + public static class UsersQuotaOperationExtension + { + public static void Register(DIHelper services) + { + services.TryAdd(); + } + } +} + +public class UsersQuotaSyncJob : DistributedTaskProgress +{ + private readonly IServiceScopeFactory _serviceScopeFactory; + private readonly IDaoFactory _daoFactory; + private readonly FilesSpaceUsageStatManager _filesSpaceUsageStatManager; + private readonly WebItemManager _webItemManager; + private readonly WebItemManagerSecurity _webItemManagerSecurity; + + protected readonly IDbContextFactory _dbContextFactory; + + + private int? _tenantId; + public int TenantId + { + get + { + return _tenantId ?? this[nameof(_tenantId)]; + } + private set + { + _tenantId = value; + this[nameof(_tenantId)] = value; + } + } + + public UsersQuotaSyncJob(IServiceScopeFactory serviceScopeFactory, + IDaoFactory daoFactory, + FilesSpaceUsageStatManager filesSpaceUsageStatManager, + WebItemManager webItemManager, + WebItemManagerSecurity webItemManagerSecurity + ) + { + _serviceScopeFactory = serviceScopeFactory; + _daoFactory = daoFactory; + _filesSpaceUsageStatManager = filesSpaceUsageStatManager; + _webItemManager = webItemManager; + _webItemManagerSecurity = webItemManagerSecurity; + } + public void InitJob(Tenant tenant) + { + TenantId = tenant.Id; + } + protected override async void DoJob() + { + try + { + using var scope = _serviceScopeFactory.CreateScope(); + + var _tenantManager = scope.ServiceProvider.GetRequiredService(); + var _userManager = scope.ServiceProvider.GetRequiredService(); + + _tenantManager.SetCurrentTenant(TenantId); + + var fileDao = _daoFactory.GetFileDao(); + + var users = _userManager.GetUsers(); + var webItems = _webItemManagerSecurity.GetItems(Web.Core.WebZones.WebZoneType.All, ItemAvailableState.All); + + foreach (var user in users) + { + _tenantManager.SetCurrentTenant(TenantId); + var spaceUsage = _filesSpaceUsageStatManager.GetUserSpaceUsageAsync(user.Id); + + + foreach (var item in webItems) + { + IUserSpaceUsage manager; + + if (item.ID == WebItemManager.DocumentsProductID) + { + manager = item.Context.SpaceUsageStatManager as IUserSpaceUsage; + if (manager == null) + { + continue; + } + + await manager.RecalculateUserQuota(TenantId, user.Id); + } + } + + } + } + catch (Exception ex) + { + Status = DistributedTaskStatus.Failted; + Exception = ex; + } + finally + { + IsCompleted = true; + } + PublishChanges(); + } +} diff --git a/products/ASC.Files/Core/Helpers/Global.cs b/products/ASC.Files/Core/Helpers/Global.cs index 31796f41eb..5e31729d0b 100644 --- a/products/ASC.Files/Core/Helpers/Global.cs +++ b/products/ASC.Files/Core/Helpers/Global.cs @@ -250,12 +250,12 @@ public class GlobalStore [Scope] public class GlobalSpace { - private readonly FilesUserSpaceUsage _filesUserSpaceUsage; + private readonly FilesSpaceUsageStatManager _filesSpaceUsageStatManager; private readonly AuthContext _authContext; - public GlobalSpace(FilesUserSpaceUsage filesUserSpaceUsage, AuthContext authContext) + public GlobalSpace(FilesSpaceUsageStatManager filesSpaceUsageStatManager, AuthContext authContext) { - _filesUserSpaceUsage = filesUserSpaceUsage; + _filesSpaceUsageStatManager = filesSpaceUsageStatManager; _authContext = authContext; } @@ -266,7 +266,7 @@ public class GlobalSpace public Task GetUserUsedSpaceAsync(Guid userId) { - return _filesUserSpaceUsage.GetUserSpaceUsageAsync(userId); + return _filesSpaceUsageStatManager.GetUserSpaceUsageAsync(userId); } } diff --git a/products/ASC.Files/Server/ProductEntryPoint.cs b/products/ASC.Files/Server/ProductEntryPoint.cs index 2d293d52d2..6e8c5d6ed2 100644 --- a/products/ASC.Files/Server/ProductEntryPoint.cs +++ b/products/ASC.Files/Server/ProductEntryPoint.cs @@ -35,13 +35,13 @@ public class ApiProductEntryPoint : ProductEntryPoint } public ApiProductEntryPoint( - //FilesSpaceUsageStatManager filesSpaceUsageStatManager, + FilesSpaceUsageStatManager filesSpaceUsageStatManager, CoreBaseSettings coreBaseSettings, AuthContext authContext, UserManager userManager, NotifyConfiguration notifyConfiguration //SubscriptionManager subscriptionManager - ) : base(coreBaseSettings, authContext, userManager, notifyConfiguration) + ) : base(filesSpaceUsageStatManager, coreBaseSettings, authContext, userManager, notifyConfiguration) { } diff --git a/products/ASC.People/Server/Api/UserController.cs b/products/ASC.People/Server/Api/UserController.cs index 88d9c8505c..fc7d40d376 100644 --- a/products/ASC.People/Server/Api/UserController.cs +++ b/products/ASC.People/Server/Api/UserController.cs @@ -64,8 +64,10 @@ public class UserController : PeopleControllerBase private readonly SetupInfo _setupInfo; private readonly SettingsManager _settingsManager; private readonly RoomLinkService _roomLinkService; - private readonly FileSecurity _fileSecurity; + private readonly FileSecurity _fileSecurity; private readonly IQuotaService _quotaService; + private readonly FilesSpaceUsageStatManager _filesSpaceUsageStatManager; + private readonly UsersQuotaSyncOperation _usersQuotaSyncOperation; public UserController( ICache cache, @@ -105,8 +107,10 @@ public class UserController : PeopleControllerBase IHttpContextAccessor httpContextAccessor, SettingsManager settingsManager, RoomLinkService roomLinkService, - FileSecurity fileSecurity, - IQuotaService quotaService) + FileSecurity fileSecurity, + IQuotaService quotaService, + FilesSpaceUsageStatManager filesSpaceUsageStatManager, + UsersQuotaSyncOperation usersQuotaSyncOperation) : base(userManager, permissionContext, apiContext, userPhotoManager, httpClientFactory, httpContextAccessor) { _cache = cache; @@ -140,8 +144,10 @@ public class UserController : PeopleControllerBase _setupInfo = setupInfo; _settingsManager = settingsManager; _roomLinkService = roomLinkService; - _fileSecurity = fileSecurity; + _fileSecurity = fileSecurity; _quotaService = quotaService; + _filesSpaceUsageStatManager = filesSpaceUsageStatManager; + _usersQuotaSyncOperation = usersQuotaSyncOperation; } [HttpPost("active")] @@ -1069,6 +1075,12 @@ public class UserController : PeopleControllerBase yield return await _employeeFullDtoHelper.GetFull(user); } } + [HttpGet("recalculatequota")] + public void RecalculateQuota() + { + _permissionContext.DemandPermissions(SecutiryConstants.EditPortalSettings); + _usersQuotaSyncOperation.RecalculateQuota(_tenantManager.GetCurrentTenant()); + } [HttpPut("quota")] public async IAsyncEnumerable UpdateUserQuota(UpdateMembersQuotaRequestDto inDto) @@ -1083,7 +1095,7 @@ public class UserController : PeopleControllerBase if (inDto.Quota != -1) { var usedSpace = Math.Max(0, - _quotaService.FindUserQuotaRows( + _quotaService.FindUserQuotaRows( _tenantManager.GetCurrentTenant().Id, user.Id ) diff --git a/products/ASC.People/Server/GlobalUsings.cs b/products/ASC.People/Server/GlobalUsings.cs index 68b0729216..57b66272a1 100644 --- a/products/ASC.People/Server/GlobalUsings.cs +++ b/products/ASC.People/Server/GlobalUsings.cs @@ -66,6 +66,7 @@ global using ASC.Web.Core.Mobile; global using ASC.Web.Core.PublicResources; global using ASC.Web.Core.Users; global using ASC.Web.Core.Utility; +global using ASC.Web.Files; global using ASC.Web.Files.Classes; global using ASC.Web.Studio.Core; global using ASC.Web.Studio.Core.Notify; diff --git a/web/ASC.Web.Core/SpaceUsageStatManager.cs b/web/ASC.Web.Core/SpaceUsageStatManager.cs index 689c5eaca3..fd2b58b4ca 100644 --- a/web/ASC.Web.Core/SpaceUsageStatManager.cs +++ b/web/ASC.Web.Core/SpaceUsageStatManager.cs @@ -43,4 +43,6 @@ public abstract class SpaceUsageStatManager public interface IUserSpaceUsage { Task GetUserSpaceUsageAsync(Guid userId); + + Task RecalculateUserQuota(int tenantId, Guid userId); } From a2f120e86a83426ed01cd7f877aaf27e107b74fe Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 11:53:18 +0300 Subject: [PATCH 02/87] fixed letters for DocSpace, added new text for footer: TextForFooterUnsubsribeDocSpace --- .../NotifyTemplateResource.Designer.cs | 10 +- .../Resources/NotifyTemplateResource.az.resx | 6 - .../Resources/NotifyTemplateResource.bg.resx | 6 - .../Resources/NotifyTemplateResource.cs.resx | 6 - .../Resources/NotifyTemplateResource.de.resx | 6 - .../Resources/NotifyTemplateResource.es.resx | 6 - .../Resources/NotifyTemplateResource.fr.resx | 6 - .../Resources/NotifyTemplateResource.it.resx | 6 - .../Resources/NotifyTemplateResource.lv.resx | 6 - .../Resources/NotifyTemplateResource.nl.resx | 6 - .../Resources/NotifyTemplateResource.pl.resx | 6 - .../NotifyTemplateResource.pt-BR.resx | 6 - .../Resources/NotifyTemplateResource.resx | 8 +- .../Resources/NotifyTemplateResource.ru.resx | 6 - .../Resources/NotifyTemplateResource.sk.resx | 6 - .../Resources/NotifyTemplateResource.tr.resx | 6 - .../Resources/NotifyTemplateResource.uk.resx | 6 - .../Resources/NotifyTemplateResource.vi.resx | 6 - .../NotifyTemplateResource.zh-CN.resx | 6 - common/ASC.Notify.Textile/TextileStyler.cs | 10 +- web/ASC.Web.Core/Notify/Actions.cs | 60 +- .../Notify/StudioNotifyService.cs | 48 +- web/ASC.Web.Core/Notify/StudioNotifySource.cs | 62 +- .../Notify/StudioPeriodicNotify.cs | 102 +- ...WebstudioNotifyPatternResource.Designer.cs | 750 ++++++-------- .../WebstudioNotifyPatternResource.az.resx | 499 +-------- .../WebstudioNotifyPatternResource.bg.resx | 27 - .../WebstudioNotifyPatternResource.de.resx | 503 +-------- .../WebstudioNotifyPatternResource.el.resx | 12 - .../WebstudioNotifyPatternResource.es.resx | 489 +-------- .../WebstudioNotifyPatternResource.fr.resx | 496 +-------- .../WebstudioNotifyPatternResource.it.resx | 291 ------ .../WebstudioNotifyPatternResource.ja.resx | 23 - .../WebstudioNotifyPatternResource.pt-BR.resx | 505 +-------- .../WebstudioNotifyPatternResource.resx | 976 +++++++++--------- .../WebstudioNotifyPatternResource.ru.resx | 490 +-------- .../WebstudioNotifyPatternResource.tr.resx | 33 - .../WebstudioNotifyPatternResource.zh-CN.resx | 19 - .../PublicResources/webstudio_patterns.xml | 200 ++-- 39 files changed, 1074 insertions(+), 4641 deletions(-) diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.Designer.cs b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.Designer.cs index c6fec0fb6e..4b3c7bca1b 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.Designer.cs +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.Designer.cs @@ -113,14 +113,14 @@ namespace ASC.Notify.Textile.Resources { } /// - /// Looks up a localized string similar to This email is generated automatically and you do not need to answer it. - ///<br />You receive this email because you are a registered user of <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> - ///<br />Click here to unsubscribe from informational emails: <a href="{1}" style="color: #7b7b7b;" target="_blank">Unsubscribe</a> + /// Looks up a localized string similar to For any purchase questions, email us at <a href="mailto:sales@onlyoffice.com" style="color: #7b7b7b;" target="_blank">sales@onlyoffice.com</a>. + ///<br />In case of technical problems contact our <a href="https://www.onlyoffice.com/support-contact-form.aspx" style="color: #7b7b7b;" target="_blank">support team</a>. + ///<br /> <a href="{0}" style="color: #7b7b7b;" target="_blank">Click here to unsubscribe</a> ///<br />. /// - public static string TextForFooterWithUnsubscribeLink { + public static string TextForFooterUnsubsribeDocSpace { get { - return ResourceManager.GetString("TextForFooterWithUnsubscribeLink", resourceCulture); + return ResourceManager.GetString("TextForFooterUnsubsribeDocSpace", resourceCulture); } } } diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.az.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.az.resx index 344ff2e1d3..cb6173ba0b 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.az.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.az.resx @@ -192,10 +192,4 @@ </td> </tr> - - Bu e-poçt avtomatik olaraq yaradılır və ona cavab vermək lazım deyil. -<br />Siz <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a>-nin qeydiyyatdan keçmiş istifadəçisi olduğunuz üçün bu e-poçtu alırsınız. -<br />Bu e-poçtların artıq sizə göndərilməsini istəmirsinizsə, aşağıdakı linkə klikləyin: <a href="{1}" style="color: #7b7b7b;" target="_blank">Abunəlikdən çıxın</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.bg.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.bg.resx index b34088c0f2..13b89fbd8c 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.bg.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.bg.resx @@ -158,10 +158,4 @@ </div> </body> - - Този имейл се генерира автоматично и не е необходимо да отговаряте. -<br/>Получавате този имейл, защото сте регистриран потребител на <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br/>Ако вече не искате да получавате тези имейли, кликнете върху следната връзка: <a href="{1}" style="color: #7b7b7b;" target="_blank">Отписване</a> -<br/> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.cs.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.cs.resx index 264baee07b..c185caca93 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.cs.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.cs.resx @@ -128,10 +128,4 @@ </div> </body> - - Tento e-mail je generován automaticky a nemusíte na něj odpovídat. -<br />Tento e-mail obdržíte, protože jste registrovaným uživatelem <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Pokud již nechcete přijímat tyto e-maily, klikněte na následující odkaz: <a href="{1}" style="color: #7b7b7b;" target="_blank">Unsubscribe</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.de.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.de.resx index 2dd679dbad..830245abf5 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.de.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.de.resx @@ -192,10 +192,4 @@ </td> </tr> - - Diese E-Mail ist automatisch generiert und erfordert keine Antwort. -<br />Sie erhalten diese E-Mail, weil Sie ein registrierter Benutzer bzw. eine registrierte Benutzerin von <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> sind. -<br />Um keine E-Mails mehr zu erhalten, klicken Sie bitte hier: <a href="{1}" style="color: #7b7b7b;" target="_blank">Abmelden</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.es.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.es.resx index c7ac554bce..0815171b0d 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.es.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.es.resx @@ -192,10 +192,4 @@ </td> </tr> - - Este correo electrónico se genera automáticamente y no es necesario responderlo. -<br />Ha recibido este correo electrónico porque es un usuario registrado de <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Haga clic aquí para cancelar la suscripción a los correos electrónicos informativos: <a href="{1}" style="color: #7b7b7b;" target="_blank">Cancelar la suscripción</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.fr.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.fr.resx index d3f7551a33..4738a78d84 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.fr.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.fr.resx @@ -192,10 +192,4 @@ </td> </tr> - - Cet e-mail est généré automatiquement et vous n'avez pas besoin de répondre. -<br />Vous recevez ce courriel parce que vous êtes un utilisateur enregistré de <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Cliquez ici pour vous désabonner des e-mails d'information: <a href="{1}" style="color: #7b7b7b;" target="_blank">Se Désabonner</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.it.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.it.resx index c9a2dbbd45..9418265bf3 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.it.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.it.resx @@ -192,10 +192,4 @@ </td> </tr> - - Questo messaggio è stato generato automaticamente e non necessità di risposta. -<br />Hai ricevuto questo messaggio in quanto sei un untente registrato su <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Сlicca qui per annullare l'iscrizione alle email informative:<a href="{1}" style="color: #7b7b7b;" target="_blank">Rimuovi sottoscrizione</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.lv.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.lv.resx index 2747cb7280..89a8dda716 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.lv.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.lv.resx @@ -158,10 +158,4 @@ </div> </body> - - Šis e-pasts ir izveidots automātiski, un jums nav uz to jāatbild. -<br />Jūs saņēmāt šo e-pastu, jo esat reģistrēts lietotājs portālā <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Ja nevēlaties saņemt šos e-pastus, spiediet uz šīs saites: <a href="{1}" style="color: #7b7b7b;" target="_blank">Atsaukt abonēšanu</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.nl.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.nl.resx index 4b45e135e6..39e46052ed 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.nl.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.nl.resx @@ -128,10 +128,4 @@ </div> </body> - - Deze e-mail is automatisch gegenereerd en u hoeft deze niet te beantwoorden. -<br />U ontvangt deze e-mail omdat u een geregistreerde gebruiker bent van <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Als u deze e-mails niet langer wilt ontvangen, klik dan op de volgende link: <a href="{1}" style="color: #7b7b7b;" target="_blank">Afmelden</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pl.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pl.resx index 8b37e7d444..39ac70e2ce 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pl.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pl.resx @@ -128,10 +128,4 @@ </div> </body> - - Wiadomość utworzona automatycznie i odpowiadać na nią nie trzeba. -<br />otrzymujesz tę wiadomość, ponieważ jesteś zarejestrowanym użytkownikiem <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Jeśli nie chcesz otrzymywać tych wiadomości, kliknij na poniższy link: <a href="{1}" style="color: #7b7b7b;" target="_blank">Rezygnacja</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pt-BR.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pt-BR.resx index 8bfdf18513..ac673e947f 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pt-BR.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.pt-BR.resx @@ -192,10 +192,4 @@ </td> </tr> - - Este e-mail é gerado automaticamente e você não precisa respondê-lo. -<br />Você está recebendo este e-mail por que é um usuário registrado do <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Se você não quiser mais receber estes e-mails, clique no seguinte link: <a href="{1}" style="color: #7b7b7b;" target="_blank">Cancelar subscrição</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.resx index 92779bffdc..8165bcb000 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.resx @@ -192,10 +192,10 @@ </td> </tr> - - This email is generated automatically and you do not need to answer it. -<br />You receive this email because you are a registered user of <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Click here to unsubscribe from informational emails: <a href="{1}" style="color: #7b7b7b;" target="_blank">Unsubscribe</a> + + For any purchase questions, email us at <a href="mailto:sales@onlyoffice.com" style="color: #7b7b7b;" target="_blank">sales@onlyoffice.com</a>. +<br />In case of technical problems contact our <a href="https://www.onlyoffice.com/support-contact-form.aspx" style="color: #7b7b7b;" target="_blank">support team</a>. +<br /> <a href="{0}" style="color: #7b7b7b;" target="_blank">Click here to unsubscribe</a> <br /> \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.ru.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.ru.resx index 6ee6068a9c..8b28f6d4c2 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.ru.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.ru.resx @@ -192,10 +192,4 @@ </td> </tr> - - Это сообщение создано автоматически, и отвечать на него не нужно. -<br />Вы получили это сообщение, так как являетесь зарегистрированным пользователем <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Если вы хотите отписаться от информационных электронных писем, нажмите на следующую ссылку: <a href="{1}" style="color: #7b7b7b;" target="_blank">Отписаться</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.sk.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.sk.resx index 068dbddc51..39e2b97578 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.sk.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.sk.resx @@ -128,10 +128,4 @@ </div> </body> - - Tento e-mail je generovaný automaticky a nemusíte na to odpovedať. -<br />Tento e-mail dostanete pretože ste registrovaným používateľom <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Ak si viac neprajete dostávať tieto e-maily, kliknite na nasledujúci link: <a href="{1}" style="color: #7b7b7b;" target="_blank">Unsubscribe</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.tr.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.tr.resx index e9c1dc16fd..4fd4229290 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.tr.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.tr.resx @@ -128,10 +128,4 @@ </div> </body> - - Bu e-posta otomatik olarak oluşturulmuştur, lütfen yanıtlamayın. -<br />Bu e-postayı almanızın sebebi <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> kayıtlı kullanıcısı olmanızdır. -<br />Bu e-postaları almak istemiyorsanız lütfen linke tıklayın: <a href="{1}" style="color: #7b7b7b;" target="_blank">Abonelikten Ayrıl</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.uk.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.uk.resx index 378e67716b..39e2b97578 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.uk.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.uk.resx @@ -128,10 +128,4 @@ </div> </body> - - Цей електронний лист сформовано автоматично, і вам не потрібно відповідати на нього. -<br />Ви отримуєте цей електронний лист, оскільки ви є зареєстрованим користувачем <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Якщо ви більше не бажаєте отримувати ці електронні листи, натисніть на це посилання: <a href="{1}" style="color: #7b7b7b;" target="_blank">Скасувати підписку</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.vi.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.vi.resx index 0a74c936ef..d5123f368e 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.vi.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.vi.resx @@ -128,10 +128,4 @@ </div> </body> - - Email này được tạo tự động và bạn không cần trả lời nó. -<br />Bạn nhận được email này vì bạn là người dùng đã đăng ký <a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a> -<br />Nếu bạn không còn muốn nhận những email này, hãy nhấp vào liên kết sau: <a href="{1}" style="color: #7b7b7b;" target="_blank">Hủy đăng ký</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.zh-CN.resx b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.zh-CN.resx index 8056b888b6..39e2b97578 100644 --- a/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.zh-CN.resx +++ b/common/ASC.Notify.Textile/Resources/NotifyTemplateResource.zh-CN.resx @@ -128,10 +128,4 @@ </div> </body> - - 此电子邮件是自动生成的,您无需回复。 -<br/>您收到此邮件,因为您是<a href="{0}" style="color: #7b7b7b;" target="_blank">{0}</a>的用户 -<br/>点击这里,取消邮件订阅。<a href="{1}" style="color: #7b7b7b;" target="_blank">取消订阅</a> -<br /> - \ No newline at end of file diff --git a/common/ASC.Notify.Textile/TextileStyler.cs b/common/ASC.Notify.Textile/TextileStyler.cs index 5b4541443c..97762a20e4 100644 --- a/common/ASC.Notify.Textile/TextileStyler.cs +++ b/common/ASC.Notify.Textile/TextileStyler.cs @@ -263,14 +263,6 @@ public class TextileStyler : IPatternStyler return string.Empty; } - var rootPathArgument = message.GetArgument("__VirtualRootPath"); - var rootPath = rootPathArgument == null ? string.Empty : (string)rootPathArgument.Value; - - if (string.IsNullOrEmpty(rootPath)) - { - return string.Empty; - } - var unsubscribeLink = _coreBaseSettings.CustomMode && _coreBaseSettings.Personal ? GetSiteUnsubscribeLink(message, settings) : GetPortalUnsubscribeLink(message, settings); @@ -280,7 +272,7 @@ public class TextileStyler : IPatternStyler return string.Empty; } - return string.Format(NotifyTemplateResource.TextForFooterWithUnsubscribeLink, rootPath, unsubscribeLink); + return string.Format(NotifyTemplateResource.TextForFooterUnsubsribeDocSpace, unsubscribeLink); } private string GetPortalUnsubscribeLink(NoticeMessage message, MailWhiteLabelSettings settings) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index e63a9a6d82..5bd6feec19 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -23,7 +23,7 @@ // All the Product's GUI elements, including illustrations and icon sets, as well as technical writing // content are licensed under the terms of the Creative Commons Attribution-ShareAlike 4.0 // International. See the License terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode - + namespace ASC.Web.Studio.Core.Notify; public static class Actions @@ -45,7 +45,6 @@ public static class Actions public static readonly INotifyAction RestoreCompletedV115 = new NotifyAction("restore_completed_v115"); public static readonly INotifyAction PortalDeactivate = new NotifyAction("portal_deactivate", "portal deactivate"); public static readonly INotifyAction PortalDelete = new NotifyAction("portal_delete", "portal delete"); - public static readonly INotifyAction PortalDeleteSuccessV115 = new NotifyAction("portal_delete_success_v115"); public static readonly INotifyAction ProfileDelete = new NotifyAction("profile_delete", "profile_delete"); public static readonly INotifyAction ProfileHasDeletedItself = new NotifyAction("profile_has_deleted_itself", "profile_has_deleted_itself"); @@ -72,26 +71,7 @@ public static class Actions public static readonly INotifyAction MailboxWithoutSettingsCreated = new NotifyAction("mailbox_without_settings_created"); public static readonly INotifyAction MailboxPasswordChanged = new NotifyAction("mailbox_password_changed"); - public static readonly INotifyAction SaasAdminActivationV115 = new NotifyAction("saas_admin_activation_v115"); - public static readonly INotifyAction EnterpriseAdminActivationV10 = new NotifyAction("enterprise_admin_activation_v10"); - public static readonly INotifyAction EnterpriseWhitelabelAdminActivationV10 = new NotifyAction("enterprise_whitelabel_admin_activation_v10"); - public static readonly INotifyAction OpensourceAdminActivationV11 = new NotifyAction("opensource_admin_activation_v11"); - - public static readonly INotifyAction SaasAdminWelcomeV115 = new NotifyAction("saas_admin_welcome_v115"); - public static readonly INotifyAction EnterpriseAdminWelcomeV10 = new NotifyAction("enterprise_admin_welcome_v10"); - public static readonly INotifyAction EnterpriseWhitelabelAdminWelcomeV10 = new NotifyAction("enterprise_whitelabel_admin_welcome_v10"); - public static readonly INotifyAction OpensourceAdminWelcomeV11 = new NotifyAction("opensource_admin_welcome_v11"); - - public static readonly INotifyAction SaasUserActivationV115 = new NotifyAction("saas_user_activation_v115"); - public static readonly INotifyAction EnterpriseUserActivationV10 = new NotifyAction("enterprise_user_activation_v10"); - public static readonly INotifyAction EnterpriseWhitelabelUserActivationV10 = new NotifyAction("enterprise_whitelabel_user_activation_v10"); - public static readonly INotifyAction OpensourceUserActivationV11 = new NotifyAction("opensource_user_activation_v11"); - - public static readonly INotifyAction SaasUserWelcomeV115 = new NotifyAction("saas_user_welcome_v115"); - public static readonly INotifyAction EnterpriseUserWelcomeV10 = new NotifyAction("enterprise_user_welcome_v10"); - public static readonly INotifyAction EnterpriseWhitelabelUserWelcomeV10 = new NotifyAction("enterprise_whitelabel_user_welcome_v10"); public static readonly INotifyAction EnterpriseWhitelabelUserWelcomeCustomMode = new NotifyAction("enterprise_whitelabel_user_welcome_custom_mode"); - public static readonly INotifyAction OpensourceUserWelcomeV11 = new NotifyAction("opensource_user_welcome_v11"); public static readonly INotifyAction SaasGuestActivationV115 = new NotifyAction("saas_guest_activation_v115"); public static readonly INotifyAction EnterpriseGuestActivationV10 = new NotifyAction("enterprise_guest_activation_v10"); @@ -107,7 +87,6 @@ public static class Actions public static readonly INotifyAction EnterpriseWhitelabelAdminCustomizePortalV10 = new NotifyAction("enterprise_whitelabel_admin_customize_portal_v10"); public static readonly INotifyAction EnterpriseAdminInviteTeammatesV10 = new NotifyAction("enterprise_admin_invite_teammates_v10"); public static readonly INotifyAction EnterpriseAdminWithoutActivityV10 = new NotifyAction("enterprise_admin_without_activity_v10"); - public static readonly INotifyAction EnterpriseAdminUserDocsTipsV10 = new NotifyAction("enterprise_admin_user_docs_tips_v10"); public static readonly INotifyAction EnterpriseAdminUserAppsTipsV10 = new NotifyAction("enterprise_admin_user_apps_tips_v10"); public static readonly INotifyAction EnterpriseAdminTrialWarningBefore7V10 = new NotifyAction("enterprise_admin_trial_warning_before7_v10"); @@ -118,28 +97,22 @@ public static class Actions public static readonly INotifyAction EnterpriseAdminPaymentWarningV10 = new NotifyAction("enterprise_admin_payment_warning_v10"); public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningV10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_v10"); - public static readonly INotifyAction SaasAdminUserDocsTipsV115 = new NotifyAction("saas_admin_user_docs_tips_v115"); public static readonly INotifyAction SaasAdminComfortTipsV115 = new NotifyAction("saas_admin_comfort_tips_v115"); public static readonly INotifyAction SaasAdminUserAppsTipsV115 = new NotifyAction("saas_admin_user_apps_tips_v115"); public static readonly INotifyAction SaasAdminTrialWarningBefore5V115 = new NotifyAction("saas_admin_trial_warning_before5_v115"); public static readonly INotifyAction SaasAdminTrialWarningV115 = new NotifyAction("saas_admin_trial_warning_v115"); public static readonly INotifyAction SaasAdminTrialWarningAfter1V115 = new NotifyAction("saas_admin_trial_warning_after1_v115"); - public static readonly INotifyAction SaasAdminTrialWarningAfterHalfYearV115 = new NotifyAction("saas_admin_trial_warning_after_half_year_v115"); public static readonly INotifyAction SaasAdminPaymentWarningEvery2MonthsV115 = new NotifyAction("saas_admin_payment_warning_every_2months_v115"); public static readonly INotifyAction SaasAdminModulesV115 = new NotifyAction("saas_admin_modules_v115"); - public static readonly INotifyAction OpensourceAdminDocsTipsV11 = new NotifyAction("opensource_admin_docs_tips_v11"); - public static readonly INotifyAction OpensourceUserDocsTipsV11 = new NotifyAction("opensource_user_docs_tips_v11"); - public static readonly INotifyAction PersonalActivate = new NotifyAction("personal_activate"); public static readonly INotifyAction PersonalAfterRegistration1 = new NotifyAction("personal_after_registration1"); public static readonly INotifyAction PersonalAfterRegistration7 = new NotifyAction("personal_after_registration7"); public static readonly INotifyAction PersonalAfterRegistration14 = new NotifyAction("personal_after_registration14"); public static readonly INotifyAction PersonalAfterRegistration21 = new NotifyAction("personal_after_registration21"); - public static readonly INotifyAction PersonalAfterRegistration28 = new NotifyAction("personal_after_registration28"); public static readonly INotifyAction PersonalConfirmation = new NotifyAction("personal_confirmation"); public static readonly INotifyAction PersonalEmailChangeV115 = new NotifyAction("personal_change_email_v115"); public static readonly INotifyAction PersonalPasswordChangeV115 = new NotifyAction("personal_change_password_v115"); @@ -163,4 +136,35 @@ public static class Actions public static readonly INotifyAction StorageDecryptionError = new NotifyAction("storage_decryption_error"); public static readonly INotifyAction RoomInvite = new NotifyAction("room_invite"); + + public static readonly INotifyAction SaasAdminActivationV1 = new NotifyAction("saas_admin_activation_v1"); + public static readonly INotifyAction EnterpriseAdminActivationV1 = new NotifyAction("enterprise_admin_activation_v1"); + public static readonly INotifyAction EnterpriseWhitelabelAdminActivationV1 = new NotifyAction("enterprise_whitelabel_admin_activation_v1"); + public static readonly INotifyAction OpensourceAdminActivationV1 = new NotifyAction("opensource_admin_activation_v1"); + + public static readonly INotifyAction SaasAdminWelcomeV1 = new NotifyAction("saas_admin_welcome_v1"); + public static readonly INotifyAction EnterpriseAdminWelcomeV1 = new NotifyAction("enterprise_admin_welcome_v1"); + public static readonly INotifyAction EnterpriseWhitelabelAdminWelcomeV1 = new NotifyAction("enterprise_whitelabel_admin_welcome_v1"); + public static readonly INotifyAction OpensourceAdminWelcomeV1 = new NotifyAction("opensource_admin_welcome_v1"); + + public static readonly INotifyAction SaasAdminUserDocsTipsV1 = new NotifyAction("saas_admin_user_docs_tips_v1"); + public static readonly INotifyAction OpensourceAdminDocsTipsV1 = new NotifyAction("opensource_admin_docs_tips_v1"); + public static readonly INotifyAction OpensourceUserDocsTipsV1 = new NotifyAction("opensource_user_docs_tips_v1"); + public static readonly INotifyAction EnterpriseAdminUserDocsTipsV1 = new NotifyAction("enterprise_admin_user_docs_tips_v1"); + + public static readonly INotifyAction SaasAdminTrialWarningAfterHalfYearV1 = new NotifyAction("saas_admin_trial_warning_after_half_year_v1"); + + public static readonly INotifyAction PortalDeleteSuccessV1 = new NotifyAction("portal_delete_success_v1"); + + public static readonly INotifyAction SaasUserWelcomeV1 = new NotifyAction("saas_user_welcome_v1"); + public static readonly INotifyAction EnterpriseUserWelcomeV1 = new NotifyAction("enterprise_user_welcome_v1"); + public static readonly INotifyAction EnterpriseWhitelabelUserWelcomeV1 = new NotifyAction("enterprise_whitelabel_user_welcome_v1"); + public static readonly INotifyAction OpensourceUserWelcomeV1 = new NotifyAction("opensource_user_welcome_v1"); + + public static readonly INotifyAction SaasUserActivationV1 = new NotifyAction("saas_user_activation_v1"); + public static readonly INotifyAction EnterpriseUserActivationV1 = new NotifyAction("enterprise_user_activation_v1"); + public static readonly INotifyAction EnterpriseWhitelabelUserActivationV1 = new NotifyAction("enterprise_whitelabel_user_activation_v1"); + public static readonly INotifyAction OpensourceUserActivationV1 = new NotifyAction("opensource_user_activation_v1"); + + public static readonly INotifyAction PersonalAfterRegistration14V1 = new NotifyAction("personal_after_registration14_v1"); } diff --git a/web/ASC.Web.Core/Notify/StudioNotifyService.cs b/web/ASC.Web.Core/Notify/StudioNotifyService.cs index fca92b9d05..8240471808 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifyService.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifyService.cs @@ -353,25 +353,23 @@ public class StudioNotifyService { var defaultRebranding = MailWhiteLabelSettings.IsDefault(_settingsManager); notifyAction = defaultRebranding - ? Actions.EnterpriseUserWelcomeV10 + ? Actions.EnterpriseUserWelcomeV1 : _coreBaseSettings.CustomMode ? Actions.EnterpriseWhitelabelUserWelcomeCustomMode - : Actions.EnterpriseWhitelabelUserWelcomeV10; + : Actions.EnterpriseWhitelabelUserWelcomeV1; footer = null; } else if (_tenantExtra.Opensource) { - notifyAction = Actions.OpensourceUserWelcomeV11; + notifyAction = Actions.OpensourceUserWelcomeV1; footer = "opensource"; } else { - notifyAction = Actions.SaasUserWelcomeV115; + notifyAction = Actions.SaasUserWelcomeV1; } - string greenButtonText() => _tenantExtra.Enterprise - ? WebstudioNotifyPatternResource.ButtonAccessYourPortal - : WebstudioNotifyPatternResource.ButtonAccessYouWebOffice; + string greenButtonText() => WebstudioNotifyPatternResource.CollaborateDocSpace; _client.SendNoticeToAsync( notifyAction, @@ -379,7 +377,7 @@ public class StudioNotifyService new[] { EMailSenderName }, new TagValue(Tags.UserName, newUserInfo.FirstName.HtmlEncode()), new TagValue(Tags.MyStaffLink, GetMyStaffLink()), - TagValues.GreenButton(greenButtonText, _commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/')), + TagValues.GreenButton(greenButtonText, $"{_commonLinkUtility.GetFullAbsolutePath("~")}/products/files/"), new TagValue(CommonTags.Footer, footer), new TagValue(CommonTags.MasterTemplate, _coreBaseSettings.Personal ? "HtmlMasterPersonal" : "HtmlMaster")); } @@ -437,17 +435,17 @@ public class StudioNotifyService if (_tenantExtra.Enterprise) { var defaultRebranding = MailWhiteLabelSettings.IsDefault(_settingsManager); - notifyAction = defaultRebranding ? Actions.EnterpriseUserActivationV10 : Actions.EnterpriseWhitelabelUserActivationV10; + notifyAction = defaultRebranding ? Actions.EnterpriseUserActivationV1 : Actions.EnterpriseWhitelabelUserActivationV1; footer = null; } else if (_tenantExtra.Opensource) { - notifyAction = Actions.OpensourceUserActivationV11; + notifyAction = Actions.OpensourceUserActivationV1; footer = "opensource"; } else { - notifyAction = Actions.SaasUserActivationV115; + notifyAction = Actions.SaasUserActivationV1; } var confirmationUrl = GenerateActivationConfirmUrl(newUserInfo); @@ -629,27 +627,21 @@ public class StudioNotifyService if (_tenantExtra.Enterprise) { var defaultRebranding = MailWhiteLabelSettings.IsDefault(_settingsManager); - notifyAction = defaultRebranding ? Actions.EnterpriseAdminWelcomeV10 : Actions.EnterpriseWhitelabelAdminWelcomeV10; - - tagValues.Add(TagValues.GreenButton(() => WebstudioNotifyPatternResource.ButtonAccessControlPanel, _commonLinkUtility.GetFullAbsolutePath(_setupInfo.ControlPanelUrl))); - tagValues.Add(new TagValue(Tags.ControlPanelUrl, _commonLinkUtility.GetFullAbsolutePath(_setupInfo.ControlPanelUrl).TrimEnd('/'))); + notifyAction = defaultRebranding ? Actions.EnterpriseAdminWelcomeV1 : Actions.EnterpriseWhitelabelAdminWelcomeV1; } else if (_tenantExtra.Opensource) { - notifyAction = Actions.OpensourceAdminWelcomeV11; + notifyAction = Actions.OpensourceAdminWelcomeV1; tagValues.Add(new TagValue(CommonTags.Footer, "opensource")); - tagValues.Add(new TagValue(Tags.ControlPanelUrl, _commonLinkUtility.GetFullAbsolutePath(_setupInfo.ControlPanelUrl).TrimEnd('/'))); } else { - notifyAction = Actions.SaasAdminWelcomeV115; - //tagValues.Add(TagValues.GreenButton(() => WebstudioNotifyPatternResource.ButtonConfigureRightNow, CommonLinkUtility.GetFullAbsolutePath(CommonLinkUtility.GetAdministration(ManagementType.General)))); - + notifyAction = Actions.SaasAdminWelcomeV1; tagValues.Add(new TagValue(CommonTags.Footer, "common")); - tagValues.Add(new TagValue(Tags.PricingPage, _commonLinkUtility.GetFullAbsolutePath("~/Tariffs.aspx"))); } tagValues.Add(new TagValue(Tags.UserName, newUserInfo.FirstName.HtmlEncode())); + tagValues.Add(new TagValue(Tags.PricingPage, _commonLinkUtility.GetFullAbsolutePath("~/payments"))); _client.SendNoticeToAsync( notifyAction, @@ -692,10 +684,10 @@ public class StudioNotifyService public void SendMsgPortalDeletionSuccess(UserInfo owner, string url) { - static string greenButtonText() => WebstudioNotifyPatternResource.ButtonLeaveFeedback; + static string greenButtonText() => WebstudioNotifyPatternResource.LeaveFeedbackDocSpace; _client.SendNoticeToAsync( - Actions.PortalDeleteSuccessV115, + Actions.PortalDeleteSuccessV1, new IRecipient[] { owner }, new[] { EMailSenderName }, TagValues.GreenButton(greenButtonText, url), @@ -745,31 +737,29 @@ public class StudioNotifyService if (_tenantExtra.Enterprise) { var defaultRebranding = MailWhiteLabelSettings.IsDefault(_settingsManager); - notifyAction = defaultRebranding ? Actions.EnterpriseAdminActivationV10 : Actions.EnterpriseWhitelabelAdminActivationV10; + notifyAction = defaultRebranding ? Actions.EnterpriseAdminActivationV1 : Actions.EnterpriseWhitelabelAdminActivationV1; footer = null; } else if (_tenantExtra.Opensource) { - notifyAction = Actions.OpensourceAdminActivationV11; + notifyAction = Actions.OpensourceAdminActivationV1; footer = "opensource"; } else { - notifyAction = Actions.SaasAdminActivationV115; + notifyAction = Actions.SaasAdminActivationV1; } var confirmationUrl = _commonLinkUtility.GetConfirmationEmailUrl(u.Email, ConfirmType.EmailActivation); confirmationUrl += "&first=true"; - static string greenButtonText() => WebstudioNotifyPatternResource.ButtonConfirm; + static string greenButtonText() => WebstudioNotifyPatternResource.ButtonConfirmEmail; _client.SendNoticeToAsync( notifyAction, _studioNotifyHelper.RecipientFromEmail(u.Email, false), new[] { EMailSenderName }, new TagValue(Tags.UserName, u.FirstName.HtmlEncode()), - new TagValue(Tags.MyStaffLink, GetMyStaffLink()), - new TagValue(Tags.ActivateUrl, confirmationUrl), TagValues.GreenButton(greenButtonText, confirmationUrl), new TagValue(CommonTags.Footer, footer)); } diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index 7994cd9d35..c09f61dc01 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -47,7 +47,7 @@ public class StudioNotifySource : NotifySource Actions.RestoreCompletedV115, Actions.PortalDeactivate, Actions.PortalDelete, - Actions.PortalDeleteSuccessV115, + Actions.PortalDeleteSuccessV1, Actions.DnsChange, Actions.ConfirmOwnerChange, Actions.EmailChangeV115, @@ -68,27 +68,6 @@ public class StudioNotifySource : NotifySource Actions.UserMessageToAdmin, - Actions.SaasAdminActivationV115, - Actions.EnterpriseAdminActivationV10, - Actions.EnterpriseWhitelabelAdminActivationV10, - Actions.OpensourceAdminActivationV11, - - Actions.SaasAdminWelcomeV115, - Actions.EnterpriseAdminWelcomeV10, - Actions.EnterpriseWhitelabelAdminWelcomeV10, - Actions.OpensourceAdminWelcomeV11, - - Actions.SaasUserActivationV115, - Actions.EnterpriseUserActivationV10, - Actions.EnterpriseWhitelabelUserActivationV10, - Actions.OpensourceUserActivationV11, - - Actions.SaasUserWelcomeV115, - Actions.EnterpriseUserWelcomeV10, - Actions.EnterpriseWhitelabelUserWelcomeV10, - Actions.EnterpriseWhitelabelUserWelcomeCustomMode, - Actions.OpensourceUserWelcomeV11, - Actions.SaasGuestActivationV115, Actions.EnterpriseGuestActivationV10, Actions.EnterpriseWhitelabelGuestActivationV10, @@ -103,7 +82,6 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseWhitelabelAdminCustomizePortalV10, Actions.EnterpriseAdminInviteTeammatesV10, Actions.EnterpriseAdminWithoutActivityV10, - Actions.EnterpriseAdminUserDocsTipsV10, Actions.EnterpriseAdminUserAppsTipsV10, Actions.EnterpriseAdminTrialWarningBefore7V10, @@ -114,28 +92,23 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseAdminPaymentWarningV10, Actions.EnterpriseWhitelabelAdminPaymentWarningV10, - Actions.SaasAdminUserDocsTipsV115, Actions.SaasAdminComfortTipsV115, Actions.SaasAdminUserAppsTipsV115, Actions.SaasAdminTrialWarningBefore5V115, Actions.SaasAdminTrialWarningV115, Actions.SaasAdminTrialWarningAfter1V115, - Actions.SaasAdminTrialWarningAfterHalfYearV115, Actions.SaasAdminPaymentWarningEvery2MonthsV115, Actions.SaasAdminModulesV115, - Actions.OpensourceAdminDocsTipsV11, - Actions.OpensourceUserDocsTipsV11, - Actions.PersonalActivate, Actions.PersonalAfterRegistration1, Actions.PersonalAfterRegistration7, Actions.PersonalAfterRegistration14, Actions.PersonalAfterRegistration21, - Actions.PersonalAfterRegistration28, + Actions.PersonalAfterRegistration14V1, Actions.PersonalConfirmation, Actions.PersonalPasswordChangeV115, Actions.PersonalEmailChangeV115, @@ -162,7 +135,36 @@ public class StudioNotifySource : NotifySource Actions.StorageEncryptionError, Actions.StorageDecryptionStart, Actions.StorageDecryptionSuccess, - Actions.StorageDecryptionError + Actions.StorageDecryptionError, + + Actions.SaasAdminActivationV1, + Actions.EnterpriseAdminActivationV1, + Actions.EnterpriseWhitelabelAdminActivationV1, + Actions.OpensourceAdminActivationV1, + + + Actions.SaasAdminWelcomeV1, + Actions.EnterpriseAdminWelcomeV1, + Actions.EnterpriseWhitelabelAdminWelcomeV1, + Actions.OpensourceAdminWelcomeV1, + + Actions.SaasAdminUserDocsTipsV1, + Actions.OpensourceAdminDocsTipsV1, + Actions.OpensourceUserDocsTipsV1, + Actions.EnterpriseAdminUserDocsTipsV1, + + Actions.SaasAdminTrialWarningAfterHalfYearV1, + + Actions.SaasUserWelcomeV1, + Actions.EnterpriseUserWelcomeV1, + Actions.EnterpriseWhitelabelUserWelcomeV1, + Actions.EnterpriseWhitelabelUserWelcomeCustomMode, + Actions.OpensourceUserWelcomeV1, + + Actions.SaasUserActivationV1, + Actions.EnterpriseUserActivationV1, + Actions.EnterpriseWhitelabelUserActivationV1, + Actions.OpensourceUserActivationV1 ); } diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 59fcee3811..dccd821e60 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -245,47 +245,13 @@ public class StudioPeriodicNotify else if (createdDate.AddDays(7) == nowDate) { - action = Actions.SaasAdminUserDocsTipsV115; + action = Actions.SaasAdminUserDocsTipsV1; paymentMessage = false; toadmins = true; tousers = true; - - tableItemImg1 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-formatting-100.png"); - tableItemText1 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_formatting_hdr; - tableItemComment1 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_formatting; - - if (!_coreBaseSettings.CustomMode) - { - tableItemLearnMoreUrl1 = _studioNotifyHelper.Helplink + "/onlyoffice-editors/index.aspx"; - tableItemLearnMoreText1 = () => WebstudioNotifyPatternResource.LinkLearnMore; - } - - tableItemImg2 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-share-100.png"); - tableItemText2 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_share_hdr; - tableItemComment2 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_share; - - tableItemImg3 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-coediting-100.png"); - tableItemText3 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_coediting_hdr; - tableItemComment3 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_coediting; - - tableItemImg4 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-review-100.png"); - tableItemText4 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_review_hdr; - tableItemComment4 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_review; - - tableItemImg5 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-modules-100.png"); - tableItemText5 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_contentcontrols_hdr; - tableItemComment5 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_contentcontrols; - - tableItemImg6 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-customize-100.png"); - tableItemText6 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_spreadsheets_hdr; - tableItemComment6 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_spreadsheets; - - tableItemImg7 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-attach-100.png"); - tableItemText7 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_differences_hdr; - tableItemComment7 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_differences; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonAccessYouWebOffice; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/')}/products/files/"; + greenButtonText = () => WebstudioNotifyPatternResource.CollaborateDocSpace; + greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/rooms/personal/"; } #endregion @@ -344,10 +310,10 @@ public class StudioPeriodicNotify else if (dueDateIsNotMax && dueDate.AddMonths(6) == nowDate) { - action = Actions.SaasAdminTrialWarningAfterHalfYearV115; + action = Actions.SaasAdminTrialWarningAfterHalfYearV1; toowner = true; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonLeaveFeedback; + greenButtonText = () => WebstudioNotifyPatternResource.LeaveFeedbackDocSpace; var owner = _userManager.GetUsers(tenant.OwnerId); greenButtonUrl = _setupInfo.TeamlabSiteRedirect + "/remove-portal-feedback-form.aspx#" + @@ -382,10 +348,10 @@ public class StudioPeriodicNotify if (tariff.State == TariffState.NotPaid && dueDateIsNotMax && dueDate.AddMonths(6) == nowDate) { - action = Actions.SaasAdminTrialWarningAfterHalfYearV115; + action = Actions.SaasAdminTrialWarningAfterHalfYearV1; toowner = true; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonLeaveFeedback; + greenButtonText = () => WebstudioNotifyPatternResource.LeaveFeedbackDocSpace; var owner = _userManager.GetUsers(tenant.OwnerId); greenButtonUrl = _setupInfo.TeamlabSiteRedirect + "/remove-portal-feedback-form.aspx#" + @@ -640,47 +606,12 @@ public class StudioPeriodicNotify else if (createdDate.AddDays(7) == nowDate) { - action = Actions.EnterpriseAdminUserDocsTipsV10; + action = Actions.EnterpriseAdminUserDocsTipsV1; paymentMessage = false; toadmins = true; - tousers = true; - - tableItemImg1 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-formatting-100.png"); - tableItemText1 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_formatting_hdr; - tableItemComment1 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_formatting; - - if (!_coreBaseSettings.CustomMode) - { - tableItemLearnMoreUrl1 = _studioNotifyHelper.Helplink + "/onlyoffice-editors/index.aspx"; - tableItemLearnMoreText1 = () => WebstudioNotifyPatternResource.LinkLearnMore; - } - - tableItemImg2 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-share-100.png"); - tableItemText2 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_share_hdr; - tableItemComment2 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_share; - - tableItemImg3 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-coediting-100.png"); - tableItemText3 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_coediting_hdr; - tableItemComment3 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_coediting; - - tableItemImg4 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-review-100.png"); - tableItemText4 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_review_hdr; - tableItemComment4 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_review; - - tableItemImg5 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-3rdparty-100.png"); - tableItemText5 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_3rdparty_hdr; - tableItemComment5 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_3rdparty; - - tableItemImg6 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-attach-100.png"); - tableItemText6 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_attach_hdr; - tableItemComment6 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_attach; - - tableItemImg7 = _studioNotifyHelper.GetNotificationImageUrl("tips-documents-apps-100.png"); - tableItemText7 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_apps_hdr; - tableItemComment7 = () => WebstudioNotifyPatternResource.pattern_saas_admin_user_docs_tips_v115_item_apps; - + tousers = true; greenButtonText = () => WebstudioNotifyPatternResource.ButtonAccessYouWebOffice; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/')}/products/files/"; + greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/products/files/"; } #endregion @@ -879,9 +810,9 @@ public class StudioPeriodicNotify #region After registration letters - #region 5 days after registration to admins + #region 7 days after registration to admins - if (createdDate.AddDays(5) == nowDate) + if (createdDate.AddDays(7) == nowDate) { var users = _studioNotifyHelper.GetRecipients(true, true, false); @@ -893,7 +824,7 @@ public class StudioPeriodicNotify Thread.CurrentThread.CurrentUICulture = culture; client.SendNoticeToAsync( - _userManager.IsAdmin(u) ? Actions.OpensourceAdminDocsTipsV11 : Actions.OpensourceUserDocsTipsV11, + _userManager.IsAdmin(u) ? Actions.OpensourceAdminDocsTipsV1 : Actions.OpensourceUserDocsTipsV1, new[] { _studioNotifyHelper.ToRecipient(u.Id) }, new[] { senderName }, new TagValue(Tags.UserName, u.DisplayUserName(_displayUserSettingsHelper)), @@ -966,16 +897,11 @@ public class StudioPeriodicNotify action = Actions.PersonalAfterRegistration7; break; case 14: - action = Actions.PersonalAfterRegistration14; + action = Actions.PersonalAfterRegistration14V1; break; case 21: action = Actions.PersonalAfterRegistration21; break; - case 28: - action = Actions.PersonalAfterRegistration28; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonStartFreeTrial; - greenButtonUrl = "https://www.onlyoffice.com/download-workspace.aspx"; - break; default: continue; } diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index f7ef5adc0f..96249a1a8d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -60,6 +60,15 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to ACCEPT. + /// + public static string AcceptDocSpace { + get { + return ResourceManager.GetString("AcceptDocSpace", resourceCulture); + } + } + /// /// Looks up a localized string similar to Blog was created at. /// @@ -303,6 +312,15 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to CONFIRM. + /// + public static string ButtonConfirmEmail { + get { + return ResourceManager.GetString("ButtonConfirmEmail", resourceCulture); + } + } + /// /// Looks up a localized string similar to Confirm Portal Address Change. /// @@ -438,6 +456,24 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to Collaborate in DocSpace. + /// + public static string CollaborateDocSpace { + get { + return ResourceManager.GetString("CollaborateDocSpace", resourceCulture); + } + } + + /// + /// Looks up a localized string similar to LEAVE FEEDBACK. + /// + public static string LeaveFeedbackDocSpace { + get { + return ResourceManager.GetString("LeaveFeedbackDocSpace", resourceCulture); + } + } + /// /// Looks up a localized string similar to Learn More >>. /// @@ -620,19 +656,28 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created the ONLYOFFICE portal, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. /// - ///Please, confirm your email following the link + ///Please confirm your email (the link is valid for 7 days): /// ///$GreenButton /// - ///You may change your email or password in your "personal profile page":"$MyStaffLink". + ///Your current tariff plan is STARTUP. It is absolutely free and includes: /// - ///To send notifications, we use the SMTP settings of ONLYOFFICE mail server. To change them, please follow the instructions "here":"${__HelpLink}/installation/group [rest of string was truncated]";. + ///* 1 manager + ///* Up to 12 rooms + ///* Up to 3 users in each room + ///* 2 GB disk space + /// + ///Enjoy a new way of document collaboration! + /// + ///Truly yours, + ///ONLYOFFICE Team + ///"w [rest of string was truncated]";. /// - public static string pattern_enterprise_admin_activation_v10 { + public static string pattern_enterprise_admin_activation_v1 { get { - return ResourceManager.GetString("pattern_enterprise_admin_activation_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_admin_activation_v1", resourceCulture); } } @@ -846,28 +891,36 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///We hope you enjoy using document editors available in your web-office. Here are some tips on how to make it more effective. + ///We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. /// - ///$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm. + ///*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. + /// + ///*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + /// + ///*#3. Co-author effective [rest of string was truncated]";. /// - public static string pattern_enterprise_admin_user_docs_tips_v10 { + public static string pattern_enterprise_admin_user_docs_tips_v1 { get { - return ResourceManager.GetString("pattern_enterprise_admin_user_docs_tips_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_admin_user_docs_tips_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Here’s what you can do to make your web-office even more secure: - /// - ///*Get an SSL certificate* if you are going to provide not only local but also external portal access for your users. Generate a newly signed certificate in the Control Panel or purchase one from the provider you trust. - /// - ///*Enable automatic backups* in the Control Panel. We also recommend that you use third-party services and make a backup copy of the server with ONLYOFFICE installed from time to time. Instructions in our "Help [rest of string was truncated]";. + /// Looks up a localized string similar to Hello, $UserName! + /// + ///Here are three simple questions for you which can help us make your user experience even more comfortable. + /// + ///* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? + /// + ///* Would you like to create any number of rooms to work with numerous documents? + /// + ///* Do you want to use ONLYOFFICE DocSpace under your own brand? + /// + ///If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of m [rest of string was truncated]";. /// - public static string pattern_enterprise_admin_welcome_v10 { + public static string pattern_enterprise_admin_welcome_v1 { get { - return ResourceManager.GetString("pattern_enterprise_admin_welcome_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_admin_welcome_v1", resourceCulture); } } @@ -922,55 +975,64 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Hello, $UserName! + /// Looks up a localized string similar to Hello! /// - ///You are invited to join your company's safe and secure web-office that would enhance your collaboration. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - /// - ///Accept the invitation by following the link + ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: /// ///$GreenButton /// - ///The link is only valid for 7 days. - /// - ///You will get more tips on how to use your web-office. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them.. + ///Truly yours, + ///ONLYOFFICE Team + ///"www.onlyoffice.com":"http://onlyoffice.com/". /// - public static string pattern_enterprise_user_activation_v10 { + public static string pattern_enterprise_user_activation_v1 { get { - return ResourceManager.GetString("pattern_enterprise_user_activation_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_user_activation_v1", resourceCulture); } } /// /// Looks up a localized string similar to Hello, $UserName! /// - ///Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: + ///Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: /// - ///1. Create and edit Documents, work with forms, share them with teammates, and collaborate in real time. - ///2. Add your email accounts and manage all correspondence in one place with Mail. - ///3. Manage your workflow with Projects and your customer relationships using CRM. - ///4. Use Community to start your blogs, forums, add events, share bookmarks. - ///5. Organize your work sc [rest of string was truncated]";. + ///*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. + /// + ///*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + /// + ///*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time usin [rest of string was truncated]";. /// - public static string pattern_enterprise_user_welcome_v10 { + public static string pattern_enterprise_user_welcome_v1 { get { - return ResourceManager.GetString("pattern_enterprise_user_welcome_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_user_welcome_v1", resourceCulture); } } /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created your corporate web-office, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. /// - ///Please, confirm your email: + ///Please confirm your email (the link is valid for 7 days): /// ///$GreenButton /// - ///You may change your email or password in your "personal profile page":"$MyStaffLink".. + ///Your current tariff plan is STARTUP. It is absolutely free and includes: + /// + ///* 1 manager + ///* Up to 12 rooms + ///* Up to 3 users in each room + ///* 2 GB disk space + /// + ///Enjoy a new way of document collaboration! + /// + ///Truly yours, + ///ONLYOFFICE Team + ///"w [rest of string was truncated]";. /// - public static string pattern_enterprise_whitelabel_admin_activation_v10 { + public static string pattern_enterprise_whitelabel_admin_activation_v1 { get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_admin_activation_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_whitelabel_admin_activation_v1", resourceCulture); } } @@ -1022,17 +1084,19 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///Here’s what you can do to make your web-office even more secure: + ///Here are three simple questions for you which can help us make your user experience even more comfortable. /// - ///*Get an SSL certificate* if you are going to provide not only local but also external portal access for your users. Generate a new signed certificate in the Control Panel or purchase one from the provider you trust. + ///* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? /// - ///*Enable automatic backups* in the Control Panel. We also recommend that you use third-party services and make a backup copy of the server from time to time. + ///* Would you like to create any number of rooms to work with numerous documents? /// - ///*Adjust portal security settings*: restrict [rest of string was truncated]";. + ///* Do you want to use ONLYOFFICE DocSpace under your own brand? + /// + ///If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of m [rest of string was truncated]";. /// - public static string pattern_enterprise_whitelabel_admin_welcome_v10 { + public static string pattern_enterprise_whitelabel_admin_welcome_v1 { get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_admin_welcome_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_whitelabel_admin_welcome_v1", resourceCulture); } } @@ -1070,36 +1134,36 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///$__AuthorName has invited you to join your company's safe and secure web-office that would enhance your collaboration. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - /// - ///Accept the invitation by clicking the link: - /// - ///$GreenButton - /// - ///The link is only valid for 7 days. - /// - ///You will get more tips on how to use your web-office. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them.. + /// Looks up a localized string similar to Hello! + /// + ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + /// + ///$GreenButton + /// + ///Truly yours, + ///ONLYOFFICE Team + ///"www.onlyoffice.com":"http://onlyoffice.com/". /// - public static string pattern_enterprise_whitelabel_user_activation_v10 { + public static string pattern_enterprise_whitelabel_user_activation_v1 { get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_user_activation_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_whitelabel_user_activation_v1", resourceCulture); } } /// /// Looks up a localized string similar to Hello, $UserName! /// - ///Welcome to ONLYOFFICE! Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: + ///Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: /// - ///# Create and edit "Documents":"${__VirtualRootPath}/Products/Files/", share them with teammates, and collaborate in real time. - ///# Add your email accounts and manage all correspondence in one place with "Mail":"${__VirtualRootPath}/addons/mail/". - ///# Manage your workflow with "Projects":"${__VirtualRootPath}/Products/Projects/" and your custom [rest of string was truncated]";. + ///*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. + /// + ///*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + /// + ///*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time usin [rest of string was truncated]";. /// - public static string pattern_enterprise_whitelabel_user_welcome_v10 { + public static string pattern_enterprise_whitelabel_user_welcome_v1 { get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_user_welcome_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_whitelabel_user_welcome_v1", resourceCulture); } } @@ -1284,47 +1348,64 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created the ONLYOFFICE portal, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. /// - ///Please, confirm your email following the "link":"$ActivateUrl". + ///Please confirm your email (the link is valid for 7 days): /// - ///You may change your email or password in your "personal profile page":"$MyStaffLink". + ///$GreenButton /// - ///To send notifications, we use the SMTP settings of ONLYOFFICE mail server. To change them, please follow the instructions "here":"${__HelpLink}/server/windows/ [rest of string was truncated]";. + ///Your current tariff plan is STARTUP. It is absolutely free and includes: + /// + ///* 1 manager + ///* Up to 12 rooms + ///* Up to 3 users in each room + ///* 2 GB disk space + /// + ///Enjoy a new way of document collaboration! + /// + ///Truly yours, + ///ONLYOFFICE Team + ///"w [rest of string was truncated]";. /// - public static string pattern_opensource_admin_activation_v11 { + public static string pattern_opensource_admin_activation_v1 { get { - return ResourceManager.GetString("pattern_opensource_admin_activation_v11", resourceCulture); + return ResourceManager.GetString("pattern_opensource_admin_activation_v1", resourceCulture); } } /// /// Looks up a localized string similar to Hello, $UserName! /// - ///We hope you enjoy using integrated ONLYOFFICE document editors. Here are some tips that might be useful: + ///We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. /// - ///*#1. Share documents* to individuals and groups. Choose their access level - Read Only, Comment, Form Filling, Review or Full Access. Let other users apply their own filters in spreadsheets without disturbing co-authors. Restrict downloading and printing using "ONLYOFFICE API":"https://api.onlyoffice.com/editors/config/document/permissions". + ///*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. /// - ///*#2. Learn how document saving wor [rest of string was truncated]";. + ///*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + /// + ///*#3. Co-author effective [rest of string was truncated]";. /// - public static string pattern_opensource_admin_docs_tips_v11 { + public static string pattern_opensource_admin_docs_tips_v1 { get { - return ResourceManager.GetString("pattern_opensource_admin_docs_tips_v11", resourceCulture); + return ResourceManager.GetString("pattern_opensource_admin_docs_tips_v1", resourceCulture); } } /// /// Looks up a localized string similar to Hello, $UserName! /// - ///Here’s what you can do to make your web-office even more secure: + ///Here are three simple questions for you which can help us make your user experience even more comfortable. /// - ///*Get an SSL certificate*, if you are going to provide not only local but also external portal access for your users. Generate a new signed certificate in the Control Panel or purchase one from the provider you trust. + ///* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? /// - ///*Enable automatic backups* in the Control Panel. We also recommend that you use third-party services and make a backup copy of the server with ONLYOFFICE installed from time to time. Instructions in our " [rest of string was truncated]";. + ///* Would you like to create any number of rooms to work with numerous documents? + /// + ///* Do you want to use ONLYOFFICE DocSpace under your own brand? + /// + ///If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of m [rest of string was truncated]";. /// - public static string pattern_opensource_admin_welcome_v11 { + public static string pattern_opensource_admin_welcome_v1 { get { - return ResourceManager.GetString("pattern_opensource_admin_welcome_v11", resourceCulture); + return ResourceManager.GetString("pattern_opensource_admin_welcome_v1", resourceCulture); } } @@ -1369,51 +1450,51 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello! /// - ///You are invited to join your company's safe and secure web-office that would enhance your collaboration. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". + ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: /// - ///Accept the invitation by following the "link":"$ActivateUrl" + ///$GreenButton /// - ///The link is only valid for 7 days. - /// - ///You will get more tips on how to use your web-office. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them.. + ///Truly yours, + ///ONLYOFFICE Team + ///"www.onlyoffice.com":"http://onlyoffice.com/". /// - public static string pattern_opensource_user_activation_v11 { + public static string pattern_opensource_user_activation_v1 { get { - return ResourceManager.GetString("pattern_opensource_user_activation_v11", resourceCulture); + return ResourceManager.GetString("pattern_opensource_user_activation_v1", resourceCulture); } } /// /// Looks up a localized string similar to Hello, $UserName! /// - ///We hope you enjoy using integrated ONLYOFFICE document editors. Here are some tips that might be useful: + ///We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. /// - ///*#1. Explore advanced formatting*. The doc editors provide you with the most complete set of styling and formatting tools. + ///*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. /// - ///*#2. Share documents* to individuals or user groups. Choose their access level - Read Only, Comment, Form Filling, Review or Full Access. + ///*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. /// - ///*#3. Choose co-editing mode*. While co-editing a doc with your team in real time, switch to Fast mode to see chan [rest of string was truncated]";. + ///*#3. Co-author effective [rest of string was truncated]";. /// - public static string pattern_opensource_user_docs_tips_v11 { + public static string pattern_opensource_user_docs_tips_v1 { get { - return ResourceManager.GetString("pattern_opensource_user_docs_tips_v11", resourceCulture); + return ResourceManager.GetString("pattern_opensource_user_docs_tips_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Congratulations, $UserName! + /// Looks up a localized string similar to Hello, $UserName! /// - ///You have officially joined your team’s web-office at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: + ///Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: /// - ///*Store, manage and share documents*. View pictures, play videos and audios. "Learn more":"${__HelpLink}/gettingstarted/documents.aspx" + ///*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. /// - ///*Edit and co-author documents, spreadsheets, and presentations* using integrated ONLYOFFICE editors. Use hundreds of formatting tools and collaborate efficiently. "Watch video":"https://youtu.be/ep1VLGlmsdI" + ///*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. /// - ///*Manage your tas [rest of string was truncated]";. + ///*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time usin [rest of string was truncated]";. /// - public static string pattern_opensource_user_welcome_v11 { + public static string pattern_opensource_user_welcome_v1 { get { - return ResourceManager.GetString("pattern_opensource_user_welcome_v11", resourceCulture); + return ResourceManager.GetString("pattern_opensource_user_welcome_v1", resourceCulture); } } @@ -1478,6 +1559,15 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to Get free ONLYOFFICE apps. + /// + public static string pattern_personal_after_registration14_v1 { + get { + return ResourceManager.GetString("pattern_personal_after_registration14_v1", resourceCulture); + } + } + /// /// Looks up a localized string similar to $PersonalHeaderStart Need more features and automation? Give a try to ONLYOFFICE for teams $PersonalHeaderEnd /// @@ -1497,21 +1587,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to $PersonalHeaderStart Get free ONLYOFFICE apps $PersonalHeaderEnd - /// - ///h3.Need to edit documents on the go? Looking for a reliable application to ensure you will be able to work offline when the Internet connection is unstable? Get free ONLYOFFICE apps to edit files from any of your devices. - /// - ///- To work on documents offline on Windows, Linux and macOS, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". - /// - ///- To edit documents on mobile devices, get ONLYOFFICE Documents app f [rest of string was truncated]";. - /// - public static string pattern_personal_after_registration28 { - get { - return ResourceManager.GetString("pattern_personal_after_registration28", resourceCulture); - } - } - /// /// Looks up a localized string similar to $PersonalHeaderStart Connect your favorite cloud storage to ONLYOFFICE $PersonalHeaderEnd /// @@ -1664,21 +1739,21 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Your ONLYOFFICE has been successfully deactivated. Please note that all of your data will be deleted in accordance with "our Privacy statement":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". + /// Looks up a localized string similar to Your ONLYOFFICE DocSpace has been successfully deactivated. Please note that all of your data will be deleted in accordance with our "Privacy Policy":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". /// ///Why have you decided to leave? Share your experience with us. - /// + /// ///$GreenButton /// - ///Thank you and good luck! + ///Thank you and good luck! /// - ///Truly yours, + ///Truly yours, ///ONLYOFFICE Team ///"www.onlyoffice.com":"http://onlyoffice.com/". /// - public static string pattern_portal_delete_success_v115 { + public static string pattern_portal_delete_success_v1 { get { - return ResourceManager.GetString("pattern_portal_delete_success_v115", resourceCulture); + return ResourceManager.GetString("pattern_portal_delete_success_v1", resourceCulture); } } @@ -1949,21 +2024,28 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created the ONLYOFFICE portal, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. /// - ///Please, confirm your email: + ///Please confirm your email (the link is valid for 7 days): /// ///$GreenButton /// - ///The link will be valid for 7 days. + ///Your current tariff plan is STARTUP. It is absolutely free and includes: + /// + ///* 1 manager + ///* Up to 12 rooms + ///* Up to 3 users in each room + ///* 2 GB disk space + /// + ///Enjoy a new way of document collaboration! /// ///Truly yours, ///ONLYOFFICE Team - ///"www.onlyoffice.com":"http://onlyoffice.com/". + ///"w [rest of string was truncated]";. /// - public static string pattern_saas_admin_activation_v115 { + public static string pattern_saas_admin_activation_v1 { get { - return ResourceManager.GetString("pattern_saas_admin_activation_v115", resourceCulture); + return ResourceManager.GetString("pattern_saas_admin_activation_v1", resourceCulture); } } @@ -2018,17 +2100,15 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to You haven't entered your ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" for more than 6 months. Since you have decided not to use it anymore, your web-office and all the data will be deleted in accordance with "our Privacy statement":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". + /// Looks up a localized string similar to You haven't entered your ONLYOFFICE DocSpace "${__VirtualRootPath}":"${__VirtualRootPath}" for more than half a year. /// - ///We would appreciate your feedback. Why have you decided to stop using ONLYOFFICE? + ///Since you have decided not to use it anymore, your ONLYOFFICE DocSpace and all the data will be deleted in accordance with our "Privacy Policy":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". /// - ///$GreenButton - /// - ///If you thi [rest of string was truncated]";. + ///We would appreciate your feedback. Why have you decided to stop using ONLYOFFICE DocSpac [rest of string was truncated]";. /// - public static string pattern_saas_admin_trial_warning_after_half_year_v115 { + public static string pattern_saas_admin_trial_warning_after_half_year_v1 { get { - return ResourceManager.GetString("pattern_saas_admin_trial_warning_after_half_year_v115", resourceCulture); + return ResourceManager.GetString("pattern_saas_admin_trial_warning_after_half_year_v1", resourceCulture); } } @@ -2104,218 +2184,36 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///We hope you enjoy using ONLYOFFICE editors. Here are some tips on how to make it more effective. + ///We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. /// - ///$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm + ///*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. /// - ///$GreenButton + ///*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. /// - ///Truly yours, - ///ONLYOFFICE Team - ///"www.onlyoffice.com":"http://onlyoffice.com/". + ///*#3. Co-author effective [rest of string was truncated]";. /// - public static string pattern_saas_admin_user_docs_tips_v115 { + public static string pattern_saas_admin_user_docs_tips_v1 { get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Connect Dropbox, Google Drive or other services to manage your files in one place.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_3rdparty { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_3rdparty", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Connect 3rd party clouds*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_3rdparty_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_3rdparty_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Create ready-to-fill-out forms together with your teammates, let other users fill them in, save forms as PDF files. "Learn more":"https://helpcenter.onlyoffice.com/userguides/docs-index.aspx". - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_apps { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_apps", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Create ready-to-fill-out forms*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_apps_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_apps_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Documents are integrated with all the other ONLYOFFICE modules, so you’ll forget about downloading docs and uploading them somewhere else forever.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_attach { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_attach", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Attach docs to projects and emails*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_attach_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_attach_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to While co-editing a doc with your team in real time, switch to Fast mode to see changes as your co-author is typing or to Strict mode to get more privacy.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_coediting { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_coediting", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Choose co-editing mode*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_coediting_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_coediting_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Create and co-edit "fillable document forms":"https://www.onlyoffice.com/form-creator.aspx" online, let other users fill them in, save forms as PDF files.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_contentcontrols { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_contentcontrols", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Create professional-looking forms*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_contentcontrols_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_contentcontrols_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Quickly find differences in two versions of the same document with the Compare documents feature.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_differences { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_differences", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Quickly find differences*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_differences_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_differences_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ONLYOFFICE provides you with the most complete set of styling and formatting tools. "Learn more":"https://helpcenter.onlyoffice.com/userguides/docs-index.aspx". - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_formatting { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_formatting", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Explore advanced formatting*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_formatting_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_formatting_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Use Review to suggest changes without modifying the original doc, add comments and tag other users for feedback. Exchange instant messages via built-in chat or Telegram, make video calls using Jitsi.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_review { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_review", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Review, comment, and chat*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_review_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_review_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Share docs to individuals or user groups. Choose their access level - Read Only, Comment, Form Filling, Review or Full Access. To protect documents, you can restrict printing, downloading, copying, and sharing.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_share { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_share", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Share documents*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_share_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_share_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Comfortably collaborate on spreadsheets with the Sheet Views feature that allows to create filter that only changes your view of the data, without affecting your team.. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_spreadsheets { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_spreadsheets", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to *Comfortably collaborate on spreadsheets*. - /// - public static string pattern_saas_admin_user_docs_tips_v115_item_spreadsheets_hdr { - get { - return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v115_item_spreadsheets_hdr", resourceCulture); + return ResourceManager.GetString("pattern_saas_admin_user_docs_tips_v1", resourceCulture); } } /// /// Looks up a localized string similar to Hello, $UserName! /// - ///Test ONLYOFFICE Business cloud for 30 days for free: + ///Here are three simple questions for you which can help us make your user experience even more comfortable. /// - ///# *Edit unlimited number of docs*, sheets, slides, and forms simultaneously. - ///# *Customize your online office* style to match your branding. - ///# *Ensure security:* enable 2FA, configure automatic backups, track user actions. - ///# *Integrate with your infrastructure:* use LDAP, SSO, and your domain name for portal address. - ///# *Connect apps for productive work:* Twilio, DocuSign, etc. + ///* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? /// - ///If you need instructions on configuring/using ONLYO [rest of string was truncated]";. + ///* Would you like to create any number of rooms to work with numerous documents? + /// + ///* Do you want to use ONLYOFFICE DocSpace under your own brand? + /// + ///If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of m [rest of string was truncated]";. /// - public static string pattern_saas_admin_welcome_v115 { + public static string pattern_saas_admin_welcome_v1 { get { - return ResourceManager.GetString("pattern_saas_admin_welcome_v115", resourceCulture); + return ResourceManager.GetString("pattern_saas_admin_welcome_v1", resourceCulture); } } @@ -2357,19 +2255,34 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello! /// - ///You are invited to join ONLYOFFICE at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: + ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: /// ///$GreenButton /// - ///We will also send you useful tips and latest ONLYOFFICE news once in a while. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them. - /// ///Truly yours, ///ONLYOFFICE Team ///"www.onlyoffice.com":"http://onlyoffice.com/". /// - public static string pattern_saas_user_activation_v115 { + public static string pattern_saas_user_activation_v1 { get { - return ResourceManager.GetString("pattern_saas_user_activation_v115", resourceCulture); + return ResourceManager.GetString("pattern_saas_user_activation_v1", resourceCulture); + } + } + + /// + /// Looks up a localized string similar to Hello, $UserName! + /// + ///Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: + /// + ///*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. + /// + ///*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + /// + ///*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time usin [rest of string was truncated]";. + /// + public static string pattern_saas_user_welcome_v1 { + get { + return ResourceManager.GetString("pattern_saas_user_welcome_v1", resourceCulture); } } @@ -2646,11 +2559,11 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Confirm your email. + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. /// - public static string subject_enterprise_admin_activation_v10 { + public static string subject_enterprise_admin_activation_v1 { get { - return ResourceManager.GetString("subject_enterprise_admin_activation_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_admin_activation_v1", resourceCulture); } } @@ -2718,20 +2631,20 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to 7 tips for effective work on your docs. + /// Looks up a localized string similar to 5 tips for effective work on your docs. /// - public static string subject_enterprise_admin_user_docs_tips_v10 { + public static string subject_enterprise_admin_user_docs_tips_v1 { get { - return ResourceManager.GetString("subject_enterprise_admin_user_docs_tips_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_admin_user_docs_tips_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Make your ONLYOFFICE more secure. + /// Looks up a localized string similar to Discover business subscription of ONLYOFFICE DocSpace. /// - public static string subject_enterprise_admin_welcome_v10 { + public static string subject_enterprise_admin_welcome_v1 { get { - return ResourceManager.GetString("subject_enterprise_admin_welcome_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_admin_welcome_v1", resourceCulture); } } @@ -2763,29 +2676,29 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Join ${__VirtualRootPath}. + /// Looks up a localized string similar to Join ONLYOFFICE DocSpace. /// - public static string subject_enterprise_user_activation_v10 { + public static string subject_enterprise_user_activation_v1 { get { - return ResourceManager.GetString("subject_enterprise_user_activation_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_user_activation_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Welcome to your web-office. + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. /// - public static string subject_enterprise_user_welcome_v10 { + public static string subject_enterprise_user_welcome_v1 { get { - return ResourceManager.GetString("subject_enterprise_user_welcome_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_user_welcome_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Confirm your email. + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. /// - public static string subject_enterprise_whitelabel_admin_activation_v10 { + public static string subject_enterprise_whitelabel_admin_activation_v1 { get { - return ResourceManager.GetString("subject_enterprise_whitelabel_admin_activation_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_whitelabel_admin_activation_v1", resourceCulture); } } @@ -2817,11 +2730,11 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Make your online office more secure. + /// Looks up a localized string similar to Discover business subscription of ONLYOFFICE DocSpace. /// - public static string subject_enterprise_whitelabel_admin_welcome_v10 { + public static string subject_enterprise_whitelabel_admin_welcome_v1 { get { - return ResourceManager.GetString("subject_enterprise_whitelabel_admin_welcome_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_whitelabel_admin_welcome_v1", resourceCulture); } } @@ -2844,20 +2757,20 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Join ${__VirtualRootPath}. + /// Looks up a localized string similar to Join ONLYOFFICE DocSpace. /// - public static string subject_enterprise_whitelabel_user_activation_v10 { + public static string subject_enterprise_whitelabel_user_activation_v1 { get { - return ResourceManager.GetString("subject_enterprise_whitelabel_user_activation_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_whitelabel_user_activation_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Welcome to your web-office. + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. /// - public static string subject_enterprise_whitelabel_user_welcome_v10 { + public static string subject_enterprise_whitelabel_user_welcome_v1 { get { - return ResourceManager.GetString("subject_enterprise_whitelabel_user_welcome_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_whitelabel_user_welcome_v1", resourceCulture); } } @@ -2925,29 +2838,29 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Confirm your email. + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. /// - public static string subject_opensource_admin_activation_v11 { + public static string subject_opensource_admin_activation_v1 { get { - return ResourceManager.GetString("subject_opensource_admin_activation_v11", resourceCulture); + return ResourceManager.GetString("subject_opensource_admin_activation_v1", resourceCulture); } } /// /// Looks up a localized string similar to 5 tips for effective work on your docs. /// - public static string subject_opensource_admin_docs_tips_v11 { + public static string subject_opensource_admin_docs_tips_v1 { get { - return ResourceManager.GetString("subject_opensource_admin_docs_tips_v11", resourceCulture); + return ResourceManager.GetString("subject_opensource_admin_docs_tips_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Make your ONLYOFFICE more secure. + /// Looks up a localized string similar to Discover business subscription of ONLYOFFICE DocSpace. /// - public static string subject_opensource_admin_welcome_v11 { + public static string subject_opensource_admin_welcome_v1 { get { - return ResourceManager.GetString("subject_opensource_admin_welcome_v11", resourceCulture); + return ResourceManager.GetString("subject_opensource_admin_welcome_v1", resourceCulture); } } @@ -2970,29 +2883,29 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Join ${__VirtualRootPath}. + /// Looks up a localized string similar to Join ONLYOFFICE DocSpace. /// - public static string subject_opensource_user_activation_v11 { + public static string subject_opensource_user_activation_v1 { get { - return ResourceManager.GetString("subject_opensource_user_activation_v11", resourceCulture); + return ResourceManager.GetString("subject_opensource_user_activation_v1", resourceCulture); } } /// - /// Looks up a localized string similar to 6 tips for effective work on your docs. + /// Looks up a localized string similar to 5 tips for effective work on your docs. /// - public static string subject_opensource_user_docs_tips_v11 { + public static string subject_opensource_user_docs_tips_v1 { get { - return ResourceManager.GetString("subject_opensource_user_docs_tips_v11", resourceCulture); + return ResourceManager.GetString("subject_opensource_user_docs_tips_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Welcome to your web-office. + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. /// - public static string subject_opensource_user_welcome_v11 { + public static string subject_opensource_user_welcome_v1 { get { - return ResourceManager.GetString("subject_opensource_user_welcome_v11", resourceCulture); + return ResourceManager.GetString("subject_opensource_user_welcome_v1", resourceCulture); } } @@ -3023,6 +2936,25 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to Hello, $UserName! + /// + ///Get free ONLYOFFICE apps to work on documents from any of your devices. + /// + ///# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". + /// + ///#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". + /// + ///Truly yours, + ///ONLYOFFICE Team + ///" [rest of string was truncated]";. + /// + public static string subject_personal_after_registration14_v1 { + get { + return ResourceManager.GetString("subject_personal_after_registration14_v1", resourceCulture); + } + } + /// /// Looks up a localized string similar to Need more features? Give a try to ONLYOFFICE for teams. /// @@ -3032,15 +2964,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Get free ONLYOFFICE apps. - /// - public static string subject_personal_after_registration28 { - get { - return ResourceManager.GetString("subject_personal_after_registration28", resourceCulture); - } - } - /// /// Looks up a localized string similar to Connect your favorite cloud storage to ONLYOFFICE. /// @@ -3096,11 +3019,11 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to ONLYOFFICE has been deactivated. + /// Looks up a localized string similar to ONLYOFFICE DocSpace has been deactivated. /// - public static string subject_portal_delete_success_v115 { + public static string subject_portal_delete_success_v1 { get { - return ResourceManager.GetString("subject_portal_delete_success_v115", resourceCulture); + return ResourceManager.GetString("subject_portal_delete_success_v1", resourceCulture); } } @@ -3213,11 +3136,11 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Confirm your email. + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. /// - public static string subject_saas_admin_activation_v115 { + public static string subject_saas_admin_activation_v1 { get { - return ResourceManager.GetString("subject_saas_admin_activation_v115", resourceCulture); + return ResourceManager.GetString("subject_saas_admin_activation_v1", resourceCulture); } } @@ -3249,11 +3172,11 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Your ONLYOFFICE will be deleted. + /// Looks up a localized string similar to Your ONLYOFFICE DocSpace will be deleted. /// - public static string subject_saas_admin_trial_warning_after_half_year_v115 { + public static string subject_saas_admin_trial_warning_after_half_year_v1 { get { - return ResourceManager.GetString("subject_saas_admin_trial_warning_after_half_year_v115", resourceCulture); + return ResourceManager.GetString("subject_saas_admin_trial_warning_after_half_year_v1", resourceCulture); } } @@ -3294,20 +3217,20 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to 7 tips for effective work on your docs. + /// Looks up a localized string similar to 5 tips for effective work on your docs. /// - public static string subject_saas_admin_user_docs_tips_v115 { + public static string subject_saas_admin_user_docs_tips_v1 { get { - return ResourceManager.GetString("subject_saas_admin_user_docs_tips_v115", resourceCulture); + return ResourceManager.GetString("subject_saas_admin_user_docs_tips_v1", resourceCulture); } } /// - /// Looks up a localized string similar to Welcome to ONLYOFFICE!. + /// Looks up a localized string similar to Discover business subscription of ONLYOFFICE DocSpace. /// - public static string subject_saas_admin_welcome_v115 { + public static string subject_saas_admin_welcome_v1 { get { - return ResourceManager.GetString("subject_saas_admin_welcome_v115", resourceCulture); + return ResourceManager.GetString("subject_saas_admin_welcome_v1", resourceCulture); } } @@ -3330,11 +3253,20 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Join ${__VirtualRootPath}. + /// Looks up a localized string similar to Join ONLYOFFICE DocSpace. /// - public static string subject_saas_user_activation_v115 { + public static string subject_saas_user_activation_v1 { get { - return ResourceManager.GetString("subject_saas_user_activation_v115", resourceCulture); + return ResourceManager.GetString("subject_saas_user_activation_v1", resourceCulture); + } + } + + /// + /// Looks up a localized string similar to Welcome to ONLYOFFICE DocSpace!. + /// + public static string subject_saas_user_welcome_v1 { + get { + return ResourceManager.GetString("subject_saas_user_welcome_v1", resourceCulture); } } diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index 6e6040606f..aa400f8530 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -53,10 +53,10 @@ 2.0 - System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 Bloq yaradıldı: @@ -296,21 +296,6 @@ Salam, $OwnerName, $GreenButton * Qeyd *: bu link yalnız 7 gün ərzində etibarlıdır. Bu müddət ərzində portal ünvanının dəyişdirilməsi prosesini tamamlayın. - - - Salam, $UserName! - -Siz indicə komandanızın daxili əməkdaşlığı gücləndirəcək bulud ofisi olan ONLYOFFICE portalını yaratdınız. Onun ünvanı "${__VirtualRootPath}":"${__VirtualRootPath}" -dir. - -Zəhmət olmasa e-poçtunuzu təsdiqləyin: - -$GreenButton - -Siz e-poçt və ya parolunuzu "şəxsi profil səhifənizdə":"$MyStaffLink" dəyişə bilərsiniz. - -Bildirişlər göndərmək üçün biz ONLYOFFICE poçt serverinin SMTP parametrlərindən istifadə edirik. Onları dəyişdirmək üçün "burada":"${__HelpLink}/server/windows/community/smtp-settings.aspx" təlimatlara əməl edin. - -Ətraflı məlumat ONLYOFFICE "Yardım Mərkəzində":"${__HelpLink}". Salam, $UserName! @@ -417,38 +402,6 @@ Satınalma ilə bağlı hər hansı sualınız üçün "sales@onlyoffice.com":"m # Windows, Linux və Mac-də sənədlərlə oflayn işləmək üçün "ONLYOFFICE Desktop Editors" proqramını endirin:"https://www.onlyoffice.com/apps.aspx". # Mobil cihazlarda sənədləri redaktə etmək üçün "iOS" üçün ONLYOFFICE Sənədlər proqramı:"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" və ya "Android":"https://play.google .com/store/apps/details?id=com.onlyoffice.documents". # Komanda performansınıza yolda olarkən də nəzarət etmək üçün "iOS" üçün ONLYOFFICE Layihələri əldə edin:"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Salam, $UserName! - -Ümid edirik ki, veb-ofisinizdə mövcud olan sənəd redaktorlarından istifadədən məmnun qalacaqsınız. Bunu daha effektiv etmək üçün bəzi məsləhətlər. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - - - Salam, $UserName! - -Veb-ofisinizi daha da təhlükəsiz etmək üçün nə edə bilərsiniz: - -İstifadəçiləriniz üçün təkcə lokal deyil, həm də xarici portal girişini təmin etmək istəyirsinizsə, *SSL sertifikatı əldə edin*. İdarəetmə Panelində yeni imzalanmış sertifikat yaradın və ya etibar etdiyiniz provayderdən sertifikat əldə edin. - -İdarəetmə Panelində *Avtomatik ehtiyat nüsxələrini aktivləşdirin*. Biz həmçinin üçüncü tərəf xidmətlərindən istifadə etməyi və vaxtaşırı quraşdırılmış ONLYOFFICE ilə serverin ehtiyat nüsxəsini çıxarmağı tövsiyə edirik. "Yardım Mərkəzimiz"dəki təlimatlar:"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Portal təhlükəsizlik parametrlərini tənzimləyin*: Məqbul IP siyahısından istifadə edərək girişi məhdudlaşdırın, etibarlı poçt domenlərini təyin edin, parol uzunluğunu təyin edin və s. "Ətraflı məlumat >>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx" - -SMS və ya autentifikator proqramı vasitəsilə *2 faktorlu autentifikasiyanı aktivləşdirin*. Təlimatlar "burada":"${__HelpLink}/guides/two-factor-authentication.aspx". - -*Girişin mərkəzləşdirilməsi üçün LDAP-dan istifadə edin*. LDAP serverinizdən (məsələn, OpenLDAP Server və ya Microsoft Active Directory) lazımi istifadəçiləri və qrupları portalınıza asanlıqla idxal edin. Ətraflı məlumatı "buradan" əldə edin:"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Öz SMPT serverinizdən istifadə edin*. ONLYOFFICE İş sahəsi istifadəçiləri üçün standart bildirişlər (məsələn, onlara sənədə giriş icazəsi verilirsə) standart ONLYOFFICE SMPT serveri vasitəsilə təmin edilir. Öz SMTP inizi konfiqurasiya edin ki, bildirişləriniz heç bir üçüncü tərəf serverindən keçməsin. "Təlimatlar >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Bütün lazımsız portları bağlayın*. ONLYOFFICE üçün açılmalı olan bütün portların siyahısı "burada"dır:"${__HelpLink}/server/docker/community/open-ports.aspx". - -ONLYOFFICE-inizi indi daha təhlükəsiz edin. - -$GreenButton - -Ətraflı məlumat "Yardım Mərkəzimiz"də:"${__HelpLink}". Salam, $UserName! @@ -480,44 +433,6 @@ Qonaq profiliniz uğurla "${__VirtualRootPath}":"${__VirtualRootPath}" -a əlav # Ani mesaj mübadiləsi üçün "Söhbət":"${__VirtualRootPath}/addons/talk/" istifadə edin. $GreenButton - - - Salam, $UserName! - -$__AuthorName sizi şirkətinizin təhlükəsiz internet ofisinə qoşulmağa dəvət etdi, bu, eyni zamanda sizin əməkdaşlığınızı gücləndirəcək. Onun ünvanı "${__VirtualRootPath}":"${__VirtualRootPath}" -dir. - -Linkə klikləməklə dəvəti qəbul edin: - -$GreenButton - -Link yalnız 7 gün ərzində etibarlıdır. - -Siz ofisinizdən necə istifadə etmək barədə daha çox məsləhət əldə edəcəksiniz. İstənilən vaxt Profil səhifənizdə abunəlikləri ləğv edə və onları yenidən aktivləşdirə bilərsiniz. - - - Salam, $UserName! - -İstifadəçi profiliniz "${__VirtualRootPath}":"${__VirtualRootPath}" ünvanında uğurla portala əlavə edildi. İndi edə bilərsiniz: - -# "Sənədlər":"${__VirtualRootPath}/Products/Files/" yaradın və redaktə edin, onları komanda yoldaşları ilə paylaşın və real vaxtda əməkdaşlıq edin. -# E-poçt hesablarınızı əlavə edin və "Mail":"${__VirtualRootPath}/addons/mail/" ilə bütün yazışmaları bir yerdə idarə edin. -# "Layihələr":"${__VirtualRootPath}/Products/Projects/" ilə iş axınınızı və "CRM":"${__VirtualRootPath}/Products/CRM/" istifadə edərək müştəri münasibətlərinizi idarə edin. -# Bloqlarınızı, forumlarınızı başlamaq, tədbirlər əlavə etmək, əlfəcinləri paylaşmaq üçün "İcma":"${__VirtualRootPath}/Products/Community/" istifadə edin. -# Daxili "Təqvim":"${__VirtualRootPath}/addons/calendar/" ilə iş qrafikinizi təşkil edin. -# Ani mesaj mübadiləsi üçün "Söhbət":"${__VirtualRootPath}/addons/talk/" istifadə edin. - -$GreenButton - - - Salam, $UserName! - -Siz yenicə korporativ veb-ofisinizi, komandanızın daxili əməkdaşlığı gücləndirəcək bulud ofisini yaratdınız. Onun ünvanı "${__VirtualRootPath}":"${__VirtualRootPath}" -dir. - -Zəhmət olmasa e-poçtunuzu təsdiqləyin: - -$GreenButton - -Siz e-poçt və ya parolunuzu "şəxsi profil səhifənizdə":"$MyStaffLink" dəyişə bilərsiniz. Salam, $UserName! @@ -545,25 +460,6 @@ Nəzərə alın ki, veb-ofis abunəliyiniz bu gün başa çatır. Abunəliyinizi Yeniləmə prosesinə başlamaq üçün aşağıdakı linkə klikləyin: "Qiymətləndirmə səhifəsi":"$PricingPage" - - - Salam, $UserName! - -Veb-ofisinizi daha da təhlükəsiz etmək üçün nə edə bilərsiniz: - -İstifadəçiləriniz üçün təkcə lokal deyil, həm də xarici portal girişini təmin etmək istəyirsinizsə, *SSL sertifikatı əldə edin*. İdarəetmə Panelində yeni imzalanmış sertifikat yaradın və ya etibar etdiyiniz provayderdən sertifikat əldə edin. - -İdarəetmə Panelində *Avtomatik ehtiyat nüsxələrini aktivləşdirin*. Biz həmçinin üçüncü tərəf xidmətlərindən istifadə etməyi və vaxtaşırı serverin ehtiyat nüsxəsini çıxarmağı tövsiyə edirik. - -*Portal təhlükəsizlik parametrlərini tənzimləyin*: məqbul IP siyahısından istifadə edərək girişi məhdudlaşdırın, etibarlı poçt domenlərini təyin edin, parol uzunluğunu təyin edin və s. - -SMS və ya autentifikator proqramı vasitəsilə *2 faktorlu autentifikasiyanı aktivləşdirin*. - -*Girişin mərkəzləşdirilməsi üçün LDAP-dan istifadə edin*. LDAP serverinizdən (məsələn, OpenLDAP Server və ya Microsoft Active Directory) lazımi istifadəçiləri və qrupları portalınıza asanlıqla idxal edin. - -*Öz SMPT inizdən istifadə edin* və bütün lazımsız portları bağlayın. - -Onlayn ofisinizi indi daha təhlükəsiz edin. Salam, $UserName! @@ -587,33 +483,6 @@ Qonaq profiliniz uğurla "${__VirtualRootPath}":"${__VirtualRootPath}" -a əlav # Daxili "Təqvim":"${__VirtualRootPath}/addons/calendar/" ilə cədvəlinizi təşkil edin. # Ani mesaj mübadiləsi üçün "Söhbət":"${__VirtualRootPath}/addons/talk/" istifadə edin. -$GreenButton - - - Salam, $UserName! - -$__AuthorName sizi şirkətinizin təhlükəsiz internet ofisinə qoşulmağa dəvət etdi, bu, eyni zamanda sizin əməkdaşlığınızı gücləndirəcək. Onun ünvanı "${__VirtualRootPath}":"${__VirtualRootPath}" -dir. - -Linkə klikləməklə dəvəti qəbul edin: - -$GreenButton - -Link yalnız 7 gün ərzində etibarlıdır. - -Siz ofisinizdən necə istifadə etmək barədə daha çox məsləhət əldə edəcəksiniz. İstənilən vaxt Profil səhifənizdə abunəlikləri ləğv edə və onları yenidən aktivləşdirə bilərsiniz. - - - Salam, $UserName! - -İstifadəçi profiliniz "${__VirtualRootPath}":"${__VirtualRootPath}" ünvanında uğurla portala əlavə edildi. İndi edə bilərsiniz: - -# "Sənədlər":"${__VirtualRootPath}/Products/Files/" yaradın və redaktə edin, onları komanda yoldaşları ilə paylaşın və real vaxtda əməkdaşlıq edin. -# E-poçt hesablarınızı əlavə edin və "Mail":"${__VirtualRootPath}/addons/mail/" ilə bütün yazışmaları bir yerdə idarə edin. -# "Layihələr":"${__VirtualRootPath}/Products/Projects/" ilə iş axınınızı və "CRM":"${__VirtualRootPath}/Products/CRM/" istifadə edərək müştəri münasibətlərinizi idarə edin. -# Bloqlarınızı, forumlarınızı başlamaq, tədbirlər əlavə etmək, əlfəcinləri paylaşmaq üçün "İcma":"${__VirtualRootPath}/Products/Community/" istifadə edin. -# Daxili "Təqvim":"${__VirtualRootPath}/addons/calendar/" ilə iş qrafikinizi təşkil edin. -# Ani mesaj mübadiləsi üçün "Söhbət":"${__VirtualRootPath}/addons/talk/" istifadə edin. - $GreenButton @@ -734,59 +603,6 @@ $GreenButton * Qeyd *: bu link yalnız 7 gün ərzində etibarlıdır. Zəhmət olmasa bu müddət ərzində bərpa prosesini tamamlayın. Bu e-məktubu səhvən almısınızsa, ona məhəl qoymayın və ya əlavə məlumat üçün "$PortalUrl":"$PortalUrl" portalınızın administratoru ilə əlaqə saxlayın. - - - Salam, $UserName! - -Siz indicə komandanızın daxili əməkdaşlığı gücləndirəcək bulud ofisi olan ONLYOFFICE portalını yaratdınız. Onun ünvanı "${__VirtualRootPath}":"${__VirtualRootPath}" -dir. - -Zəhmət olmasa, "link":"$ActivateUrl" dən sonra e-poçtunuzu təsdiqləyin. - -E-poçt və ya parolunuzu "şəxsi profil səhifənizdə":"$MyStaffLink" dəyişə bilərsiniz. - -Bildirişlər göndərmək üçün biz ONLYOFFICE poçt serverinin SMTP parametrlərindən istifadə edirik. Onları dəyişdirmək üçün "burada":"${__HelpLink}/server/windows/community/smtp-settings.aspx" təlimatları izləyin. - -Ətraflı məlumat ONLYOFFICE "Yardım Mərkəzində":"${__HelpLink}". - - - Salam, $UserName! - -Ümid edirik ki, inteqrasiya olunmuş ONLYOFFICE sənəd redaktorlarından istifadə etməkdən zövq alacaqsınız. Faydalı ola biləcək bəzi məsləhətlər: - -*#1. Sənədləri* fərdlərə və qruplara paylaşın. Onların giriş səviyyəsini seçin - Yalnız oxumaq, Şərh etmək, Forma Doldurmaq, Baxış və ya Tam Giriş. Digər istifadəçilərə həmmüəllifləri narahat etmədən öz filtrlərini elektron cədvəllərdə tətbiq etməyə icazə verin. "ONLYOFFICE API":"https://api.onlyoffice.com/editors/config/document/permissions" istifadə edərək endirmə və çapı məhdudlaşdırın. - -*#2. Sənədin işlərdə necə saxlandığını öyrənin* və onu öz ehtiyaclarınıza uyğunlaşdırın. "Ətraflı məlumat":"https://www.onlyoffice.com/blog/2020/04/save-and-force-save-in-onlyoffice-never-lose-a-document/" - -*#3. "GitHub":"https://github.com/ONLYOFFICE/DocumentServer/issues" -də suallar yaradaraq və ya "forumumuzda":"https://dev.onlyoffice.org/" suallar verməklə icmadan kömək* alın. Siz həmçinin premium dəstəyə abunəlik ala və ya sadəcə olaraq dəstək komandamızdan müəyyən hallarda kömək etməsini xahiş edə bilərsiniz. "Ətraflı məlumat":"https://github.com/ONLYOFFICE/DocumentServer/issues" - -*#4. Ödənişsiz proqramlar əldə edin*. Windows, Linux və macOS-da sənədlərlə oflayn işləmək üçün "bu ödənişsiz iş masası proqramını endirin":"https://www.onlyoffice.com/apps.aspx". Mobil cihazlarda sənədləri redaktə etmək üçün "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" üçün ödənişsiz Sənədlər proqramı əldə edin və ya "Android":"https://play.google .com/store/apps/details?id=com.onlyoffice.documents". - -*#5. Şifrələnmiş əməkdaşlıq üçün şəxsi otaqları aktivləşdirin*. Bu otaqlarda saxlanılan bütün sənədlər, eləcə də əməkdaşlıq müddətində məlumat transferi arzuolunmaz girişin qarşısını almaq üçün AES-256 şifrələmə alqoritmi ilə şifrələnir. "Ətraflı məlumat":"${__HelpLink}". - - - Salam, $UserName! - -Veb-ofisinizi daha da təhlükəsiz etmək üçün nə edə bilərsiniz: - -İstifadəçiləriniz üçün təkcə lokal deyil, həm də xarici portal girişini təmin etmək istəyirsinizsə, *SSL sertifikatı əldə edin*. İdarəetmə Panelində yeni imzalanmış sertifikat yaradın və ya etibar etdiyiniz provayderdən sertifikat əldə edin. - -İdarəetmə Panelində *Avtomatik ehtiyat nüsxələrini aktivləşdirin*. Biz həmçinin 3-cü xidmətlərdən istifadə etməyi və vaxtaşırı ONLYOFFICE quraşdırılmış serverin ehtiyat nüsxəsini çıxarmağı tövsiyə edirik. "Yardım Mərkəzimiz"dəki təlimatlar:"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Portal təhlükəsizlik parametrlərini tənzimləyin*: Məqbul IP siyahısından istifadə edərək girişi məhdudlaşdırın, etibarlı poçt domenlərini təyin edin, parol uzunluğunu təyin edin və s. "Ətraflı məlumat>>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx?_ga=2.111477636.160074001.1555312634-699576329.1539952318" - -SMS və ya autentifikator proqramı vasitəsilə *2 faktorlu autentifikasiyanı aktivləşdirin*. Təlimatlar "burada"dır:"${__HelpLink}/guides/two-factor-authentication.aspx?_ga=2.115795846.160074001.1555312634-699576329.1539952318". - -*Girişin mərkəzləşdirilməsi üçün LDAP-dan istifadə edin*. LDAP serverinizdən (məsələn, OpenLDAP Server və ya Microsoft Active Directory) lazımi istifadəçiləri və qrupları portalınıza asanlıqla idxal edin. Ətraflı məlumata "burada" baxın:"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Öz SMPT inizdən istifadə edin*. Defolt olaraq istifadəçilər üçün bildirişlər (məsələn, onlara sənədə giriş icazəsi verilirsə) standart ONLYOFFICE SMPT serveri vasitəsilə təmin edilir. Öz SMTP serverinizi konfiqurasiya edin ki, bildirişləriniz heç bir üçüncü tərəf serverindən keçməsin. "Təlimatlar>>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Bütün lazımsız portları bağlayın*. ONLYOFFICE üçün açılmalı olan bütün portların siyahısı "burada"dır:"${__HelpLink}/server/docker/community/open-ports.aspx". - -*İstirahət zamanı məlumatlarınızı şifrələyin*. Bunu etmək üçün "təlimatlara əməl edin":"${__HelpLink}". Əgər əməkdaşlıq prosesini qorumaq istəyirsinizsə, Şəxsi Otaqları aktivləşdirin. "Ətraflı məlumat":"${__HelpLink}" - -Veb-ofisinizi qorumaq üçün "link"ə daxil olun:"$ControlPanelUrl" - -Ətraflı məlumat "Yardım Mərkəzimiz"də mövcuddur:"${__HelpLink}". Salam! @@ -817,57 +633,6 @@ Görüşlər təşkil etmək, xatırladıcılar qurmaq və görüləcək işlər Veb-ofisinizə daxil olmaq üçün "link":"${__VirtualRootPath}" ə daxil olun. Öz veb-ofisinizi yaratmaq istəyirsinizsə, "ONLYOFFICE rəsmi internet saytına":"https://www.onlyoffice.com/" daxil olun. - - - Salam! - -Siz şirkətinizin təhlükəsiz internet ofisinə qoşulmağa dəvət olunursunuz, bu, eyni zamanda əməkdaşlığınızı gücləndirəcək. Ünvanı "${__VirtualRootPath}":"${__VirtualRootPath}" -dir. - -"Link":"$ActivateUrl" ə daxil olaraq dəvəti qəbul edin - -Link yalnız 7 gün ərzində etibarlıdır. - -Siz veb-ofisinizdən necə istifadə etmək barədə daha çox məsləhət əldə edəcəksiniz. İstənilən vaxt Profil səhifənizdə abunəlikləri ləğv edə və onları yenidən aktivləşdirə bilərsiniz. - - - Salam, $UserName! - -Ümid edirik ki, inteqrasiya olunmuş ONLYOFFICE sənəd redaktorlarından istifadədən məmnun qalacaqsınız. Faydalı ola biləcək bəzi məsləhətlər: - -*#1. Qabaqcıl formatlaşdırmanı kəşf edin*. Doc redaktorları sizə üslub və formatlaşdırma alətlərinin tam dəstini təqdim edir. - -*#2. Sənədləri* ayrı-ayrı şəxslərə və ya istifadəçi qruplarına paylaşın. Onların giriş səviyyəsini seçin - Yalnız oxumaq, Şərh etmək, Forma Doldurmaq, Baxış və ya Tam Giriş. - -*#3. Birgə redaktə rejimini seçin*. Komandanızla real vaxt rejimində sənədi redaktə edərkən, həmmüəllifiniz yazarkən dəyişiklikləri görmək üçün Sürətli rejimə və ya daha çox məxfilik əldə etmək üçün Sərt rejimə keçin. "Videoya baxın":"https://youtu.be/8z1iLv32J2M" - -*#4. Nəzərdən keçirin, şərh verin və söhbət edin*. Orijinal sənədə dəyişiklik etmədən dəyişikliklər təklif etmək üçün "Baxış":"https://youtu.be/D1tbffuQeUA" istifadə edin, konkret çıxarış haqqında fikirlərinizi bölüşmək üçün Şərhlər əlavə edin və ya sənədinizdə ani mesajlar vasitəsilə söhbət edin. - -*#5. Fayllarınızı bir yerdə idarə etmək üçün Dropbox və ya Google Disk kimi 3-cü tərəf buludlarını* birləşdirin. - -*#6. Proqramları əldə edin*. Windows, Linux və macOS-da sənədlərlə oflayn işləmək üçün "bu ödənişsiz iş masası proqramını" endirin:"https://www.onlyoffice.com/apps.aspx". Mobil cihazlarda sənədləri redaktə etmək üçün "iOS" üçün ödənişsiz Sənədlər proqramı əldə edin:"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" və ya "Android":"https://play.google .com/store/apps/details?id=com.onlyoffice.documents". - - - Təbrik edirik, $UserName! - -Siz "${__VirtualRootPath}"komandanızın rəqəmsal ofisinə qoşuldunuz:"${__VirtualRootPath}". İndi edə bilərsiniz: - -* Sənədləri saxlayın, idarə edin və paylaşın *. Şəkillərə baxın, videoları və audioları oxuyun. "Ətraflı məlumat":"${__HelpLink} /gettingstarted/documents.aspx" - -* Daxili ONLYOFFICE redaktorlarından istifadə edərək mətn sənədləri, cədvəllər və təqdimatlar üzərində redaktə edin və əməkdaşlıq edin. Yüzlərlə formatlaşdırma və əməkdaşlıq alətindən istifadə edin. "Videoya baxın":"https://youtu.be/ep1VLGlmsdI" - -* Tapşırıqlarınızı idarə edin *. Fəaliyyətlərinizi planlaşdırmaq, tapşırıqları və son tarixləri müəyyən etmək üçün "ONLYOFFICE Layihələri"ndən istifadə edin:"${__HelpLink}/projects.aspx". - -* Müştəri münasibətlərini idarə edin *. "CRM ONLYOFFICE":"${__HelpLink}/crm.aspx" ilə müştəri məlumat bazası yaradın, fəaliyyətlərinizi idarə edin, perspektivləri təhlil edin və satışları izləyin. - -* Şəxsi və kollektiv gündəliyi yaradın *. Görüşlər və görüşlər təşkil edin, xatırlatmaları planlaşdırın, işlər siyahıları yaradın! "Ətraflı məlumat":"${__HelpLink}/calendar.aspx" - -* Viki və daxili ünsiyyət vasitələri ilə mübadilə *. Yeni işçilərin tez uyğunlaşmasına imkan verəcək bilik bazası yaradın. Bloqlar, forumlar və sorğular vasitəsilə fikirlərinizi paylaşın. "Ətraflı məlumat":"${__HelpLink}/community.aspx" - -* Bütün e-poçtlarınızı bir yerdə saxlayın və peşəkar poçt qutuları yaradın *. Bütün e-poçtlarınızı bir yerə toplayın və ya administratorunuzdan yeni peşəkar poçt qutusu yaratmağı xahiş edin. "Ətraflı məlumat":"${__HelpLink}/mail.aspx" - -* Ani mesajlaşma vasitəsilə əlaqə saxlayın * və Talk-dan istifadə edərək faylları sürətlə paylaşın. "Ətraflı məlumat":"${__HelpLink}/talk.aspx" - -Rəqəmsal masaüstünə daxil olmaq üçün bu "link i izləyin":"${__VirtualRootPath}". Salam, $UserName @@ -955,30 +720,6 @@ Siz və komanda yoldaşlarınız üçün unikal əməkdaşlıq sahəsi yaradın. "Buludda sınağa başlayın":"https://www.onlyoffice.com/registration.aspx" və ya "serverinizdə":"https://www.onlyoffice.com/download-workspace.aspx?from= müəssisə nəşri "30 gün ərzində heç bir funksional məhdudiyyət olmadan və iş axınınızın dərhal necə yaxşılaşdığına baxın! -Hörmətlə, -ONLYOFFICE komandası - - - $PersonalHeaderStart Veb masaüstünüzün təhlükəsizliyini necə artırmaq olar $PersonalHeaderEnd - -Verilənlərinizi qorumaq üçün yollar axtarırsınız? - -h3.Sənədlərinizi şəxsi server həllərimizlə təhlükəsiz saxlamaq üçün əlavə alətləri birləşdirməyi düşünün: - -- Öz serverinizdə * şəxsi bulud * ilə məlumatlarınıza tam nəzarət edin; - -- * iki faktorlu autentifikasiyanı * konfiqurasiya edin və üçüncü tərəf xidmətləri ilə * Tək Giriş * funksiyasından istifadə edin; - -- * Bağlantı təhlükəsizliyi parametrlərini * bir neçə səviyyədə tətbiq edin; - -- Veb iş masanızda * istifadəçi fəaliyyətinə * nəzarət edin; - -- Məlumatlarınızın əllə və ya avtomatik * ehtiyat nüsxəsini * yerinə yetirin. - -$GreenButton - -ONLYOFFICE-in məlumatlarınızı necə qoruduğu haqqında təhlükəsizlik icmalımızda ətraflı öyrənin. - Hörmətlə, ONLYOFFICE komandası @@ -1097,19 +838,6 @@ Hər hansı bir sualınız və ya köməyə ehtiyacınız varsa, ünvanında biz Hörmətlə, ONLYOFFICE ™ Dəstək Qrupu -"www.onlyoffice.com":"http://onlyoffice.com/" - - - ONLYOFFICE uğurla deaktiv edildi. Nəzərə alın ki, bütün məlumatlarınız "Məxfilik bəyanatımıza":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk12YJJeUVtS0kyYk12YLBGM0000KYk14YLBJNRd" uyğun olaraq silinəcək - -Niyə ONLYOFFICE istifadəsini dayandırmaq qərarına gəldiniz? Təcrübənizi bizimlə paylaşın. - -$GreenButton - -Təşəkkür edir və sizə uğurlar arzulayırıq! - -Hörmətlə, -ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1300,21 +1028,6 @@ Portalın bərpası başladı. Məlumatın miqdarından asılı olaraq bir az va Hörmətlə, ONLYOFFICE™ Dəstək Qrupu -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -Siz indicə komandanızın daxili əməkdaşlığı gücləndirəcək bulud ofisi olan ONLYOFFICE portalını yaratdınız. Onun ünvanı "${__VirtualRootPath}":"${__VirtualRootPath}" -dir. - -Zəhmət olmasa e-poçtunuzu təsdiqləyin: - -$GreenButton - -Link 7 gün ərzində etibarlı olacaq. - -Hörmətlə, -ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1385,19 +1098,6 @@ $GreenButton Suallarınız varsa, sales@onlyoffice.com ünvanında bizimlə əlaqə saxlayın. -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Siz 6 aydan artıqdır ki, ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" daxil olmamısınız. Ondan artıq istifadə etməmək qərarına gəldiyiniz üçün veb-ofisiniz və bütün məlumatlarınız "Məxfilik bəyanatımıza":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid =5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0" uyğun olaraq silinəcək. - -Rəyiniz üçün təşəkkür edirik. Niyə ONLYOFFICE istifadəsini dayandırmaq qərarına gəldiniz? - -$GreenButton - -Bunun səhv olduğunu düşünürsünüzsə və ONLYOFFICE-dan istifadə etməyə davam etmək istəyirsinizsə, "dəstək komandamız":"mailto:support@onlyoffice.com" la əlaqə saxlayın. - Hörmətlə, ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1452,99 +1152,6 @@ ONLYOFFICE Komandası # Mobil cihazlarda sənədləri redaktə etmək üçün "iOS" üçün ONLYOFFICE Sənədlər proqramı:"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" və ya "Android":"https://play.google .com/store/apps/details?id=com.onlyoffice.documents". # Komanda performansınıza yolda olarkən də nəzarət etmək üçün "iOS" üçün ONLYOFFICE Layihələri əldə edin:"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -Ümid edirik ki, ONLYOFFICE redaktorlarından zövq alacaqsınız. Bunu daha effektiv etmək üçün bəzi məsləhətlər. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - -$GreenButton - -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Fayllarınızı bir yerdə idarə etmək üçün Dropbox, Google Disk və ya digər xidmətlərə qoşulun. - - - *3-cü tərəf buludları qoşun* - - - Sənədlər üzərində işləmək üçün proqramları endirin <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://www.onlyoffice.com/apps.aspx">offline</a> as well as on <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://itunes.apple.com/us/app/onlyoffice-documents/id944896972">iOS</a> and <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://play.google.com/store/apps/details?id=com.onlyoffice.documents">Android</a> devices. - - - *Tətbiqləri əldə edin* - - - Sənədlər modulu digər ONLYOFFICE modulları ilə inteqrasiya olunub ki, siz artıq sənədləri başqa yerlərdən yükləməli və endirməli olmayacaqsınız. - - - * Layihələrinizə və e-poçtlarınıza sənədlər əlavə edin * - - - Komandanızla real vaxt rejimində sənədi redaktə edərkən, həmmüəllifiniz yazarkən dəyişiklikləri görmək üçün Sürətli rejimə və ya daha çox məxfilik əldə etmək üçün Ciddi rejimə keçin. - - - *Birgə redaktə rejimini seçin* - - - Fərdiləşdirilə bilən formalar yaratmaq üçün Məzmun Nəzarətlərindən istifadə edin. - - - *Məzmuən nəzarətlərindən istifadə edin* - - - Sənədləri müqayisə et funksiyası ilə eyni sənədin iki versiyasında fərqləri tez tapın. - - - * Fərqləri tez tapın * - - - ONLYOFFICE sizə üslub və formatlaşdırma alətlərinin tam dəstini təqdim edir. - - - * Qabaqcıl formatlaşdırma alətlərini araşdırın * - - - Orijinal sənədə dəyişiklik etmədən dəyişikliklər təklif etmək, konkret çıxarış haqqında fikirlərinizi bölüşmək üçün Şərhlər əlavə etmək və ya sənədinizdə ani mesajlar vasitəsilə söhbət etmək üçün Baxış-dan istifadə edin. - - - *Nəzərdən keçirin, şərh yazın və söhbət edin* - - - Sənədləri fərdlərə və ya istifadəçi qruplarına bölüşdürün. Onların giriş səviyyəsini seçin - Yalnız oxumaq, Şərh etmək, Forma Doldurmaq, Baxış və ya Tam Giriş. - - - *Sənədləri paylaşın* - - - Komandanıza təsir etmədən yalnız məlumatlarınızın görünüşünü dəyişdirən və filtr yaratmağa imkan verən Cədvəl Görünüşü funksiyası ilə cədvəllərdə rahat işləyin. - - - *Elektron cədvəllər üzərində rahatlıqla işləyin* - - - Salam, $UserName! - -ONLYOFFICE Business buludunu 30 gün ərzində pulsuz sınaqdan keçirin: - -# *Hər biri 100 Gb olan 30-a qədər istifadəçi əlavə edin*. Abunəliyi satın aldıqdan sonra istənilən sayda istifadəçi əlavə edə biləcəksiniz. -# *Onlayn ofis* stilinizi brendinqinizə uyğunlaşdırın. -# *Limitsiz sayda sənəd*, vərəq və slaydları eyni vaxtda redaktə edin. -# *Təhlükəsizliyi təmin edin:* 2FA-nı aktivləşdirin, avtomatik ehtiyat nüsxələrini konfiqurasiya edin, istifadəçi hərəkətlərini izləyin. -# *İnfrastrukturunuzla inteqrasiya edin:* Portal ünvanı üçün LDAP, SSO və domen adınızı istifadə edin. -# *Məhsuldar iş üçün proqramları birləşdirin:* Twilio, DocuSign və s. - -ONLYOFFICE-ın konfiqurasiyası/istifadəsi ilə bağlı təlimatlara ehtiyacınız varsa, "Yardım Mərkəzimizə daxil olun":"${__HelpLink}"! - -Siz "Ödənişlər Səhifəsi":"$PricingPage" ndə abunəlik ala bilərsiniz və ya sınaq üçün daha çox vaxta ehtiyacınız olarsa, sınaq müddətinizi uzatmağımızı xahiş edə bilərsiniz. - Hörmətlə, ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1579,39 +1186,6 @@ $GreenButton Hörmətlə, ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam! - -Siz "${__VirtualRootPath}":"${__VirtualRootPath}" ünvanında ONLYOFFICE-ə qoşulmağa dəvət olunursunuz. Linkə klikləməklə dəvəti qəbul edin: - -$GreenButton - -Biz həmçinin vaxtaşırı sizə faydalı məsləhətlər və ən son ONLYOFFICE xəbərləri göndərəcəyik. İstənilən vaxt Profil səhifənizdə abunəlikləri ləğv edə və onları yenidən aktivləşdirə bilərsiniz. - -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -ONLYOFFICE-ə xoş gəlmisiniz! İstifadəçi profiliniz "${__VirtualRootPath}":"${__VirtualRootPath}" ünvanında uğurla portala əlavə edildi. İndi edə bilərsiniz: - -# "Sənədlər yaradın və redaktə edin":"${__VirtualRootPath}/Products/Files/", onları komanda yoldaşları ilə paylaşın və real vaxtda əməkdaşlıq edin. -# E-poçt hesablarınızı əlavə edin və "Mail ilə bütün yazışmaları bir yerdə idarə edin":"${__VirtualRootPath}/addons/mail/". -# "Layihələr":"${__VirtualRootPath}/Products/Projects/" ilə iş axınınızı və "CRM":"${__VirtualRootPath}/Products/CRM/" istifadə edərək müştəri münasibətlərinizi idarə edin. -# Bloqlarınızı, forumlarınızı başlamaq, tədbirlər əlavə etmək, əlfəcinləri paylaşmaq üçün "İcma":"${__VirtualRootPath}/Products/Community/" istifadə edin. -# Daxili "Təqvim ilə iş qrafikinizi təşkil edin":"${__VirtualRootPath}/addons/calendar/". -# Ani mesaj mübadiləsi üçün "Söhbət":"${__VirtualRootPath}/addons/talk/" istifadə edin. - -$GreenButton - -Əgər köməyə ehtiyacınız varsa, "Yardım Mərkəzimizə nəzər salın":"${__HelpLink}" və ya "dəstək komandamıza müraciət edin":"https://support.onlyoffice.com". - -Həqiqətən sənin, -ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1742,9 +1316,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Portal ünvanının dəyişdirilməsi - - E-poçtunuzu təsdiq edin - ONLYOFFICE-i fərdiləşdirin @@ -1766,12 +1337,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Ödənişsiz ONLYOFFICE tətbiqlərini əldə edin - - Sənədləriniz üzərində səmərəli şəkildə işləmək üçün 7 məsləhət - - - ONLYOFFICE-inizi daha təhlükəsiz edin - ONLYOFFICE komandasından izləmə @@ -1781,15 +1346,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Veb ofisinizə xoş gəlmisiniz - - ${__VirtualRootPath}-a qoşulun - - - Veb ofisinizə xoş gəlmisiniz - - - E-poçtunuzu təsdiq edin - Veb-ofisinizi fərdiləşdirin @@ -1799,21 +1355,12 @@ Link yalnız 7 gün üçün keçərli olacaq. Veb ofisinizin yenilənməsi barədə bildirişiniz - - Onlayn ofisinizi daha təhlükəsiz edin - ${__VirtualRootPath}-a qoşulun Veb ofisinizə xoş gəlmisiniz - - ${__VirtualRootPath}-a qoşulun - - - Veb ofisinizə xoş gəlmisiniz - İnzibatçılara istifadəçi mesajı @@ -1835,30 +1382,12 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Portalın başqa bölgəyə köçürülməsi uğurla tamamlandı - - E-poçtunuzu təsdiq edin - - - Sənədləriniz üzərində səmərəli şəkildə işləmək üçün 5 məsləhət - - - ONLYOFFICE-inizi daha təhlükəsiz edin - ${__VirtualRootPath}-a qoşulun Veb ofisinizə xoş gəlmisiniz - - ${__VirtualRootPath}-a qoşulun - - - Sənədləriniz üzərində səmərəli şəkildə işləmək üçün 6 məsləhət - - - Veb ofisinizə xoş gəlmisiniz - Şəxsi istifadə üçün ONLYOFFICE-a xoş gəlmisiniz! @@ -1871,9 +1400,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Daha çox funksiya lazımdır? Komandalar üçün ONLYOFFICE-ı sınayın - - Ödənişsiz ONLYOFFICE tətbiqlərini əldə edin - Sevimli bulud yaddaşınızı ONLYOFFICE-ə qoşun @@ -1892,9 +1418,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${__VirtualRootPath} portalının silinməsi - - ONLYOFFICE deaktiv edilib - ${LetterLogoText}. Portal ünvanının dəyişdirilməsi @@ -1931,9 +1454,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Bərpa prosesi başladıldı - - E-poçtunuzu təsdiq edin - Rahat işləmək üçün məsləhətlər @@ -1943,9 +1463,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Biznesi yenidən aktivləşdirin və qiymətin 20%-nə qənaət edin - - ONLYOFFICE-niz silinəcək - Yeniləmə bildirişi @@ -1958,24 +1475,12 @@ Link yalnız 7 gün üçün keçərli olacaq. Ödənişsiz ONLYOFFICE tətbiqlərini əldə edin - - Sənədləriniz üzərində səmərəli şəkildə işləmək üçün 7 məsləhət - - - ONLYOFFICE-ə xoş gəlmisiniz! - ${__VirtualRootPath}-a qoşulun ONLYOFFICE-inizə xoş gəlmisiniz - - ${__VirtualRootPath}-a qoşulun - - - ONLYOFFICE-inizə xoş gəlmisiniz - ${__VirtualRootPath} portalının profilinin dəyişdirilməsi ilə bağlı bildiriş diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx index 5df017c800..5164c63136 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx @@ -308,30 +308,6 @@ h3.В случай, че си сътрудничите с екип или упр - създаване на екипна комуникация с Messenger, блог, форуми и уики. Създайте едно съвместно работно пространство за вас и вашите съотборници. Регистрирайте пробен "в облака":"https://www.onlyoffice.com/registration.aspx" или "на вашия сървър":"https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" - - - $PersonalHeaderStart Как да се подобри сигурността на вашия уеб офис $PersonalHeaderEnd - -Търсите начини за защита на вашите данни? - -h3.Разгледайте допълнителните инструменти за съхраняване на вашите документи, които се предлагат в нашите решения за частни сървъри: - -- Получете пълен контрол върху данните си с *частен облак* на собствения си сървър; - -- Настройте *двуфакторна идентификация* и използвайте *Single Sign-On* с услуги на трети страни; - -- Прилагане на многостепенни *настройки за сигурност за влизане*; - -- Наблюдавайте *активността на потребителя* във вашия уеб-офис; - -- Изпълнете ръчно или автоматично *архивиране* на вашите данни. - -$GreenButton - -Научете повече за това как ONLYOFFICE запазва данните ви безопасни в нашия преглед на сигурността. - -С уважение, -екип на ONLYOFFICE Налице е заявка за промяна на паролата, използвана за въвеждане на портал "${__VirtualRootPath}":"${__VirtualRootPath}". @@ -533,9 +509,6 @@ h2.$activity.Key Нуждаете се от повече функции? Опитайте ONLYOFFICE за екипи - - Как да подобрим сигурността на вашия уеб офис - Свържете любимото си облачно хранилище към ONLYOFFICE diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index 6c8e344a64..c01051e8f9 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -53,10 +53,10 @@ 2.0 - System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 Blog wurde erstellt @@ -284,21 +284,6 @@ Bitte folgen Sie dem untenstehenden Link, um es zu bestätigen: $GreenButton *Hinweis*: Dieser Link ist nur 7 Tage gültig. Bitte enden Sie Prozess von Änderung der Portaladresse innerhalb dieses Zeitraums. - - - Hallo, $UserName! - -Sie haben gerade das ONLYOFFICE-Portal erstellt, das Cloud-Office für Ihr Team, das interne Zusammenarbeit verbessern kann. Die Adresse ist "${__VirtualRootPath}":"${__VirtualRootPath}". - -Bestätigen Sie bitte Ihre E-Mail-Adresse: - -$GreenButton - -Sie können Ihre E-Mail-Adresse oder Ihr Passwort auf Ihrer "persönlichen Profilseite":"$MyStaffLink" ändern. - -Zum Senden von Benachrichtigungen verwenden wir die SMTP-Einstellungen von ONLYOFFICE Mail Server. Um sie zu ändern, folgen Sie bitte den Anweisungen "hier":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Weitere Informationen finden Sie in unserem "Hilfecenter":"${__HelpLink}". Hallo, $UserName! @@ -405,38 +390,6 @@ Laden Sie kostenlose ONLYOFFICE-Apps herunter, mit denen Sie Dokumente und Proje # Bearbeiten Sie Dokumente offline auf Windows, Linux und Mac. Laden Sie "ONLYOFFICE Desktop Editoren":"https://www.onlyoffice.com/de/apps.aspx" herunter. # Bearbeiten Sie Dokumente auf Mobilgeräten mit ONLYOFFICE Documents-App für "iOS":"https://itunes.apple.com/de/app/onlyoffice-documents/id944896972" oder "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Verwalten Sie Teamleistung auch unterwegs mit der ONLYOFFICE Projects-App für "iOS":"https://itunes.apple.com/de/app/onlyoffice-projects/id1353395928". - - - Hallo, $UserName! - -Wir hoffen, dass Sie in Ihrem Web-Office verfügbare Dokumenten-Editoren mit Spaß benutzen. Hier sind einige Tipps, mit denen Sie die Arbeit noch effektiver gestalten können. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - - - Hallo $UserName! - -So können Sie Ihr Online-Office noch sicherer machen: - -*Nutzen Sie ein SSL-Zertifikat*, wenn Sie nicht nur internen, sondern auch externen Zugriff auf das Portal zulassen möchten. Generieren Sie dazu ein neu ausgestelltes Zertifikat im Control Panel oder kaufen Sie bei einem renommierten Händler ein Zertifikat. - -*Aktivieren Sie automatische Backups* im Control Panel. Wir empfehlen ebenfalls Dienste von Drittanbietern, sowie die Erstellung einer Kopie des Backups des Servers, auf dem ONLYOFFICE installiert ist. Anleitungen finden Sie in unserem "Hilfe-Center":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx" - -*Passen Sie die Sicherheitseinstellungen des Portals an*: beschränken Sie den Zugriff per IP-Whitelisting, geben Sie vertrauenswürdige Mail-Domains an, setzen Sie die Länge der Passwörter, usw. "Weitere Informationen >>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx" - -*Aktivieren Sie die Zwei-Faktor-Authentifizierung* mittels SMS oder einer Authenticator App. Anleitungen dazu "hier":"${__HelpLink}/guides/two-factor-authentication.aspx". - -*Nutzen Sie LDAP für die Zugriffskontrolle*. Importieren Sie einfach die notwendigen Benutzer und Gruppen von Ihrem LDAP-Server (z.B. OpenLDAP Server oder Microsoft Active Directory) in Ihr Portal. Erfahren Sie mehr "hier":"${__HelpLink}/server/windows/community/ldap-settings.aspx" mehr darüber. - -*Nutzen Sie Ihren eigenen SMTP*. Standardmäßig werden Benachrichtigungen für Benutzer von ONLYOFFICE Workspace (z.B. wenn ihnen der Zugriff auf ein Dokument gewährt wird) über den standardmäßigen ONLYOFFICE SMTP-Server verschickt. Konfigurieren Sie Ihren eigenen SMTP-Server, sodass keine Daten an Server enes Drittanbieters übermittelt werden. "Anleitungen >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Schließen Sie alle nicht benötigten Ports*. Die Liste aller Ports, die für ONLYOFFICE benötigt werden, finden Sie "hier":"${__HelpLink}/server/docker/community/open-ports.aspx". - -Machen Sie Ihr ONLYOFFICE jetzt noch sicherer. - -$GreenButton - -Mehr Informationen in unserem "Hilfe-Center":"${__HelpLink}". Hallo, $UserName! @@ -468,45 +421,6 @@ Ihr Gast-Profil wurde erfolgreich zu "${__VirtualRootPath}":"${__VirtualRootPath # Mit "Chat":"${__VirtualRootPath}/addons/talk/" Sofortnachrichten austauschen. $GreenButton - - - Hallo $UserName! - -$__AuthorName hat Sie eingeladen, dem sicheren und geschützten Online-Büro beizutreten, welches Ihre Zusammenarbeit erleichtert. -Die Adresse lautet ${__VirtualRootPath}":"${__VirtualRootPath}". - -Nehmen Sie die Einladung mit dem folgenden Link an: - -$GreenButton - -Der Link ist nur für 7 Tage gültig. - -Sie erhalten weitere Tipps zur Benutzung des Online-Büros. Sie können dies jederzeit unter Ihrem Profil deaktivieren oder wieder aktivieren. - - - Hallo $UserName! - -Ihr Benutzerprofil wurde erfolgreich zum Portal "${__VirtualRootPath}":"${__VirtualRootPath}" hinzugefügt. Nun Können Sie: - -# "Dokumente":"${__VirtualRootPath}/Products/Files/" anlegen und editieren und diese mit Ihren Teammitgliedern teilen oder in Echtzeit zusammen bearbeiten. -# Mit "Mail":"${__VirtualRootPath}/addons/mail/" Ihre E-Mail-Accounts hinzufügen und alle Korrespondenzen an einem Ort verwalten. -# Mit "Projects":"${__VirtualRootPath}/Products/Projects/" Ihren Workflow oder Ihre Kundenbeziehungen mit "CRM":"${__VirtualRootPath}/Products/CRM/" verwalten. -# Mit "Community":"${__VirtualRootPath}/Products/Community/" eigene Blogs und Foren erstellen, Events hinzufügen und Favoriten teilen. -# Ihren Arbeitskalender mit dem eingebauten "Calendar":"${__VirtualRootPath}/addons/calendar/" organisieren. -# Mit "Chat":"${__VirtualRootPath}/addons/talk/" Sofortnachrichten austauschen. - -$GreenButton - - - Hallo, $UserName! - -Sie haben gerade das Cloud-Office für Ihr Team erstellt, das interne Zusammenarbeit verbessern kann. Die Adresse ist "${__VirtualRootPath}":"${__VirtualRootPath}". - -Bestätigen Sie bitte Ihre E-Mail-Adresse: - -$GreenButton - -Sie können Ihre E-Mail-Adresse oder Ihr Passwort auf Ihrer "persönlichen Profilseite":"$MyStaffLink" ändern. Hallo, $UserName! @@ -534,27 +448,6 @@ Bitte beachten Sie, dass Ihre Abo für das Online-Büro heute endet. Um das Abo Klicken Sie auf den unten stehenden Link, um Ihr Abo zu verlängern: "Preise":"$PricingPage" - - - Hallo $UserName! - -So können Sie Ihr Online-Office noch sicherer machen: - -*Nutzen Sie ein SSL-Zertifikat*, wenn Sie nicht nur internen, sondern auch externen Zugriff auf das Portal zulassen möchten. Generieren Sie dazu ein neu ausgestelltes Zertifikat in den Systemeinstellungen oder kaufen Sie bei einem renommierten Händler ein Zertifikat. - -*Aktivieren Sie automatische Backups* in den Systemeinstellungen. Wir empfehlen ebenfalls Dienste von Drittanbietern, sowie die Erstellung einer Kopie des Backups des Servers, auf dem ONLYOFFICE installiert ist. - -*Passen Sie die Sicherheitseinstellungen des Portals an: Beschränken Sie den Zugriff per IP-Whitelisting, geben Sie vertrauenswürdige Mail-Domains an, setzen Sie die Länge der Passwörter, etc. - -*Aktivieren Sie die Zwei-Faktor-Authentifizierung* mittels SMS oder einer Authenticator App. - -*Nutzen Sie LDAP für die Zugriffskontrolle*. Importieren Sie einfach die notwendigen Benutzer und Gruppen von Ihrem LDAP-Server (z.B. OpenLDAP Server oder Microsoft Active Directory) in Ihr Portal. - -*Nutzen Sie Ihren eigenen SMTP* und schließen Sie alle nicht benötigten Ports. - -Machen Sie Ihr Online-Office jetzt noch sicherer. - -$GreenButton Hallo, $UserName! @@ -578,34 +471,6 @@ Ihr Gast-Profil wurde erfolgreich zu "${__VirtualRootPath}":"${__VirtualRootPath # Ihren Zeitplan mit "Calendar":"${__VirtualRootPath}/addons/calendar/" organisieren. # Mit "Chat":"${__VirtualRootPath}/addons/talk/" Sofortnachrichten austauschen. -$GreenButton - - - Hallo $UserName! - -$__AuthorName hat Sie eingeladen, dem sicheren und geschützten Online-Büro beizutreten, welches Ihre Zusammenarbeit erleichtert. -Die Adresse lautet ${__VirtualRootPath}":"${__VirtualRootPath}". - -Nehmen Sie die Einladung mit dem folgenden Link an: - -$GreenButton - -Der Link ist nur für 7 Tage gültig. - -Sie erhalten weitere Tipps zur Benutzung des Online-Büros. Sie können dies jederzeit unter Ihrem Profil deaktivieren oder wieder aktivieren. - - - Hallo $UserName! - -Ihr Benutzerprofil wurde erfolgreich zum Portal "${__VirtualRootPath}":"${__VirtualRootPath}" hinzugefügt. Nun Können Sie: - -# "Dokumente":"${__VirtualRootPath}/Products/Files/" anlegen und editieren und diese mit Ihren Teammitgliedern teilen oder in Echtzeit zusammen bearbeiten. -# Mit "Mail":"${__VirtualRootPath}/addons/mail/" Ihre E-Mail-Accounts hinzufügen und alle Korrespondenzen an einem Ort verwalten. -# Mit "Projects":"${__VirtualRootPath}/Products/Projects/" Ihren Workflow oder Ihre Kundenbeziehungen mit "CRM":"${__VirtualRootPath}/Products/CRM/" verwalten. -# Mit "Community":"${__VirtualRootPath}/Products/Community/" eigene Blogs und Foren erstellen, Events hinzufügen und Favoriten teilen. -# Ihren Arbeitskalender mit dem eingebauten "Calendar":"${__VirtualRootPath}/addons/calendar/" organisieren. -# Mit "Chat":"${__VirtualRootPath}/addons/talk/" Sofortnachrichten austauschen. - $GreenButton @@ -726,59 +591,6 @@ $GreenButton *Erinnerung*: Dieser Link ist nur 7 Tage gültig. Stellen Sie den Zugang innerhalb von diesem Zeitraum wieder her. Wenn Sie diese E-Mail irrtümlich erhalten haben, betrachten Sie sie als gegenstandslos oder wenden Sie sich an den Administrator Ihres "$PortalUrl":"$PortalUrl" Portals für weitere Informationen. - - - Hallo $UserName! - -Sie haben soeben das ONLYOFFICE Portal erstellt, das Online-Office Ihres Teams, welches die interne Zusammenarbeit verbessern wird. Die Adresse lautet ${__VirtualRootPath}":"${__VirtualRootPath}". - -Bitte bestätigen Sie Ihre E-Mail-Adresse mit folgendem "Link":"$ActivateUrl". - -Sie können Ihre E-Mail-Adresse und das Passwort auf Ihrer "persönlichen Profilseite":"$MyStaffLink" ändern. - -Um Benachrichtigungen zu senden, nutzen wir die SMTP-Einstellungen des ONLYOFFICE Mail-Servers. Um dies zu ändern, folgen Sie den Anweisungen "hier":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Mehr Information im ONLYOFFICE "Help Center":"${__HelpLink}". - - - Hallo $UserName! - -Wir hoffen, Ihnen gefallen die integrierten ONLYOFFICE Dokumenten-Editoren. Hier sind einige nützliche Tipps: - -*#1. Teilen Sie Dokumente* mit anderen oder Gruppen. Setzen Sie die Berechtigungen - Nur Lesen, Kommentieren, Formulare ausfüllen, Überprüfen oder voller Zugriff. Lassen Sie andere Benutzer ihre eigenen Filter in Tabellen ohne Freigabe für andere nutzen. Schränken Sie den Download oder das Ausdrucken mittels der "ONLYOFFICE API":"https://api.onlyoffice.com/editors/config/document/permissions" ein. - -*#2. Lernen Sie, wie das Speichern von Dokumenten funktioniert* und passen Sie dies an die eigenen Bedürfnisse an. "Erfahren Sie mehr":"https://www.onlyoffice.com/blog/2020/04/save-and-force-save-in-onlyoffice-never-lose-a-document/" - -*#3. Bekommen Sie Hilfe* aus der Community, indem Sie Fehler auf "GitHub":"https://github.com/ONLYOFFICE/DocumentServer/issues" melden oder Fragen in "unserem Forum":"https://dev.onlyoffice.org/" stellen. Sie können ebenfalls ein Abo oder Premium-Support kaufen, oder unser Support-Team für bestimmte Anfragen kontaktieren. "Erfahren Sie mehr":"https://github.com/ONLYOFFICE/DocumentServer/issues" - -*#4. Nutzen Sie die kostenlosen Apps*. Laden Sie "die kostenlose Desktop-App":"https://www.onlyoffice.com/apps.aspx" heruntern, um unter Windows, Linux oder macOS offline an Dokumenten arbeiten zu können. Um Dokumente mit Mobilgeräten bearbeiten zu können, laden Sie die kostenlose Documents App für "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" oder "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents" herunter. - -*#5. Aktivieren Sie für die verschlüsselte Zusammenarbeit private Räume*. Alle hier gespeicherten Dokumenten, sowie der Datentransfer sind mit AES-256 verschlüsselt, um unbefugten Zugriff zu unterbinden. "Erfahren Sie mehr":"${__HelpLink}". - - - Hallo $UserName! - -Es gibt ein paar Punkte, wie Sie Ihr Online-Büro noch sicherer machen können: - -*Besorgen Sie sich ein SSL-Zertifikat*, wenn Sie nicht nur internen, sondern auch externen Zugriff auf Ihr Portal anbieten möchten. Generieren Sie ein neues Zertifikat in den Einstellungen oder kaufen Sie eines bei einem renommierten Händler. - -*Aktivieren Sie automatische Backups* in den Einstellungen. Wird empfehlen ebenso den Einsatz von Diensten von Drittanbietern und das Anlegen einer Kopie des Backups Ihres ONLYOFFICE-Servers. Anleitungen finden Sie in unserem "Help Center":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Sicherheitseinstellungen des Portals ändern*: Begrenzen Sie den Zugriff auf bestimmte IPs, geben Sie vertrauenswürdige Mail-Domains an, setzen Sie die Länge von Passwörtern und vieles mehr. "Weitere Informationen>>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx?_ga=2.111477636.160074001.1555312634-699576329.1539952318" - -*Aktivieren Sie Zwei-Faktor-Authentifizierung* mittels SMS oder einer Authenticator App. Anleitungen "hier":"${__HelpLink}/guides/two-factor-authentication.aspx?_ga=2.115795846.160074001.1555312634-699576329.1539952318". - -*Nutzen Sie LDAP für die Zugriffsverwaltung*. Importieren Sie auf einfache Art notwendige Benutzer und Gruppen aus Ihrem LDAP-Server (z.B. OpenLDAP Server oder Microsoft Active Directory) in Ihr Portal. Erfahren Sie "hier":"${__HelpLink}/server/windows/community/ldap-settings.aspx" mehr darüber. - -*Nutzen Sie Ihren eigenen SMTP*. Standardmäßig werden Benachrichtigungen für Benutzer (z.B. wenn sie Zugriff auf ein Dokument erhalten haben) über den Standard-ONLYOFFICE-SMTP-Server verschickt. Konfigurieren Sie Ihren eigenen SMTP-Server, so dass die Benachrichtigungen über keinen Server eines Drittanbieters geleitet werden. "Ableitung>>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Schließen Sie alle nicht benötigten Ports*. Die Liste aller Ports, die für ONLYOFFICE geöffnet werden müssen, finden Sie "hier":"${__HelpLink}/server/docker/community/open-ports.aspx" - -*Verschlüsseln Sie Ihre Daten*. Dazu gehen Sie einfach "die Anleitung":"${__HelpLink}" durch. Wenn Sie die Zusammenarbeit absichern wollen, aktivieren Sie private Räume. "Erfahren Sie mehr":"${__HelpLink}" - -Um Ihr Online-Büro abzusichern, folgen Sie "diesem Link":"$ControlPanelUrl" - -Mehr Informationen finden Sie in unserem "Help Center":"${__HelpLink}". Hallo! @@ -809,57 +621,6 @@ Sie sind nun ein Gast-Nutzer bei "${__VirtualRootPath}":"${__VirtualRootPath}". Um auf Ihr Online-Office zuzugreifen, folgen Sie "diesem Link":"${__VirtualRootPath}". Besuchen Sie die "offizielle ONLYOFFICE Webseite":"https://www.onlyoffice.com/" wenn Sie Ihr eigenes Online-Office nutzen möchten. - - - Hallo! - -Sie wurden zum sicheren Web-Office Ihres Unternehmens eingeladen, damit Sie mit Ihren Kollegen noch effizienter zusammenarbeiten können. Die Adresse ist "${__VirtualRootPath}":"${__VirtualRootPath}". - -Akzeptieren Sie die Einladung mit diesem "Link":"$ActivateUrl" - -Der Link ist nur für 7 Tage gültig. - -Sie erhalten mehr Tipps für Ihr Online-Büro. Sie können dies jederzeit auf Ihrer Profil-Seite deaktivieren oder wieder aktivieren. - - - Hallo $UserName! - -Wir hoffen, Ihnen gefallen die integrierten ONLYOFFICE Dokumenten-Editoren. Hier sind einige nützliche Tipps: - -*#1. Nutzen Sie erweiterte Formatierungen*. Die Dokumenten-Editoren bieten Ihnen ein Umfangreiches Set an Stil- und Formatierungs-Tools. - -*#2. Teilen Sie Dokumente* mit anderen oder Gruppen. Setzen Sie die Berechtigungen - Nur Lesen, Kommentieren, Formulare ausfüllen, Überprüfen oder voller Zugriff. - -*#3. Setzen die den Modus der gemeinsamen Bearbeitung*. Nutzen Sie während der gemeinsamen Bearbeitung mit Ihren Team den schnellen Modus, um von andern gemachte Änderungen direkt während des Tippens zu sehen. Andernfalls nutzen Sie für mehr Privatsphäre den strikten Modus. "Video ansehen":"https://youtu.be/8z1iLv32J2M" - -*#4. Überprüfen, Kommentieren und Chatten*. Nutzen Sie "Review":"https://youtu.be/D1tbffuQeUA", um Änderungen vorzuschlagen, ohne das Original-Dokument zu verändern. Hier können Sie Kommentare hinzufügen, Ihre Gedanken bzgl. eines bestimmten Abschnitts teilen, oder innerhalb des Dokuments mittels Sofortnachrichten chatten. - -*#5. Verbinden Sie Clouds von Drittanbietern* wie Dropbox oder Google Drive, um alle Dateien an einem Ort zu haben. - -*#6. Nutzen Sie die Apps*. Laden Sie "die kostenlose Desktop-App":"https://www.onlyoffice.com/apps.aspx" heruntern, um unter Windows, Linux oder macOS offline an Dokumenten arbeiten zu können. Um Dokumente mit Mobilgeräten bearbeiten zu können, laden Sie die kostenlose Documents App für "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" oder "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents" herunter. - - - Glückwunsch, $UserName! - -Sie sind dem Online-Büro Ihres Teams unter "${__VirtualRootPath}":"${__VirtualRootPath}" beigetreten. Nun können Sie: - -*Dokumente speichern, verwalten und teilen*. Bilder betrachten, Video oder Audio abspielen. "Erfahren Sie mehr":"${__HelpLink}/gettingstarted/documents.aspx" - -*Mit den ONLYOFFICE Programmen Dokumente, Tabellen und Präsentationen bearbeiten und mit verfassen*. Nutzen Sie hunderte Tools für für Formatierungen und arbeiten Sie effizient zusammen. "Video ansehen":"https://youtu.be/ep1VLGlmsdI" - -*Ihre Aufgaben verwalten*. Nutzen Sie "ONLYOFFICE Projects":"${__HelpLink}/projects.aspx", um Aktivitäten zu planen, Aufgaben und Fristen zu setzen. - -*Kundenbeziehungen*. Bauen Sie Ihre Kunden-Datenbank auf, verwalten Sie Geschäftsprozesse, analysieren Sie die potenzielle Erfolgsquote bei Geschäftsabschlüssen und verfolgen Sie die Verkäufe mit "ONLYOFFICE CRM":"${__HelpLink}/crm.aspx". - -*Persönliche und geteilte Kalender anlegen*. Vereinbaren Sie Besprechungen, setzen Sie Erinnerungen, erstellen Sie To-Do-Listen! "Erfahren Sie mehr":"${__HelpLink}/calendar.aspx" - -*Nutzen Sie das interne Wiki und soziale Netzwerke*. Pflegen Sie eine interne Wissensdatenbank, um neue Mitglieder schnell einbinden zu können. Teilen Sie Ihre Gedanken in Blogs, Foren und Umfrage. "Erfahren Sie mehr":"${__HelpLink}/community.aspx" - -*Verwalten Sie alle E-Mails und erstellen Sie Projekt-Postfächer*. Sammeln Sie Kontakte von verschiedenen Accounts in einem Arbeitsbereich oder bitten Sie Ihren Administrator, ein Firmen-Postfach einzurichten. "Erfahren SIe mehr":"${__HelpLink}/mail.aspx" - -*Mit Talk können Sie Sofortnachrichten austauschen und Dateien schnell teilen*. "Erfahren Sie mehr":"${__HelpLink}/talk.aspx" - -Nutzen Sie folgenden "Link":"${__VirtualRootPath}" für den Zugriff auf Ihr Online-Büro. Hallo, $UserName @@ -945,30 +706,6 @@ Erstellen Sie eine gemeinsame Arbeitsumgebung für Sie und Ihr Team. Registrieren Sie sich für eine 30-Tage-Testversion von ONLYOFFICE "in der Cloud":"https://www.onlyoffice.com/registration.aspx" oder "auf Ihrem Server":"https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" ohne funktionale Einschränkungen und sehen Sie, wie sich Ihr Workflow sofort verbessert! -Mit freundlichen Grüßen, -ONLYOFFICE Team - - - $PersonalHeaderStart Wie man die Sicherheit Ihres Web Offices verbessern kann $PersonalHeaderEnd - -Sind Sie auf der Suche nach Möglichkeiten, Ihre Daten zu schützen? - -h3.Achten Sie auf die zusätzlichen Instrumente für die sichere Aufbewahrung Ihrer Dokumente in unseren privaten Serverlösungen: - -- Erhalten Sie die volle Kontrolle über Ihre Daten mit *einer privaten Cloud* auf Ihrem eigenen Server; - -- Stellen Sie *Zwei-Faktor-Authentifizierung* auf und verwenden Sie *Single Sign-On* mit Diensten von Drittanbietern; - -- Wenden Sie mehrstufige *Login-Sicherheitseinstellungen an*; - -- Überwachen Sie *die Benutzeraktivität* in Ihrem Web-Office; - -- Führen Sie eine manuelle oder automatische *Sicherung* Ihrer Daten durch. - -$GreenButton - -Erfahren Sie mehr darüber, wie ONLYOFFICE Ihre Daten schützt. - Mit freundlichen Grüßen, ONLYOFFICE Team @@ -1098,19 +835,6 @@ Falls Sie einige Fragen haben oder Hilfe brauchen, kontaktieren Sie uns bitte un Mit freundlichen Grüßen, ONLYOFFICE™ Support-Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Ihr ONLYOFFICE wurde erfolgreich deaktiviert. Alle Ihre Daten werden gemäß unserer "Datenschutzerklärung":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0" gelöscht. - -Teilen Sie uns bitte mit, wieso Sie ONLYOFFICE deaktiviert haben. - -$GreenButton - -Vielen Dank! - -Beste Grüße, -ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1305,21 +1029,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^Um den Benachrichtigungstyp zu ändern, verwalten Sie Ihre "Abonnement-Einstellungen":"$RecipientSubscriptionConfigURL".^ - - - Hallo, $UserName! - -Sie haben gerade ein ONLYOFFICE-Portal erstellt, Ihr Cloud-Office für bessere Zusammenarbeit im Team. Seine Adresse ist "${__VirtualRootPath}":"${__VirtualRootPath}". - -Bitte, bestätigen Sie Ihre E-Mail: - -$GreenButton - -Der Link ist 7 Tage gültig. - -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Hallo, $UserName! @@ -1390,19 +1099,6 @@ $GreenButton Bei allen Fragen wenden Sie sich an uns unter sales@onlyoffice.com. -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Sie haben sich bei Ihr ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" seit mehr als 6 Monaten nicht angemeldet. Weil Sie Ihr Online-Office nicht mehr benutzen möchten, wird es mit allen Daten gemäß unserer "Datenschutzerklärung":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0" gelöscht. - -Teilen Sie uns mit, wieso Sie ONLYOFFICE nicht mehr brauchen? Wir freuen uns auf Ihr Feedback! - -$GreenButton - -Wenn Sie jedoch ONLYOFFICE weiter benutzen möchten, wenden Sie sich bitte an unser "Support-Team":"mailto:support@onlyoffice.com". - Beste Grüße, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1457,99 +1153,6 @@ Erhalten Sie kostenlose ONLYOFFICE-Apps für Arbeit an Dokumenten und Projekten # Bearbeiten Sie Dokumente auf mobilen Geräten mit ONLYOFFICE Documents für "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" oder "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Verwalten Sie Projekte auch unterwegs mit ONLYOFFICE Projects für "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hallo, $UserName! - -Wir hoffen, dass Sie ONLYOFFICE gern haben. Hier sind Tipps für effektivere Arbeit dabei. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - -$GreenButton - -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Verbinden Sie Dropbox, Google Drive oder andere Dienste, um Ihre Dateien an einem Ort zu verwalten. - - - *Verbinden Sie Cloud-Dienste von Drittanbietern* - - - Laden Sie die Apps für Dokumentenbearbeitung <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://www.onlyoffice.com/apps.aspx">offline</a> herunter, und Anwendungen für <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://itunes.apple.com/us/app/onlyoffice-documents/id944896972">iOS</a> und <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://play.google.com/store/apps/details?id=com.onlyoffice.documents">Android</a>. - - - *Erhalten Sie Apps* - - - Dokumente sind mit allen anderen Modulen von ONLYOFFICE integriert, Sie müssen jetzt also Dokumente nicht herunterladen und dann noch irgendwohin hochladen. - - - *Fügen Sie Dokumente an Projekte und E-Mails an* - - - Aktivieren Sie bei der Zusammenarbeit in Echtzeit den Schnellmodus, um alle Änderungen gerade während der Eingabe zu sehen oder den Formal-Modus für mehr Datenschutz. - - - *Wählen Sie zwischen den Modi für Zusammenarbeit* - - - Benutzen Sie Inhaltssteuerelemente, um anpassbare Formulare zu erstellen. - - - *Benutzen Sie Inhaltssteuerelemente* - - - Finden Sie die Unterschiede in zwei Versionen eines Dokuments einfacher mit Dokumentenvergleich. - - - *Bemerken Sie Unterschiede schneller* - - - In ONLYOFFICE bekommen Sie eine breite Auswahl an Bearbeitungs- und Formatierungstools. - - - *Entdecken Sie erweiterte Formatierung* - - - Wählen Sie Überprüfung aus, um Änderungen vorzuschlagen, ohne die ursprüngliche Version zu modifizieren, Kommentare in bestimmten Bereichen hinzuzufügen oder über Sofortnachrichten in Ihrem Dokument zu chatten. - - - *Benutzen Sie Überprüfung, Kommentare und Chat* - - - Teilen Sie Dokumente Benutzern oder Gruppen mit. Wählen Sie zwischen verschiedenen Zugriffsrechten - Schreibgeschützt, Kommentare, Ausfüllen von Formularen, Überprüfung oder volle Zugriff. - - - *Geben Sie Dokumente frei* - - - Arbeiten Sie einfacher an Tabellenkalkulationen mit Tabellenansichten. Diese ermöglichen Erstellung von Filtern, die nur Ihre Ansicht der Daten ändern, ohne Ihr Team zu stören. - - - *Arbeiten Sie an Tabellenkalkulationen einfacher zusammen* - - - Hallo, $UserName! - -Testen Sie ONLYOFFICE-Cloud für Business 30 Tage kostenlos: - -# *Fügen Sie bis zu 30 Benutzer* mit 100 GB pro User hinzu. Nach dem Einkauf des Abonnements können Sie eine beliebige Anzahl von Benutzern hinzufügen. -# *Passen Sie Ihr Online-Office an*, so dass es den Stil Ihrer Marke entspricht. -# *Bearbeiten Sie eine beliebige Anzahl von Dokumenten*, Tabellenkalkulationen und Präsentationen gleichzeitig. -# *Erhöhen Sie Sicherheit:* aktivieren Sie 2FA und automatische Backups, verfolgen Sie Benutzeraktivität. -# *Integrieren Sie ONLYOFFICE in Ihre Infrastruktur:* Verwenden Sie LDAP, SSO und Ihre Domainnamen als Portaladresse. -# *Verbinden Sie Apps für effektive Arbeit:* Twilio, DocuSign usw. - -Wenn Sie Anweisungen zum Konfigurieren / Verwenden von ONLYOFFICE benötigen, besuchen Sie unser "Hilfe-Center":"${__HelpLink}"! - -Sie können ein Abonnement auf der "Zahlungsseite":"$PricingPage" erwerben oder uns bitten, Ihre Testversion zu verlängern, wenn Sie mehr Zeit zum Testen benötigen. - Beste Grüße, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1582,39 +1185,6 @@ $GreenButton Bei Schwierigkeiten besuchen Sie unser "Hilfe-Center":"${__HelpLink}". -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hallo! - -Sie wurden zu ONLYOFFICE unter "${__VirtualRootPath}":"${__VirtualRootPath}" als Gast eingeladen. Akzeptieren Sie die Einladung durch einen Klick auf folgenden Link: - -$GreenButton - -Sie erhalten bald mehr Tipps für Ihr Online-Büro. Sie können dies jederzeit auf Ihrer Profil-Seite deaktivieren oder wieder aktivieren. - -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hallo, $UserName! - -Willkommen auf ONLYOFFICE! Ihr Profil wurde auf dem Portal unter "${__VirtualRootPath}":"${__VirtualRootPath}" erfolgreich hinzugefügt. Jetzt können Sie: - -# "Dokumente":"${__VirtualRootPath}/Products/Files/" estellen, bearbeiten, freigeben und daran in Echtzeit zusammenarbeiten. -# Ihre E-Mail-Konten hinzufügen und Korrespondenz an einem Ort mit "E-Mail":"${__VirtualRootPath}/addons/mail/" verwalten. -# Workflow mit "Projekten":"${__VirtualRootPath}/Products/Projects/" verwalten und Kundenbeziehungen mit "CRM":"${__VirtualRootPath}/Products/CRM/" verfolgen. -# "Community":"${__VirtualRootPath}/Products/Community/" verwenden, um eigene Blogs und Foren zu starten, Ereignisse hinzuzufügen und Lesezeichen freizugeben. -# Arbeitspläne mit dem integrierten "Kalender":"${__VirtualRootPath}/addons/calendar/" organisieren. -# "Chat":"${__VirtualRootPath}/addons/talk/" verwenden, um Sofortnachrichten auszutauschen. - -$GreenButton - -Bei Schwierigkeiten besuchen Sie unser "Hilfe-Center":"${__HelpLink}" oder wenden Sie sich an unser "Support-Team":"https://support.onlyoffice.com". - Beste Grüße, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1744,9 +1314,6 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Änderung der Portaladresse - - Bestätigen Sie Ihre E-Mail - Passen Sie ONLYOFFICE an @@ -1768,12 +1335,6 @@ Dieser Link ist nur 7 Tage gültig. Laden Sie kostenlose ONLYOFFICE-Apps herunter - - 7 Tipps für eine effektive Arbeit an Ihren Dokumenten - - - Machen Sie ONLYOFFICE sicherer - Nützliche Informationen von ONLYOFFICE Team @@ -1783,15 +1344,6 @@ Dieser Link ist nur 7 Tage gültig. Willkommen in Ihrem Web-Office - - ${__VirtualRootPath} beitreten - - - Willkommen in Ihrem Web-Office - - - Bestätigen Sie Ihre E-Mail - Passen Sie Ihr Web-Office an @@ -1801,21 +1353,12 @@ Dieser Link ist nur 7 Tage gültig. Ihre Benachrichtigung über Erneuerung für Web-Office - - Machen Sie Ihr Online-Office sicherer - ${__VirtualRootPath} beitreten Willkommen in Ihrem Web-Office - - ${__VirtualRootPath} beitreten - - - Willkommen in Ihrem Web-Office - Benutzermeldung an Administratoren @@ -1838,30 +1381,12 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Eine andere Region Portalsmigration ist erfolgreich abgeschlossen - - Bestätigen Sie Ihre E-Mail-Adresse - - - 5 Tipps zum effektiven Bearbeiten Ihrer Dokumente - - - Machen Sie ONLYOFFICE sicherer - ${__VirtualRootPath} beitreten Willkommen in Ihrem Web-Office - - ${__VirtualRootPath} beitreten - - - 6 Tipps zum effektiven Bearbeiten Ihrer Dokumente - - - Willkommen in Ihrem Web-Office - Willkommen auf ONLYOFFICE für persönlichen Gebrauch @@ -1874,9 +1399,6 @@ Dieser Link ist nur 7 Tage gültig. Brauchen Sie mehr Funktionen? Probieren Sie ONLYOFFICE für Teams - - Laden Sie kostenlose ONLYOFFICE-Apps herunter - Verbinden Sie Ihren beliebigen Cloud-Speicher mit ONLYOFFICE @@ -1892,9 +1414,6 @@ Dieser Link ist nur 7 Tage gültig. Löschen des Portals ${__VirtualRootPath} - - ONLYOFFICE wurde deaktiviert - ${LetterLogoText}. Änderung der Postadresse @@ -1931,9 +1450,6 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Wiederherstellung startet - - Bestätigen Sie Ihre E-Mail - Tipps für effektivere Arbeit @@ -1943,9 +1459,6 @@ Dieser Link ist nur 7 Tage gültig. Aktivieren Sie den Business-Tarifplan erneut mit 20% Rabatt - - Ihr ONLYOFFICE wird gelöscht - Benachrichtigung über Verlängerung des Abos @@ -1958,24 +1471,12 @@ Dieser Link ist nur 7 Tage gültig. Laden Sie kostenlose ONLYOFFICE-Apps herunter - - 7 Tipps für eine effektive Arbeit an Ihren Dokumenten - - - Willkommen auf ONLYOFFICE! - ${__VirtualRootPath} beitreten Willkommen auf ONLYOFFICE - - ${__VirtualRootPath} beitreten - - - Willkommen auf ONLYOFFICE - ${__VirtualRootPath} Benachrichtigung über die Profiländerung des Portals diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx index a9e0db947d..68fc7b2ad4 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx @@ -124,21 +124,12 @@ ${LetterLogoText}. Ειδοποίηση ασφάλειας - - Επιβεβαίωση email - Προσκαλέστε τους συνεργάτες σας - - Επιβεβαίωση email - Μήνυμα χρήστη προς τους διαχειριστές - - Επιβεβαίωση email - ONLYOFFICE Personal. Παρακαλώ ενεργοποιείστε τη διεύθυνση email σας @@ -157,9 +148,6 @@ ${LetterLogoText}. Η αποκατάσταση ξεκίνησε - - Επιβεβαιώστε το email σας - ${LetterLogoText}. Η διαδικασία κρυπτογράφησης ξεκίνησε diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index fa968baeaf..9ccf74c8af 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -53,10 +53,10 @@ 2.0 - System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 El blog se ha creado en @@ -284,21 +284,6 @@ Por favor, siga el siguiente enlace para confirmar la operación: $GreenButton *Note*: este enlace tiene una validez sólo de 7 días. Por favor, complete el proceso de cambio de dirección del portal dentro de ese período. - - - ¡Hola, $UserName! - -Usted acaba de crear el portal ONLYOFFICE, oficina en la nube de su equipo que mejorará la cooperación interna. La dirección es "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme su correo electrónico: - -$GreenButton - -Usted puede cambiar su correo electrónico o contraseña en la "página de su perfil personal":"$MyStaffLink". - -Para enviar notificaciones usamos los ajustes SMTP del servidor de correo de ONLYOFFICE. Para cambiarlos, por favor, siga las instrucciones "aquí":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Encuentre más información sobre ONLYOFFICE en nuestro "Centro de Ayuda":"${__HelpLink}". ¡Hola, $UserName! @@ -407,38 +392,6 @@ Obtenga las aplicaciones de ONLYOFFICE gratuitas para trabajar en documentos y p # Para trabajar en documentos offline en Windows, Linux y Mac, descargue "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/es/apps.aspx". # Para editar documentos en dispositivos móviles, instale la aplicación ONLYOFFICE Documents para "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Para gestionar funcionamiento de su equipo sobre la marcha, obtenga la aplicación ONLYOFFICE Projects para "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - - - ¡Hola, $UserName! - -Esperamos que disfrute usando los editores de documentos disponibles en su oficina web. Aquí están algunos consejos sobre cómo hacer su trabajo más eficaz. - -$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm - - - ¡Hola $UserName! - -Lea aquí lo que puede realizar para hacer su oficina web aún más segura: - -*Obtenga un certificado SSL* si va a proporcionar no sólo acceso local al portal sino acceso externo para sus usuarios. Genere un certificado nuevo y firmado en el Panel de Control o cómprelo de un proveedor de confianza. - -*Habilite copias de seguridad automáticas* en el Panel de Control. También recomendamos usar servicios de terceros y hacer una copia de seguridad del servidor con ONLYOFFICE instalado de vez en cuando. Encuentre las instrucciones en nuestro "Centro de Ayuda":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Ajuste la configuración de seguridad del portal*: restrinja el acceso usando lista blanca de IP, especifique dominios de correo electrónico de confianza, establezca longitud de contraseña y aún más. "Más información >>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx" - -*Habilite autenticación de dos factores* vía SMS o aplicación de autenticación. Encuentre las instrucciones "aquí":"${__HelpLink}/guides/two-factor-authentication.aspx". - -*Use LDAP para la centralización de acceso*. Fácilmente importe usuarios y grupos necesarios de su servidor LDAP (e.g. OpenLDAP Server o Microsoft Active Directory) en su portal. Aprenda más "aquí":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Use su propio SMPT*. De forma predeterminada notificaciones para usuarios de ONLYOFFICE Workspace (por ejemplo, si ellos reciben acceso a un documento) se proporcionan mediante el servidor estándar de ONLYOFFICE SMPT. Configure su propio servidor SMTP para que sus notificaciones no pasen mediante cualquier servidor de tercera parte. "Instrucciones >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Cierre todos los puertos innecesarios*. El listado de todos los puertos que deben ser abiertos para ONLYOFFICE está "aquí":"${__HelpLink}/server/docker/community/open-ports.aspx". - -Haga su ONLYOFFICE más seguro ahora. - -Para acceder a su oficina web, siga el "enlace":"$ControlPanelUrl" - -Encuentre más información en nuestro "Centro de Ayuda":"${__HelpLink}". ¡Estimado/a $UserName! @@ -471,45 +424,6 @@ Su perfil de invitado ha sido agregado con éxito al "${__VirtualRootPath}":"${_ Para acceder a su oficina web, siga el enlace $GreenButton - - - ¡Hola, $UserName! - -Le invitamos a unirse a la oficina web segura de su empresa que mejorará su colaboración. Su dirección es "${__VirtualRootPath}":"${__VirtualRootPath}". - -Acepte la invitación haciendo clic en el enlace - -$GreenButton - -El enlace es válido solo durante 7 días. - -Usted obtendrá más consejos sobre cómo usar su oficina web. Usted puede cancelar las suscripciones así como re-activarlas en la página de su Perfil en cualquier momento. - - - ¡Hola, $UserName! - -Su perfil de usuario ha sido agregado con éxito al portal en "${__VirtualRootPath}":"${__VirtualRootPath}". Ahora usted puede: - -1. Crear y editar Documentos, compartirlos con compañeros de equipo y colaborar en tiempo real. -2. Añadir sus cuentas de correo y gestionar toda la correspondencia en un sólo lugar con Correo. -3. Gestionar su flujo de trabajo con Proyectos y relaciones con sus clientes usando CRM. -4. Usar Comunidad para iniciar sus blogs, foros, añadir eventos, compartir marcadores. -5. Organizar su horario de trabajo con el Calendario incorporado. -6. Usar el Chat para intercambiar mensajes instantáneos. - -Para acceder a su oficina web, siga el enlace -$GreenButton - - - ¡Estimado/a $UserName! - -Usted acaba de crear su oficina web corporativa, oficina en la nube de su equipo que mejorará la cooperación interna. La dirección es "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme su email: - -$GreenButton - -Usted puede cambiar su email o contraseña en la "página de su perfil personal":"$MyStaffLink". ¡Hola, $UserName! @@ -537,27 +451,6 @@ Note, por favor, que su suscripción para oficina web expira hoy. Para prolongar Haga clic en el enlace abajo para iniciar el proceso de renovación: "Página de precios":"$PricingPage" - - - ¡Estimado/a $UserName! - -Lea aquí lo que puede realizar para hacer su oficina web aún más segura: - -*Obtenga un certificado SSL* si va a proporcionar no solo acceso local al portal sino acceso externo para sus usuarios. Genere un certificado nuevo y firmado en el Panel de Control o cómprelo de un proveedor de confianza. - -*Active copias de seguridad automáticas* en el Panel de Control. También recomendamos usar servicios de terceros y hacer una copia de seguridad del servidor de vez en cuando. - -*Ajuste la configuración de seguridad del portal*: restrinja el acceso usando lista blanca de IP, especifique dominios de correo electrónico de confianza, establezca longitud de contraseña y aún más. - -*Active autenticación de dos factores* vía SMS o aplicación de autenticador. - -*Use LDAP para centralización de acceso*. Fácilmente importe usuarios y grupos necesarios de su servidor LDAP (e.g. OpenLDAP Server o Microsoft Active Directory) en su portal. - -*Use propio SMPT* y cierre todos los puertos innecesarios. - -Haga su oficina en línea más seguro ahora. - -$GreenButton ¡Buen día, $UserName! @@ -581,33 +474,6 @@ Su perfil de invitado ha sido agregado con éxito al "${__VirtualRootPath}":"${_ # Organizar su horario con el "Calendario" incorporado:"${__VirtualRootPath}/addons/calendar/". # Usar "Chat":"${__VirtualRootPath}/addons/talk/" para intercambiar mensajes instantáneos. -$GreenButton - - - ¡Buen día, $UserName! - -$__AuthorName le ha invitado a unirse a la oficina web segura y fiable de su empresa que mejorará su colaboración. La dirección es "${__VirtualRootPath}":"${__VirtualRootPath}". - -Acepte la invitación haciendo clic en el enlace: - -$GreenButton - -El enlace es válido solo durante 7 días. - -Usted obtendrá más consejos sobre cómo usar su oficina web. Usted puede cancelar las suscripciones así como re-activarlas en la página de su Perfil en cualquier momento. - - - ¡Hola, $UserName! - -¡Bienvenido/a a ONLYOFFICE! Su perfil de usuario ha sido agregado con éxito al portal en "${__VirtualRootPath}":"${__VirtualRootPath}". Ahora Usted puede: - -# Crear y editar "Documentos":"${__VirtualRootPath}/Products/Files/", compartirlos con compañeros de equipo y colaborar en tiempo real. -# Añadir sus cuentas de correo y gestionar toda la correspondencia en un sólo lugar con "Correo":"${__VirtualRootPath}/addons/mail/". -# Gestionar su flujo de trabajo con "Proyectos":"${__VirtualRootPath}/Products/Projects/" y relaciones con sus clientes usando "CRM":"${__VirtualRootPath}/Products/CRM/". -# Usar "Comunidad":"${__VirtualRootPath}/Products/Community/" para iniciar sus blogs, foros, añadir eventos, compartir marcadores. -# Organizar su horario de trabajo con el "Calendario" incorporado:"${__VirtualRootPath}/addons/calendar/". -# Usar "Chat":"${__VirtualRootPath}/addons/talk/" para intercambiar mensajes instantáneos. - $GreenButton @@ -726,59 +592,6 @@ $GreenButton *Nota*: este enlace es válido sólo durante 7 días. Por favor, complete el proceso de restablecimiento de acceso dentro de ese período. Si ha recibido este correo electrónico por error, ignórelo o póngase en contacto con el administrador de su portal "$PortalUrl":"$PortalUrl" para conocer los detalles. - - - ¡Hola, $UserName! - -Usted acaba de crear el portal ONLYOFFICE, la oficina en la nube de su equipo que mejoraría la cooperación interna. Su dirección es "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme su correo electrónico siguiendo el "enlace":"$ActivateUrl". - -Puede cambiar su correo electrónico o contraseña en su "página de perfil personal":"$MyStaffLink". - -Para enviar notificaciones, utilizamos los ajustes SMTP del servidor de correo de ONLYOFFICE. Para cambiarlos, siga las instrucciones "aquí":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Más información en el "Centro de Ayuda":"${__HelpLink}". - - - ¡Hola, $UserName! - -Esperamos que usted disfrute usando los editores integrados de documentos ONLYOFFICE. Aquí hay algunos consejos que pueden ser útiles: - -*#1. Comparta documentos* con individuos y grupos. Elija su nivel de acceso: Sólo lectura, Comentario, Relleno de formulario, Revisión o Acceso completo. Deje que otros usuarios apliquen sus propios filtros en las hojas de cálculo sin molestar a los coautores. Restrinja la descarga e impresión usando "ONLYOFFICE API":"https://api.onlyoffice.com/editors/config/document/permissions". - -*#2. Conozca cómo funciona el guardado de documentos* y ajústelo a sus propias necesidades. "Más información":"https://www.onlyoffice.com/blog/2020/04/save-and-force-save-in-onlyoffice-never-lose-a-document/" - -*#3. Obtenga ayuda* de la comunidad creando temas en "GitHub":"https://github.com/ONLYOFFICE/DocumentServer/issues" o haciendo preguntas en "nuestro foro":"https://dev.onlyoffice.org/". También puede comprar una suscripción al soporte premium o simplemente pedir ayuda a nuestro equipo de soporte en ciertos casos. "Más información":"https://github.com/ONLYOFFICE/DocumentServer/issues" - -*#4. Obtenga las aplicaciones gratuitas*. Para trabajar en documentos offline en Windows, Linux y MacOS, descargue "esta aplicación de escritorio gratuita":"https://www.onlyoffice.com/es/apps.aspx". Para editar documentos en dispositivos móviles, obtenga la aplicación gratuita de documentos para "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - -*#5. Active las salas privadas para la colaboración cifrada*. Todos los documentos almacenados en estas salas, así como la transferencia de datos mientras la colaboración, están encriptados mediante el algoritmo de encriptación AES-256 para evitar accesos no deseados. "Más información":"${__HelpLink}". - - - ¡Hola, $UserName! - -Esto es lo que puede hacer para que su oficina web sea aún más segura: - -*Obtenga un certificado SSL* si va a proporcionar a sus usuarios un acceso al portal no sólo local sino también externo. Genere un nuevo certificado firmado en el Panel de Control o adquiera uno del proveedor de su confianza. - -*Habilite las copias de seguridad automáticas* en el Panel de Control. También le recomendamos que utilice servicios de terceros y haga una copia de seguridad del servidor con ONLYOFFICE instalado de vez en cuando. Instrucciones en nuestro "Centro de Ayuda":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Ajuste la configuración de seguridad del portal*: restrinja el acceso mediante listas blancas de IP, especifique los dominios de correo de confianza, establezca la longitud de la contraseña y más. "Más informatión>>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx?_ga=2.111477636.160074001.1555312634-699576329.1539952318" - -*Habilite la autenticación de dos factores* a través de SMS o una aplicación de autenticación. Instructions "aquí":"${__HelpLink}/guides/two-factor-authentication.aspx?_ga=2.115795846.160074001.1555312634-699576329.1539952318". - -*Utilice el LDAP para la centralización del acceso*. Importe fácilmente los usuarios y grupos necesarios desde su servidor LDAP (por ejemplo, OpenLDAP Server o Microsoft Active Directory) a su portal. Más información "aquí":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Utilice su propio SMPT*. Por defecto, las notificaciones para los usuarios (por ejemplo, si se les concede acceso a un documento) se proporcionan mediante el servidor SMPT estándar de ONLYOFFICE. Configure su propio servidor SMTP para que sus notificaciones no pasen por ningún servidor de terceros. "Instrucciones>>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Cierre todos los puertos innecesarios*. La lista de todos los puertos que deben abrirse para ONLYOFFICE está "aquí":"${__HelpLink}/server/docker/community/open-ports.aspx". - -*Cifre sus datos en reposo*. Para ello, siga "las instrucciones":"${__HelpLink}". Si quiere proteger el proceso de colaboración, active las Salas Privadas. "Más información":"${__HelpLink}" - -Para hacer su ONLYOFFICE más seguro, siga el "enlace":"$ControlPanelUrl" - -Más información en nuestro "Centro de Ayuda":"${__HelpLink}". ¡Hola! @@ -809,57 +622,6 @@ Ahora usted es un usuario invitado en "${__VirtualRootPath}":"${__VirtualRootPat Para acceder a su oficina web, siga "el enlace":"${__VirtualRootPath}". Si desea crear su propia oficina web, visite "el sitio web oficial de ONLYOFFICE":"https://www.onlyoffice.com/". - - - ¡Hola! - -Está invitado a unirse a la oficina web segura de su empresa que mejorará su colaboración. Su dirección es "${__VirtualRootPath}":"${__VirtualRootPath}". - -Acepte la invitación siguiendo el "enlace":"$ActivateUrl" - -El enlace sólo es válido durante 7 días. - -Recibirá más consejos sobre cómo usar su oficina web. Puede cancelar las suscripciones en su página de perfil en cualquier momento, así como volver a activarlas. - - - ¡Hola, $UserName! - -Esperamos que usted disfrute usando los editores integrados de documentos ONLYOFFICE. Aquí hay algunos consejos que pueden ser útiles: - -*#1. Explore el formato avanzado*. Los editores de documentos le proporcionan el conjunto más completo de herramientas de estilo y formato. - -*#2. Comparta documentos* con personas o grupos de usuarios. Elija su nivel de acceso: Sólo lectura, Comentario, Relleno de formulario, Revisión o Acceso completo. - -*#3. Elija el modo de coedición*. Mientras co-edita un documento con su equipo en tiempo real, cambie al modo Rápido para ver los cambios que su co-autor está escribiendo o al modo Estricto para obtener más privacidad. "Vea el video":"https://youtu.be/8z1iLv32J2M" - -*#4. Revise, comente y charle*. Utilice "Revisión":"https://youtu.be/D1tbffuQeUA" para sugerir cambios sin modificar el documento original, añade comentarios para compartir sus pensamientos sobre un extracto específico o chatee dentro de su documento a través de mensajes instantáneos. - -*#5. Conecte nubes de terceros*, como Dropbox o Google Drive, para administrar sus archivos en un solo lugar. - -*#6. Obtenga las aplicaciones*. Para trabajar en documentos offline en Windows, Linux y MacOS, descargue "esta aplicación de escritorio gratuita":"https://www.onlyoffice.com/es/apps.aspx". Para editar documentos en dispositivos móviles, obtenga la aplicación gratuita de documentos para "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - - - Felicitaciones, $UserName! - -Se ha unido oficialmente a la oficina web de su equipo en "${__VirtualRootPath}":"${__VirtualRootPath}". Ahora puede: - -*Almacenar, gestionar y compartir documentos*. Ver fotos, reproducir videos y audios. "Conozca más":"${__HelpLink}/gettingstarted/documents.aspx" - -*Editar y ser coautor de documentos, hojas de cálculo y presentaciones* usando los editores integrados de ONLYOFFICE. Utilice cientos de herramientas de formato y colabore eficientemente. "Vea el video":"https://youtu.be/ep1VLGlmsdI" - -*Manejar sus tareas*. Use "ONLYOFFICE Proyectos":"${__HelpLink}/projects.aspx" para planificar actividades, establecer tareas y plazos. - -*Relaciones con los clientes*. Construya su base de datos de clientes, gestione los procesos de negocio, analice la tasa de éxito potencial de las operaciones y haga un seguimiento de las ventas con "ONLYOFFICE CRM":"${__HelpLink}/crm.aspx". - -*Crear calendarios personales y compartidos*. ¡Organice reuniones, establezca recordatorios, cree listas de cosas por hacer! "Conozca más":"${__HelpLink}/calendar.aspx" - -*Utilizar la wiki interna y la red social*. Mantenga una base de conocimientos interna para ayudar a los nuevos miembros a involucrarse rápidamente. Comparta sus pensamientos en blogs, foros y encuestas. "Conozca más":"${__HelpLink}/community.aspx" - -*Manejar todos los correos electrónicos y crear buzones de proyectos*. Recopile la correspondencia de diferentes cuentas en un espacio de trabajo o pida a su administrador que cree un nuevo buzón corporativo. "Conozca más":"${__HelpLink}/mail.aspx" - -*Intercambiar mensajes instantáneos* y compartir rápidamente los archivos mediante Talk. "Conozca más":"${__HelpLink}/talk.aspx" - -Para acceder a su oficina web, siga el "enlace":"${__VirtualRootPath}". Hola, $Usuario @@ -950,18 +712,6 @@ Cree un único espacio de trabajo colaborativo para usted y sus compañeros de e Atentamente, Equipo ONLYOFFICE - - - $PersonalHeaderStart Obtenga aplicaciones gratuitas de ONLYOFFICE $PersonalHeaderEnd - -h3.¿Necesita editar documentos sobre la marcha? ¿Busca una aplicación fiable que le permita trabajar offline cuando la conexión a Internet es inestable? Consiga las aplicaciones gratuitas de ONLYOFFICE para editar archivos desde cualquiera de sus dispositivos. - -- Para trabajar en documentos offline en Windows, Linux y macOS, descargue "ONLYOFFICE Desktop Editors": "https://www.onlyoffice.com/es/download-desktop.aspx". - -- Para editar documentos en dispositivos móviles, consiga la aplicación ONLYOFFICE Documents para "iOS": "https://apps.apple.com/us/app/onlyoffice-documents/id944896972" o "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - -Atentamente, -Equipo de ONLYOFFICE $PersonalHeaderStart Conecte su almacenamiento en la nube al portal ONLYOFFICE $PersonalHeaderEnd @@ -1092,19 +842,6 @@ Si usted tiene alguna pregunta o necesita ayuda no dude en contactar con nosotro Atentamente, Equipo de Soporte ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" - - - Su ONLYOFFICE ha sido desactivado con éxito. Por favor, tenga en cuenta que todos sus datos se eliminarán de acuerdo con "nuestra declaración de privacidad":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -¿Por qué usted ha decidido abandonar ONLYOFFICE? Comparta su experiencia con nosotros. - -$GreenButton - -¡Gracias y mucha suerte! - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"https://www.onlyoffice.com/es/" Eliminación del portal [${__VirtualRootPath}](${__VirtualRootPath}) @@ -1289,21 +1026,6 @@ Equipo de Asistencia ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para cambiar el tipo de notificación, por favor administre su "configuración de la suscripción":"$RecipientSubscriptionConfigURL".^ - - - ¡Hola, $UserName! - -Usted acaba de crear el portal ONLYOFFICE, la oficina en la nube de su equipo, que mejorará la cooperación interna. Su dirección es "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme su correo electrónico: - -$GreenButton - -El enlace será válido durante 7 días. - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"https://www.onlyoffice.com/es/" ¡Hola, $UserName! @@ -1370,19 +1092,6 @@ $GreenButton Si usted tiene preguntas, póngase en contacto con nosotros a través de sales@onlyoffice.com. -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Usted no ha entrado en su ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" durante más de 6 meses. Dado que ha decidido no utilizarlo más, su oficina web y todos los datos serán eliminados de acuerdo con "nuestra Declaración de Privacidad":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Nos gustaría conocer su opinión. ¿Por qué ha decidido dejar de usar ONLYOFFICE? - -$GreenButton - -Si usted cree que esto es un error y quiere seguir utilizando ONLYOFFICE, por favor, póngase en contacto con nuestro "equipo de apoyo":"https://helpdesk.onlyoffice.com". - Cordialmente, Equipo de ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1439,98 +1148,6 @@ Obtenga las aplicaciones gratuitas de ONLYOFFICE para trabajar en documentos y p Atentamente, Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - ¡Hola, $UserName! - -Esperamos que le guste usar los editores de ONLYOFFICE. Aquí hay algunos consejos sobre cómo utilizarlos con más eficacia. - -$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm - -$GreenButton - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Conecte Dropbox, Google Drive u otros servicios para gestionar sus archivos en un solo lugar. - - - *Conecte las nubes de terceros* - - - Cree formularios listos para rellenar junto con sus compañeros de equipo, deje que otros usuarios los rellenen y guarde los formularios como archivos PDF. "Más información": "https://helpcenter.onlyoffice.com/es/userguides/docs-index.aspx" - - - *Cree formularios listos para rellenar* - - - El módulo Documentos está integrado con todos los demás módulos de ONLYOFFICE, por lo que se olvidará de descargar documentos y subirlos a otro lugar para siempre. - - - *Adjunte documentos a los proyectos y correos electrónicos* - - - Al coeditar un documento con su equipo en tiempo real, cambie al modo Rápido para ver los cambios cuando su coautor está escribiendo o al modo Estricto para obtener más privacidad. - - - *Elija el modo de coedición* - - - Cree y coedite "formularios de documentos rellenables": "https://www.onlyoffice.com/es/form-creator.aspx" en línea, deje que otros usuarios los rellenen, guarde los formularios como archivos PDF. - - - *Cree formularios de aspecto profesional* - - - Encuentre rápidamente las diferencias entre dos versiones del mismo documento con la característica de comparación de documentos. - - - *Encuentre rápidamente las diferencias* - - - ONLYOFFICE le ofrece el conjunto más completo de herramientas de estilo y formato. "Más información": "https://helpcenter.onlyoffice.com/es/userguides/docs-index.aspx" - - - *Explore el formato avanzado* - - - Utilice la característica de revisión para sugerir cambios sin modificar el documento original, añadir comentarios y etiquetar a otros usuarios para que expresen su opinión. Intercambie mensajes instantáneos a través del chat integrado o de Telegram, y realice videollamadas con Jitsi. - - - *Revise, comente y charle* - - - Comparta documentos con individuos o grupos de usuarios. Elija su nivel de acceso: sólo lectura, comentarios, relleno de formularios, revisión o acceso total. Para proteger los documentos, puede restringir su impresión, descarga, copia y uso compartido. - - - *Comparta documentos* - - - Colabore cómodamente en las hojas de cálculo con la característica Vista de hoja que le permite crear un filtro que sólo cambia su vista de los datos, sin afectar a su equipo. - - - *Colabore cómodamente en hojas de cálculo* - - - ¡Hola, $UserName! - -Pruebe ONLYOFFICE Business cloud durante 30 días gratis: - -# *Edite un número ilimitado de documentos*, hojas, diapositivas y formularios simultáneamente. -# *Personalice el estilo de su oficina en línea* para que coincida con su marca. -# *Garantice la seguridad:* habilite 2FA, configure copias de seguridad automáticas, controle las acciones de los usuarios. -# *Intégrelo con su infraestructura:* utilice LDAP, SSO y su nombre de dominio para la dirección del portal. -# *Conecte aplicaciones para un trabajo productivo:* Twilio, DocuSign, etc. - -Si necesita instrucciones para configurar/usar ONLYOFFICE, visite nuestro "Centro de Ayuda":"${__HelpLink}"! - -Usted puede comprar una suscripción en la "Página de Pagos":"$PricingPage" o pedirnos que extendamos su prueba si usted necesita más tiempo para probarlo todo. - -Cordialmente, -Equipo de ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1564,39 +1181,6 @@ Si usted necesita ayuda, navegue por nuestro "Centro de Ayuda":"${__HelpLink}". Cordialmente, Equipo de ONLYOFFICE www.onlyoffice.com":"http://onlyoffice.com/" - - - ¡Hola! - -Le invitamos a unirse a ONLYOFFICE en "${__VirtualRootPath}":"${__VirtualRootPath}". Acepte la invitación haciendo clic en el enlace: - -$GreenButton - -También le enviaremos los consejos útiles y las últimas noticias de ONLYOFFICE de vez en cuando. Usted puede cancelar las suscripciones en su página de perfil en cualquier momento, así como volver a activarlas. - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"https://www.onlyoffice.com/es/" - - - ¡Hola, $UserName! - -¡Bienvenido/a a ONLYOFFICE! Su perfil de usuario ha sido añadido con éxito al portal en "${__VirtualRootPath}":"${__VirtualRootPath}". Ahora usted puede: - -1. Crear y editar "Documentos":"${__VirtualRootPath}/Products/Files/", compartirlos con sus compañeros de equipo y colaborar en tiempo real. -2. Añadir sus cuentas de correo electrónico y gestionar toda la correspondencia en un solo lugar con "Correo":"${__VirtualRootPath}/addons/mail/". -3. Gestionar su flujo de trabajo con "Proyectos":"${__VirtualRootPath}/Products/Projects/" y sus relaciones con los clientes utilizando "CRM":"${__VirtualRootPath}/Products/CRM/". -4. Utilizar "Comunidad":"${__VirtualRootPath}/Products/Community/" para iniciar sus blogs, foros, añadir eventos y compartir marcadores. -5. Organizar su agenda de trabajo con "Calendario":"${__VirtualRootPath}/addons/calendar/". -6. Usar "Chat":"${__VirtualRootPath}/addons/talk/" para intercambiar mensajes instantáneos. - -$GreenButton - -Si usted necesita ayuda, navegue por nuestro "Centro de Ayuda":"${__HelpLink}" o pregúntele a nuestro "equipo de soporte":"https://helpdesk.onlyoffice.com"". - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" h1.Notificación de cambio de perfil en el portal "${__VirtualRootPath}":"${__VirtualRootPath}" @@ -1724,9 +1308,6 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Cambio de dirección de portal - - Confirme su email - Personalice ONLYOFFICE @@ -1748,12 +1329,6 @@ El enlace es válido solo durante 7 días. Obtenga aplicaciones gratuitas para ordenadores y móviles - - 7 consejos para trabajar eficazmente en sus documentos - - - Haga su ONLYOFFICE más seguro - Siga noticias del equipo de ONLYOFFICE @@ -1763,15 +1338,6 @@ El enlace es válido solo durante 7 días. Bienvenido a su oficina web - - Únase a ${__VirtualRootPath} - - - Bienvenido a su oficina web - - - Confirme su email - Personalice su oficina web @@ -1781,21 +1347,12 @@ El enlace es válido solo durante 7 días. Notificación de renovación de su oficina web - - Haga su oficina en línea más segura - Únase a ${__VirtualRootPath} Bienvenido a su oficina web - - Únase a ${__VirtualRootPath} - - - Bienvenido a su oficina web - Mensaje de usuario para los administradores @@ -1817,30 +1374,12 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Otra migración de portal de región ha completado con éxito - - Confirme su email - - - 5 consejos para trabajar con documentos eficazmente - - - Haga su ONLYOFFICE más seguro - Únase a ${__VirtualRootPath} Bienvenido a su oficina web - - Únase a ${__VirtualRootPath} - - - 6 consejos para trabajar de forma efectiva en sus documentos - - - Bienvenido a su oficina web - ¡Bienvenido a ONLYOFFICE para uso personal! @@ -1853,9 +1392,6 @@ El enlace es válido solo durante 7 días. ¿Necesita más características? Pruebe ONLYOFFICE para equipos - - Obtenga las aplicaciones de ONLYOFFICE gratuitas - Conecte su almacenaje de la nube preferido con ONLYOFFICE @@ -1871,9 +1407,6 @@ El enlace es válido solo durante 7 días. Eliminación del portal ${__VirtualRootPath} - - ONLYOFFICE ha sido desactivado - ${LetterLogoText}. Cambio de dirección de portal @@ -1910,9 +1443,6 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Restauración ha comenzado - - Confirme su correo electrónico - Consejos para trabajar cómodamente @@ -1922,9 +1452,6 @@ El enlace es válido solo durante 7 días. Reactive Business y ahorre un 20% del precio - - Su ONLYOFFICE se eliminará - Notificación de renovación @@ -1937,24 +1464,12 @@ El enlace es válido solo durante 7 días. Obtenga las aplicaciones de ONLYOFFICE gratuitas - - 7 consejos para trabajar eficazmente en sus documentos - - - ¡Bienvenido/a a ONLYOFFICE! - Únase a ${__VirtualRootPath} Bienvenido/a a su ONLYOFFICE - - Únase a ${__VirtualRootPath} - - - Bienvenido/a a su ONLYOFFICE - Notificación de cambio de perfil en el portal ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index bee043d9fc..defa0b14a4 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -53,10 +53,10 @@ 2.0 - System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 Le blog a été créé à @@ -283,21 +283,6 @@ Veuillez suivre le lien ci-dessous pour confirmer l'opération: $GreenButton *Remarque* : ce lien est valable pour 7 jours seulement. Veuillez compléter le processus de changementle de l'adresse du portail au courant de cette période. - - - Bonjour $UserName, - -Vous venez de créer le portail ONLYOFFICE, le bureau dans le cloud qui va améliorer la collaboration au sein de votre équipe. Son adresse est "${__VirtualRootPath}":"${__VirtualRootPath}". - -Veuillez confirmer votre mail : - -$GreenButton - -Vous pouvez changer votre mail ou votre mot de passe dans "le profil utilisateur":"$MyStaffLink". - -Pour envoyer les notifications, nous utilisons les paramètres SMTP du serveur Mail de ONLYOFFICE. Pour modifier les paramètres, suivez "ces consignes":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -De plus amples informations sur ONLYOFFICE sont disponibles dans le "Centre d'Aide":"${__HelpLink}". Bonjour $UserName, @@ -404,38 +389,6 @@ Profitez des applications gratuites ONLYOFFICE pour travailler sur vos documents # Pour travailler sur les documents hors ligne sous Windows, Linux et Mac, téléchargez "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/apps.aspx". # Pour éditer les documents sur les appareils mobiles, choisissez l'application ONLYOFFICE Documents pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Pour gérer la performance de l'équipe en mobilité, optez pour ONLYOFFICE Projects pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Bonjour $UserName, - -Nous espérons que l'expérience d'utilisation des éditeurs des documents qui sont disponibles dans votre bureau virtuel, a été positive. Vous trouverez ici les astuces pour en profiter pleinement de toutes leurs fonctionnalités. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - - - Bonjour $UserName, - -Si vous voulez améliorer la sécurité de votre bureau digital : - -*Obtenez un certificat SSL* si vous envisagez de donner un accès au portail aux utilisateurs externes. Générez un nouveau certificat signé dans le Panneau de configuration ou achetez-le auprès de l'opérateur fiable. - -*Activez les sauvegardes automatiques* dans le Panneau de configuration. Nous vous conseillons également d'utiliser les services tiers et de faire de temps en temps une copie de sauvegarde du serveur avec ONLYOFFICE installé. Trouvez les consignez dans notre "Centre d'Aide":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Ajustez les paramètres de sécurité du portail*: restreindre un accès en utilisant des IP de la liste blanche, spécifier les domaines de mail fiables, définir la longuer de mot de passe, etc. "Plus d'infos >>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx" - -*Activez l'authentification à 2 facteurs* via les SMS ou l'application d'authentification. Les consignes sont "ici":"${__HelpLink}/guides/two-factor-authentication.aspx". - -*Utilisez le LDAP pour un accès centralisé*. Importez facilement les utilisateurs et les groupes d'utilisateurs nécessaires de votre serveur LDAP (par exemple, OpenLDAP Server ou Microsoft Active Directory) vers votre portail. Pour plus d'infos, cliquez "ici":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Utilisez votre propre SMPT*. Les notifications par défaut pour les utilisateurs de ONLYOFFICE Enterprise Edition (par exemple, s'ils reçoivent un accès au document) sont assurées par le serveur standard ONLYOFFICE SMPT. Configurez votre propre serveur SMTP pour que vos notifications ne passent pas par un serveur tier. "Consignes >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Fermez tous les ports qui ne sont pas nécessaires*. La liste de tous les ports qui sont indispensables pour ONLYOFFICE est disponible "ici":"${__HelpLink}/server/docker/community/open-ports.aspx". - -Améliorez la sécurité de votre ONLYOFFICE maintenant. - -$GreenButton - -Pour plus d'infos, visitez notre "Centre d'Aide":"${__HelpLink}". Bonjour $UserName, @@ -465,42 +418,6 @@ Votre profil d'invité a été ajouté avec succès au portail "${__VirtualRootP # Ajouter et télécharger les fichiers qui sont disponibles dans le module "Documents":"${__VirtualRootPath}/Products/Files/". # Organiser votre agenda à l'aide du "Calendrier":"${__VirtualRootPath}/addons/calendar/". # Utiliser le "Chat":"${__VirtualRootPath}/addons/talk/" pour échanger à l'aide de la messagerie instantanée. - - - Bonjour $UserName, - -$__AuthorName vous invite à rejoindre le bureau digital sécurisé pour améliorer la collaboration au sein de votre équipe. Son adresse est "${__VirtualRootPath}":"${__VirtualRootPath}". - -Pour accepter l'invitation, cliquez sur le lien : - -$GreenButton - -Le lien est valide pendant 7 jours. - -Nous allons partager avec vous des astuces pour profiter à fond des fonctionnalités du bureau web. Vous pouvez vous désinscrire ou renouveler l'inscription à tout moment dans votre profil. - - - Bonjour $UserName, - -Votre profil utilisateur a été ajouté avec succès au portail "${__VirtualRootPath}":"${__VirtualRootPath}". Maintenant vous pouvez : - -# Créer et éditer les "Documents":"${__VirtualRootPath}/Products/Files/", partagez les fichiers avec vos collègues et collaborer en temps réel. -# Ajouter vos comptes mail et gérer tous vos messages en un seul endroit grâce au module "Mail":"${__VirtualRootPath}/addons/mail/". -# Gérer le flux de travail dans le module "Projets":"${__VirtualRootPath}/Products/Projects/" et la relation client à l'aide des outils du module "CRM":"${__VirtualRootPath}/Products/CRM/". -# Utiliser la "Communauté":"${__VirtualRootPath}/Products/Community/" pour démarrer les blog et les forms, ajouter les événements et partager les signets. -# Organiser votre agenda grâce au "Calendrier":"${__VirtualRootPath}/addons/calendar/". -# Utiliser le "Chat":"${__VirtualRootPath}/addons/talk/" pour échanger dans la messagerie instantanée. - - - Bonjour $UserName, - -Vous venez de créer votre bureau digital dans le cloud qui permettra d'améliorer la collaboration au sein de votre équipe. Son adresse est "${__VirtualRootPath}":"${__VirtualRootPath}". - -Veuillez confirmer votre mail : - -$GreenButton - -Vous pouvez modifier votre mail ou me de passe dans votre "profil personnel":"$MyStaffLink". Bonjour $UserName, @@ -528,27 +445,6 @@ Veuillez noter que votre abonnement à ONLYOFFICE expire aujourd'hui. Pour conti Cliquez sur le lien ci-dessous pour démarrer le processus de renouvellement : "Plans tarifaires":"$PricingPage" - - - Bonjour $UserName, - -Si vous voulez rendre votre bureau digital encore plus sécurisé : - -*Obtenez un certificat SSL* si vous envisagez de donner un accès à votre portail aux utilisateurs externes. Générez un nouveau certificat signé dans le Panneau de Configuration ou achetez-le auprès d'un opérateur fiable. - -*Activez les sauvegardes automatiques* dans le panneau de Configuration. Nous vous conseillons également d'utiliser les services tiers et de faire de temps en temps une copie de sauvegarde du serveur. - -*Ajustez les paramètres de sécurité du portail*: restreindre un accès en itilisant des IP de la liste blanche, spécifier les domaines de mail fiables, définir la longueur du mot de passe, etc. - -*Activez l'authentification à 2 facteurs* via les SMS ou l'application d'authentification. - -*Utilisez LDAP pour un accès centralisé*. Importez facilement les utilisateurs et les groupes d'utilisateurs nécessaires de votre serveur LDAP (par exemple, OpenLDAP Server ou Microsoft Active Directory) vers votre portail. - -*Utilisez votre propre SMPT* et fermez tous les ports qui ne sont pas nécessaires. - -Améliorez la sécurité de votre office en ligne maintenant. - -$GreenButton Bonjour $UserName, @@ -571,31 +467,6 @@ Votre profil d'invité a été ajouté avec succès au portail "${__VirtualRootP # Ajouter et télécharger les fichiers qui sont disponibles dans le module "Documents":"${__VirtualRootPath}/Products/Files/". # Organiser votre agenda à l'aide du "Calendrier":"${__VirtualRootPath}/addons/calendar/". # Utiliser le "Chat":"${__VirtualRootPath}/addons/talk/" pour échanger à l'aide de la messagerie instantanée. - - - Bonjour $UserName, - -$__AuthorName vous invite à rejoindre le bureau digital sécurisé pour améliorer la collaboration au sein de votre équipe. Son adresse est "${__VirtualRootPath}":"${__VirtualRootPath}". - -Pour accepter l'invitation, cliquez sur le lien : - -$GreenButton - -Le lien est valide pendant 7 jours. - -Nous allons partager avec vous des astuces pour profiter à fond des fonctionnalités du bureau web. Vous pouvez vous désinscrire ou renouveler l'inscription à tout moment dans votre profil. - - - Bonjour $UserName, - -Votre profil utilisateur a été ajouté avec succès au portail "${__VirtualRootPath}":"${__VirtualRootPath}". Maintenant vous pouvez : - -# Créer et éditer les "Documents":"${__VirtualRootPath}/Products/Files/", partagez les fichiers avec vos collègues et collaborer en temps réel. -# Ajouter vos comptes mail et gérer tous vos messages en un seul endroit grâce au module "Mail":"${__VirtualRootPath}/addons/mail/". -# Gérer le flux de travail dans le module "Projets":"${__VirtualRootPath}/Products/Projects/" et la relation client à l'aide des outils du module "CRM":"${__VirtualRootPath}/Products/CRM/". -# Utiliser la "Communauté":"${__VirtualRootPath}/Products/Community/" pour démarrer les blog et les forms, ajouter les événements et partager les signets. -# Organiser votre agenda grâce au "Calendrier":"${__VirtualRootPath}/addons/calendar/". -# Utiliser le "Chat":"${__VirtualRootPath}/addons/talk/" pour échanger dans la messagerie instantanée. h1.Message du portail "${__VirtualRootPath}":"${__VirtualRootPath}" @@ -712,59 +583,6 @@ $GreenButton *Note* : ce lien est valide pendant 7 jours seulement. Veuillez terminer le procès de restauration durant cette période. Si vous avez reçu ce courrile par erreur, ignorez-le ou contactez l'administrateur de votre "$PortalUrl":"$PortalUrl" portail pour de plus amples informations. - - - Bonjour, $UserName ! - -Vous venez de créer le portail ONLYOFFICE, le bureau dans le cloud pour votre équipe qui fera évoluer la collaboration au sein de votre etreprise. Son adresse est "${__VirtualRootPath}":"${__VirtualRootPath}". - -Veuillez confirmer votre mail en suivant ce "lien":"$ActivateUrl". - -Vous pouvez modifier votre mail ou mot de passe sur la "page du profil personnel":"$MyStaffLink". - -Pour envoyer les notifications, nous utilisons les paramètres SMTP du serveur mail ONLYOFFICE. Si vous voulez modifier ces paramètres, trouvez les consignes "ici":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Trouvez plus de détails dans le "Centre d'Aide":"${__HelpLink}". - - - Bonjour, $UserName ! - -Nous espérons que les éditeurs des documents ONLYOFFICEvous sont utiles. Vous trouverez ci-dessous les astuces pour en profiter pleinement : - -*#1. Partager les documents* avec les groupes et les utilisateurs. Définissez le niveau de collaboration - Lecture seule, Commentaires, Remplissage de formulaire, Révision ou Accès complet. Permettez aux utilisateurs d'appliquer leurs propres filtres dans les feuilles de calcul sans déranger les co-auteurs. Limitez le téléchargement et l'impression des documents en utilisant les "APIs ONLYOFFICE":"https://api.onlyoffice.com/editors/config/document/permissions". - -*#2. Apprendre comment enregistrer les modifications dans le document* et les ajuster à vos besoins. "En savoir davantage":"https://www.onlyoffice.com/blog/2020/04/save-and-force-save-in-onlyoffice-never-lose-a-document/" - -*#3. Obtenir une aide* de la part de communauté en créant les tickets sur "GitHub":"https://github.com/ONLYOFFICE/DocumentServer/issues" ou en posant les questions sur "notre forum":"https://dev.onlyoffice.org/". Vous pouvez également obtenir un abonnement premium pour avoir une assistance technique professionnelle ou juste contactez notre équipe en cas de questions. "En savoir davantage":"https://github.com/ONLYOFFICE/DocumentServer/issues" - -*#4. Obtenir les applications gratuites*. Pour travailler sur les documents en mode déconnecté sur Windows, Linux et macOS, téléchargez "les applications de bureau gratuites":"https://www.onlyoffice.com/apps.aspx". Pour éditer les documents sur les appareils mobiles, obtenez l'application gratuite Documents pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - -*#5. Activez les salles privées pour la collaboration chiffrée*. Tous les documents stockés dans ces salles, aussi bien que les données transférées lors de co-édition sont protégés contre un accès non-autorisé par un algorithme de chiffrement AES-256. "En savoir plus":"${__HelpLink}". - - - Bonjour, $UserName ! - -Voici un aperçu des mesures de sécurité pour protéger votre bureau digital : - -*Obtenir un certificat SSL* si vous envisagez de donner aux utilisateur non seulement un accès local au portail, mais aussi un accès depuis n'importe quel endroit et n'importe quel appareil. Générez un nouveau certificat signé depuis le Panneau de configuration ou achetez-le chez un fournisseur fiable. - -*Activer des sauvegardes automatiques* dans le Panneau de configuration. Nous conseillons également d'utiliser les services tiers et de faire de temps en temps une copie de sauvegardes sur le serveur où ONLYOFFICE est installé. Consultez les consignes dans le "Centre d'Aide":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Ajuster les paramètres de sécurité du portail*: limitez l'accès en utilisant une liste blanche d'adresses IP, spécifiez les domaines de mail fiables, définissez la longueur du mot de passe et même plus. "En savoir davantage>>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx?_ga=2.111477636.160074001.1555312634-699576329.1539952318" - -*Activer l'authentification à 2 facteurs* via SMS ou l'application d'authetication. Trouvez les consignes "ici":"${__HelpLink}/guides/two-factor-authentication.aspx?_ga=2.115795846.160074001.1555312634-699576329.1539952318". - -*Utilisez LDAP pour centraliser les accès*. Importez facilement les utilisateurs et les groupes nécessaires depuis votre serveur LDAP (par exemple, OpenLDAP Server ou Microsoft Active Directory) vers votre portail. Pour en savour plus, cliquez "ici":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Utiliser votre propre SMPT*. Par défaut, les notifications pour les utilisateurs (par exemple, si vous partagez un document avec d'autes utilisateurs) sont assurées par les soins du serveur SMPT d'ONLYOFFICE. Configurez votre propre serveur SMTP pour que vos notifications ne passent pas par un serveur tiers. "Consignes>>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Fermer les ports qui ne sont pas nécessaires*. La liste de ports qui doivent être ouverts pour ONLYOFFICE est disponible "ici":"${__HelpLink}/server/docker/community/open-ports.aspx". - -*Chiffrer vos données au repos*. Pour le faire, suivez "ces consignes":"${__HelpLink}". Si vous voulez protéger le processus de collaboration, activatez les Salles privées. "En savoir davantage":"${__HelpLink}" - -Pour sécuriser votre bureau digital, suivez "ce lien":"$ControlPanelUrl" - -Pour plus d'information, visitez notre "Centre d'Aide":"${__HelpLink}". Bonjour ! @@ -794,57 +612,6 @@ Vous êtes dès maintenant un utilisateur invité du portail "${__VirtualRootPat Pour accéder à votre bureau digital, suivez "ce lien":"${__VirtualRootPath}". Si vous voulez créer votre propre bureau en ligne, visitez "le site web officiel de ONLYOFFICE":"https://www.onlyoffice.com/". - - - Bonjour ! - -Vous êtes invité à rejoindre le bureau sécurisé en ligne de votre entreprise qui vous permettra de collaborer plus efficacement. Son adresse est "${__VirtualRootPath}":"${__VirtualRootPath}". - -Acceptez l'invitation en suivant ce "lien":"$ActivateUrl" - -Le lien est valide 7 jours seulement. - -Vous allez recevoir plus d'astuces pour apprendre à utiliser pleinement le bureau digital. Vous pouvez annuler les inscriptions à tout moment, aussi bien que les réactiver. - - - Bonjour, $UserName ! - -Nous espérons que les éditeurs des documents ONLYOFFICE vous sont utiles. Vous trouverez ci-dessous les astuces pour en profiter pleinement : - -*#1. Explorez les outils de la mise en forme avancés*. Les éditeurs des documents fournissent un kit complet des outils de formatage et du style. - -*#2. Partagez les documents* avec les utilisateurs et les groupes d'utilisateurs. Définissez le niveau de collaboration - Lecture seule, Commentaires, Remplissage de formulaire, Révision ou Accès complet. - -*#3. Choisissez le mode de co-édition*. Lors de co-édition du document en temps réel, activez le mode Rapide pour voir les modifications lorsque vos co-auteurs tapent ou le mode Strict pour verrouiller les extraits en cours d'édition pour rester plus concentré. "Regarder la vidéo":"https://youtu.be/8z1iLv32J2M" - -*#4. Révision, commentaires, et chat*. Utilisez le mode "Révision":"https://youtu.be/D1tbffuQeUA" pour suggérer les modifications sans éditer le fichier initial, ajoutez les commentaires pour exprimer votre opinion sur une partie du document, ou échangez dans le document via une messagerie instantanée. - -*#5. Connectez les services de stockage cloud tiers*, tels que Dropbox ou Google Drive, pour gérer les fichiers en un seul endroit. - -*#6. Obtenez les applications*. Pour travailler sur les documents en mode déconnecté sur Windows, Linux et macOS, téléchargez "les applications de bureau gratuites":"https://www.onlyoffice.com/apps.aspx". Pour éditer les documents sur les appareils mobiles, obtenez une application gratuite Documents pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - - - Félicitations, $UserName ! - -Vous avez rejoint le bureau digital de votre équipe "${__VirtualRootPath}":"${__VirtualRootPath}". Maintenant vous pouvez : - -*Stocker, gérer et partager les documents*. Voir les images, lire les vidéos et les audios. "En savoir plus":"${__HelpLink}/gettingstarted/documents.aspx" - -*Editer et collaborer sur les documents texte, les feuilles de calcul et les présentations* en utilisant les éditeurs ONLYOFFICE intégrés. Utilisez les centaines d'outils de mise en forme et de collaboration. "Regarder la vidéo":"https://youtu.be/ep1VLGlmsdI" - -*Gérer vos tâches*. Utilisez les "Projets ONLYOFFICE":"${__HelpLink}/projects.aspx" pour planifier vos activités, définir les tâches et les délais. - -*Gérer les relations client*. Créez la base de donées clients, gérez vos activités, analysez les prospects, et faites le suivi des ventes avec "CRM ONLYOFFICE":"${__HelpLink}/crm.aspx". - -*Créer l'agenda personnel et collectif*. Organisez des rendez-vous et des réunions, programmez des rappels, créez les listes des tâches à faire ! "En savoir davantage":"${__HelpLink}/calendar.aspx" - -*Echanger via wiki et les outils de communication interne*. Créez une base de connaissances qui permettront aux nouveaux collaborateurs de s'adapter rapidement. Partagez vos opinions via blogs, forums, et sondages. "En savoir davantage":"${__HelpLink}/community.aspx" - -*Avoir tous vos mails en un seul endroit et créer les boîtes mail professionnelles*. Rassemblez tous vos courriels en un seul endroit ou demandez votre administrateur de créer une nouvelle boîte mail professionnelle. "En savoir davantage":"${__HelpLink}/mail.aspx" - -*Communiquer via la messagerie instantanée* et partager les fichiers rapidement en utilisant Talk. "En savoir davantage":"${__HelpLink}/talk.aspx" - -Pour accéder au bureau digital, suivez ce "lien":"${__VirtualRootPath}". Bonjour, $UserName @@ -930,30 +697,6 @@ Créez un espace de travail collaboratif unique pour vous et vos coéquipiers. Démarrez un essai "dans le cloud": "https://www.onlyoffice.com/registration.aspx" ou "sur votre serveur": "https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" sans aucune restriction fonctionnelle pendant 30 jours et voyez comment votre flux de travail s'améliore immédiatement! -Cordialement, -L'équipe ONLYOFFICE - - - $PersonalHeaderStart Comment améliorer la sécurité de votre bureau Web $PersonalHeaderEnd - -Vous recherchez les moyens de protéger vos données? - -h3.Pensez à intégrer des instruments supplémentaires pour conserver vos documents en toute sécurité avec nos solutions de serveur privé: - -- Obtenez un contrôle total sur vos données avec *un cloud privé* sur votre propre serveur; - -- Configurez l'*authentification à deux facteurs* et utilisez *Single Sign-On* avec des services tiers; - -- Appliquer les *paramètres de sécurité de connexion* à plusieurs niveaux; - -- Surveiller l'*activité des utilisateurs* dans votre bureau Web; - -- Effectuez une *sauvegarde* manuelle ou automatique de vos données. - -$GreenButton - -En savoir plus sur la façon dont ONLYOFFICE protège vos données dans notre aperçu de sécurité. - Cordialement, L'équipe ONLYOFFICE @@ -1081,19 +824,6 @@ Si vous avez des questions ou besoin d'aide, n'hésitez pas à nous contacter à Cordialement, Équipe d'assistance ONLYOFFICE™ -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Votre ONLYOFFICE a été désactivé avec succès. Veuillez noter que vos données seront supprimées conformément à notre "Déclaration de confidentialité":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Pourquoi avez-vous décidé de désinstaller ONLYOFFICE ? Faites-nous part de votre expérience. - -$GreenButton - -Merci et bonne chance ! - -Bien à vous, -Equipe ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1283,21 +1013,6 @@ Meilleures salutations, "www.onlyoffice.com":"http://onlyoffice.com/" ^Pour changer le type de notification, veuillez gérer vos "paramètres d'abonnement":"$RecipientSubscriptionConfigURL".^ - - - Bonjour $UserName, - -Vous venez de créer le portail ONLYOFFICE, le bureau dans le cloud va considérablement améliorer la collaboration au sein de votre équipe. Il est accessible à "${__VirtualRootPath}":"${__VirtualRootPath}". - -Veuillez confirmer votre mail : - -$GreenButton - -Le lien est valide 7 jours seulement. - -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Bonjour $UserName, @@ -1367,19 +1082,6 @@ $GreenButton En cas des questions, contactez-nous à sales@onlyoffice.com. -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Vous n'êtes pas vous connécté à votre ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" depuis plus de 6 mois. Dès que vous décidez de ne plus l'utiliser, votre bureau web et toutes les données seront effacés conformément à notre "Politique de confidentialité":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Vos retours sont toujours appréciés. Pourquoi avez-vous décidé de ne plus utiliser ONLYOFFICE ? - -$GreenButton - -Si vous pensez qu'une erreur s'est produite et vous souhaitez continuer à utiliser ONLYOFFICE, veuillez contacter notre "équipe d'assistance":"mailto:support@onlyoffice.com". - Bien à vous, Equipe ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1434,98 +1136,6 @@ Procurez-vous les applications gratuites ONLYOFFICE pour travailler sur les docu # Pour éditer les documents sur vos appareils mobiles, téléchargez les applis ONLYOFFICE Documents pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Pour gérer la performance de votre équipe partout et à tout moment, téléchargez ONLYOFFICE Projects pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Bonjour $UserName, - -Nous espérons que vous êtes totalement satisfait des éditeurs ONLYOFFICE. Voici quelques conseil afin de rendre votre expérience meilleure. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - -$GreenButton - -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Connectez Dropbox, Google Drive ou d'autres services pour gérer vos fichiers en un seul endroit. - - - *Connectez les clouds tiers* - - - Téléchargez les applications pour travailler sur les documents <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://www.onlyoffice.com/apps.aspx">en mode déconnecté</a> aussi bien que sur les appareils <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://itunes.apple.com/us/app/onlyoffice-documents/id944896972">iOS</a> et <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://play.google.com/store/apps/details?id=com.onlyoffice.documents">Android</a>. - - - *Créez des formulaires à remplir* - - - Le module Documents est intégré avec d'autres modules ONLYOFFICE pour ne plus avoir à charger et télécharger les documents depuis d'autres endroits - - - *Attachez des documents à vos projets et courriels* - - - Lors de la coédition d'un document en temps réel, passez au mode Rapide pour voir toutes les modifications tout de suite ou activez le mode Strict pour plus de confidentialité. - - - *Sélectionnez le mode de coédition* - - - Créez des formulaires à remplir, partagez-les et remplissez-les. - - - *Créez des formulaires d'aspect professionnel* - - - Identifiez rapidement les différence entre deux versions du même document grâce à l'outil Comparaison des documents. - - - *Identifiez les différences rapidement* - - - ONLYOFFICE fournit un kit complet des outils de mise en forme. - - - *Explorez les outils de mise en forme avancés* - - - Activez la Révision pour laisser vos suggestions sans modifier le document même, ajoutez les commentaires pour exprimer votre opinion sur un extrait du document ou échangez au sein de l'éditeur via la messagerie instantanée. - - - *Révision, commentaires et chat* - - - Accordez l'accès aux documents à des utilisateurs individuels ou à des groupes. Choisissez le niveau d'accès : lecture seule, commentaire, remplissage de formulaires, révision ou accès complet. - - - *Partagez les documents* - - - Collaborez confortablement sur les classeurs grâce à l'outil Affichage Tableau qui permet de créer le filtre qui n'affecte que votre aperçu du document, sans déranger vos co-auteurs. - - - *Collaborez sur les classeurs confortablement* - - - Bonjour $UserName ! - -Essayez ONLYOFFICE Business dans le cloud gratuitement pendant 30 jours : - -# *Modifiez simultanément un nombre illimité de documents texte*, de feuilles de calcul, de diapositives et de formulaires. -# *Personnalisez votre bureau en ligne* conformément au style de votre marque. -# *Assurez la sécurité :* activez l'A2F, configurez les sauvegardes automatiques, suivez les actions d'autres utilisateurs. -# *Intégrez avec votre environnement :* activez LDAP, SSO, et utilisez le nom de votre domaine pour l'adresse du portail. -# *Connectez les applications pour un travail performant :* Twilio, DocuSign, etc. - -Si vous avez besoin de plus de consignes sur la configuration/utilisation de ONLYOFFICE, visitez notre "Centre d'Aide":"${__HelpLink}"! - -Vous pouvez vous abonner au forfait payant sur la "Page des paiements":"$PricingPage" ou nous contacter pour prolonger la période d'essai et avoir plus de temps pour explorer tous les outils. - Bien à vous, Equipe ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1558,39 +1168,6 @@ $GreenButton Si vous avez besoin d'assistance, visitez notre "Centre d'Aide":"${__HelpLink}". -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Bonjour ! - -Vous êtes invité à rejoindre ONLYOFFICE à "${__VirtualRootPath}":"${__VirtualRootPath}". Pour accepter l'invitation, cliquez sur le lien ci-dessous : - -$GreenButton - -Nous allons aussi vous envoyer nos conseils et les actualités sur ONLYOFFICE. Vous pouvez vous désabonner à tout moment sur la page du profile aussi bien que renouveler votre abonnement. - -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Bonjour $UserName, - -Bienvenue à ONLYOFFICE ! Votre profil a été ajouté avec succès sur le portail "${__VirtualRootPath}":"${__VirtualRootPath}". Dès maintenant vous êtes en mesure de : - -# Créer et modifier les "Documents":"${__VirtualRootPath}/Products/Files/", les partager avec vos collègues et collaborer en temps réel. -# Ajouter vos comptes de courriel et gérer toute votre correspondance en un seul endroit grâce au module "Mail":"${__VirtualRootPath}/addons/mail/". -# Gérer les activité de votre équipe grâce au module "Projets":"${__VirtualRootPath}/Products/Projects/" et la relation clients via "CRM":"${__VirtualRootPath}/Products/CRM/". -# Utiliser "Communauté":"${__VirtualRootPath}/Products/Community/" pour créer des blogs, des forums, ajouter les événements et partager les signets. -# Organiser votre agenda à l'aide du module "Calendrier":"${__VirtualRootPath}/addons/calendar/". -# Communiquez via la messagerie instantanée "Chat":"${__VirtualRootPath}/addons/talk/". - -$GreenButton - -Si vous avez besoin d'assistance, passez à notre "Centre d'Aide":"${__HelpLink}" ou contactez notre "équipe d'assistance":"https://support.onlyoffice.com". - Bien à vous, Equipe ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1721,9 +1298,6 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Changement de l'adresse du portail - - Confirmez votre adresse email - Personnalisez ONLYOFFICE @@ -1745,12 +1319,6 @@ Le lien est valide pendant 7 jours. Obtenez des applications gratuites d'ONLYOFFICE - - 7 conseils pour le travail efficace avec vos documents - - - Rendez votre ONLYOFFICE plus sécurisé - Suivi de la part de l'equipe d'ONLYOFFICE @@ -1760,15 +1328,6 @@ Le lien est valide pendant 7 jours. Bienvenue dans votre office en ligne - - L'invitation à rejoindre le portail ${__VirtualRootPath} - - - Bienvenue dans votre office en ligne - - - Confirmez votre adresse email - Peronnalisez votre office en ligne @@ -1778,21 +1337,12 @@ Le lien est valide pendant 7 jours. Notification de renouvellement d'abonnement sur votre office en ligne - - Rendez votre office en ligne plus sécurisé - L'invitation à rejoindre le portail ${__VirtualRootPath} Bienvenue dans votre office en ligne - - Inscrivez-vous sur le portail ${__VirtualRootPath} - - - Bienvenue dans votre office en ligne - Le message d'utilisateur aux administrateurs @@ -1814,30 +1364,12 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Migration du portail dans une autre région terminée avec succès - - Confirmez votre adresse email - - - 5 astuces pour travailler sur les documents de manière efficace - - - Rendez votre ONLYOFFICE plus sécurisé - L'invitation à rejoindre le portail ${__VirtualRootPath} Bienvenue à votre bureau en ligne - - L'invitation à rejoindre le portail ${__VirtualRootPath} - - - 6 astuces pour travailler sur les documents de manière efficace - - - Bienvenue à votre bureau en ligne - Bienvenue sur ONLYOFFICE pour un usage personnel! @@ -1850,9 +1382,6 @@ Le lien est valide pendant 7 jours. Besoin de plus de fonctionnalités? Essayez ONLYOFFICE pour les équipes - - Obtenez des applications gratuites ONLYOFFICE - Connectez votre stockage cloud préféré à ONLYOFFICE @@ -1868,9 +1397,6 @@ Le lien est valide pendant 7 jours. Suppression du portail ${__VirtualRootPath} - - ONLYOFFICE a été désactivé - ${LetterLogoText}. Changement de l'adresse du portail @@ -1908,9 +1434,6 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Restauration démarrée - - Merci de confirmer votre adresse e-mail - Astuces pour le travail efficace @@ -1920,9 +1443,6 @@ Le lien est valide pendant 7 jours. Ré-activez le forfait Business et profitez de la remise de 20% - - Votre ONLYOFFICE sera supprimé - Avis de renouvellement @@ -1935,24 +1455,12 @@ Le lien est valide pendant 7 jours. Obtenez des applications gratuites ONLYOFFICE - - 7 conseils pour le travail efficace avec vos documents - - - Bienvenue à ONLYOFFICE ! - L'invitation à rejoindre le portail ${__VirtualRootPath} Bienvenue à votre ONLYOFFICE - - L'invitation à rejoindre le portail ${__VirtualRootPath} - - - Bienvenue à votre ONLYOFFICE - Notification sur la modification du profil sur le portail ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index fdc421dbff..de74a592b3 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -339,31 +339,6 @@ Ottieni le app gratuite ONLYOFFICE per lavorare su documenti e progetti da quals # Per lavorare su documenti offline su Windows, Linux e Mac, scaricare "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/apps.aspx". # Per modificare documenti su dispositivi mobili, l'app ONLYOFFICE Documents per "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Per gestire le prestazioni del tuo team in viaggio, ottieni ONLYOFFICE Projects for "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Salve, $UserName! - -Ecco cosa puoi fare per rendere il tuo web-office ancora più sicuro: - -*Ottieni un certificato SSL* se hai intenzione di fornire non solo l'accesso al portale locale ma anche esterno per i tuoi utenti. Genera un nuovo certificato firmato nel Pannello di controllo o acquistarne uno dal fornitore di fiducia. - -*Abilita backup automatici* nel Pannello di controllo. Ti consigliamo inoltre di utilizzare servizi di terze parti e di creare una copia di backup del server con ONLYOFFICE installato di volta in volta. Istruzioni nel nostro "Centro assistenza":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Regola le impostazioni di sicurezza del portale*: limita l'accesso utilizzando la whitelisting IP, specifica domini di posta affidabili, imposta la lunghezza della password e altro. "Ulteriori informazioni >>":"$ {__HelpLink}/server/enterprise/configure-enterprise.aspx" - -*Abilita autenticazione a 2 fattori* tramite SMS o app di autenticazione. Istruzioni "qui":"${__HelpLink}/guides/two-factor-authentication.aspx". - -*Usa LDAP per la centralizzazione dell'accesso*. Importa facilmente gli utenti e i gruppi necessari dal tuo server LDAP (ad es. OpenLDAP Server o Microsoft Active Directory) al tuo portale. Ulteriori informazioni "qui":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Utilizzare il proprio SMPT*. Per impostazione predefinita, le notifiche per gli utenti di ONLYOFFICE Enterprise Edition (ad esempio, se gli viene concesso l'accesso a un documento) vengono fornite tramite il server SMPT ONLYOFFICE standard. Configura il tuo server SMTP in modo che le tue notifiche non passino attraverso nessun server di terze parti. "Istruzioni >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Chiudi tutte le porte non necessarie*. L'elenco di tutte le porte che devono essere aperte per ONLYOFFICE è "qui":"${__HelpLink}/server/docker/community/open-ports.aspx". - -Rendi il tuo ONLYOFFICE più sicuro ora. - -$GreenButton - -Ulteriori informazioni nel nostro "Centro assistenza":"$ {__HelpLink}". Salve, $UserName! @@ -382,40 +357,6 @@ $GreenButton Il link è valido solo per 7 giorni. Otterrai più consigli su come usare il tuo web-office. Puoi cancellare le sottoscrizioni dalla pagina del tuo profilo in ogni momento e riabilitarle. - - - Salve, $UserName! - -Sei invitato a unirti all'ufficio web sicuro e protetto creato dalla tua azienda per migliorare la collaborazione. Il suo indirizzo è "${__VirtualRootPath}":"${__VirtualRootPath}". - -Accetta l'invito facendo clic sul collegamento: - -$GreenButton - -Il collegamento è valido solo per 7 giorni. - -Riceverai ulteriori suggerimenti su come utilizzare il nostro ufficio. Puoi annullare gli abbonamenti sulla pagina del tuo profilo in qualsiasi momento e riattivarli. - - - Salve, $UserName! - -eb-office ancora più sicuro: - -* Ottieni un certificato SSL * se hai intenzione di fornire non solo l'accesso al portale locale ma anche esterno per i tuoi utenti. Generare un nuovo certificato firmato nel Pannello di controllo o acquistarne uno dal fornitore di fiducia. - -* Abilita backup automatici * nel Pannello di controllo. Si consiglia inoltre di utilizzare servizi di terze parti e di eseguire periodicamente una copia di backup del server. - -* Regola le impostazioni di sicurezza del portale *: limita l'accesso utilizzando la whitelisting IP, specifica domini di posta affidabili, imposta la lunghezza della password e altro. - -*Abilita autenticazione a 2 fattori * tramite SMS o app di autenticazione. - -*Usa LDAP per la centralizzazione dell'accesso *. Importa facilmente gli utenti e i gruppi necessari dal tuo server LDAP (ad esempio OpenLDAP Server o Microsoft Active Directory) sul tuo portale. - -*Utilizzare il proprio SMPT * e chiudere tutte le porte non necessarie. - -Rendi il tuo ufficio online più sicuro ora. - -$GreenButton Salve, $UserName! @@ -427,19 +368,6 @@ $GreenButton Il link è valido solo per 7 giorni. Otterrai più consigli su come usare il tuo web-office. Puoi cancellare le sottoscrizioni dalla pagina del tuo profilo in ogni momento e riabilitarle. - - - Salve, $UserName! - -$__AuthorName ti ha invitato a unirti all'ufficio web sicuro e protetto creato dalla tua azienda per migliorare la collaborazione. L'indirizzo è "${__VirtualRootPath}":"${__VirtualRootPath}". - -Accetta l'invito cliccando il link: - -$GreenButton - -Il collegamento è valido solo per 7 giorni. - -Riceverai ulteriori suggerimenti su come utilizzare il nostro ufficio. Puoi annullare gli abbonamenti sulla pagina del tuo profilo in qualsiasi momento così come riattivarli. h1.Messaggio dal portale "${__VirtualRootPath}":"${__VirtualRootPath}" @@ -544,29 +472,6 @@ Se hai domande o hai bisogno di assistenza, non esitate a contattarci all'indiri Cordiali saluti, Team di supporto ONLYOFFICE® "www.onlyoffice.com":"http://onlyoffice.com/" - - - Congratulazioni, $UserName! - -Sei ufficialmente entrato nel team web-office su "${__VirtualRootPath}":"${__VirtualRootPath}". Adesso puoi: - -*Archiviare, gestire e condividere documenti*. ‎Visualizzare immagini, riprodurre audio e video‎. "Maggiori informazioni":"${__HelpLink}/gettingstarted/documents.aspx" - -*E‎Modificare e creare in modo condiviso documenti, fogli di calcolo e presentazioni* utilizzando editor ONLYOFFICE integrati. Usa centinaia di strumenti di formattazione e collabora in modo efficiente. "Guarda il video":"https://youtu.be/ep1VLGlmsdI" - -*Gestisci le tue attività*. Usa "ONLYOFFICE Projects":"${__HelpLink}/projects.aspx" per pianificare, definire attività e scadenze. - -*Relazioni con la clientela*. costruisci il tuo database clienti, gestisci il processo del business, analizza ‎potenziale tasso di successo dell'affare e tenere traccia delle vendite ‎con "ONLYOFFICE CRM":"${__HelpLink}/crm.aspx". - -*Crea calendari personali e condivisi*. fissa riunioni, imposta promemoria, ‎Crea elenchi di cose da fare‎! "Maggiori informazioni":"${__HelpLink}/calendar.aspx" - -*Usa il wiki interno e il social network*.‎ Mantenere una knowledge base interna per aiutare i nuovi membri a essere coinvolti rapidamente. Condividi i tuoi pensieri con blog, forum e sondaggi‎. "Maggiori informazioni":"${__HelpLink}/community.aspx" - -*Gestisci tutte le email e crea caselle di posta di progetto*. Raggruppa la corrispondenza da account differenti in un'unica area di lavoro oppure chiedi al tuo amministratore di creare una nuova casella di posta aziendale. "Maggiori informazioni":"${__HelpLink}/mail.aspx" - -*Scambia messaggi istantanei* e condividi rapidamente file utilizzando Talk. "Maggiori informazioni":"${__HelpLink}/talk.aspx" - -Per accedere al tuo web-office, Vai al "link":"${__VirtualRootPath}". Salve, $UserName @@ -648,30 +553,6 @@ Crea un singolo spazio di lavoro collaborativo per te e i tuoi compagni di squad Registrare una versione di prova "nel cloud":"https://www.onlyoffice.com/registration.aspx" o "sul server":"https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" senza limitazioni funzionali per 30 giorni e scopri come il tuo flusso di lavoro migliorerebbe immediatamente! -Cordiali saluti, -il team ONLYOFFICE - - - $PersonalHeaderStart Come migliorare la sicurezza del tuo web office $PersonalHeaderEnd - -Cerchi i modi per proteggere i tuoi dati? - -h3.Сonsideriamo strumenti aggiuntivi per mantenere i tuoi documenti sicuri e protetti offerti nelle nostre soluzioni server private: - -- Ottieni il pieno controllo dei tuoi dati con *un cloud privato* sul tuo server; - -- Configurare l'autenticazione *a due fattori* e utilizzare *Single Sign-On* con servizi di terze parti; - -- Applicare impostazioni di *sicurezza di accesso multi-livello*; - -- Monitora *l'attività dell'utente* nel tuo ufficio web; - -- Esegui il backup *manuale o automatico* dei tuoi dati. - -$GreenButton - -Scopri di più su come ONLYOFFICE tiene al sicuro i tuoi dati nella nostra panoramica sulla sicurezza. - Cordiali saluti, il team ONLYOFFICE @@ -922,82 +803,6 @@ Team di supporto ONLYOFFICE® "www.onlyoffice.com":"http://onlyoffice.com/" ^Per modificare il tipo di notifica, gestisci le tue "impostazioni di sottoscrizione":"$RecipientSubscriptionConfigURL".^ - - - ‎Connetti Dropbox, Google Drive o altri servizi per gestire i tuoi file da un'unica posizione.‎ - - - ‎*Connetti cloud di terze parti*‎ - - - Scarica le app per lavorare sui documenti <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://www.onlyoffice.com/apps.aspx">offline</a> e su <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://itunes.apple.com/us/app/onlyoffice-documents/id944896972">iOS</a> e <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://play.google.com/store/apps/details?id=com.onlyoffice.documents">Android.</a> - - - ‎*Ottieni le app*‎ - - - ‎I documenti sono integrati con tutti gli altri moduli ONLYOFFICE, quindi non sarà più necessario scaricare documenti e caricarli da qualche altra parte.‎ - - - ‎*Allegare documenti a progetti ed e-mail*‎ - - - ‎*Scegli la modalità di co-editing*‎ - - - ‎Usare Controlli contenuto per creare moduli personalizzabili.‎ - - - ‎*Usa controlli contenuto*‎ - - - ‎Trovare rapidamente le differenze tra due versioni dello stesso documento con la funzionalità Confronta documenti.‎ - - - ‎*Trovare rapidamente le differenze*‎ - - - ‎ONLYOFFICE fornisce il set più completo di strumenti per lo stile e la formattazione.‎ - - - ‎*Esplora la formattazione avanzata*‎ - - - ‎Usa la Revisione per suggerire modifiche senza modificare il documento originale, aggiungi commenti per condividere le tue opinioni su un estratto specifico o discuti all'interno del tuo documento tramite messaggi istantanei.‎ - - - ‎*Recensisci, commenta e discuti*‎ - - - ‎Condividi documenti con singoli utenti o gruppi di utenti. Scegli il loro livello di accesso: sola lettura, commento, compilazione moduli, revisione o accesso completo.‎ - - - ‎*Condividi documenti*‎ - - - ‎Collabora comodamente ai fogli di calcolo con la funzione Visualizzazione foglio che consente di creare un filtro che modifica solo la visualizzazione dei dati, senza influire sul team.‎ - - - ‎*Collaborare comodamente ai fogli di calcolo*‎ - - - Salve, $UserName! - -Prova ONLYOFFICE Business cloud per 30 giorni gratuitamente: - -# *Modifica un numero illimitato di documenti*, fogli, diapositive e moduli contemporaneamente. -# *Personalizza il tuo ufficio online* per rendere lo stile in abbinamento perfetto con il tuo brand. -# *Garantisci la sicurezza:* attiva 2FA, configura backup automatici, monitora le attività dell'utente. -# *Integra nella tua infrastruttura:* usa LDAP, SSO e il tuo nome di dominio per l'indirizzo del portale. -# *Collega le app per un lavoro produttivo* Twilio, DocuSign, ecc. - -Se hai bisogno di istruzioni sulla configurazione/utilizzo di ONLYOFFICE, visita il nostro "Centro assistenza":"${__HelpLink}". - -Puoi acquistare l'abbonamento sulla "Pagina dei pagamenti":"$PricingPage" o chiederci di estendere il periodo di prova se hai bisogno di più tempo per il test. - -Cordiali saluti, -Team di ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Salve! @@ -1010,39 +815,6 @@ Ti invieremo anche consigli utili e le ultime notizie su ONLYOFFICE ogni tanto. Tanti saluti, Team di ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salve! - -Sei invitato a unirti a ONLYOFFICE via "${__VirtualRootPath}":"${__VirtualRootPath}". Accetta l'invito cliccando il link: - -$GreenButton - -Ti invieremo anche consigli utili e le ultime notizie su ONLYOFFICE ogni tanto. Puoi annullare gli abbonamenti sulla pagina del tuo profilo in qualsiasi momento così come riattivarli. - -Tanti saluti, -Team di ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Ciao, $UserName! - -Benvenuto in ONLYOFFICE! Il tuo profilo utente è stato aggiunto con successo al portale in "${__VirtualRootPath}":"${__VirtualRootPath}". Ora puoi: - -1. Creare e modificare "Documenti":"${__VirtualRootPath}/Products/Files/", condividili con i colleghi del tuo team, collabora in tempo reale e lavora con i moduli. -2. Aggiungere i tuoi account email e gestire tutta la tua corrispondenza in un unico posto con "Posta":"${__VirtualRootPath}/addons/mail/". -3. Gestire il tuo flusso di lavoro con "Progetti":"${__VirtualRootPath}/Products/Projects/" e le tue relazioni con i clienti utilizzando "CRM":"${__VirtualRootPath}/Products/CRM/". -4. Usare "Comunità":"${__VirtualRootPath}/Products/Community/" per avviare i tuoi blog, forum, aggiungere eventi, condividere segnalibri. -5. Organizzare il tuo programma di lavoro con il "Calendario" integrato:"${__VirtualRootPath}/addons/calendar/". -6. Usare "Chat":"${__VirtualRootPath}/addons/talk/" per scambiare i messaggi istantanei. - -$GreenButton - -Se hai bisogno di aiuto, naviga il nostro "Centro assistenza":"${__HelpLink}" o fai una domanda al nostro "team di supporto":"https://helpdesk.onlyoffice.com". - -Saluti, -Team di ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1130,9 +902,6 @@ il team di ONLYOFFICE ${LetterLogoText}. Cambio dell'indirizzo del portale. - - Conferma la tua email - Personalizza ONLYOFFICE @@ -1154,12 +923,6 @@ il team di ONLYOFFICE Ottieni apps di ONLYOFFICE gratis - - 7 suggerimenti per un lavoro efficace sui tuoi documenti - - - Rendi il tuo ONLYOFFICE più sicuro - Attenzionato dal team ONLYOFFICE @@ -1169,15 +932,6 @@ il team di ONLYOFFICE Benvenuti sul vostro web-office - - Unirsi su ${__VirtualRootPath} - - - Benvenuti sul vostro web-office - - - Conferma la tua email - Personalizza il tuo web-office @@ -1187,21 +941,12 @@ il team di ONLYOFFICE La tua notifica di rinnovo web-office - - Rendi il tuo ufficio online più sicuro - Unirsi su ${__VirtualRootPath} Benvenuti sul vostro web-office - - Unirsi su ${__VirtualRootPath} - - - Benvenuti sul vostro web-office - Messaggio dell'Utente agli Amministratori @@ -1223,24 +968,9 @@ il team di ONLYOFFICE Un'altra migrazione regione portale completato con successo - - Conferma la tua email - - - 5 suggerimenti per un lavoro efficace sui tuoi documenti - - - Rendi il tuo ONLYOFFICE più sicuro - Benvenuti sul vostro web-office - - 6 suggerimenti per un lavoro efficace sui tuoi documenti - - - Benvenuti sul vostro web-office - Benvenuti su ONLYOFFICE per uso personale! @@ -1253,9 +983,6 @@ il team di ONLYOFFICE Ti servono più funzionalità? Prova ONLYOFFICE for teams - - Ottieni apps di ONLYOFFICE gratis - Collega il tuo cloud storage preferito a ONLYOFFICE @@ -1271,9 +998,6 @@ il team di ONLYOFFICE Eliminazione del ${__VirtualRootPath} portale - - ‎ONLYOFFICE è stato disattivato‎ - ${LetterLogoText}. Cambio dell'indirizzo del portale. @@ -1310,9 +1034,6 @@ il team di ONLYOFFICE ${LetterLogoText}. Ripristino avviato - - Conferma la tua email - ‎Consigli per lavorare in modo confortevole‎ @@ -1331,24 +1052,12 @@ il team di ONLYOFFICE Ottieni apps di ONLYOFFICE gratis - - 7 suggerimenti per un lavoro efficace sui tuoi documenti - - - Benvenuti in ONLYOFFICE! - Unisciti a ${__VirtualRootPath} ‎Benvenuti nel vostro ONLYOFFICE‎ - - Unisciti a ${__VirtualRootPath} - - - ‎Benvenuti nel vostro ONLYOFFICE‎ - ${__VirtualRootPath} Notifica per il cambio profilo del portale diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ja.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ja.resx index a9df2b5b9c..a0f45011ac 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ja.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ja.resx @@ -58,27 +58,4 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - $UserName 様 - -平素より弊社サービスをご利用いただき、誠にありがとうございます。 - -ONLYOFFICEクラウドオフィスの30日間無料お試しはいかがでしょうか。 - -# ドキュメント、スプレッドシート、プレゼンテーション、フォームを同時に無制限に編集できます。 -# 貴社のブランディングに合わせて、オンラインオフィスのスタイルのカスタマイズができます。 -# セキュリティの確保:2段階認証(2FA)の有効化、自動バックアップの設定、ユーザーアクションの追跡ができます。 -# インフラとの統合:LDAP、SSO、ドメイン名をポータルアドレスに使用できます。 -# Twilio, DocuSignなどのアプリを接続して生産性の高い作業を実現も可能です。 - -ONLYOFFICEの設定や使い方の説明が必要な場合は、"ヘルプ・センター":"${__HelpLink}"をご覧ください。 - -"「価格」のページ":"$PricingPage"でサブスクリプションが購入できます。 -トライアル期間の延長が必要な場合は、お問い合わせください。 - -今後とも弊社サービスをご愛顧くださいますよう、よろしくお願い申し上げます。 - -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - \ No newline at end of file diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 63d6f45c63..52b03edc6a 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -53,10 +53,10 @@ 2.0 - System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 Blog foi criado em @@ -297,23 +297,6 @@ Por favor, clique no link abaixo para confirmar a operação: $GreenButton *Observe*: este link é válido apenas por 7 dias. Por favor, complete o processo de alteração do endereço do portal dentro do período. - - - Olá, $UserName! - -Você acaba de criar o portal ONLYOFFICE, o escritório em nuvem de sua equipe que melhoraria a cooperação interna. Seu endereço é "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme seu e-mail: - -$GreenButton - -Você pode mudar seu e-mail ou senha em sua "página de perfil pessoal":"$MyStaffLink". - -Para enviar notificações, usamos as configurações SMTP do servidor de e-mail ONLYOFFICE. Para alterá-las, favor seguir as instruções "aqui":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Mais informações em ONLYOFFICE "Help Center":"${__HelpLink}". - -Traduzido com a versão gratuita do tradutor - www.DeepL.com/Translator Olá, $UserName! @@ -420,38 +403,6 @@ Obtenha gratuitamente aplicativos ONLYOFFICE para trabalhar em documentos e proj # Para trabalhar em documentos offline em Windows, Linux e Mac, baixe "ONLYOFFICE Desktop Editors": "https://www.onlyoffice.com/apps.aspx". # Para editar documentos em dispositivos móveis, aplicativo ONLYOFFICE Documentos para "iOS": "https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Para gerenciar o desempenho de sua equipe em movimento, obtenha Projetos ONLYOFFICE para "iOS": "https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Olá, $UserName! - -Esperamos que você goste de usar editores de documentos disponíveis em seu web-office. Aqui estão algumas dicas sobre como torná-lo mais eficaz. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - - - Olá, $UserName! - -Aqui está o que você pode fazer para tornar seu web-office ainda mais seguro: - -*Obter um certificado SSL* se você for fornecer não apenas acesso ao portal local, mas também externo para seus usuários. Gerar um certificado recentemente assinado no Painel de Controle ou comprar um do provedor em que você confia. - -*Ative backups automáticos* no Painel de Controle. Também recomendamos que você utilize serviços de terceiros e faça uma cópia de segurança do servidor com ONLYOFFICE instalado de tempos em tempos. Instruções em nosso "Help Center":"${__HelpLink}/servidor/controlpanel/enterprise/backup-restore.aspx". - -*Ajustar configurações de segurança do portal*: restringir o acesso usando lista branca de IP, especificar domínios de correio confiáveis, definir o comprimento da senha e muito mais. "Mais informações >>":"${__HelpLink}/servidor/empresa/configure-enterprise.aspx". - -*Autorização de autenticação de 2 fatores* via SMS ou aplicativo autenticador. Instruções "aqui":"${__HelpLink}/guias/two-factor-authentication.aspx". - -*Utilizar LDAP para centralização do acesso*. Importar facilmente os usuários e grupos necessários de seu servidor LDAP (por exemplo, OpenLDAP Server ou Microsoft Active Directory) para seu portal. Saiba mais "aqui":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Utilizar SMPT próprio*. Por padrão as notificações para usuários do espaço de trabalho ONLYOFFICE (por exemplo, se lhes for concedido acesso a um documento) são fornecidas por meio do servidor padrão ONLYOFFICE SMPT. Configure seu próprio servidor SMTP para que suas notificações não passem por nenhum servidor de terceiros. "Instruções >>":"${__HelpLink}/installation/groups-smtp-settings.aspx". - -*Fechar todas as portas desnecessárias*. A lista de todas as portas que devem ser abertas para ONLYOFFICE é "aqui":"${__HelpLink}/server/docker/community/open-ports.aspx". - -Torne seu ONLYOFFICE mais seguro agora. - -$GreenButton - -Mais informações em nosso "Centro de Ajuda":"${__HelpLink}". Olá, $UserName! @@ -483,44 +434,6 @@ Seu perfil de convidado foi adicionado com sucesso a "${__VirtualRootPath}":"${_ # Use o "Chat":"${__VirtualRootPath}/addons/talk/" para trocar mensagens instantâneas. $GreenButton - - - Olá, $UserName! - -$__AuthorName o convidou para juntar-se ao escritório web seguro de sua empresa, o que aumentaria sua colaboração. Seu endereço é "${__VirtualRootPath}":"${__VirtualRootPath}". - -Aceite o convite clicando no link: - -$GreenButton - -A ligação só é válida por 7 dias. - -Você receberá mais dicas sobre como usar seu escritório. Você pode cancelar as assinaturas em sua página de Perfil a qualquer momento, assim como reativá-las. - - - Olá, $UserName! - -Seu perfil de usuário foi adicionado com sucesso ao portal em "${__VirtualRootPath}":"${__VirtualRootPath}". Agora você pode: - -# Criar e editar "Documentos":"${__VirtualRootPath}/Produtos/Ficheiros/", compartilhá-los com os colegas de equipe e colaborar em tempo real. -# Adicionar suas contas de e-mail e gerenciar toda a correspondência em um só lugar com "Mail":"${__VirtualRootPath}/addons/mail/". -# Gerencie seu fluxo de trabalho com "Projetos":"${__VirtualRootPath}/Produtos/projetos/" e seu relacionamento com os clientes usando "CRM":"${__VirtualRootPath}/Produtos/CRM/". -# Use "Community":"${__VirtualRootPath}/Products/Community/" para iniciar seus blogs, fóruns, adicionar eventos, compartilhar bookmarks. -# Organize sua agenda de trabalho com o "Calendário" incorporado:"${__VirtualRootPath}/addons/calendário/". -# Use o "Chat":"${__VirtualRootPath}/addons/talk/" para trocar mensagens instantâneas. - -$GreenButton - - - Olá, $UserName! - -Você acabou de criar seu web-office corporativo, o escritório em nuvem de sua equipe que melhoraria a cooperação interna. Seu endereço é "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme seu e-mail: - -$GreenButton - -Você pode mudar seu e-mail ou senha em sua "página de perfil pessoal":"$MyStaffLink". Olá, $UserName! @@ -548,27 +461,6 @@ Favor notar que sua assinatura do web-office expira hoje. Para prolongar sua ass Clique no link abaixo para iniciar o processo de renovação: "Página de preços": "$PricingPage" (página de preços) - - - Olá, $UserName! - -Aqui está o que você pode fazer para tornar seu web-office ainda mais seguro: - -*Obter um certificado SSL* se você for fornecer não apenas acesso ao portal local, mas também externo para seus usuários. Gerar um novo certificado assinado no Painel de Controle ou comprar um do provedor em que você confia. - -*Ative backups automáticos* no Painel de Controle. Também recomendamos que você utilize serviços de terceiros e faça uma cópia de segurança do servidor de tempos em tempos. - -*Ajustar as configurações de segurança do portal*: restringir o acesso usando lista branca de IP, especificar domínios de e-mail confiáveis, definir o comprimento da senha e muito mais. - -*Ativar autenticação de 2 fatores* via SMS ou aplicativo autenticador. - -*Utilizar LDAP para centralização do acesso*. Importar facilmente os usuários e grupos necessários de seu servidor LDAP (por exemplo, OpenLDAP Server ou Microsoft Active Directory) para seu portal. - -*Utilizar o próprio SMPT* e fechar todas as portas desnecessárias. - -Torne seu escritório on-line mais seguro agora. - -$GreenButton Olá, $UserName! @@ -592,33 +484,6 @@ Seu perfil de convidado foi adicionado com sucesso a "${__VirtualRootPath}":"${_ # Organize sua agenda com o "Calendário" incorporado:"${__VirtualRootPath}/addons/calendário/". # Use o "Chat":"${__VirtualRootPath}/addons/talk/" para trocar mensagens instantâneas. -$GreenButton - - - Olá, $UserName! - -$__AuthorName o convidou para juntar-se ao escritório web seguro de sua empresa, o que aumentaria sua colaboração. Seu endereço é "${__VirtualRootPath}":"${__VirtualRootPath}". - -Aceite o convite clicando no link: - -$GreenButton - -A ligação só é válida por 7 dias. - -Você receberá mais dicas sobre como usar seu escritório. Você pode cancelar as assinaturas em sua página de Perfil a qualquer momento, assim como reativá-las. - - - Olá, $UserName! - -Seu perfil de usuário foi adicionado com sucesso ao portal em "${__VirtualRootPath}":"${__VirtualRootPath}". Agora você pode: - -# Criar e editar "Documentos":"${__VirtualRootPath}/Produtos/Ficheiros/", compartilhá-los com os colegas de equipe e colaborar em tempo real. -# Adicionar suas contas de e-mail e gerenciar toda a correspondência em um só lugar com "Mail":"${__VirtualRootPath}/addons/mail/". -# Gerencie seu fluxo de trabalho com "Projetos":"${__VirtualRootPath}/Produtos/projetos/" e seu relacionamento com os clientes usando "CRM":"${__VirtualRootPath}/Produtos/CRM/". -# Use "Community":"${__VirtualRootPath}/Products/Community/" para iniciar seus blogs, fóruns, adicionar eventos, compartilhar bookmarks. -# Organize sua agenda de trabalho com o "Calendário" incorporado:"${__VirtualRootPath}/addons/calendário/". -# Use o "Chat":"${__VirtualRootPath}/addons/talk/" para trocar mensagens instantâneas. - $GreenButton @@ -738,61 +603,6 @@ $GreenButton *Nota*: este link é válido por apenas 7 dias. Favor completar o processo de restauração de acesso dentro desse período. Se você recebeu este e-mail por engano, por favor ignore-o ou contate seu administrador do portal "$PortalUrl": "$PortalUrl" para saber os detalhes. - - - Olá, $UserName! - -Você acaba de criar o portal ONLYOFFICE, o escritório em nuvem de sua equipe que melhoraria a cooperação interna. Seu endereço é "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme seu e-mail seguindo o "link":"$ActivateUrl". - -Você pode alterar seu e-mail ou senha em sua "página de perfil pessoal":"$MyStaffLink". - -Para enviar notificações, usamos as configurações SMTP do servidor de e-mail ONLYOFFICE. Para alterá-las, siga as instruções "aqui":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Mais informações em ONLYOFFICE "Help Center":"${__HelpLink}". - -Traduzido com a versão gratuita do tradutor - www.DeepL.com/Translator - - - Olá, $UserName! - -Esperamos que você goste de utilizar editores integrados de documentos ONLYOFFICE. Aqui estão algumas dicas que podem ser úteis: - -*#1. Compartilhar documentos* para indivíduos e grupos. Escolha seu nível de acesso - Read Only, Comment, Form Filling, Review ou Full Access. Deixe que outros usuários apliquem seus próprios filtros em planilhas sem perturbar os co-autores. Restringir download e impressão usando "ONLYOFFICE API": "https://api.onlyoffice.com/editors/config/document/permissions". - -*#2. Saiba como funciona a economia de documentos* e ajuste-a às suas próprias necessidades. "Saiba mais": "https://www.onlyoffice.com/blog/2020/04/save-and-force-save-in-onlyoffice-never-lose-a-document/". - -*#3. Obtenha ajuda* da comunidade criando questões no "GitHub": "https://github.com/ONLYOFFICE/DocumentServer/issues" ou fazendo perguntas no "nosso fórum": "https://dev.onlyoffice.org/". Você também pode comprar uma assinatura de suporte premium ou simplesmente pedir ajuda a nossa equipe de suporte em certos casos. "Saiba mais": "https://github.com/ONLYOFFICE/DocumentServer/issues" - -*#4. Obtenha os aplicativos gratuitos*. Para trabalhar com documentos offline em Windows, Linux e macOS, baixe "este aplicativo gratuito para desktop": "https://www.onlyoffice.com/apps.aspx". Para editar documentos em dispositivos móveis, obtenha o aplicativo gratuito Documentos para "iOS": "https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - -*#5. Ativar salas privadas para colaboração criptografada*. Todos os documentos armazenados nestas salas, bem como a transferência de dados enquanto a colaboração é criptografada usando o algoritmo de criptografia AES-256 para evitar acesso indesejado. "Saiba mais":"${__HelpLink}". - - - Olá, $UserName! - -Aqui está o que você pode fazer para tornar seu web-office ainda mais seguro: - -*Obter um certificado SSL* se você for fornecer não apenas acesso ao portal local, mas também externo para seus usuários. Gerar um novo certificado assinado no Painel de Controle ou comprar um do provedor em que você confia. - -*Ative backups automáticos* no Painel de Controle. Também recomendamos que você utilize o 3º serviço e faça uma cópia de segurança do servidor com o ONLYOFFICE instalado de tempos em tempos. Instruções em nosso "Help Center":"${__HelpLink}/servidor/controlpanel/enterprise/backup-restore.aspx". - -*Ajustar configurações de segurança do portal*: restringir o acesso usando lista branca de IP, especificar domínios de correio confiáveis, definir o comprimento da senha e muito mais. "More information>>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx?_ga=2.111477636.160074001.1555312634-699576329.1539952318" - -*Autorização de autenticação de 2 fatores* via SMS ou aplicativo autenticador. Instructions "here":"${__HelpLink}/guides/two-factor-authentication.aspx?_ga=2.115795846.160074001.1555312634-699576329.1539952318". - -*Utilizar LDAP para centralização do acesso*. Importar facilmente os usuários e grupos necessários de seu servidor LDAP (por exemplo, OpenLDAP Server ou Microsoft Active Directory) para seu portal. Saiba mais "aqui":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Utilizar SMPT próprio*. Por padrão as notificações aos usuários (por exemplo, se lhes for concedido acesso a um documento) são fornecidas por meio do servidor SMPT padrão ONLYOFFICE. Configure seu próprio servidor SMTP para que suas notificações não passem por nenhum servidor de terceiros. "Instruções>>":"${__HelpLink}/installation/groups-smtp-settings.aspx". - -*Fechar todas as portas desnecessárias*. A lista de todas as portas que devem ser abertas para ONLYOFFICE é "aqui":"${__HelpLink}/server/docker/community/open-ports.aspx". - -*Criptografe seus dados em repouso*. Para isso, siga "as instruções":"${__HelpLink}". Se você quiser proteger o processo de colaboração, ative as Salas Privadas. "Saiba mais":"${__HelpLink}". - -Para proteger seu web-office, siga o "link":"$ControlPanelUrl". - -Mais informações em nosso "Centro de Ajuda":"${__HelpLink}". Olá! @@ -823,57 +633,6 @@ Você agora é um usuário convidado em "${__VirtualRootPath}": "${__VirtualRoot Para acessar seu web-office, siga o "link":"${__VirtualRootPath}". Se você deseja criar seu próprio web-office, visite "ONLYOFFICE website oficial": "https://www.onlyoffice.com/". - - - Olá! - -Você está convidado a juntar-se ao escritório web seguro e protegido de sua empresa, o que aumentaria sua colaboração. Seu endereço é "${__VirtualRootPath}":"${__VirtualRootPath}". - -Aceite o convite seguindo o "link":"$ActivateUrl". - -O link só é válido por 7 dias. - -Você receberá mais dicas sobre como usar seu web-office. Você pode cancelar as assinaturas em sua página de Perfil a qualquer momento, assim como reativá-las. - - - Olá, $UserName! - -Esperamos que você goste de utilizar editores integrados de documentos ONLYOFFICE. Aqui estão algumas dicas que podem ser úteis: - -*#1. Explore a formatação avançada*. Os editores de documentos lhe fornecem o mais completo conjunto de ferramentas de estilo e formatação. - -*#2. Compartilhar documentos* para indivíduos ou grupos de usuários. Escolha seu nível de acesso - Read Only, Comment, Form Filling, Review ou Full Access. - -*#3. Escolha o modo de co-edição*. Enquanto estiver co-editando um documento com sua equipe em tempo real, mude para o modo rápido para ver as mudanças conforme seu co-autor estiver digitando ou para o modo estrito para obter mais privacidade. "Ver vídeo": "https://youtu.be/8z1iLv32J2M". - -*#4. Revisar, comentar e conversar*. Use "Review": "https://youtu.be/D1tbffuQeUA" para sugerir mudanças sem modificar o documento original, adicionar comentários para compartilhar suas idéias sobre um extrato específico, ou conversar dentro de seu documento através de mensagens instantâneas. - -*#5. Conecte nuvens de terceiros*, como Dropbox ou Google Drive, para gerenciar seus arquivos em um só lugar. - -*#6. Obtenha os aplicativos*. Para trabalhar em documentos offline no Windows, Linux e MacOS, baixe "este aplicativo gratuito para desktop": "https://www.onlyoffice.com/apps.aspx". Para editar documentos em dispositivos móveis, obtenha gratuitamente o aplicativo Documentos para "iOS": "https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - - - Parabéns, $UserName! - -Você se juntou oficialmente ao web-office de sua equipe em "${__VirtualRootPath}":"${__VirtualRootPath}". Agora você pode: - -*Armazenar, gerenciar e compartilhar documentos*. Ver fotos, reproduzir vídeos e áudios. "Saiba mais":"${__HelpLink}/gettingstarted/documents.aspx". - -*Editar e co-autor de documentos, planilhas e apresentações* usando editores integrados de ONLYOFFICE. Usar centenas de ferramentas de formatação e colaborar eficientemente. "Assista ao vídeo": "https://youtu.be/ep1VLGlmsdI". - -*Gerencie suas tarefas*. Use "ONLYOFFICE Projects":"${__HelpLink}/projects.aspx" para planejar atividades, definir tarefas e prazos. - -*Relações com o cliente*. Construa seu banco de dados de clientes, gerencie processos comerciais, analise a taxa de sucesso potencial do negócio e acompanhe as vendas com "ONLYOFFICE CRM":"${__HelpLink}/crm.aspx". - -*Criar calendários pessoais e compartilhados*. Organize reuniões, marque lembretes, crie listas de afazeres! "Saiba mais":"${__HelpLink}/calendar.aspx". - -*Utilizar wiki interno e rede social*. Manter uma base de conhecimento interna para ajudar os novos membros a se envolverem rapidamente. Compartilhe suas idéias com blogs, fóruns e enquetes. "Saiba mais":"${__HelpLink}/community.aspx". - -*Mandar todos os e-mails e criar caixas de correio do projeto*. Reúna correspondência de diferentes contas em um espaço de trabalho ou peça a seu administrador que crie uma nova caixa de correio corporativo. "Saiba mais":"${__HelpLink}/mail.aspx". - -*Trocar mensagens instantâneas* e compartilhar arquivos rapidamente usando o Talk. "Saiba mais":"${__HelpLink}/talk.aspx". - -Para acessar seu web-office, siga o "link":"${__VirtualRootPath}". Olá, $UserName @@ -957,30 +716,6 @@ Crie um único espaço de trabalho colaborativo para você e seus colegas de equ Registre um teste "na nuvem": "https://www.onlyoffice.com/registration.aspx" ou "em seu servidor": "https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" sem nenhuma restrição funcional por 30 dias e veja como seu fluxo de trabalho iria melhorar imediatamente! -Atenciosamente, -Equipe ONLYOFFICE - - - $PersonalHeaderStart Como aumentar a segurança de seu escritório na web $PersonalHeaderEnd - -Procurando as maneiras de proteger seus dados? - -h3.Сonsider instrumentos adicionais para manter seus documentos seguros e protegidos oferecidos em nossas soluções de servidor privado: - -- Tenha controle total sobre seus dados com *uma nuvem privada* em seu próprio servidor; - -- Configure *a autenticação de dois fatores* e use *single Sign-On* com serviços de terceiros; - -- Aplique configurações de segurança *log-in de vários níveis*; - -- Monitorar *atividade do usuário* em seu escritório na web; - -- Fazer *back up* manual ou automático* de seus dados. - -$GreenButton - -Saiba mais sobre como a ONLYOFFICE mantém seus dados seguros em nossa visão geral de segurança. - Atenciosamente, Equipe ONLYOFFICE @@ -1099,19 +834,6 @@ Se você tiver perguntas ou precisar de assistência, por favor, entre em contat Cumprimentos, Equipe de suporte do ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" - - - Seu ONLYOFFICE foi desativado com sucesso. Favor observar que todos os seus dados serão excluídos de acordo com "nossa Declaração de Privacidade": "https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Por que você decidiu sair? Compartilhe sua experiência conosco. - -$GreenButton - -Obrigado e boa sorte! - -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" Deleção do portal [${__VirtualRootPath}](${__VirtualRootPath}) @@ -1305,21 +1027,6 @@ Equipe de suporte do ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para alterar o tipo de notificação, por favor, gerencia as suas "configurações de assinatura":"$RecipientSubscriptionConfigURL".^ - - - Olá, $UserName! - -Você acabou de criar o portal ONLYOFFICE, o escritório em nuvem de sua equipe que melhoraria a cooperação interna. Seu endereço é "${__VirtualRootPath}":"${__VirtualRootPath}". - -Por favor, confirme seu e-mail: - -$GreenButton - -O link será válido por 7 dias. - -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" Olá, $UserName! @@ -1392,19 +1099,6 @@ Em caso de dúvidas, entre em contato conosco pelo e-mail sales@onlyoffice.com. Atenciosamente, Equipe ONLYOFFICE "www.onlyoffice.com": "http://onlyoffice.com/" - - - Você não entrou em seu ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" por mais de 6 meses. Como você decidiu não utilizá-lo mais, seu web-office e todos os dados serão excluídos de acordo com "nossa Declaração de Privacidade":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Agradecemos seu feedback. Por que você decidiu parar de usar o ONLYOFFICE? - -$GreenButton - -Se você acha que isso é um erro e deseja continuar usando ONLYOFFICE, entre em contato com nossa "equipe de suporte": "mailto:support@onlyoffice.com". - -Cordialmente. -Equipe OnlyOffice -"www.onlyoffice.com":"http://onlyoffice.com/" Sua assinatura ONLYOFFICE expirou. Renove sua assinatura de ONLYOFFICE para continuar usando-a. @@ -1456,99 +1150,6 @@ Obtenha gratuitamente aplicativos ONLYOFFICE para trabalhar em documentos e proj # Para editar documentos em dispositivos móveis, aplicativo de documentos ONLYOFFICE para "iOS": "https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Para gerenciar o desempenho de sua equipe em movimento, obtenha Projetos ONLYOFFICE para "iOS": "https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Olá, $UserName! - -Esperamos que você goste de usar editores ONLYOFFICE. Aqui estão algumas dicas sobre como torná-lo mais eficaz. - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItem6 $TableItem7 $TableItemsBtm - -$GreenButton - -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Conecte Dropbox, Google Drive ou outros serviços para gerenciar seus arquivos em um só lugar. - - - *Conectar nuvens de terceiros* - - - Baixe os aplicativos para trabalhar em docs <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://www.onlyoffice.com/apps.aspx">offline</a> as well as on <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://itunes.apple.com/us/app/onlyoffice-documents/id944896972">iOS</a> and <a target="_blank" style="color: #0078bd; font-family: Arial; font-size: 14px;" href="https://play.google.com/store/apps/details?id=com.onlyoffice.documents">Android</a> - - - *Obter as aplicações* - - - Os documentos são integrados com todos os outros módulos da ONLYOFFICE, assim você esquecerá de baixar documentos e carregá-los em outro lugar para sempre. - - - *Documentos de contato para projetos e e-mails* - - - Enquanto estiver co-editando um documento com sua equipe em tempo real, mude para o modo rápido para ver as mudanças conforme seu co-autor estiver digitando ou para o modo estrito para obter mais privacidade. - - - *Escolha o modo de co-edição* - - - Use os Controles de Conteúdo para criar formulários personalizáveis. - - - *Controles de conteúdo de uso* - - - Encontre rapidamente diferenças em duas versões do mesmo documento com o recurso Comparar documentos. - - - * Encontrar rapidamente as diferenças* - - - ONLYOFFICE fornece o mais completo conjunto de ferramentas de estilo e formatação. - - - *Explorar formatação avançada* - - - Use a revisão para sugerir alterações sem modificar o documento original, adicione comentários para compartilhar suas ideias sobre um trecho específico ou converse dentro do seu documento por meio de mensagens instantâneas. - - - *Revise, comente e converse* - - - Compartilhe documentos com indivíduos ou grupos de usuários. Escolha seu nível de acesso - Somente leitura, Comentário, Preenchimento de formulário, Revisão ou Acesso total. - - - *Compartilhar documentos* - - - Colabore confortavelmente em planilhas com o recurso Sheet Views que permite criar um filtro que só muda sua visão dos dados, sem afetar sua equipe. - - - *Confortavelmente colaborar em planilhas* - - - Olá, $UserName! - -Teste ONLYOFFICE Nuvem de negócios por 30 dias de graça: - -*Adicionar até 30 usuários* com 100 Gb por cada um. Após adquirir a assinatura, você poderá adicionar qualquer número de usuários. -*Personalize seu estilo de escritório online* para combinar com sua marca. -*Editar número ilimitado de documentos*, folhas e slides simultaneamente. -*Ativar 2FA, configurar backups automáticos, rastrear as ações dos usuários. -*Integrate com sua infra-estrutura:* utilize LDAP, SSO, e seu nome de domínio para o endereço do portal. -*Conecte aplicativos para trabalho produtivo:* Twilio, DocuSign, etc. - -Se você precisar de instruções para configurar/usar ONLYOFFICE, visite nosso "Help Center":"${__HelpLink}"! - -Você pode adquirir a assinatura na "Página de Pagamentos":"$PricingPage" ou nos pedir para prolongar seu teste se precisar de mais tempo para testes. - Atenciosamente, Equipe ONLYOFFICE "www.onlyoffice.com": "http://onlyoffice.com/" @@ -1581,39 +1182,6 @@ $GreenButton Se você precisar de ajuda, consulte nosso "Centro de Ajuda":"${__HelpLink}". -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Olá! - -Você está convidado a participar do ONLYOFFICE em "${__VirtualRootPath}":"${__VirtualRootPath}". Aceite o convite clicando no link: - -$GreenButton - -Também lhe enviaremos dicas úteis e as últimas notícias da ONLYOFFICE de vez em quando. Você pode cancelar as assinaturas em sua página de Perfil a qualquer momento, assim como reativá-las. - -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Olá, $UserName! - -Bem-vindo à ONLYOFFICE! Seu perfil de usuário foi adicionado com sucesso ao portal em "${__VirtualRootPath}":"${__VirtualRootPath}". Agora você pode: - -# Criar e editar "Documentos":"${__VirtualRootPath}/Produtos/Ficheiros/", compartilhá-los com os colegas de equipe e colaborar em tempo real. -# Adicionar suas contas de e-mail e gerenciar toda a correspondência em um só lugar com "Mail":"${__VirtualRootPath}/addons/mail/". -# Gerencie seu fluxo de trabalho com "Projetos":"${__VirtualRootPath}/Produtos/projetos/" e seu relacionamento com os clientes usando "CRM":"${__VirtualRootPath}/Produtos/CRM/". -# Use "Community":"${__VirtualRootPath}/Products/Community/" para iniciar seus blogs, fóruns, adicionar eventos, compartilhar bookmarks. -# Organize sua agenda de trabalho com o "Calendário" incorporado:"${__VirtualRootPath}/addons/calendário/". -# Use o "Chat":"${__VirtualRootPath}/addons/talk/" para trocar mensagens instantâneas. - -$GreenButton - -Se você precisar de ajuda, consulte nosso "Help Center":"${__HelpLink}" ou pergunte a nossa "equipe de suporte": "https://support.onlyoffice.com". - Atenciosamente, Equipe ONLYOFFICE "www.onlyoffice.com": "http://onlyoffice.com/" @@ -1749,9 +1317,6 @@ O link só é válido por 7 dias. ${LetterLogoText}. Alteração do endereço do portal - - Confirme seu email - Personalizar ONLYOFFICE @@ -1773,12 +1338,6 @@ O link só é válido por 7 dias. Obtenha aplicações ONLYOFFICE gratuitas - - 7 dicas para um trabalho eficaz em seus documentos - - - Torne seu ONLYOFFICE mais seguro - Acompanhamento da equipe da ONLYOFFICE @@ -1788,15 +1347,6 @@ O link só é válido por 7 dias. Bem-vindo ao seu web-office - - Junte-se a ${__VirtualRootPath} - - - Bem-vindo ao seu web-office - - - Confirme seu email - Personalize seu web-office @@ -1806,21 +1356,12 @@ O link só é válido por 7 dias. Notificação de renovação de seu web-office - - Torne seu escritório on-line mais seguro - Junte-se a ${__VirtualRootPath} Bem-vindo ao seu web-office - - Junte-se a ${__VirtualRootPath} - - - Bem-vindo ao seu web-office - Mensagem do usuário para administradores @@ -1842,30 +1383,12 @@ O link só é válido por 7 dias. ${LetterLogoText}. Outra migração de região do portal concluída com sucesso - - Confirme seu email - - - 5 dicas para um trabalho eficaz em seus documentos - - - Torne seu ONLYOFFICE mais seguro - Junte-se a ${__VirtualRootPath} Bem-vindo ao seu web-office - - Junte-se a ${__VirtualRootPath} - - - 6 dicas para um trabalho eficaz em seus documentos - - - Bem-vindo ao seu web-office - Bem vindo ao ONLYOFFICE para uso pessoal! @@ -1878,9 +1401,6 @@ O link só é válido por 7 dias. Precisa de mais recursos? Experimente o ONLYOFFICE para equipes - - Obtenha aplicações ONLYOFFICE gratuitas - Conecte seu armazenamento em nuvem favorito ao ONLYOFFICE @@ -1899,9 +1419,6 @@ O link só é válido por 7 dias. Exclusão do portal ${__VirtualRootPath} - - O ONLYOFFICE foi desativado - ${LetterLogoText}. Alteração do endereço do portal @@ -1938,9 +1455,6 @@ O link só é válido por 7 dias. ${LetterLogoText}. Restauração iniciada - - Confirme seu email - Dicas para um trabalho confortável @@ -1950,9 +1464,6 @@ O link só é válido por 7 dias. Reative o Business e economize 20% do preço - - Seu ONLYOFFICE será excluído - Notificação de renovação @@ -1965,24 +1476,12 @@ O link só é válido por 7 dias. Obtenha aplicações ONLYOFFICE gratuitas - - 7 dicas para um trabalho eficaz em seus documentos - - - Bem-vindo ao ONLYOFFICE! - Junte-se a ${__VirtualRootPath} Bem vindo(a) ao seu ONLYOFFICE - - Junte-se a ${__VirtualRootPath} - - - Bem vindo(a) ao seu ONLYOFFICE - Notificação para alterar perfil do portal ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index b0192c7760..aac34ca008 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -332,21 +332,6 @@ Please follow the link below to confirm the operation: $GreenButton *Note*: this link is valid for 7 days only. Please complete the portal address change process within that period. - - - Hello, $UserName! - -You have just created the ONLYOFFICE portal, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - -Please, confirm your email following the link - -$GreenButton - -You may change your email or password in your "personal profile page":"$MyStaffLink". - -To send notifications, we use the SMTP settings of ONLYOFFICE mail server. To change them, please follow the instructions "here":"${__HelpLink}/installation/groups-smtp-settings.aspx". - -More information in ONLYOFFICE "Help Center":"${__HelpLink}". Hello, $UserName! @@ -456,38 +441,6 @@ Get free ONLYOFFICE apps to work on documents and projects from any of your devi #To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". #To edit documents on mobile devices, get Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". #To manage your team performance on the go, get Projects for "iOS":"https://apps.apple.com/us/app/onlyoffice-projects/id1353395928" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - - - Hello, $UserName! - -We hope you enjoy using document editors available in your web-office. Here are some tips on how to make it more effective. - -$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm - - - Hello, $UserName! - -Here’s what you can do to make your web-office even more secure: - -*Get an SSL certificate* if you are going to provide not only local but also external portal access for your users. Generate a newly signed certificate in the Control Panel or purchase one from the provider you trust. - -*Enable automatic backups* in the Control Panel. We also recommend that you use third-party services and make a backup copy of the server with ONLYOFFICE installed from time to time. Instructions in our "Help Center":"${__HelpLink}/administration/control-panel-backup.aspx". - -*Adjust portal security settings*: restrict access using IP whitelisting, specify trusted mail domains, set password length and more. "More information >>":"${__HelpLink}/installation/workspace-enterprise-configure.aspx" - -*Enable 2-factor authentication* via SMS or authenticator app. Instructions "here":"${__HelpLink}/administration/two-factor-authentication.aspx". - -*Use LDAP for access centralization*. Easily import the necessary users and groups from your LDAP server (e.g. OpenLDAP Server or Microsoft Active Directory) to your portal. Learn more "here":"${__HelpLink}/administration/control-panel-ldap.aspx". - -*Use own SMPT*. By default notifications for ONLYOFFICE Workspace Enterprise Edition users (for example, if they are granted access to a document) are provided by means of standard ONLYOFFICE SMPT server. Configure your own SMTP server so that your notifications won’t pass through any third-party server. "Instructions >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Close all the unnecessary ports*. The list of all the ports which must be opened for ONLYOFFICE is "here":"${__HelpLink}/installation/groups-open-ports.aspx". - -Make your ONLYOFFICE more secure now. - -To access your web-office, follow the "the link":"$ControlPanelUrl" - -More information in our "Help Center":"${__HelpLink}". Hello, $UserName! @@ -520,45 +473,6 @@ Your guest profile has been successfully added to "${__VirtualRootPath}":"${__Vi To access your web-office, follow the link $GreenButton - - - Hello, $UserName! - -You are invited to join your company's safe and secure web-office that would enhance your collaboration. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - -Accept the invitation by following the link - -$GreenButton - -The link is only valid for 7 days. - -You will get more tips on how to use your web-office. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them. - - - Hello, $UserName! - -Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: - -1. Create and edit Documents, work with forms, share them with teammates, and collaborate in real time. -2. Add your email accounts and manage all correspondence in one place with Mail. -3. Manage your workflow with Projects and your customer relationships using CRM. -4. Use Community to start your blogs, forums, add events, share bookmarks. -5. Organize your work schedule with the built-in Calendar. -6. Use Chat to exchange instant messages. - -To access your web-office, follow the link -$GreenButton - - - Hello, $UserName! - -You have just created your corporate web-office, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - -Please, confirm your email: - -$GreenButton - -You may change your email or password in your "personal profile page":"$MyStaffLink". Hello, $UserName! @@ -586,27 +500,6 @@ Please note that your web-office subscription expires today. To extend your subs Click on the link below to start the renewal process: "Pricing page":"$PricingPage" - - - Hello, $UserName! - -Here’s what you can do to make your web-office even more secure: - -*Get an SSL certificate* if you are going to provide not only local but also external portal access for your users. Generate a new signed certificate in the Control Panel or purchase one from the provider you trust. - -*Enable automatic backups* in the Control Panel. We also recommend that you use third-party services and make a backup copy of the server from time to time. - -*Adjust portal security settings*: restrict access using IP whitelisting, specify trusted mail domains, set password length and more. - -*Enable 2-factor authentication* via SMS or authenticator app. - -*Use LDAP for access centralization*. Easily import the necessary users and groups from your LDAP server (e.g. OpenLDAP Server or Microsoft Active Directory) to your portal. - -*Use own SMPT* and close all the unnecessary ports. - -Make your online office more secure now. - -$GreenButton Hello, $UserName! @@ -630,33 +523,6 @@ Your guest profile has been successfully added to "${__VirtualRootPath}":"${__Vi # Organize your schedule with the built-in "Calendar":"${__VirtualRootPath}/addons/calendar/". # Use "Chat":"${__VirtualRootPath}/addons/talk/" to exchange instant messages. -$GreenButton - - - Hello, $UserName! - -$__AuthorName has invited you to join your company's safe and secure web-office that would enhance your collaboration. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - -Accept the invitation by clicking the link: - -$GreenButton - -The link is only valid for 7 days. - -You will get more tips on how to use your web-office. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them. - - - Hello, $UserName! - -Welcome to ONLYOFFICE! Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: - -# Create and edit "Documents":"${__VirtualRootPath}/Products/Files/", share them with teammates, and collaborate in real time. -# Add your email accounts and manage all correspondence in one place with "Mail":"${__VirtualRootPath}/addons/mail/". -# Manage your workflow with "Projects":"${__VirtualRootPath}/Products/Projects/" and your customer relationships using "CRM":"${__VirtualRootPath}/Products/CRM/". -# Use "Community":"${__VirtualRootPath}/Products/Community/" to start your blogs, forums, add events, share bookmarks. -# Organize your work schedule with the built-in "Calendar":"${__VirtualRootPath}/addons/calendar/". -# Use "Chat":"${__VirtualRootPath}/addons/talk/" to exchange instant messages. - $GreenButton @@ -782,59 +648,6 @@ $GreenButton *Note*: this link is valid for 7 days only. Please complete the access restore process within that period. If you received this email by mistake, please ignore it or contact your "$PortalUrl":"$PortalUrl" portal administrator to find out the details. - - - Hello, $UserName! - -You have just created the ONLYOFFICE portal, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - -Please, confirm your email following the "link":"$ActivateUrl". - -You may change your email or password in your "personal profile page":"$MyStaffLink". - -To send notifications, we use the SMTP settings of ONLYOFFICE mail server. To change them, please follow the instructions "here":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -More information in ONLYOFFICE "Help Center":"${__HelpLink}". - - - Hello, $UserName! - -We hope you enjoy using integrated ONLYOFFICE document editors. Here are some tips that might be useful: - -*#1. Share documents* to individuals and groups. Choose their access level - Read Only, Comment, Form Filling, Review or Full Access. Let other users apply their own filters in spreadsheets without disturbing co-authors. Restrict downloading and printing using "ONLYOFFICE API":"https://api.onlyoffice.com/editors/config/document/permissions". - -*#2. Learn how document saving works* and adjust it to your own needs. "Learn more":"https://www.onlyoffice.com/blog/2020/04/save-and-force-save-in-onlyoffice-never-lose-a-document/" - -*#3. Get help* from the community by creating issues on "GitHub":"https://github.com/ONLYOFFICE/DocumentServer/issues" or asking questions on "our forum":"https://dev.onlyoffice.org/". You can also buy subscription to premium support or just ask our support team to help in certain cases. "Learn more":"https://github.com/ONLYOFFICE/DocumentServer/issues" - -*#4. Get the free apps*. To work on documents offline on Windows, Linux and macOS, download "this free desktop app":"https://www.onlyoffice.com/apps.aspx". To edit documents on mobile devices, get free Documents app for "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - -*#5. Activate private rooms for encrypted collaboration*. All the docs stored in these rooms as well as data transfer while collaboration are encrypted using the AES-256 encryption algorithm to prevent unwanted access. "Learn more":"${__HelpLink}". - - - Hello, $UserName! - -Here’s what you can do to make your web-office even more secure: - -*Get an SSL certificate*, if you are going to provide not only local but also external portal access for your users. Generate a new signed certificate in the Control Panel or purchase one from the provider you trust. - -*Enable automatic backups* in the Control Panel. We also recommend that you use third-party services and make a backup copy of the server with ONLYOFFICE installed from time to time. Instructions in our "Help Center":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Adjust portal security settings*: Easily import the necessary users and groups from your LDAP server (e.g. OpenLDAP Server or Microsoft Active Directory) to your portal. "Learn more >>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx?_ga=2.111477636.160074001.1555312634-699576329.1539952318" - -*Enable 2-factor authentication* via SMS or authenticator app. Instructions "here":"${__HelpLink}/guides/two-factor-authentication.aspx?_ga=2.115795846.160074001.1555312634-699576329.1539952318". - -*Use LDAP for access centralization*. Easily import the necessary users and groups from your LDAP server (e.g. OpenLDAP Server or Microsoft Active Directory) to your portal. Learn more "here":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Use own SMPT*. By default notifications for ONLYOFFICE users (for example, if they are granted access to a document) are provided by means of standard ONLYOFFICE SMPT server. Configure your own SMTP server so that your notifications won’t pass through any third-party server. "Instructions>>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Close all the unnecessary ports*. The list of all the ports which must be opened for ONLYOFFICE is "here":"${__HelpLink}/server/docker/community/open-ports.aspx". - -*Encrypt your data at rest*. To do so, follow "the instructions":"${__HelpLink}". If you want to protect collaboration process, activate Private Rooms. "Learn more":"${__HelpLink}" - -Make your ONLYOFFICE more secure now follow the "link":"$ControlPanelUrl" - -More information in our "Help Center":"${__HelpLink}". Hello! @@ -866,57 +679,6 @@ To access your web-office, follow "the link":"${__VirtualRootPath}". If you want to create your own web-office, visit "ONLYOFFICE official website":"https://www.onlyoffice.com/". - - - Hello! - -You are invited to join your company's safe and secure web-office that would enhance your collaboration. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - -Accept the invitation by following the "link":"$ActivateUrl" - -The link is only valid for 7 days. - -You will get more tips on how to use your web-office. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them. - - - Hello, $UserName! - -We hope you enjoy using integrated ONLYOFFICE document editors. Here are some tips that might be useful: - -*#1. Explore advanced formatting*. The doc editors provide you with the most complete set of styling and formatting tools. - -*#2. Share documents* to individuals or user groups. Choose their access level - Read Only, Comment, Form Filling, Review or Full Access. - -*#3. Choose co-editing mode*. While co-editing a doc with your team in real time, switch to Fast mode to see changes as your co-author is typing or to Strict mode to get more privacy. "Watch video":"https://youtu.be/8z1iLv32J2M" - -*#4. Review, comment, and chat*. Use "Review":"https://youtu.be/D1tbffuQeUA" to suggest changes without modifying the original doc, add Comments to share your thoughts on a specific extract, or chat inside your doc via instant messages. - -*#5. Connect 3rd party clouds*, like Dropbox or Google Drive, to manage your files in one place. - -*#6. Get the apps*. To work on documents offline on Windows, Linux and macOS, download "this free desktop app":"https://www.onlyoffice.com/apps.aspx". To edit documents on mobile devices, get free Documents app for "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - - - Congratulations, $UserName! - -You have officially joined your team’s web-office at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: - -*Store, manage and share documents*. View pictures, play videos and audios. "Learn more":"${__HelpLink}/gettingstarted/documents.aspx" - -*Edit and co-author documents, spreadsheets, and presentations* using integrated ONLYOFFICE editors. Use hundreds of formatting tools and collaborate efficiently. "Watch video":"https://youtu.be/ep1VLGlmsdI" - -*Manage your tasks*. Use "ONLYOFFICE Projects":"${__HelpLink}/projects.aspx" to plan activities, set tasks and deadlines. - -*Customer relationships*. Build your customer database, manage business processes, analyse potential deal success rate, and track sales with "ONLYOFFICE CRM":"${__HelpLink}/crm.aspx". - -*Create personal and shared calendars*. Arrange meetings, set reminders, create to-do lists! "Learn more":"${__HelpLink}/calendar.aspx" - -*Use internal wiki and social network*. Maintain an internal knowledge base to help new members get involved quickly. Share your thoughts with blogs, forums, and polls. "Learn more":"${__HelpLink}/community.aspx" - -*Handle all emails and create project mailboxes*. Gather correspondence from different accounts in one workspace or ask your admin to create a new corporate mailbox. "Learn more":"${__HelpLink}/mail.aspx" - -*Exchange instant messages* and quickly share files using Talk. "Learn more":"${__HelpLink}/talk.aspx" - -To access your web-office, follow the "link":"${__VirtualRootPath}". Hello, $UserName @@ -1003,18 +765,6 @@ h3.In case you collaborate with a team or manage a project, we suggest you to tr Create a single collaborative workspace for you and your teammates "in the cloud":"https://www.onlyoffice.com/registration.aspx" or "on your server":"https://www.onlyoffice.com/download-workspace.aspx" and see how your workflow would immediately improve! You can take advantage of the "free tariff":"https://www.onlyoffice.com/saas.aspx" for teams with up to 5 users. Sincerely, -ONLYOFFICE team - - - $PersonalHeaderStart Get free ONLYOFFICE apps $PersonalHeaderEnd - -h3.Need to edit documents on the go? Looking for a reliable application to ensure you will be able to work offline when the Internet connection is unstable? Get free ONLYOFFICE apps to edit files from any of your devices. - -- To work on documents offline on Windows, Linux and macOS, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". - -- To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - -Sincerely, ONLYOFFICE team @@ -1154,19 +904,6 @@ If you have any questions or need assistance please feel free to contact us at " Best regards, ONLYOFFICE™ Support Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Your ONLYOFFICE has been successfully deactivated. Please note that all of your data will be deleted in accordance with "our Privacy statement":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Why have you decided to leave? Share your experience with us. - -$GreenButton - -Thank you and good luck! - -Truly yours, -ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1361,21 +1098,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^To change the notification type, please manage your "subscription settings":"$RecipientSubscriptionConfigURL".^ - - - Hello, $UserName! - -You have just created the ONLYOFFICE portal, your team's cloud office that would enhance internal cooperation. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". - -Please, confirm your email: - -$GreenButton - -The link will be valid for 7 days. - -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Hello, $UserName! @@ -1442,19 +1164,6 @@ $GreenButton If you have questions, contact us at sales@onlyoffice.com. -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - You haven't entered your ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" for more than 6 months. Since you have decided not to use it anymore, your web-office and all the data will be deleted in accordance with "our Privacy statement":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -We would appreciate your feedback. Why have you decided to stop using ONLYOFFICE? - -$GreenButton - -If you think this is a mistake and want to continue using ONLYOFFICE, please contact our "support team":"https://helpdesk.onlyoffice.com". - Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1509,98 +1218,6 @@ Get free ONLYOFFICE apps to work on documents and projects from any of your devi · To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". · To manage your team performance on the go, get ONLYOFFICE Projects for "iOS":"https://apps.apple.com/us/app/onlyoffice-projects/id1353395928" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hello, $UserName! - -We hope you enjoy using ONLYOFFICE editors. Here are some tips on how to make it more effective. - -$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm - -$GreenButton - -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Connect Dropbox, Google Drive or other services to manage your files in one place. - - - *Connect 3rd party clouds* - - - Create ready-to-fill-out forms together with your teammates, let other users fill them in, save forms as PDF files. "Learn more":"https://helpcenter.onlyoffice.com/userguides/docs-index.aspx" - - - *Create ready-to-fill-out forms* - - - Documents are integrated with all the other ONLYOFFICE modules, so you’ll forget about downloading docs and uploading them somewhere else forever. - - - *Attach docs to projects and emails* - - - While co-editing a doc with your team in real time, switch to Fast mode to see changes as your co-author is typing or to Strict mode to get more privacy. - - - *Choose co-editing mode* - - - Create and co-edit "fillable document forms":"https://www.onlyoffice.com/form-creator.aspx" online, let other users fill them in, save forms as PDF files. - - - *Create professional-looking forms* - - - Quickly find differences in two versions of the same document with the Compare documents feature. - - - *Quickly find differences* - - - ONLYOFFICE provides you with the most complete set of styling and formatting tools. "Learn more":"https://helpcenter.onlyoffice.com/userguides/docs-index.aspx" - - - *Explore advanced formatting* - - - Use Review to suggest changes without modifying the original doc, add comments and tag other users for feedback. Exchange instant messages via built-in chat or Telegram, make video calls using Jitsi. - - - *Review, comment, and chat* - - - Share docs to individuals or user groups. Choose their access level - Read Only, Comment, Form Filling, Review or Full Access. To protect documents, you can restrict printing, downloading, copying, and sharing. - - - *Share documents* - - - Comfortably collaborate on spreadsheets with the Sheet Views feature that allows to create filter that only changes your view of the data, without affecting your team. - - - *Comfortably collaborate on spreadsheets* - - - Hello, $UserName! - -Test ONLYOFFICE Business cloud for 30 days for free: - -# *Edit unlimited number of docs*, sheets, slides, and forms simultaneously. -# *Customize your online office* style to match your branding. -# *Ensure security:* enable 2FA, configure automatic backups, track user actions. -# *Integrate with your infrastructure:* use LDAP, SSO, and your domain name for portal address. -# *Connect apps for productive work:* Twilio, DocuSign, etc. - -If you need instructions on configuring/using ONLYOFFICE, visit our "Help Center":"${__HelpLink}". - -You can purchase subscription on "Payments page":"$PricingPage" or ask us to extend your trial if you need more time for testing. - Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1633,19 +1250,6 @@ $GreenButton If you need help, browse our "Help Center":"${__HelpLink}". -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hello! - -You are invited to join ONLYOFFICE at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: - -$GreenButton - -We will also send you useful tips and latest ONLYOFFICE news once in a while. You can cancel the subscriptions on your Profile page at any moment as well as re-enable them. - Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1798,9 +1402,6 @@ The link is only valid for 7 days. ${LetterLogoText}. Change of portal address - - Confirm your email - Customize ONLYOFFICE @@ -1822,12 +1423,6 @@ The link is only valid for 7 days. Get free desktop and mobile apps - - 7 tips for effective work on your docs - - - Make your ONLYOFFICE more secure - Follow up from ONLYOFFICE team @@ -1837,15 +1432,6 @@ The link is only valid for 7 days. Welcome to your web-office - - Join ${__VirtualRootPath} - - - Welcome to your web-office - - - Confirm your email - Customize your web-office @@ -1855,21 +1441,12 @@ The link is only valid for 7 days. Your web-office renewal notification - - Make your online office more secure - Join ${__VirtualRootPath} Welcome to your web-office - - Join ${__VirtualRootPath} - - - Welcome to your web-office - User message to administrators @@ -1891,30 +1468,12 @@ The link is only valid for 7 days. ${LetterLogoText}. Another region portal migration successfully completed - - Confirm your email - - - 5 tips for effective work on your docs - - - Make your ONLYOFFICE more secure - Join ${__VirtualRootPath} Welcome to your web-office - - Join ${__VirtualRootPath} - - - 6 tips for effective work on your docs - - - Welcome to your web-office - Welcome to ONLYOFFICE for personal use! @@ -1927,9 +1486,6 @@ The link is only valid for 7 days. Need more features? Give a try to ONLYOFFICE for teams - - Get free ONLYOFFICE apps - Connect your favorite cloud storage to ONLYOFFICE @@ -1945,9 +1501,6 @@ The link is only valid for 7 days. Deletion of the ${__VirtualRootPath} portal - - ONLYOFFICE has been deactivated - ${LetterLogoText}. Change of portal address @@ -1984,9 +1537,6 @@ The link is only valid for 7 days. ${LetterLogoText}. Restore started - - Confirm your email - Tips for comfortable work @@ -1996,9 +1546,6 @@ The link is only valid for 7 days. Re-activate Business and save 20% of the price - - Your ONLYOFFICE will be deleted - Renewal notification @@ -2011,21 +1558,12 @@ The link is only valid for 7 days. Get free ONLYOFFICE apps - - 7 tips for effective work on your docs - - - Welcome to ONLYOFFICE! - Join ${__VirtualRootPath} Welcome to your ONLYOFFICE - - Join ${__VirtualRootPath} - Welcome to your ONLYOFFICE @@ -2109,4 +1647,518 @@ Don’t want to change your password? Just ignore this message. Log in to your ONLYOFFICE Personal account + + CONFIRM + + + Hello, $UserName! + +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + +Please confirm your email (the link is valid for 7 days): + +$GreenButton + +Your current tariff plan is STARTUP. It is absolutely free and includes: + +* 1 manager +* Up to 12 rooms +* Up to 3 users in each room +* 2 GB disk space + +Enjoy a new way of document collaboration! + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + +Please confirm your email (the link is valid for 7 days): + +$GreenButton + +Your current tariff plan is STARTUP. It is absolutely free and includes: + +* 1 manager +* Up to 12 rooms +* Up to 3 users in each room +* 2 GB disk space + +Enjoy a new way of document collaboration! + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + +Please confirm your email (the link is valid for 7 days): + +$GreenButton + +Your current tariff plan is STARTUP. It is absolutely free and includes: + +* 1 manager +* Up to 12 rooms +* Up to 3 users in each room +* 2 GB disk space + +Enjoy a new way of document collaboration! + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + +Please confirm your email (the link is valid for 7 days): + +$GreenButton + +Your current tariff plan is STARTUP. It is absolutely free and includes: + +* 1 manager +* Up to 12 rooms +* Up to 3 users in each room +* 2 GB disk space + +Enjoy a new way of document collaboration! + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Welcome to ONLYOFFICE DocSpace! + + + Welcome to ONLYOFFICE DocSpace! + + + Welcome to ONLYOFFICE DocSpace! + + + Welcome to ONLYOFFICE DocSpace! + + + Hello, $UserName! + +Here are three simple questions for you which can help us make your user experience even more comfortable. + +* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? + +* Would you like to create any number of rooms to work with numerous documents? + +* Do you want to use ONLYOFFICE DocSpace under your own brand? + +If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of managers to your ONLYOFFICE DocSpace as well as apply branding options. + +To do so, please consult the "Payments section":"$PricingPage" of your ONLYOFFICE DocSpace. There, you will find an individual link to the Stripe Customer Portal where you can easily handle all the payment details. + +_Please note: The person who pays the subscription becomes the payer. Only the payer is able to make changes to the subscription (adjust the number of managers). Users don’t have access to the payments details. The owner of the ONLYOFFICE DocSpace account is able to reassign the payer anytime later. _ + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +Here are three simple questions for you which can help us make your user experience even more comfortable. + +* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? + +* Would you like to create any number of rooms to work with numerous documents? + +* Do you want to use ONLYOFFICE DocSpace under your own brand? + +If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of managers to your ONLYOFFICE DocSpace as well as apply branding options. + +To do so, please consult the "Payments section":"$PricingPage" of your ONLYOFFICE DocSpace. There, you will find an individual link to the Stripe Customer Portal where you can easily handle all the payment details. + +_Please note: The person who pays the subscription becomes the payer. Only the payer is able to make changes to the subscription (adjust the number of managers). Users don’t have access to the payments details. The owner of the ONLYOFFICE DocSpace account is able to reassign the payer anytime later. _ + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +Here are three simple questions for you which can help us make your user experience even more comfortable. + +* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? + +* Would you like to create any number of rooms to work with numerous documents? + +* Do you want to use ONLYOFFICE DocSpace under your own brand? + +If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of managers to your ONLYOFFICE DocSpace as well as apply branding options. + +To do so, please consult the "Payments section":"$PricingPage" of your ONLYOFFICE DocSpace. There, you will find an individual link to the Stripe Customer Portal where you can easily handle all the payment details. + +_Please note: The person who pays the subscription becomes the payer. Only the payer is able to make changes to the subscription (adjust the number of managers). Users don’t have access to the payments details. The owner of the ONLYOFFICE DocSpace account is able to reassign the payer anytime later. _ + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +Here are three simple questions for you which can help us make your user experience even more comfortable. + +* Do you have a big team or lots of customers and partners to collaborate with in your ONLYOFFICE DocSpace? + +* Would you like to create any number of rooms to work with numerous documents? + +* Do you want to use ONLYOFFICE DocSpace under your own brand? + +If you have at least one ‘yes’ answer, opt for the BUSINESS tariff plan which allows you to add any desired number of managers to your ONLYOFFICE DocSpace as well as apply branding options. + +To do so, please consult the "Payments section":"$PricingPage" of your ONLYOFFICE DocSpace. There, you will find an individual link to the Stripe Customer Portal where you can easily handle all the payment details. + +_Please note: The person who pays the subscription becomes the payer. Only the payer is able to make changes to the subscription (adjust the number of managers). Users don’t have access to the payments details. The owner of the ONLYOFFICE DocSpace account is able to reassign the payer anytime later. _ + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Discover business subscription of ONLYOFFICE DocSpace + + + Discover business subscription of ONLYOFFICE DocSpace + + + Discover business subscription of ONLYOFFICE DocSpace + + + Discover business subscription of ONLYOFFICE DocSpace + + + Collaborate in DocSpace + + + Hello, $UserName! + +We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. + +*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. + +*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*#3. Co-author effectively.* Collaborate on documents with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*#4. Collaborate securely.* For sensitive or confidential documents, you can use private rooms where every symbol you type is encrypted end-to-end. + +*#5. Connect 3rd party clouds.* Connect any cloud storage and work without switching between apps. + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. + +*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. + +*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*#3. Co-author effectively.* Collaborate on documents with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*#4. Collaborate securely.* For sensitive or confidential documents, you can use private rooms where every symbol you type is encrypted end-to-end. + +*#5. Connect 3rd party clouds.* Connect any cloud storage and work without switching between apps. + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. + +*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. + +*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*#3. Co-author effectively.* Collaborate on documents with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*#4. Collaborate securely.* For sensitive or confidential documents, you can use private rooms where every symbol you type is encrypted end-to-end. + +*#5. Connect 3rd party clouds.* Connect any cloud storage and work without switching between apps. + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +We hope you enjoy using your ONLYOFFICE DocSpace. Here are some tips on how to make work on documents more effective. + +*#1. Choose the way you work.* Organize your workflow as you need it by creating various room types: view-only, review, collaboration, custom rooms. + +*#2. Work with any content you have.* Store and work with files of different formats within your rooms: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*#3. Co-author effectively.* Collaborate on documents with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*#4. Collaborate securely.* For sensitive or confidential documents, you can use private rooms where every symbol you type is encrypted end-to-end. + +*#5. Connect 3rd party clouds.* Connect any cloud storage and work without switching between apps. + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + 5 tips for effective work on your docs + + + 5 tips for effective work on your docs + + + 5 tips for effective work on your docs + + + 5 tips for effective work on your docs + + + LEAVE FEEDBACK + + + Hello, $UserName! + +Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: + +*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. + +*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*# Work with sensitive or confidential documents* when you are invited to the private rooms where every symbol you type is encrypted end-to-end. + +*# Connect any cloud storage* and work without switching between apps. + +$GreenButton + +If you need help, browse our "Help Center":"https://helpcenter.onlyoffice.com/" or ask our "support team":"https://www.onlyoffice.com/support-contact-form.aspx". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: + +*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. + +*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*# Work with sensitive or confidential documents* when you are invited to the private rooms where every symbol you type is encrypted end-to-end. + +*# Connect any cloud storage* and work without switching between apps. + +$GreenButton + +If you need help, browse our "Help Center":"https://helpcenter.onlyoffice.com/" or ask our "support team":"https://www.onlyoffice.com/support-contact-form.aspx". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: + +*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. + +*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*# Work with sensitive or confidential documents* when you are invited to the private rooms where every symbol you type is encrypted end-to-end. + +*# Connect any cloud storage* and work without switching between apps. + +$GreenButton + +If you need help, browse our "Help Center":"https://helpcenter.onlyoffice.com/" or ask our "support team":"https://www.onlyoffice.com/support-contact-form.aspx". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Your ONLYOFFICE DocSpace has been successfully deactivated. Please note that all of your data will be deleted in accordance with our "Privacy Policy":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". + +Why have you decided to leave? Share your experience with us. + +$GreenButton + +Thank you and good luck! + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + You haven't entered your ONLYOFFICE DocSpace "${__VirtualRootPath}":"${__VirtualRootPath}" for more than half a year. + +Since you have decided not to use it anymore, your ONLYOFFICE DocSpace and all the data will be deleted in accordance with our "Privacy Policy":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". + +We would appreciate your feedback. Why have you decided to stop using ONLYOFFICE DocSpace? + +$GreenButton + +If you think this is a mistake and want to continue using ONLYOFFICE DocSpace, please contact our "support team":"https://www.onlyoffice.com/support-contact-form.aspx". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: + +*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. + +*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. + +*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. + +*# Work with sensitive or confidential documents* when you are invited to the private rooms where every symbol you type is encrypted end-to-end. + +*# Connect any cloud storage* and work without switching between apps. + +$GreenButton + +If you need help, browse our "Help Center":"https://helpcenter.onlyoffice.com/" or ask our "support team":"https://www.onlyoffice.com/support-contact-form.aspx". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Welcome to ONLYOFFICE DocSpace! + + + Welcome to ONLYOFFICE DocSpace! + + + Welcome to ONLYOFFICE DocSpace! + + + ONLYOFFICE DocSpace has been deactivated + + + Your ONLYOFFICE DocSpace will be deleted + + + Welcome to ONLYOFFICE DocSpace! + + + ACCEPT + + + Hello! + +You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello! + +You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello! + +You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello! + +You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + +$GreenButton + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Join ONLYOFFICE DocSpace + + + Join ONLYOFFICE DocSpace + + + Join ONLYOFFICE DocSpace + + + Join ONLYOFFICE DocSpace + + + Get free ONLYOFFICE apps + + + Hello, $UserName! + +Get free ONLYOFFICE apps to work on documents from any of your devices. + +# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". + +#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + \ No newline at end of file diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index 69fe2c2a38..8001fb568c 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -53,10 +53,10 @@ 2.0 - System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceReader, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 + System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 Создан блог в @@ -284,21 +284,6 @@ $GreenButton $GreenButton *Обратите внимание*: эта ссылка действительна только 7 дней. Пожалуйста, выполните изменение адреса портала в течение этого времени. - - - Здравствуйте, $UserName! - -Вы только что создали портал ONLYOFFICE, облачный офис вашей команды для организации эффективной совместной работы. Его адрес - "${__VirtualRootPath}":"${__VirtualRootPath}". - -Пожалуйста, подтвердите ваш адрес электронной почты, перейдя по ссылке: - -$GreenButton - -Вы можете изменить свой адрес электронной почты или пароль на "странице вашего личного профиля":"$MyStaffLink". - -Для отправки оповещений мы используем SMTP-настройки почтового сервера ONLYOFFICE. Чтобы их изменить, пожалуйста, следуйте этим "инструкциям":"${__HelpLink}/installation/groups-smtp-settings.aspx". - -Дополнительная информация - в "Справочном центре":"${__HelpLink}" ONLYOFFICE. Здравствуйте, $UserName! @@ -408,39 +393,6 @@ $BlueButton # Чтобы работать с документами офлайн в ОС Windows, Linux и Mac, скачайте "десктопное приложение":"https://www.onlyoffice.com/ru/download-desktop.aspx". # Чтобы редактировать документы на мобильных устройствах, используйте приложение ONLYOFFICE Документы для "iOS":"https://apps.apple.com/ru/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Чтобы управлять работой команды, где бы вы ни были, скачайте приложение Проекты для "iOS":"https://apps.apple.com/ru/app/onlyoffice-projects/id1353395928" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - - - Здравствуйте, $UserName! - -Мы надеемся, что вам нравится использовать редакторы документов, доступные в вашем виртуальном офисе. Вот несколько полезных советов о том, как сделать работу с ними более эффективной. - -$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm - - - Здравствуйте, $UserName! - -Чтобы сделать ваш виртуальный офис еще более безопасным, можно принять следующие меры: - -*Получите SSL-сертификат*, если вы собираетесь предоставлять пользователям не только локальный, но и внешний доступ к порталу. Сгенерируйте новый подписанный сертификат в Панели управления или приобретите сертификат у доверенного поставщика. - -*Включите автоматическое резервное копирование* в Панели управления. Мы также рекомендуем использовать сторонние сервисы и время от времени делать полный бэкап сервера, на котором развернут ONLYOFFICE. Инструкции в нашем "Справочном центре":"${__HelpLink}/administration/control-panel-backup.aspx". - -*Настройте параметры безопасности портала*: ограничьте доступ, используя списки разрешенных IP-адресов, укажите доверенные почтовые домены, задайте длину пароля и многое другое. "Подробнее >>":"${__HelpLink}/installation/workspace-enterprise-configure.aspx" - -*Включите двухфакторную аутентификацию* с помощью SMS или приложения для аутентификации. Инструкции "здесь":"${__HelpLink}/administration/two-factor-authentication.aspx". - -*Используйте LDAP для централизации доступа*. Легко импортируйте на портал нужных пользователей и группы с LDAP-сервера (например, OpenLDAP Server или Microsoft Active Directory). Больше информации о LDAP "здесь":"${__HelpLink}/administration/control-panel-ldap.aspx". - -*Используйте собственный SMPT*. По умолчанию для рассылок уведомлений пользователям ONLYOFFICE Workspace Enterprise Edition (например, о том, что им был предоставлен доступ к документу) используется стандартный SMPT-сервер ONLYOFFICE. Настройте свой собственный SMTP-сервер, чтобы ваши уведомления не проходили через сторонний сервер. "Инструкции >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Закройте все ненужные порты*. Список всех портов, которые должны быть открыты для ONLYOFFICE, находится "здесь":"${__HelpLink}/installation/groups-open-ports.aspx". - -Повысьте безопасность ONLYOFFICE прямо сейчас. - -Чтобы получить доступ к вашему виртуальному офису, перейдите по следующей ссылке: -$GreenButton - -Подробная информация в нашем "Справочном центре":"${__HelpLink}". Здравствуйте, $UserName! @@ -473,45 +425,6 @@ $GreenButton Чтобы получить доступ к вашему виртуальному офису, перейдите по следующей ссылке: $GreenButton - - - Здравствуйте, $UserName! - -$__AuthorName приглашает вас в безопасный виртуальный офис вашей команды для организации эффективной совместной работы. Его адрес - "${__VirtualRootPath}":"${__VirtualRootPath}". - -Примите приглашение, перейдя по ссылке: - -$GreenButton - -Эта ссылка действительна только 7 дней. - -Вы будете получать другие полезные советы по использованию виртуального офиса. Вы можете в любой момент отписаться от рассылок или заново подписаться на них на странице вашего профиля. - - - Здравствуйте, $UserName! - -Ваш пользовательский профиль успешно добавлен на портал по адресу "${__VirtualRootPath}":"${__VirtualRootPath}". Теперь вы можете: - -1. Создавать и редактировать документы, работать с формами, делиться ими с участниками команды и вести совместную работу в режиме реального времени. -2. Добавлять учетные записи электронной почты и централизованно управлять всей корреспонденцией в модуле Почта. -3. Управлять рабочим процессом с помощью модуля Проекты и взаимоотношениями с клиентами, используя модуль CRM. -4. Использовать Сообщество, чтобы вести блоги, общаться на форумах, добавлять события, делиться закладками. -5. Планировать свой график с помощью встроенного Календаря. -6. Использовать Чат для обмена мгновенным сообщениями. - -Чтобы получить доступ к вашему виртуальному офису, перейдите по следующей ссылке: -$GreenButton - - - Здравствуйте, $UserName! - -Вы только что создали ваш корпоративный виртуальный офис, облачный офис вашей команды для организации эффективной совместной работы. Его адрес - "${__VirtualRootPath}":"${__VirtualRootPath}". - -Пожалуйста, подтвердите ваш адрес электронной почты: - -$GreenButton - -Вы можете изменить свой адрес электронной почты или пароль на "странице вашего личного профиля":"$MyStaffLink". Здравствуйте, $UserName! @@ -539,27 +452,6 @@ $GreenButton Нажмите на следующую ссылку, чтобы начать продление: "Страница с ценами":"$PricingPage" - - - Здравствуйте, $UserName! - -Чтобы сделать ваш виртуальный офис еще более безопасным, можно принять следующие меры: - -*Получите SSL-сертификат*, если вы собираетесь предоставлять пользователям не только локальный, но и внешний доступ к порталу. Сгенерируйте новый подписанный сертификат в Панели управления или приобретите сертификат у доверенного поставщика. - -*Включите автоматическое резервное копирование* в Панели управления. Мы также рекомендуем использовать сторонние сервисы и время от времени делать полный бэкап сервера. - -*Настройте параметры безопасности портала*: ограничьте доступ, используя списки разрешенных IP-адресов, укажите доверенные почтовые домены, задайте длину пароля и многое другое. - -*Включите двухфакторную аутентификацию* с помощью SMS или приложения для аутентификации. - -*Используйте LDAP для централизации доступа*. Легко импортируйте на портал нужных пользователей и группы с LDAP-сервера (например, OpenLDAP Server или Microsoft Active Directory). - -*Используйте собственный SMPT* и закройте все ненужные порты. - -Повысьте безопасность онлайн-офиса прямо сейчас. - -$GreenButton Здравствуйте, $UserName! @@ -583,33 +475,6 @@ $GreenButton # Планировать свой график с помощью встроенного "Календаря":"${__VirtualRootPath}/addons/calendar/". # Использовать "Чат":"${__VirtualRootPath}/addons/talk/" для обмена мгновенным сообщениями. -$GreenButton - - - Здравствуйте, $UserName! - -$__AuthorName приглашает вас в безопасный виртуальный офис вашей команды для организации эффективной совместной работы. Его адрес - "${__VirtualRootPath}":"${__VirtualRootPath}". - -Примите приглашение, перейдя по ссылке: - -$GreenButton - -Эта ссылка действительна только 7 дней. - -Вы будете получать другие полезные советы по использованию виртуального офиса. Вы можете в любой момент отписаться от рассылок или заново подписаться на них на странице вашего профиля. - - - Здравствуйте, $UserName! - -Ваш пользовательский профиль успешно добавлен на портал по адресу "${__VirtualRootPath}":"${__VirtualRootPath}". Теперь вы можете: - -# Создавать и редактировать "документы":"${__VirtualRootPath}/Products/Files/", делиться ими с участниками команды и вести совместную работу в режиме реального времени. -# Добавить свою учетную запись электронной почты и централизованно управлять всей корреспонденцией в модуле "Почта":"${__VirtualRootPath}/addons/mail/". -# Управлять рабочим процессом с помощью модуля "Проекты":"${__VirtualRootPath}/Products/Projects/" и взаимоотношениями с клиентами, используя модуль "CRM":"${__VirtualRootPath}/Products/CRM/". -# Использовать "Сообщество":"${__VirtualRootPath}/Products/Community/", чтобы вести блоги, общаться на форумах, добавлять события, делиться закладками. -# Планировать свой график с помощью встроенного "Календаря":"${__VirtualRootPath}/addons/calendar/". -# Использовать "Чат":"${__VirtualRootPath}/addons/talk/" для обмена мгновенным сообщениями. - $GreenButton @@ -728,59 +593,6 @@ $GreenButton *Обратите внимание*: эта ссылка действительна только 7 дней. Пожалуйста, выполните восстановление доступа в течение этого времени. Если Вы считаете, что получили это письмо по ошибке, пожалуйста, проигнорируйте его или обратитесь к администратору вашего портала "$PortalUrl":"$PortalUrl" за разъяснениями. - - - Здравствуйте, $UserName! - -Вы только что создали портал ONLYOFFICE, облачный офис вашей команды для организации эффективной совместной работы. Его адрес - "${__VirtualRootPath}":"${__VirtualRootPath}". - -Пожалуйста, подтвердите ваш адрес электронной почты, перейдя по "ссылке":"$ActivateUrl". - -Вы можете изменить свой адрес электронной почты или пароль на "странице вашего личного профиля":"$MyStaffLink". - -Для отправки оповещений мы используем SMTP-настройки почтового сервера ONLYOFFICE. Чтобы их изменить, пожалуйста, следуйте этим "инструкциям":"${__HelpLink}/server/windows/community/smtp-settings.aspx". - -Дополнительная информация - в "Справочном центре":"${__HelpLink}" ONLYOFFICE. - - - Здравствуйте, $UserName! - -Мы надеемся, что вам нравится использовать интегрированные редакторы ONLYOFFICE. Вот несколько советов, которые могут быть полезны: - -*#1. Предоставляйте доступ к документам* для отдельных пользователей или групп. Выбирайте уровень доступа: только чтение, комментирование, заполнение форм, рецензирование или полный доступ. Позвольте другим пользователям применять собственные фильтры в электронных таблицах, не мешая соавторам. Ограничьте скачивание и печать с помощью "ONLYOFFICE API":"https://api.onlyoffice.com/editors/config/document/permissions". - -*#2. Узнайте, как работает сохранение документов*, и настройте его в соответствии с вашими потребностями. "Узнать больше":"https://www.onlyoffice.com/blog/2020/04/save-and-force-save-in-onlyoffice-never-lose-a-document/" - -*#3. Получайте помощь* от сообщества, создавая запросы на "GitHub":"https://github.com/ONLYOFFICE/DocumentServer/issues" или задавая вопросы на "нашем форуме":"https://dev.onlyoffice.org/". Вы также можете приобрести подписку на премиум-поддержку или просто обратиться в нашу службу поддержки за помощью в некоторых случаях. "Узнать больше":"https://github.com/ONLYOFFICE/DocumentServer/issues" - -*#4. Скачайте бесплатные приложения*. Чтобы работать с документами офлайн в ОС Windows, Linux и macOS, скачайте "это бесплатное десктопное приложение":"https://www.onlyoffice.com/apps.aspx". Чтобы редактировать документы на мобильных устройствах, скачайте бесплатное приложение Документы для "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - -*#5. Активируйте приватные комнаты для зашифрованной совместной работы*. Все документы, сохраненные в этих комнатах, а также данные, передаваемые при совместном редактировании, зашифрованы с помощью алгоритма шифрования AES-256 для предотвращения несанкционированного доступа. "Узнать больше":"${__HelpLink}". - - - Здравствуйте, $UserName! - -Чтобы сделать ваш виртуальный офис еще более безопасным, можно принять следующие меры: - -*Получите SSL-сертификат*, если вы собираетесь предоставлять пользователям не только локальный, но и внешний доступ к порталу. Сгенерируйте новый подписанный сертификат в Панели управления или приобретите сертификат у доверенного поставщика. - -*Включите автоматическое резервное копирование* в Панели управления. Мы также рекомендуем использовать сторонние сервисы и время от времени делать полный бэкап сервера, на котором развернут ONLYOFFICE . Инструкции в нашем "Справочном центре":"${__HelpLink}/server/controlpanel/enterprise/backup-restore.aspx". - -*Настройте параметры безопасности портала*: ограничьте доступ, используя списки разрешенных IP-адресов, укажите доверенные почтовые домены, задайте длину пароля и многое другое. "Подробнее >>":"${__HelpLink}/server/enterprise/configure-enterprise.aspx?_ga=2.111477636.160074001.1555312634-699576329.1539952318" - -*Включите двухфакторную аутентификацию* с помощью SMS или приложения для аутентификации. Инструкции "здесь":"${__HelpLink}/guides/two-factor-authentication.aspx?_ga=2.115795846.160074001.1555312634-699576329.1539952318". - -*Используйте LDAP для централизации доступа*. Легко импортируйте на портал нужных пользователей и группы с LDAP-сервера (например, OpenLDAP Server или Microsoft Active Directory). Больше информации о LDAP "здесь":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -*Используйте собственный SMPT*. По умолчанию для рассылок уведомлений пользователям ONLYOFFICE Workspace Enterprise Edition (например, о том, что им был предоставлен доступ к документу) используется стандартный SMPT-сервер ONLYOFFICE. Настройте свой собственный SMTP-сервер, чтобы ваши уведомления не проходили через сторонний сервер. "Инструкции >>":"${__HelpLink}/installation/groups-smtp-settings.aspx" - -*Закройте все ненужные порты*. Список всех портов, которые должны быть открыты для ONLYOFFICE, находится "здесь":"${__HelpLink}/server/docker/community/open-ports.aspx". - -*Зашифруйте хранящиеся данные*. Для этого следуйте "инструкциям":"${__HelpLink}". Если вы хотите обеспечить безопасность процесса совместной работы, активируйте Приватные комнаты. "Узнать больше":"${__HelpLink}" - -Чтобы повысить безопасность виртуального офиса, перейдите по "ссылке":"$ControlPanelUrl" - -Подробная информация в нашем "Справочном центре":"${__HelpLink}". Здравствуйте! @@ -811,57 +623,6 @@ $GreenButton Для доступа к виртуальному офису перейдите по "ссылке":"${__VirtualRootPath}". Если вы хотите создать свой собственный виртуальный офис, посетите "официальный сайт ONLYOFFICE":"https://www.onlyoffice.com/". - - - Здравствуйте! - -Вас пригласили в безопасный виртуальный офис вашей команды для организации эффективной совместной работы. Его адрес - "${__VirtualRootPath}":"${__VirtualRootPath}". - -Примите приглашение, перейдя по "ссылке":"$ActivateUrl" - -Эта ссылка действительна только 7 дней. - -Вы будете получать полезные советы по использованию виртуального офиса. Вы можете в любой момент отписаться от рассылок или заново подписаться на них на странице вашего профиля. - - - Здравствуйте, $UserName! - -Мы надеемся, что вам нравится использовать интегрированные редакторы ONLYOFFICE. Вот несколько советов, которые могут быть полезны: - -*#1. Познакомьтесь с возможностями расширенного форматирования*. Редакторы документов предоставляют самый полный набор инструментов форматирования и работы со стилями. - -*#2. Предоставляйте доступ к документам* для отдельных пользователей или групп. Выбирайте уровень доступа: только чтение, комментирование, заполнение форм, рецензирование или полный доступ. - -*#3. Выбирайте режим совместного редактирования*. При совместном редактировании документа в режиме реального времени перейдите в Быстрый режим, чтобы видеть изменения по мере ввода текста соавтором, или в Строгий режим, обеспечивающий большую приватность. "Смотреть видео":"https://youtu.be/8z1iLv32J2M" - -*#4. Используйте рецензирование, комментарии и чат*. Используйте функцию "рецензирования":"https://youtu.be/D1tbffuQeUA", чтобы предлагать изменения, не изменяя оригинальный документ, добавляйте комментарии, чтобы поделиться мыслями по поводу определенного фрагмента текста, или обменивайтесь мгновенными сообщениями в чате внутри документа. - -*#5. Подключите сторонние облачные сервисы*, такие как Dropbox или Google Drive, чтобы управлять файлами в едином пространстве. - -*#6. Скачайте приложения*. Чтобы работать с документами офлайн в ОС Windows, Linux и macOS, скачайте "это бесплатное десктопное приложение":"https://www.onlyoffice.com/apps.aspx". Чтобы редактировать документы на мобильных устройствах, скачайте бесплатное приложение Документы для "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - - - Поздравляем, $UserName! - -Вы официально присоединились к виртуальному офису вашей команды "${__VirtualRootPath}":"${__VirtualRootPath}". Теперь вы можете: - -*Хранить документы, управлять ими и предоставлять к ним доступ*. Просматривать изображения, воспроизводить видео и аудио. "Узнать больше":"${__HelpLink}/gettingstarted/documents.aspx" - -*Редактировать документы, электронные таблицы и презентации и работать над ними совместно* с помощью интегрированных редакторов ONLYOFFICE. Использовать множество инструментов форматирования и эффективно взаимодействовать. "Смотреть видео":"https://youtu.be/ep1VLGlmsdI" - -*Управлять своими задачами*. Использовать "Проекты ONLYOFFICE":"${__HelpLink}/projects.aspx" для планирования действий, постановки задач и сроков. - -*Управлять взаимоотношениями с клиентами*. Создать свою клиентскую базу, управлять бизнес-процессами, анализировать успешность потенциальных сделок и отслеживать продажи с помощью "ONLYOFFICE CRM":"${__HelpLink}/crm.aspx". - -*Создавать персональные и общие календари*. Организовывать встречи, настраивать напоминания, создавать списки задач! "Узнать больше":"${__HelpLink}/calendar.aspx" - -*Использовать корпоративную wiki и социальные сети*. Вести внутреннюю базу знаний, чтобы помочь новым участникам быстро включиться в работу. Делиться идеями с помощью блогов, форумов и опросов. "Узнать больше":"${__HelpLink}/community.aspx" - -*Работать со всеми письмами и создавать почтовые ящики для вашего проекта*. Собрать корреспонденцию из разных аккаунтов в одном рабочем пространстве или попросить вашего администратора создать новый корпоративный почтовый ящик. "Узнать больше":"${__HelpLink}/mail.aspx" - -*Обмениваться мгновенными сообщениями* и быстро делиться файлами в Чате. "Learn more":"${__HelpLink}/talk.aspx" - -Для доступа к виртуальному офису перейдите по "ссылке":"${__VirtualRootPath}". Здравствуйте, $UserName @@ -945,18 +706,6 @@ h3.Если вы работаете с командой или управляе Создайте единое пространство для совместной работы для вас и участников вашей команды "в облаке":"https://www.onlyoffice.com/ru/registration.aspx" или "на собственном сервере":"https://www.onlyoffice.com/ru/download-workspace.aspx", и вы сразу же увидите, как повысится эффективность работы! Вы можете воспользоваться "бесплатным тарифом":"https://www.onlyoffice.com/ru/saas.aspx" для команд, объединяющих до 5 пользователей. -С уважением, -команда ONLYOFFICE - - - $PersonalHeaderStart Скачайте бесплатные приложения ONLYOFFICE $PersonalHeaderEnd - -h3.Ищете возможность редактировать документы, где бы вы ни находились, и надежное приложение для работы офлайн при нестабильном подключении к Интернету? Скачайте бесплатные приложения ONLYOFFICE для работы с файлами на любом устройстве. - -- Для работы с документами офлайн на Windows, Linux и macOS скачайте "десктопные редакторы ONLYOFFICE":"https://www.onlyoffice.com/ru/download-desktop.aspx". - -- Для редактирования документов на мобильных устройствах скачайте приложение ONLYOFFICE Documents для "iOS":"https://apps.apple.com/ru/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - С уважением, команда ONLYOFFICE @@ -1086,19 +835,6 @@ $GreenButton С уважением, команда ONLYOFFICE™ -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Ваш ONLYOFFICE успешно деактивирован. Обратите внимание, что все ваши данные будут удалены в соответствии с нашим "Положением о конфиденциальности":"https://help.onlyoffice.com/Products/Files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Почему вы решили прекратить использование сервиса? Поделитесь с нами своими впечатлениями. - -$GreenButton - -Благодарим вас! - -С уважением, -Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1293,21 +1029,6 @@ $GreenButton "www.onlyoffice.com":"http://onlyoffice.com/" ^Чтобы изменить тип оповещения, пожалуйста, настройте "параметры подписки":"$RecipientSubscriptionConfigURL".^ - - - Здравствуйте, $UserName! - -Вы только что создали портал ONLYOFFICE, облачный офис вашей команды для организации эффективной совместной работы. Его адрес - "${__VirtualRootPath}":"${__VirtualRootPath}". - -Пожалуйста, подтвердите свой адрес электронной почты: - -$GreenButton - -Ссылка будет действительна в течение 7 дней. - -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Здравствуйте, $UserName! @@ -1372,19 +1093,6 @@ $GreenButton Если у вас есть вопросы, обратитесь к нам по адресу sales@onlyoffice.com. -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Вы не заходили на свой портал ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}" более 6 месяцев. Поскольку вы решили больше его не использовать, ваш веб-офис и все данные будут удалены в соответствии с "нашим Положением о конфиденциальности":"https://help.onlyoffice.com/products/files/doceditor.aspx?fileid=5048502&doc=SXhWMEVzSEYxNlVVaXJJeUVtS0kyYk14YWdXTEFUQmRWL250NllHNUFGbz0_IjUwNDg1MDIi0". - -Мы будем благодарны вам за отзыв. Почему вы решили прекратить использование ONLYOFFICE? - -$GreenButton - -Если вы считаете, что это ошибка, и хотите продолжить использование ONLYOFFICE, пожалуйста, обратитесь в нашу "службу поддержки":"mailto:support@onlyoffice.com". - С уважением, Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1440,98 +1148,6 @@ $GreenButton · Чтобы редактировать документы на мобильных устройствах, скачайте приложение ONLYOFFICE Документы для "iOS":"https://apps.apple.com/ru/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". · Чтобы управлять работой команды, где бы вы ни были, скачайте приложение ONLYOFFICE Проекты для "iOS":"https://apps.apple.com/ru/app/onlyoffice-projects/id1353395928" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Здравствуйте, $UserName! - -Мы надеемся, что вам нравится использовать редакторы ONLYOFFICE. Вот несколько полезных советов о том, как сделать работу с ними более эффективной. - -$TableItemsTop $TableItem2 $TableItem1 $TableItem4 $TableItem3 $TableItem7 $TableItem6 $TableItem5 $TableItemsBtm - -$GreenButton - -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Подключите Dropbox или Google Drive, чтобы управлять файлами в едином пространстве. - - - *Подключите сторонние облачные сервисы* - - - Создавайте готовые к заполнению формы документов совместно с вашей командой, предоставляйте другим пользователям возможность заполнения, сохраняйте формы как PDF-файлы. "Узнайте больше":"https://www.onlyoffice.com/ru/form-creator.aspx" - - - *Создавайте готовые к заполнению формы* - - - Документы интегрированы со всеми остальными модулями ONLYOFFICE, так что вам больше не потребуется скачивать документы и загружать их куда-то еще. - - - *Прикрепляйте документы к проектам и письмам* - - - При совместном редактировании документа в режиме реального времени перейдите в Быстрый режим, чтобы видеть изменения по мере ввода текста соавтором, или в Строгий режим, обеспечивающий большую приватность. - - - *Выбирайте режим совместного редактирования* - - - Создавайте "готовые к заполнению формы документов":"https://www.onlyoffice.com/ru/form-creator.aspx" и совместно редактируйте их в режиме реального времени, предоставляйте другим пользователям возможность заполнения, сохраняйте формы как PDF-файлы. - - - *Создавайте формы профессионального уровня* - - - Быстро находите отличия в двух версиях одного документа с помощью функции сравнения документов. - - - *Быстро находите отличия* - - - ONLYOFFICE предоставляет самый полный набор инструментов форматирования и работы со стилями. "Узнайте больше":"https://helpcenter.onlyoffice.com/ru/userguides/docs-index.aspx" - - - *Познакомьтесь с возможностями расширенного форматирования* - - - Используйте функцию рецензирования, чтобы предлагать изменения, не изменяя оригинальный документ, добавляйте комментарии и отмечайте других пользователей для получения обратной связи. Обменивайтесь мгновенными сообщениями во встроенном чате или в Telegram, совершайте видеозвонки, используя Jitsi. - - - *Используйте рецензирование, комментарии и чат* - - - Предоставляйте доступ к документам для отдельных пользователей или групп. Выбирайте уровень доступа: только чтение, комментирование, заполнение форм, рецензирование или полный доступ. Для защиты документов вы можете ограничить возможность печати, скачивания, копирования и предоставления доступа. - - - *Предоставляйте доступ к документам* - - - Комфортно ведите совместную работу над электронными таблицами с помощью функции Представление листа, которая позволяет создавать фильтр, изменяющий представление данных только у вас, не влияя на представление данных у ваших соавторов. - - - *Комфортно ведите совместную работу над электронными таблицами* - - - Здравствуйте, $UserName! - -Протестируйте облачный сервис ONLYOFFICE Business в течение 30 дней бесплатно: - -# *Редактируйте неограниченное количество документов*, электронных таблиц, презентаций и форм одновременно. -# *Кастомизируйте стиль онлайн-офиса* в соответствии с вашим брендом. -# *Обеспечьте безопасность:* включите двухфакторную аутентификацию, настройте автоматическое резервное копирование, отслеживайте действия пользователей. -# *Интегрируйте онлайн-офис с вашей инфраструктурой:* используйте LDAP, SSO и собственное доменное имя для адреса портала. -# *Подключите приложения для продуктивной работы:* Twilio, DocuSign и другие. - -Если вам требуются инструкции по настройке или использованию ONLYOFFICE, посетите наш "Справочный центр":"${__HelpLink}". - -Вы можете купить подписку на "странице Платежей":"$PricingPage" или попросить нас продлить пробный период, если вам требуется больше времени для тестирования. - С уважением, Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1564,39 +1180,6 @@ $GreenButton Если вам требуется помощь, посетите наш "Справочный центр":"${__HelpLink}". -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Здравствуйте! - -Вас пригласили на портал ONLYOFFICE "${__VirtualRootPath}":"${__VirtualRootPath}". Примите приглашение, перейдя по ссылке: - -$GreenButton - -Иногда мы также будем присылать полезные советы и последние новости ONLYOFFICE. Вы можете в любой момент отписаться от рассылок или заново подписаться на них на странице вашего профиля. - -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Здравствуйте, $UserName! - -Добро пожаловать в ONLYOFFICE! Ваш пользовательский профиль успешно добавлен на портал "${__VirtualRootPath}":"${__VirtualRootPath}". Теперь вы можете: - -1. Создавать и редактировать "документы":"${__VirtualRootPath}/Products/Files/", делиться ими с участниками команды, вести совместную работу в режиме реального времени и работать с формами. -2. Добавить свою учетную запись электронной почты и централизованно управлять всей корреспонденцией в модуле "Почта":"${__VirtualRootPath}/addons/mail/". -3. Управлять рабочим процессом с помощью модуля "Проекты":"${__VirtualRootPath}/Products/Projects/" и взаимоотношениями с клиентами, используя модуль "CRM":"${__VirtualRootPath}/Products/CRM/". -4. Использовать "Сообщество":"${__VirtualRootPath}/Products/Community/", чтобы вести блоги, общаться на форумах, добавлять события, делиться закладками. -5. Планировать свой график с помощью встроенного "Календаря":"${__VirtualRootPath}/addons/calendar/". -6. Использовать "Чат":"${__VirtualRootPath}/addons/talk/" для обмена мгновенным сообщениями. - -$GreenButton - -Если вам требуется помощь, посетите наш "Справочный центр":"${__HelpLink}" или обратитесь в "службу поддержки":"https://helpdesk.onlyoffice.com". - С уважением, Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1727,9 +1310,6 @@ $GreenButton ${LetterLogoText}. Изменение адреса портала - - Подтвердите адрес электронной почты - Настройте ONLYOFFICE @@ -1751,12 +1331,6 @@ $GreenButton Скачайте бесплатные десктопные и мобильные приложения - - 7 полезных советов для эффективной работы с документами - - - Повысьте безопасность ONLYOFFICE - Следите за новостями команды ONLYOFFICE @@ -1766,15 +1340,6 @@ $GreenButton Добро пожаловать в виртуальный офис - - Стать участником ${__VirtualRootPath} - - - Добро пожаловать в виртуальный офис - - - Подтвердите адрес электронной почты - Настройте виртуальный офис @@ -1784,21 +1349,12 @@ $GreenButton Уведомление о продлении подписки на виртуальный офис - - Повысьте безопасность онлайн-офиса - Стать участником ${__VirtualRootPath} Добро пожаловать в виртуальный офис - - Стать участником ${__VirtualRootPath} - - - Добро пожаловать в виртуальный офис - Сообщение пользователя для администраторов @@ -1820,30 +1376,12 @@ $GreenButton ${LetterLogoText}. Перенос портала в другой регион успешно завершен - - Подтвердите адрес электронной почты - - - 5 полезных советов для эффективной работы с документами - - - Повысьте безопасность ONLYOFFICE - Приглашение на портал ${__VirtualRootPath} Добро пожаловать в виртуальный офис - - Приглашение на портал ${__VirtualRootPath} - - - 6 полезных советов для эффективной работы с документами - - - Добро пожаловать в виртуальный офис - Добро пожаловать в ONLYOFFICE для персонального использования! @@ -1856,9 +1394,6 @@ $GreenButton Попробуйте ONLYOFFICE для командной работы - - Скачайте бесплатные приложения ONLYOFFICE - Подключите свое облачное хранилище к ONLYOFFICE @@ -1874,9 +1409,6 @@ $GreenButton Удаление портала ${__VirtualRootPath} - - ONLYOFFICE деактивирован - ${LetterLogoText}. Изменение адреса портала @@ -1913,9 +1445,6 @@ $GreenButton ${LetterLogoText}. Началось восстановление - - Пожалуйста, подтвердите свой адрес электронной почты - Полезные советы для комфортной работы @@ -1925,9 +1454,6 @@ $GreenButton Повторно активируйте тарифный план Business и сэкономьте 20% от стоимости - - Ваш ONLYOFFICE будет удален - Уведомление о продлении подписки @@ -1940,24 +1466,12 @@ $GreenButton Скачайте бесплатные приложения ONLYOFFICE - - 7 полезных советов для эффективной работы с документами - - - Добро пожаловать в ONLYOFFICE! - Стать участником ${__VirtualRootPath} Добро пожаловать в ONLYOFFICE - - Стать участником ${__VirtualRootPath} - - - Добро пожаловать в ONLYOFFICE - Оповещение об изменении профиля на портале ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx index 577c1e9e4f..fff30d2bff 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx @@ -440,15 +440,6 @@ Saygılarımızla, ONLYOFFICE™ Destek Ekibi "www.onlyoffice.com":"http://onlyoffice.com/" - - Dosyalarınızı tek bir yerden yönetmek için Dropbox, Google Drive veya diğer hizmetleri bağlayın. - - - Belgeler, diğer tüm ONLYOFFICE modülleriyle entegre edilmiştir, böylece belgeleri indirmeyi ve onları sonsuza kadar başka bir yere yüklemeyi unutacaksınız. - - - Ekibinizi etkilemeden yalnızca veri görünümünüzü değiştiren filtre oluşturmaya izin veren Sayfa Görünümleri özelliğiyle elektronik tablolar üzerinde rahatça işbirliği yapın. - h1."${__VirtualRootPath}":"${__VirtualRootPath}" portal profil değişikliği bildirimi @@ -513,18 +504,9 @@ ONLYOFFICE Ekibi ${LetterLogoText}. Portal adres değişikliği - - E-postanızı onaylayın - ONLYOFFICE'i özelleştirin - - Belgeleriniz üzerinde etkili çalışma için 7 ipucu - - - E-postanızı onaylayın - Web ofisinizi özelleştirin @@ -543,15 +525,6 @@ ONLYOFFICE Ekibi ${LetterLogoText}. Başka bir bölgeye portal taşıma başarıyla tamamlandı - - E-postanızı onaylayın - - - Belgeleriniz üzerinde etkili çalışma için 5 ipucu - - - Belgeleriniz üzerinde etkili çalışma için 6 ipucu - Serbest çalışma için birkaç ipucu @@ -588,12 +561,6 @@ ONLYOFFICE Ekibi ${LetterLogoText}. Geri yükleme başlatıldı - - E-postanızı onaylayın - - - Belgeleriniz üzerinde etkili çalışma için 7 ipucu - ${__VirtualRootPath} portal profili değişiklik bildirimi diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx index c22b03826e..76ad914b1f 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx @@ -398,25 +398,6 @@ ONLYOFFICE™客服团队 "www.onlyoffice.com":"http://onlyoffice.com/" ^若想修改通知类型,请管理 "订阅设置”:"$RecipientSubscriptionConfigURL"。^ - - - 您好, $UserName! - -免费测试ONLYOFFICE商业云30天: - -# *同时编辑无限数量的文档*, 电子表格、幻灯片和表单。 -# *定制您的在线办公* 风格,以配合品牌建设。 -# *确保安全:* 启用2FA,配置自动备份,跟踪用户行为。 -# *与您的基础设施整合:* 使用LDAP、SSO和您的域名作为门户地址。 -# *连接应用程序以实现高效工作:* Twilio、DocuSign等。 - -如果您需要关于配置/使用ONLYOFFICE的说明,请访问我们的 "帮助中心":"${__HelpLink}" 。 - -您可以在 "支付页面":"$PricingPage"上购买订阅。如果您需要更多时间进行测试,可以要求我们延长您的试用期。 - -此致敬礼, -ONLYOFFICE团队 -"www.onlyoffice.com":"http://onlyoffice.com/" h1."${__VirtualRootPath}":"${__VirtualRootPath}" 门户档案修改通知 diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index d02d7f7701..fdfd665f43 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -152,10 +152,10 @@ $activity.Key - - - - + + + + @@ -299,76 +299,76 @@ $activity.Key - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + - - - - + + + + @@ -377,39 +377,39 @@ $activity.Key - - - - + + + + - + - + - - - - + + + + - + - + - - - - + + + + - + - + - + @@ -417,14 +417,14 @@ $activity.Key - - - - + + + + - + - + @@ -516,10 +516,10 @@ $activity.Key - - - - + + + + @@ -564,10 +564,10 @@ $activity.Key - - - - + + + + @@ -594,10 +594,10 @@ $activity.Key - - - - + + + + @@ -618,16 +618,16 @@ $activity.Key - - - - + + + + - - - - + + + + @@ -653,9 +653,9 @@ $activity.Key - - - + + + From 46bc2fcdee43a14ea60fb433e2a36751aaca865f Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 15:20:15 +0300 Subject: [PATCH 03/87] added letter saas_admin_modules_v1 --- web/ASC.Web.Core/Notify/Actions.cs | 2 + .../Notify/StudioNotifyService.cs | 2 +- .../Notify/StudioPeriodicNotify.cs | 2 +- ...WebstudioNotifyPatternResource.Designer.cs | 33 ++++++++---- .../WebstudioNotifyPatternResource.az.resx | 22 -------- .../WebstudioNotifyPatternResource.de.resx | 22 -------- .../WebstudioNotifyPatternResource.es.resx | 22 -------- .../WebstudioNotifyPatternResource.fr.resx | 22 -------- .../WebstudioNotifyPatternResource.it.resx | 3 -- .../WebstudioNotifyPatternResource.pt-BR.resx | 22 -------- .../WebstudioNotifyPatternResource.resx | 52 +++++++++++-------- .../WebstudioNotifyPatternResource.ru.resx | 22 -------- .../PublicResources/webstudio_patterns.xml | 8 +-- 13 files changed, 61 insertions(+), 173 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 5bd6feec19..5f0bcd2d62 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -167,4 +167,6 @@ public static class Actions public static readonly INotifyAction OpensourceUserActivationV1 = new NotifyAction("opensource_user_activation_v1"); public static readonly INotifyAction PersonalAfterRegistration14V1 = new NotifyAction("personal_after_registration14_v1"); + + public static readonly INotifyAction SaasAdminModulesV1 = new NotifyAction("saas_admin_modules_v1"); } diff --git a/web/ASC.Web.Core/Notify/StudioNotifyService.cs b/web/ASC.Web.Core/Notify/StudioNotifyService.cs index 8240471808..642a53b55f 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifyService.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifyService.cs @@ -377,7 +377,7 @@ public class StudioNotifyService new[] { EMailSenderName }, new TagValue(Tags.UserName, newUserInfo.FirstName.HtmlEncode()), new TagValue(Tags.MyStaffLink, GetMyStaffLink()), - TagValues.GreenButton(greenButtonText, $"{_commonLinkUtility.GetFullAbsolutePath("~")}/products/files/"), + TagValues.GreenButton(greenButtonText, $"{_commonLinkUtility.GetFullAbsolutePath("~")}/rooms/personal/"), new TagValue(CommonTags.Footer, footer), new TagValue(CommonTags.MasterTemplate, _coreBaseSettings.Personal ? "HtmlMasterPersonal" : "HtmlMaster")); } diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index dccd821e60..7b7391c4ac 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -217,7 +217,7 @@ public class StudioPeriodicNotify if (createdDate.AddDays(1) == nowDate) { - action = Actions.SaasAdminModulesV115; + action = Actions.SaasAdminModulesV1; paymentMessage = false; toadmins = true; diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index 96249a1a8d..8708c99011 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -2069,16 +2069,29 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///ONLYOFFICE will help you with all your daily tasks. Here’s what you can do: + ///Adjust security settings of your ONLYOFFICE DocSpace to make it more secure: /// - ///# *Documents*. Store and manage docs, sheets, and slides. Edit them and collaborate with your team. Create and co-edit professional-looking forms online, let other users fill them in, save forms as PDF files. - ///# *Projects*. Plan activities, create and assign tasks, set deadlines. - ///# *CRM*. Maintain customers database, track sales, create invoices. - ///# *Calendar*. Arrange meetings with shareable calendars and se [rest of string was truncated]";. + ///* Set password strength. + /// + ///* Enable two-factor authentication and Single Sign-On. + /// + ///* Determine trusted mail domains and session lifetime. + /// + ///* Restrict access from specific IP addresses. + /// + ///* Allow or restrict admin messages. + /// + ///* Manage administrator access rights. + /// + ///* Do data backups. + /// + ///$GreenButton + /// + ///Visit our "Help Center":"https://helpcenter.onlyoffice.com/" to learn more about configuring [rest of string was truncated]";. /// - public static string pattern_saas_admin_modules_v115 { + public static string pattern_saas_admin_modules_v1 { get { - return ResourceManager.GetString("pattern_saas_admin_modules_v115", resourceCulture); + return ResourceManager.GetString("pattern_saas_admin_modules_v1", resourceCulture); } } @@ -3154,11 +3167,11 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to ONLYOFFICE modules overview. + /// Looks up a localized string similar to Configure your ONLYOFFICE DocSpace. /// - public static string subject_saas_admin_modules_v115 { + public static string subject_saas_admin_modules_v1 { get { - return ResourceManager.GetString("subject_saas_admin_modules_v115", resourceCulture); + return ResourceManager.GetString("subject_saas_admin_modules_v1", resourceCulture); } } diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index aa400f8530..c478dabd4d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -1060,25 +1060,6 @@ VIP bulud korporativ səviyyəli təhlükəsizlik və genişlənmə qabiliyyəti $GreenButton -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -ONLYOFFICE bütün gündəlik işlərinizdə sizə kömək edəcək. Onun modulları ilə nə edə bilərsiniz: - -# *Sənədlər.* Sənədləri, vərəqləri və slaydları saxlayın və idarə edin. Onları redaktə edin və komandanızla əməkdaşlıq edin. -# *Layihələr.* Fəaliyyətləri planlaşdırın, tapşırıqlar yaradın və təyin edin, son tarixləri təyin edin. -# *CRM.* Müştərilərin məlumat bazasını saxlayın, satışları izləyin, faktura yaradın. -# *Təqvim.* Paylaşıla bilən təqvimlərlə görüşlər təşkil edin və xatırlatmalar təyin edin. -# *Mail.* Müxtəlif hesablardan məktubları bir yerdə toplayın. Korporativ poçt qutuları yaratmaq üçün öz domeninizi əlavə edin. -# *İcma.* Öz sosial şəbəkənizi yaradın və korporativ vikini qoruyun. -# *Danışmaq.* Komandanızla ani mesajlar mübadiləsi edin. - -$GreenButton - Hörmətlə, ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1457,9 +1438,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Rahat işləmək üçün məsləhətlər - - ONLYOFFICE modullarına ümumi baxış - Biznesi yenidən aktivləşdirin və qiymətin 20%-nə qənaət edin diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index c01051e8f9..45088b9e20 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -1060,25 +1060,6 @@ Die VIP-Cloud wird allen angeboten, die Sicherheit und Skalierbarkeit auf Untern $GreenButton -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hallo, $UserName! - -ONLYOFFICE hilft bei allen täglichen Aufgaben in folgenden Modulen: - -# *Dokumente.* Speichern und verwalten Sie Dokumente, Tabellenkalkulationen und Präsentationen. Bearbeiten Sie diese gemeinsam mit dem Team. -# *Projekte.* Planen Sie Aktivitäten, erstellen Sie Aufgaben, ernennen Sie verantwortliche Personen und bestimmen Sie Fälligkeitsdaten. -# *CRM.* Verwalten Sie Ihre Kundendatenbank, verfolgen Sie Verkäufe, erstellen Sie Rechnungen. -# *Kalender.* Organisieren Sie Ereignisse mit Erinnerungen und exportieren Sie Kalender. -# *E-Mail.* Setzen Sie Ihre E-Mail-Konten zusammen. Fügen Ihre Domain hinzu, um geschäftliche Postfächer zu erstellen. -# *Community.* Erstellen Sie das eigene soziale Netzwerk und geschäftliche Wiki-Seiten. -# *Chat.* Senden Sie Nachrichten an Teamkolleg/innen. - -$GreenButton - Beste Grüße, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1453,9 +1434,6 @@ Dieser Link ist nur 7 Tage gültig. Tipps für effektivere Arbeit - - Überblick über ONLYOFFICE-Module - Aktivieren Sie den Business-Tarifplan erneut mit 20% Rabatt diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index 9ccf74c8af..f0977c9b34 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -1051,25 +1051,6 @@ La nube VIP es una opción para aquellos que necesitan la seguridad y escalabili · Cifrado en reposo y colaboración cifrada a través de Salas Privadas. -$GreenButton - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - ¡Hola, $UserName! - -ONLYOFFICE le ayudará con todas sus tareas diarias. Esto es lo que usted puede hacer con sus módulos: - -# *Documentos.* Almacene y gestione documentos, hojas y diapositivas. Edítelos y colabore con su equipo. Cree y coedite formularios de aspecto profesional en línea, deje que otros usuarios los rellenen y guarde los formularios como archivos PDF. -# *Proyectos.* Planifique actividades, cree y asigne tareas, establezca plazos. -# *CRM.* Mantenga una base de datos de clientes, haga un seguimiento de las ventas, cree facturas. -# *Calendario.* Organice reuniones utilizando calendarios compartibles y establezca recordatorios. -# *Correo.* Recopile el correo de diferentes cuentas en un solo lugar. Añada su propio dominio para crear buzones corporativos. -# *Comunidad.* Cree su propia red social y mantenga una wiki corporativa. -# *Chat.* Intercambie mensajes instantáneos con su equipo. - $GreenButton Cordialmente, @@ -1446,9 +1427,6 @@ El enlace es válido solo durante 7 días. Consejos para trabajar cómodamente - - Información general sobre los módulos de ONLYOFFICE - Reactive Business y ahorre un 20% del precio diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index defa0b14a4..8c7d62a193 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -1046,25 +1046,6 @@ $GreenButton Bien à vous, Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Bonjour, $UserName ! - -ONLYOFFICE vous aidera à accomplir toutes vos tâches au quotidien. Voici un aperçu des fonctionnalités disponibles : - -# *Documents.* Gardez et gérez tous vos documents texte, classeurs et présentations. Modifiez-les et collaborez en temps réel. -# *Projets.* Organisez vos activités, créez les tâches et assignez-les à vos collègues, définissez les délais. -# *CRM.* Maintenez la base cliens à jour, suivez les ventes, générez les factures. -# *Agenda.* Créez des événements, partagez les calendriers et programmez les rappels. -# *Mail.* Rassemblez tous vos courriels en un seul endroit. Ajoutez votre propre domaine pour créer les boîtes de messagerie profesionnelles. -# *Communauté.* Créez le réseux social d'entreprise et maintenez la base des connaissances professionnelles. -# *Talk.* Echangez les messages instantanés avec les membres de votre équipe. - -$GreenButton - -Truly yours, -ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1437,9 +1418,6 @@ Le lien est valide pendant 7 jours. Astuces pour le travail efficace - - Aperçu des modules ONLYOFFICE - Ré-activez le forfait Business et profitez de la remise de 20% diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index de74a592b3..96203b23a0 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -1037,9 +1037,6 @@ il team di ONLYOFFICE ‎Consigli per lavorare in modo confortevole‎ - - ‎Panoramica dei moduli ONLYOFFICE‎ - ‎Riattiva business e risparmia il 20% del prezzo‎ diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 52b03edc6a..fbf7e02cbc 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -1058,25 +1058,6 @@ A nuvem VIP é oferecida para aqueles que precisam de segurança e escalabilidad $GreenButton -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Olá, $UserName! - -ONLYOFFICE o ajudará em todas as suas tarefas diárias. Aqui está o que você pode fazer com seus módulos: - -*Documentos.* Armazenar e gerenciar documentos, folhas e slides. Edite-os e colabore com sua equipe. -*Projetos.* Planeje atividades, crie e atribua tarefas, estabeleça prazos. -*CRM.* Manter o banco de dados de clientes, rastrear vendas, criar faturas. -*Calendário.* Organizar reuniões com calendários compartilháveis e definir lembretes. -*Mail.* Reúna correspondência de diferentes contas em um só lugar. Adicione seu próprio domínio para criar caixas de correio corporativas. -*Comunidade.* Crie sua própria rede social e mantenha o wiki corporativo. -*Chat.* Troque mensagens instantâneas com sua equipe. - -$GreenButton - Atenciosamente, Equipe ONLYOFFICE "www.onlyoffice.com": "http://onlyoffice.com/" @@ -1458,9 +1439,6 @@ O link só é válido por 7 dias. Dicas para um trabalho confortável - - Visão geral dos módulos ONLYOFFICE - Reative o Business e economize 20% do preço diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index aac34ca008..7427b7576b 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1126,25 +1126,6 @@ $GreenButton Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hello, $UserName! - -ONLYOFFICE will help you with all your daily tasks. Here’s what you can do: - -# *Documents*. Store and manage docs, sheets, and slides. Edit them and collaborate with your team. Create and co-edit professional-looking forms online, let other users fill them in, save forms as PDF files. -# *Projects*. Plan activities, create and assign tasks, set deadlines. -# *CRM*. Maintain customers database, track sales, create invoices. -# *Calendar*. Arrange meetings with shareable calendars and set reminders. -# *Mail*. Gather mail from different accounts in one place. Add your own domain to create corporate mailboxes. -# *Community*. Create your own social network ans maintain corporate wiki. -# *Talk*. Exchange instant messages with your team. - -$GreenButton - -Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1540,9 +1521,6 @@ The link is only valid for 7 days. Tips for comfortable work - - ONLYOFFICE modules overview - Re-activate Business and save 20% of the price @@ -2161,4 +2139,34 @@ Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" + + Hello, $UserName! + +Adjust security settings of your ONLYOFFICE DocSpace to make it more secure: + +* Set password strength. + +* Enable two-factor authentication and Single Sign-On. + +* Determine trusted mail domains and session lifetime. + +* Restrict access from specific IP addresses. + +* Allow or restrict admin messages. + +* Manage administrator access rights. + +* Do data backups. + +$GreenButton + +Visit our "Help Center":"https://helpcenter.onlyoffice.com/" to learn more about configuring and managing your ONLYOFFICE DocSpace. You are also welcome to consult it when you have questions about the functionality. + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Configure your ONLYOFFICE DocSpace + \ No newline at end of file diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index 8001fb568c..d816347fa2 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -1055,25 +1055,6 @@ VIP-облако предлагается тем, кому требуется б $GreenButton -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Здравствуйте, $UserName! - -ONLYOFFICE поможет вам со всеми повседневными задачами. Вот что вы можете сделать: - -# *Документы*.* Храните документы, электронные таблицы и презентации и управляйте ими. Редактируйте их совместно с командой. Создавайте и совместно редактируйте формы профессионального уровня в режиме реального времени, предоставляйте другим пользователям возможность заполнения, сохраняйте формы как PDF-файлы. -# *Проекты.* Планируйте действия, создавайте и назначайте задачи, устанавливайте сроки. -# *CRM.* Ведите клиентскую базу, отслеживайте продажи, выставляйте счета. -# *Календарь*.* Организуйте встречи с помощью общих календарей и настраивайте напоминания. -# *Почта*.* Соберите корреспонденцию из разных аккаунтов в одном месте. Добавьте свой домен для создания корпоративных почтовых ящиков. -# *Сообщество.* Создайте собственную социальную сеть и ведите корпоративную wiki. -# *Чат.* Обменивайтесь мгновенными сообщениями с командой. - -$GreenButton - С уважением, Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1448,9 +1429,6 @@ $GreenButton Полезные советы для комфортной работы - - Обзор модулей ONLYOFFICE - Повторно активируйте тарифный план Business и сэкономьте 20% от стоимости diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index fdfd665f43..393b775af5 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -612,10 +612,10 @@ $activity.Key - - - - + + + + From a81976b84512bab1b6713a1b6f94133affebbbc6 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 16:22:08 +0300 Subject: [PATCH 04/87] fix --- web/ASC.Web.Core/Notify/Actions.cs | 2 -- web/ASC.Web.Core/Notify/StudioNotifySource.cs | 2 +- web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs | 2 +- 3 files changed, 2 insertions(+), 4 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 5f0bcd2d62..68af4b8fe1 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -106,8 +106,6 @@ public static class Actions public static readonly INotifyAction SaasAdminPaymentWarningEvery2MonthsV115 = new NotifyAction("saas_admin_payment_warning_every_2months_v115"); - public static readonly INotifyAction SaasAdminModulesV115 = new NotifyAction("saas_admin_modules_v115"); - public static readonly INotifyAction PersonalActivate = new NotifyAction("personal_activate"); public static readonly INotifyAction PersonalAfterRegistration1 = new NotifyAction("personal_after_registration1"); public static readonly INotifyAction PersonalAfterRegistration7 = new NotifyAction("personal_after_registration7"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index c09f61dc01..635e84797a 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -101,7 +101,7 @@ public class StudioNotifySource : NotifySource Actions.SaasAdminPaymentWarningEvery2MonthsV115, - Actions.SaasAdminModulesV115, + Actions.SaasAdminModulesV1, Actions.PersonalActivate, Actions.PersonalAfterRegistration1, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 7b7391c4ac..8b4e98b246 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -222,7 +222,7 @@ public class StudioPeriodicNotify toadmins = true; greenButtonText = () => WebstudioNotifyPatternResource.ButtonAccessYouWebOffice; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/')}/"; + greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/portal-settings/"; } #endregion From 36011a497b6af6fcbda71561e5508769d239534e Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 17:08:58 +0300 Subject: [PATCH 05/87] deleted SaasAdminComfortTipsV115 --- web/ASC.Web.Core/Notify/StudioNotifySource.cs | 1 - .../Notify/StudioPeriodicNotify.cs | 14 ------- ...WebstudioNotifyPatternResource.Designer.cs | 26 ------------- .../WebstudioNotifyPatternResource.az.resx | 37 ------------------- .../WebstudioNotifyPatternResource.de.resx | 37 ------------------- .../WebstudioNotifyPatternResource.es.resx | 33 ----------------- .../WebstudioNotifyPatternResource.fr.resx | 37 ------------------- .../WebstudioNotifyPatternResource.it.resx | 3 -- .../WebstudioNotifyPatternResource.pt-BR.resx | 37 ------------------- .../WebstudioNotifyPatternResource.resx | 33 ----------------- .../WebstudioNotifyPatternResource.ru.resx | 32 ---------------- .../PublicResources/webstudio_patterns.xml | 6 --- 12 files changed, 296 deletions(-) diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index 635e84797a..c23f208f46 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -92,7 +92,6 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseAdminPaymentWarningV10, Actions.EnterpriseWhitelabelAdminPaymentWarningV10, - Actions.SaasAdminComfortTipsV115, Actions.SaasAdminUserAppsTipsV115, Actions.SaasAdminTrialWarningBefore5V115, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 8b4e98b246..d6636ef02b 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -225,20 +225,6 @@ public class StudioPeriodicNotify greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/portal-settings/"; } - #endregion - - #region 4 days after registration to admins SAAS TRIAL - - else if (createdDate.AddDays(4) == nowDate) - { - action = Actions.SaasAdminComfortTipsV115; - paymentMessage = false; - toadmins = true; - - greenButtonText = () => WebstudioNotifyPatternResource.ButtonUseDiscount; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~/Tariffs.aspx"); - } - #endregion #region 7 days after registration to admins and users SAAS TRIAL diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index 8708c99011..a4a88d8307 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -2049,23 +2049,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///We have prepared several tips to make your work with ONLYOFFICE more comfortable. - /// - ///*#1 Get quick answers* - ///Browse "Help Center":"${__HelpLink}" when you are not sure how to perform your task. Contact "our support team":"https://helpdesk.onlyoffice.com" if you face tech problems. - /// - ///*#2 Don’t forget about 3rd party extensions* - ///ONLYOFFICE functionality can be enhanced with 3rd party extensions. For example, you can make VoIP calls with Twilio or e-sign your documents with DocuSign. "Fi [rest of string was truncated]";. - /// - public static string pattern_saas_admin_comfort_tips_v115 { - get { - return ResourceManager.GetString("pattern_saas_admin_comfort_tips_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -3157,15 +3140,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Tips for comfortable work. - /// - public static string subject_saas_admin_comfort_tips_v115 { - get { - return ResourceManager.GetString("subject_saas_admin_comfort_tips_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Configure your ONLYOFFICE DocSpace. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index c478dabd4d..8bbee1969a 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -1028,40 +1028,6 @@ Portalın bərpası başladı. Məlumatın miqdarından asılı olaraq bir az va Hörmətlə, ONLYOFFICE™ Dəstək Qrupu -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -ONLYOFFICE ilə işinizi daha rahat etmək üçün bir neçə məsləhət hazırlamışıq. - -*#1 Tez cavablar alın* - -Tapşırığınızı necə yerinə yetirəcəyinizə əmin olmadığınız zaman "Yardım Mərkəzi"nə baxın:"${__HelpLink}". Texniki problemlərlə üzləşsəniz, "dəstək komandamız"la əlaqə saxlayın:"https://helpdesk.onlyoffice.com/hc/en-us". - -*#2 Üçüncü tərəf genişləndirmələrini unutmayın* - -ONLYOFFICE funksionallığı 3-cü tərəf genişləndirmələri ilə təkmilləşdirilə bilər. Məsələn, siz Twilio ilə VoIP zəngləri edə və ya sənədlərinizi DocuSign ilə e-imzalaya bilərsiniz. "Ətraflı məlumat >>":"${__HelpLink}/server/windows/community/authorization-keys.aspx" - -*#3 Abunəliklərinizi idarə edin* - -Paylaşılan sənədlər, layihə yeniləmələri və həmkarlarınızın ad günləri haqqında bildiriş alacaqsınız. Profil səhifənizdə bildirişləri yandırın/söndürün. "Ətraflı məlumat >>":"${__HelpLink}/tipstricks/managing-subscriptions.aspx" - -*#4 Xüsusi təlim tələb edin* - -ONLYOFFICE ilə real sürətli başlanğıc əldə etmək üçün bizdən bütün komandanıza bütün modullardan və funksiyalardan istifadə etməyi öyrətməyimizi xahiş edin. Bu ödənişli seçimdir. "Bizimlə əlaqə saxlayın >>":"https://support.onlyoffice.com" - -*#5 VIP buludunu nəzərdən keçirin* -VIP bulud korporativ səviyyəli təhlükəsizlik və genişlənmə qabiliyyətinə ehtiyacı olanlara təklif olunur: -#Bir komanda yoldaşına 250 Gb yaddaş ilə portal üzrə 5000-ə qədər istifadəçi. -#Avropa provayderindən xüsusi server. -#Multitenancy: şirkət filialları üçün ayrıca portallar. -#İstirahət zamanı şifrələmə və Şəxsi Otaqlar vasitəsilə şifrəli əməkdaşlıq. - -$GreenButton - -Hörmətlə, -ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1435,9 +1401,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Bərpa prosesi başladıldı - - Rahat işləmək üçün məsləhətlər - Biznesi yenidən aktivləşdirin və qiymətin 20%-nə qənaət edin diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index 45088b9e20..c9e3c0690b 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -1029,40 +1029,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^Um den Benachrichtigungstyp zu ändern, verwalten Sie Ihre "Abonnement-Einstellungen":"$RecipientSubscriptionConfigURL".^ - - - Hallo, $UserName! - -Wir haben ein Paar Tipps vorbereitet, die Ihre Arbeit in ONLYOFFICE einfacher machen können. - -*#1 Erhalten Sie schnelle Antworten* - -Besuchen Sie unser "Hilfe-Center":"${__HelpLink}" bei allen Schwierigkeiten in ONLYOFFICE. Wenden Sie sich an "unser Support-Team": "https://helpdesk.onlyoffice.com/hc/en-us", wenn Sie technische Probleme haben. - -*#2 Integrieren Sie Dienste von Drittanbietern* - -Die Funktionalität von ONLYOFFICE kann mit Diensten von Drittanbietern erweitert werden. Sie können beispielsweise VoIP-Anrufe mit Twilio machen oder Ihre Dokumente mit DocuSign per E-Mail unterzeichnen. "Weitere Informationen >>":"${__HelpLink}/server/windows/community/authorization-keys.aspx" - -*#3 Verwalten Sie Ihre Abonnements* - -Sie werden über freigegebene Dokumente, Projekt-Updates und Geburtstage Ihrer Kolleg/innen informiert. Schalten Sie Benachrichtigungen auf Ihrer Profilseite ein / aus. "Weitere Informationen >>":"${__HelpLink}/tipstricks/managing-subscriptions.aspx" - -*#4 Fordern Sie Schulung an* - -Für einen schnellen Einstieg in ONLYOFFICE können wir Ihr Team trainieren, wie man alle Module und Features benutzt. Diese Möglichkeit ist kostenpflichtig. "Kontaktieren Sie uns >>":"https://www.onlyoffice.com/de/support-contact-form.aspx" - -*#5 Erwerben Sie VIP Cloud* -Die VIP-Cloud wird allen angeboten, die Sicherheit und Skalierbarkeit auf Unternehmensebene benötigen: -#Bis zu 5.000 Benutzer pro Portal mit 250 GB Speicherplatz pro User. -#Dedizierter Server eines europäischen Anbieters. -#Mandantenfähigkeit: separate Portale für jeden Unternehmenszweig. -#Verschlüsselung inaktiver Daten und verschlüsselte Zusammenarbeit über Privaträume. - -$GreenButton - -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Hallo, $UserName! @@ -1431,9 +1397,6 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Wiederherstellung startet - - Tipps für effektivere Arbeit - Aktivieren Sie den Business-Tarifplan erneut mit 20% Rabatt diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index f0977c9b34..ffb8c3228a 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -1026,36 +1026,6 @@ Equipo de Asistencia ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para cambiar el tipo de notificación, por favor administre su "configuración de la suscripción":"$RecipientSubscriptionConfigURL".^ - - - ¡Hola, $UserName! - -Hemos preparado varios consejos para que su trabajo con ONLYOFFICE sea más cómodo. - -*#1 Obtenga respuestas rápidas* -Navegue por el "Centro de Ayuda":"${__HelpLink}" cuando no está seguro de cómo realizar su tarea. Póngase en contacto con "nuestro equipo de soporte":"https://helpdesk.onlyoffice.com/hc/en-us" si tiene problemas técnicos. - -*#2 No se olvide de las extensiones de terceros* -La funcionalidad de ONLYOFFICE puede ser mejorada con extensiones de terceros. Por ejemplo, usted puede hacer llamadas VoIP con Twilio o firmar electrónicamente sus documentos con DocuSign. "Más información >>":"${__HelpLink}/server/windows/community/authorization-keys.aspx" - -*#3 Gestione sus suscripciones* -Usted recibirá notificaciones sobre los documentos compartidos, las actualizaciones de los proyectos y los cumpleaños de sus colegas. Active o desactive las notificaciones en su página de perfil. "Más información >>":"${__HelpLink}/tipstricks/managing-subscriptions.aspx" - -*#4 Pida un curso de formación especial* -Para asegurar su rápido comienzo con ONLYOFFICE, ofrecemos cursos de formación sobre cómo utilizar todos los módulos y características. "Más información": "https://www.onlyoffice.com/es/training-courses.aspx". - -*#5 Considere la nube VIP* -La nube VIP es una opción para aquellos que necesitan la seguridad y escalabilidad de nivel empresarial: -· Servidor dedicado de un proveedor europeo. -· Uso de varios inquilinos: portales separados para las sucursales de la empresa. -· Cifrado en reposo y colaboración cifrada a través de Salas Privadas. - - -$GreenButton - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" ¡Hola, $UserName! @@ -1424,9 +1394,6 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Restauración ha comenzado - - Consejos para trabajar cómodamente - Reactive Business y ahorre un 20% del precio diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index 8c7d62a193..5678b7e857 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -1013,40 +1013,6 @@ Meilleures salutations, "www.onlyoffice.com":"http://onlyoffice.com/" ^Pour changer le type de notification, veuillez gérer vos "paramètres d'abonnement":"$RecipientSubscriptionConfigURL".^ - - - Bonjour $UserName, - -Nous avons rassemblé qelques astuces pour optimiser votre travail à ONLYOFFICE. - -*#1 Obtenir les réponses rapides* - -Passez au "Centre d'Aide":"${__HelpLink}" si vous ne savez pas comment accomplir telle ou telle tâche. Contactez notre "équipe d'assistance":"https://helpdesk.onlyoffice.com/hc/en-us" si vous rencontrez des problèmes. - -*#2 N'oubliez pas à propos des extensions tierces* - -Les fonctionnalités de ONLYOFFICE peuvent être étendues via les extensions tierces. Par exemple, vous pouvez passer les appels VoIP via Twilio ou signer vos documents électroniquement avec DocuSign. "En savoir plus >>":"${__HelpLink}/server/windows/community/authorization-keys.aspx" - -*#3 Gérez vos abonnements* - -Vous allez recevoir les notifications à propos des documents partagés, les avancements dans les projets et les anniversaires de vos collègues. Activez ou désactivez les notifications sur la page de votre Profil. "En savoir plus >>":"${__HelpLink}/tipstricks/managing-subscriptions.aspx" - -*#4 Demandez une formation* - -Pour vous familiariser rapidement avec les outils ONLYOFFICE, commandez une formation pour toute votre équipe afin d'apprendre vos collègues à utiliser pleinement les modules et leurs fonctionnalités. C'est une option payante. "Contactez-nous >>":"https://support.onlyoffice.com" - -*#5 Passez au forfait cloud VIP* -Le forfait VIP est conçu pour les entreprises ayant besoin d'une scalabilité et d'un haut niveau de sécurité : -#Jusqu'au 5,000 utilisateurs par portail avec 250 Go d'espace par membre d'équipe. -#Serveur dédié hébergé par un fournisseur européen. -#Architecture multitenante : portails séparés pour les différents départements de l'entreprise. -#Chiffrement au repos et collaboration en temps réel protégée via les Salles Privées. - -$GreenButton - -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Bonjour $UserName, @@ -1415,9 +1381,6 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Restauration démarrée - - Astuces pour le travail efficace - Ré-activez le forfait Business et profitez de la remise de 20% diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index 96203b23a0..e7d41b12df 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -1034,9 +1034,6 @@ il team di ONLYOFFICE ${LetterLogoText}. Ripristino avviato - - ‎Consigli per lavorare in modo confortevole‎ - ‎Riattiva business e risparmia il 20% del prezzo‎ diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index fbf7e02cbc..c2b5737525 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -1027,40 +1027,6 @@ Equipe de suporte do ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para alterar o tipo de notificação, por favor, gerencia as suas "configurações de assinatura":"$RecipientSubscriptionConfigURL".^ - - - Olá, $UserName! - -Preparamos várias dicas para tornar seu trabalho com ONLYOFFICE mais confortável. - -*#1 Obtenha respostas rápidas* - -Procure "Centro de Ajuda":"${__HelpLink}" quando não tiver certeza de como realizar sua tarefa. Entre em contato com "nossa equipe de suporte": "https://helpdesk.onlyoffice.com/hc/en-us" se você enfrentar problemas técnicos. - -*#2 Não se esqueça das extensões de terceiros*. - -A funcionalidade ONLYOFFICE pode ser melhorada com extensões de terceiros. Por exemplo, você pode fazer chamadas VoIP com Twilio ou assinar seus documentos com DocuSign. "Saiba mais >>":"${__HelpLink}/server/windows/community/authorization-keys.aspx". - -*#3 Gerencie suas assinaturas* - -Você será notificado sobre documentos compartilhados, atualizações de projetos e aniversários de seus colegas. Ative/desative as notificações em sua página de perfil. "Saiba mais >>":"${__HelpLink}/tipstricks/managing-subscriptions.aspx". - -*#4 Solicitar treinamento especial* - -Para começar realmente rápido com ONLYOFFICE, peça-nos que ensinemos toda a sua equipe a usar todos os módulos e recursos. Esta é uma opção paga. "Contate-nos >>": "https://support.onlyoffice.com" - -*#5 Considere a nuvem VIP* -A nuvem VIP é oferecida para aqueles que precisam de segurança e escalabilidade de nível empresarial: -#Up para 5.000 usuários por portal com 250 Gb de armazenamento por companheiro de equipe. -#Servidor dedicado de um fornecedor europeu. -#Multitenancy: portais separados para as filiais da empresa. -#Criptografia em repouso e colaboração criptografada via Salas Privadas. - -$GreenButton - -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" Olá, $UserName! @@ -1436,9 +1402,6 @@ O link só é válido por 7 dias. ${LetterLogoText}. Restauração iniciada - - Dicas para um trabalho confortável - Reative o Business e economize 20% do preço diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index 7427b7576b..601629049d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1098,36 +1098,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^To change the notification type, please manage your "subscription settings":"$RecipientSubscriptionConfigURL".^ - - - Hello, $UserName! - -We have prepared several tips to make your work with ONLYOFFICE more comfortable. - -*#1 Get quick answers* -Browse "Help Center":"${__HelpLink}" when you are not sure how to perform your task. Contact "our support team":"https://helpdesk.onlyoffice.com" if you face tech problems. - -*#2 Don’t forget about 3rd party extensions* -ONLYOFFICE functionality can be enhanced with 3rd party extensions. For example, you can make VoIP calls with Twilio or e-sign your documents with DocuSign. "Find out more":"https://helpcenter.onlyoffice.com/tipstricks/authorization-keys-saas.aspx". - -*#3 Manage your subscriptions* -You’ll get notified about shared docs, projects updates, and your colleagues birthdays. Switch notifications on/off on your Profile page. "Learn more >>>":"https://helpcenter.onlyoffice.com/tipstricks/managing-subscriptions.aspx". - -*#4 Take training courses* -To ensure your quick start with ONLYOFFICE, we provide training courses on how to use all the modules and features. "Learn more":"https://www.onlyoffice.com/training-courses.aspx". - -*#5 Consider VIP cloud* -VIP cloud is offered to those who need enterprise-grade security and scalability: -· Dedicated server from a European provider. -· Multitenancy: separate portals for company branches. -· Encryption at rest and encrypted collaboration via Private Rooms. - -$GreenButton - -Truly yours, - -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Hello, $UserName! @@ -1518,9 +1488,6 @@ The link is only valid for 7 days. ${LetterLogoText}. Restore started - - Tips for comfortable work - Re-activate Business and save 20% of the price diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index d816347fa2..69d0448033 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -1029,35 +1029,6 @@ $GreenButton "www.onlyoffice.com":"http://onlyoffice.com/" ^Чтобы изменить тип оповещения, пожалуйста, настройте "параметры подписки":"$RecipientSubscriptionConfigURL".^ - - - Здравствуйте, $UserName! - -Мы подготовили несколько полезных советов, чтобы сделать вашу работу с ONLYOFFICE еще более удобной. - -*#1 Получайте быстрые ответы* -Посетите "Справочный центр":"${__HelpLink}", если вы не уверены, как выполнить задачу. Обратитесь в "нашу службу поддержки":"https://helpdesk.onlyoffice.com", если вы столкнетесь с техническими проблемами. - -*#2 Не забудьте о сторонних расширениях* -Функциональность ONLYOFFICE можно расширить с помощью сторонних дополнений. Например, вы можете использовать IP-телефонию с помощью Twilio или подписывать документы электронной подписью с помощью DocuSign. "Узнайте больше >>":"${__HelpLink}/ru/tipstricks/authorization-keys-saas.aspx" - -*#3 Управляйте подписками* -Вы будете получать оповещения о предоставлении доступа к документам, обновлениях проектов и днях рождения коллег. Включите или отключите оповещения на странице своего профиля. "Узнайте больше >>":"${__HelpLink}/ru/tipstricks/managing-subscriptions.aspx" - -*#4 Пройдите курсы обучения* -Чтобы вы могли быстро начать работу с ONLYOFFICE, мы проводим курсы обучения по использованию всех модулей и возможностей. "Узнайте больше >>":"${__HelpLink}/ru/training-courses.aspx" - -*#5 Обратите внимание на VIP-облако* -VIP-облако предлагается тем, кому требуется безопасность и масштабируемость корпоративного уровня: -· Выделенный сервер от европейского провайдера. -· Мультитенантность: отдельные порталы для филиалов компании. -· Шифрование хранящихся данных и зашифрованная совместная работа через приватные комнаты. - -$GreenButton - -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Здравствуйте, $UserName! @@ -1426,9 +1397,6 @@ $GreenButton ${LetterLogoText}. Началось восстановление - - Полезные советы для комфортной работы - Повторно активируйте тарифный план Business и сэкономьте 20% от стоимости diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index 393b775af5..b542de3ff1 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -570,12 +570,6 @@ $activity.Key - - - - - - From e9e53930311a41acf2081ed1c8e8cfbd040817b9 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 17:13:11 +0300 Subject: [PATCH 06/87] deleted SaasAdminPaymentWarningEvery2MonthsV115 --- web/ASC.Web.Core/Notify/Actions.cs | 2 -- web/ASC.Web.Core/Notify/StudioNotifySource.cs | 2 -- .../Notify/StudioPeriodicNotify.cs | 12 --------- ...WebstudioNotifyPatternResource.Designer.cs | 26 ------------------- .../WebstudioNotifyPatternResource.az.resx | 22 ---------------- .../WebstudioNotifyPatternResource.de.resx | 23 ---------------- .../WebstudioNotifyPatternResource.es.resx | 23 ---------------- .../WebstudioNotifyPatternResource.fr.resx | 22 ---------------- .../WebstudioNotifyPatternResource.it.resx | 3 --- .../WebstudioNotifyPatternResource.pt-BR.resx | 22 ---------------- .../WebstudioNotifyPatternResource.resx | 23 ---------------- .../WebstudioNotifyPatternResource.ru.resx | 22 ---------------- .../PublicResources/webstudio_patterns.xml | 6 ----- 13 files changed, 208 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 68af4b8fe1..25fb222f06 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -104,8 +104,6 @@ public static class Actions public static readonly INotifyAction SaasAdminTrialWarningV115 = new NotifyAction("saas_admin_trial_warning_v115"); public static readonly INotifyAction SaasAdminTrialWarningAfter1V115 = new NotifyAction("saas_admin_trial_warning_after1_v115"); - public static readonly INotifyAction SaasAdminPaymentWarningEvery2MonthsV115 = new NotifyAction("saas_admin_payment_warning_every_2months_v115"); - public static readonly INotifyAction PersonalActivate = new NotifyAction("personal_activate"); public static readonly INotifyAction PersonalAfterRegistration1 = new NotifyAction("personal_after_registration1"); public static readonly INotifyAction PersonalAfterRegistration7 = new NotifyAction("personal_after_registration7"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index c23f208f46..39fc2a65e4 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -98,8 +98,6 @@ public class StudioNotifySource : NotifySource Actions.SaasAdminTrialWarningV115, Actions.SaasAdminTrialWarningAfter1V115, - Actions.SaasAdminPaymentWarningEvery2MonthsV115, - Actions.SaasAdminModulesV1, Actions.PersonalActivate, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index d6636ef02b..2ef869394a 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -196,18 +196,6 @@ public class StudioPeriodicNotify if (quota.Free) { - #region Free tariff every 2 months during 1 year - - if (createdDate.AddMonths(2) == nowDate || createdDate.AddMonths(4) == nowDate || createdDate.AddMonths(6) == nowDate || createdDate.AddMonths(8) == nowDate || createdDate.AddMonths(10) == nowDate || createdDate.AddMonths(12) == nowDate) - { - action = Actions.SaasAdminPaymentWarningEvery2MonthsV115; - toadmins = true; - - greenButtonText = () => WebstudioNotifyPatternResource.ButtonUseDiscount; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~/Tariffs.aspx"); - } - - #endregion } else if (quota.Trial) { diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index a4a88d8307..c92df91118 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -2078,23 +2078,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Thanks for choosing ONLYOFFICE! Re-activate your Business plan today and save 20% OFF with Reactivate20 coupon! Just use it while purchasing to: - /// - ///# *Add up to 1,000 users* with 100 Gb per each and appoint unlimited number of admins. - ///# *Customize your online office* style to match your branding. - ///# *Edit unlimited number of docs*, sheets, and slides simultaneously. - ///# *Ensure security*: enable 2FA, configure automatic backups, track user actions. - ///# *Integrate with your infrastructur [rest of string was truncated]";. - /// - public static string pattern_saas_admin_payment_warning_every_2months_v115 { - get { - return ResourceManager.GetString("pattern_saas_admin_payment_warning_every_2months_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to You haven't entered your ONLYOFFICE DocSpace "${__VirtualRootPath}":"${__VirtualRootPath}" for more than half a year. /// @@ -3149,15 +3132,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Re-activate Business and save 20% of the price. - /// - public static string subject_saas_admin_payment_warning_every_2months_v115 { - get { - return ResourceManager.GetString("subject_saas_admin_payment_warning_every_2months_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Your ONLYOFFICE DocSpace will be deleted. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index 8bbee1969a..2472de0fe9 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -1028,25 +1028,6 @@ Portalın bərpası başladı. Məlumatın miqdarından asılı olaraq bir az va Hörmətlə, ONLYOFFICE™ Dəstək Qrupu -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! -ONLYOFFICE-i seçdiyiniz üçün təşəkkür edirik! Biznes planınızı bu gün yenidən aktivləşdirin və Reactivate20 kuponu ilə 20% ENDİRİM qazanın! Sadəcə satın alarkən ondan istifadə edin: - -# *Hər biri üçün 100 Gb olan 1000-ə qədər istifadəçi əlavə edin və limitsiz sayda admin təyin edin. -# *Onlayn ofisinizi* stilinizi brendinqinizə uyğunlaşdırın. -# *Limitsiz sayda sənəd*, vərəq və slaydları eyni vaxtda redaktə edin. -# *Təhlükəsizliyi təmin edin:* 2FA-nı aktivləşdirin, avtomatik ehtiyat nüsxələrini konfiqurasiya edin, istifadəçi hərəkətlərini izləyin. -# *İnfrastrukturunuzla inteqrasiya edin:* Portal ünvanı üçün LDAP, SSO və domen adınızı istifadə edin. -# *Məhsuldar iş üçün proqramları birləşdirin:* Twilio, DocuSign və s. - -$GreenButton - -Suallarınız varsa, sales@onlyoffice.com ünvanında bizimlə əlaqə saxlayın. - -Hörmətlə, -ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1401,9 +1382,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Bərpa prosesi başladıldı - - Biznesi yenidən aktivləşdirin və qiymətin 20%-nə qənaət edin - Yeniləmə bildirişi diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index c9e3c0690b..300ab97abf 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -1029,26 +1029,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^Um den Benachrichtigungstyp zu ändern, verwalten Sie Ihre "Abonnement-Einstellungen":"$RecipientSubscriptionConfigURL".^ - - - Hallo, $UserName! - -Vielen Dank, dass Sie sich für ONLYOFFICE entschieden haben! Aktivieren Sie Ihren Business-Tarifplan heute und sparen Sie 20% mit dem Gutschein Reactivate20. Verwenden Sie diesen einfach beim Einkauf für folgende Möglichkeiten: - -# *Hinzufügen von bis zu 1.000 Benutzer* mit 100 GB pro User und Ernennung beliebiger Anzahl von Administratoren. -# *Anpassung von Ihrem Online-Office*, so dass es den Stil Ihrer Marke entspricht. -# *Bearbeitung von beliebiger Anzahl der Dokumente*, Tabellenkalkulationen und Präsentationen gleichzeitig. -# *Erweiterte Sicherheit:* aktivieren Sie 2FA und automatische Backups, verfolgen Sie Benutzeraktivität. -# *Integration in Ihre Infrastruktur:* Verwenden Sie LDAP, SSO und Ihre Domainnamen als Portaladresse. -# *Verbindung von Apps für effektive Arbeit:* Twilio, DocuSign usw. - -$GreenButton - -Bei allen Fragen wenden Sie sich an uns unter sales@onlyoffice.com. - -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Ihr Abonnement ist abgelaufen. Verlängern Sie dieses, um ONLYOFFICE weiter nutzen zu können. @@ -1397,9 +1377,6 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Wiederherstellung startet - - Aktivieren Sie den Business-Tarifplan erneut mit 20% Rabatt - Benachrichtigung über Verlängerung des Abos diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index ffb8c3228a..d6a7fc6766 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -1026,26 +1026,6 @@ Equipo de Asistencia ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para cambiar el tipo de notificación, por favor administre su "configuración de la suscripción":"$RecipientSubscriptionConfigURL".^ - - - ¡Hola, $UserName! - -¡Gracias por elegir ONLYOFFICE! Reactive su plan Business hoy y ahorre un 20% con el cupón Reactivate20. Utilícelo durante la compra para poder: - -# *Añadir hasta 1.000 usuarios* con 100 Gb por cada uno y nombrar un número ilimitado de administradores. -# *Personalizar el estilo de su oficina en línea* para que coincida con su marca. -# *Editar un número ilimitado de documentos*, hojas y diapositivas simultáneamente. -# *Garantizar la seguridad:* habilitar 2FA, configurar copias de seguridad automáticas, hacer un seguimiento de las acciones de los usuarios. -# *Integrarlo con su infraestructura:* utilizar LDAP, SSO y su nombre de dominio para la dirección del portal. -# *Conectar aplicaciones para un trabajo productivo:* Twilio, DocuSign, etc. - -$GreenButton - -Si usted tiene preguntas, póngase en contacto con nosotros a través de sales@onlyoffice.com. - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Su suscripción a ONLYOFFICE ha expirado. Renueve su suscripción a ONLYOFFICE para poder seguir utilizándolo. @@ -1394,9 +1374,6 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Restauración ha comenzado - - Reactive Business y ahorre un 20% del precio - Notificación de renovación diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index 5678b7e857..e8bc82dd21 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -1013,25 +1013,6 @@ Meilleures salutations, "www.onlyoffice.com":"http://onlyoffice.com/" ^Pour changer le type de notification, veuillez gérer vos "paramètres d'abonnement":"$RecipientSubscriptionConfigURL".^ - - - Bonjour $UserName, -Merci d'avoir choisi ONLYOFFICE ! Renouvelez votre forfait Business aujourd'hui et profitez d'un remise de 20% avec le code promo Reactivate20 ! Veuillez saisir ce code lors de l'achat pour : - -# *Ajouter jusqu'au 1,000 utilisateurs* avec 100 Go d'espace par utilisateur et un nombre illimité des administrateurs que vous définissez vous-même. -# *Personnaliser votre bureau en ligne* conformément au style de votre marque. -# *Modifier simultanément un nombre illimité des documents texte*, classeurs et diapositives. -# *Assurer la sécurité ultime :* activer l'A2F, configurer les sauvegardes automatiques, journaliser les actions des utilisateurs. -# *Intégrer avec votre environnement existant :* activer LDAP, SSO et utiliser le nom de votre domaine en tant que l'adresse de votre portail. -# *Connecter les applications de productivité pour optimiser votre travail :* Twilio, DocuSign, etc. - -$GreenButton - -En cas des questions, contactez-nous à sales@onlyoffice.com. - -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Votre abonnement à ONLYOFFICE est expiré. Renouvelez votre abonnement à ONLYOFFICE pour continuer à l'utiliser. @@ -1381,9 +1362,6 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Restauration démarrée - - Ré-activez le forfait Business et profitez de la remise de 20% - Avis de renouvellement diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index e7d41b12df..8f323c3d76 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -1034,9 +1034,6 @@ il team di ONLYOFFICE ${LetterLogoText}. Ripristino avviato - - ‎Riattiva business e risparmia il 20% del prezzo‎ - ‎Notifica di rinnovo‎ diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index c2b5737525..0156e5c59a 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -1027,25 +1027,6 @@ Equipe de suporte do ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para alterar o tipo de notificação, por favor, gerencia as suas "configurações de assinatura":"$RecipientSubscriptionConfigURL".^ - - - Olá, $UserName! -Obrigado por escolher ONLYOFFICE! Reative seu plano de negócios hoje e economize 20% de desconto com o cupom Reativar20! Basta usá-lo durante a compra para: - -*Adicionar até 1.000 usuários* com 100 Gb por cada um e indicar um número ilimitado de administradores. -*Personalize seu estilo de escritório online* para combinar com sua marca. -*Editar número ilimitado de documentos*, folhas e slides simultaneamente. -*Ativar 2FA, configurar backups automáticos, rastrear as ações do usuário. -*Integrate com sua infra-estrutura:* use LDAP, SSO, e seu nome de domínio para o endereço do portal. -*Conecte aplicativos para trabalho produtivo:* Twilio, DocuSign, etc. - -$GreenButton - -Em caso de dúvidas, entre em contato conosco pelo e-mail sales@onlyoffice.com. - -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" Sua assinatura ONLYOFFICE expirou. Renove sua assinatura de ONLYOFFICE para continuar usando-a. @@ -1402,9 +1383,6 @@ O link só é válido por 7 dias. ${LetterLogoText}. Restauração iniciada - - Reative o Business e economize 20% do preço - Notificação de renovação diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index 601629049d..e6386ce0f4 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1098,26 +1098,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^To change the notification type, please manage your "subscription settings":"$RecipientSubscriptionConfigURL".^ - - - Hello, $UserName! - -Thanks for choosing ONLYOFFICE! Re-activate your Business plan today and save 20% OFF with Reactivate20 coupon! Just use it while purchasing to: - -# *Add up to 1,000 users* with 100 Gb per each and appoint unlimited number of admins. -# *Customize your online office* style to match your branding. -# *Edit unlimited number of docs*, sheets, and slides simultaneously. -# *Ensure security*: enable 2FA, configure automatic backups, track user actions. -# *Integrate with your infrastructure*: use LDAP, SSO, and your domain name for portal address. -# *Connect apps for productive work*: Twilio, DocuSign, etc. - -$GreenButton - -If you have questions, contact us at sales@onlyoffice.com. - -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Your ONLYOFFICE subscription has expired. Renew your ONLYOFFICE subscription to continue using it. @@ -1488,9 +1468,6 @@ The link is only valid for 7 days. ${LetterLogoText}. Restore started - - Re-activate Business and save 20% of the price - Renewal notification diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index 69d0448033..bbb82b6756 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -1029,25 +1029,6 @@ $GreenButton "www.onlyoffice.com":"http://onlyoffice.com/" ^Чтобы изменить тип оповещения, пожалуйста, настройте "параметры подписки":"$RecipientSubscriptionConfigURL".^ - - - Здравствуйте, $UserName! -Благодарим вас за выбор ONLYOFFICE! Повторно активируйте ваш тарифный план Business сегодня и сэкономьте 20% с купоном Reactivate20 ! Используйте его при покупке, чтобы: - -# *Добавить до 1 000 пользователей* со 100 Гб на каждого и назначить неограниченное количество администраторов. -# *Кастомизировать стиль онлайн-офиса* в соответствии с вашим брендом. -# *Редактировать неограниченное количество документов*, электронных таблиц и презентаций одновременно. -# *Обеспечить безопасность:* включить двухфакторную аутентификацию, настроить автоматическое резервное копирование, отслеживать действия пользователей. -# *Интегрировать онлайн-офис с вашей инфраструктурой:* использовать LDAP, SSO и собственное доменное имя для адреса портала. -# *Подключить приложения для продуктивной работы:* Twilio, DocuSign и другие. - -$GreenButton - -Если у вас есть вопросы, обратитесь к нам по адресу sales@onlyoffice.com. - -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Истек срок действия подписки на ONLYOFFICE. Продлите ее, чтобы продолжить использование ONLYOFFICE. @@ -1397,9 +1378,6 @@ $GreenButton ${LetterLogoText}. Началось восстановление - - Повторно активируйте тарифный план Business и сэкономьте 20% от стоимости - Уведомление о продлении подписки diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index b542de3ff1..545186efee 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -600,12 +600,6 @@ $activity.Key - - - - - - From b1fc5019eecdaa80c294ea0f8b03ceaf3dc5a797 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 17:17:13 +0300 Subject: [PATCH 07/87] deleted SaasAdminUserAppsTipsV115 --- web/ASC.Web.Core/Notify/Actions.cs | 1 - web/ASC.Web.Core/Notify/StudioNotifySource.cs | 2 -- .../Notify/StudioPeriodicNotify.cs | 15 +----------- ...WebstudioNotifyPatternResource.Designer.cs | 23 ------------------- .../WebstudioNotifyPatternResource.az.resx | 16 ------------- .../WebstudioNotifyPatternResource.de.resx | 16 ------------- .../WebstudioNotifyPatternResource.es.resx | 16 ------------- .../WebstudioNotifyPatternResource.fr.resx | 16 ------------- .../WebstudioNotifyPatternResource.it.resx | 3 --- .../WebstudioNotifyPatternResource.pt-BR.resx | 16 ------------- .../WebstudioNotifyPatternResource.resx | 16 ------------- .../WebstudioNotifyPatternResource.ru.resx | 16 ------------- .../PublicResources/webstudio_patterns.xml | 6 ----- 13 files changed, 1 insertion(+), 161 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 25fb222f06..45e53c0850 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -98,7 +98,6 @@ public static class Actions public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningV10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_v10"); public static readonly INotifyAction SaasAdminComfortTipsV115 = new NotifyAction("saas_admin_comfort_tips_v115"); - public static readonly INotifyAction SaasAdminUserAppsTipsV115 = new NotifyAction("saas_admin_user_apps_tips_v115"); public static readonly INotifyAction SaasAdminTrialWarningBefore5V115 = new NotifyAction("saas_admin_trial_warning_before5_v115"); public static readonly INotifyAction SaasAdminTrialWarningV115 = new NotifyAction("saas_admin_trial_warning_v115"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index 39fc2a65e4..7e6772cfe5 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -92,8 +92,6 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseAdminPaymentWarningV10, Actions.EnterpriseWhitelabelAdminPaymentWarningV10, - Actions.SaasAdminUserAppsTipsV115, - Actions.SaasAdminTrialWarningBefore5V115, Actions.SaasAdminTrialWarningV115, Actions.SaasAdminTrialWarningAfter1V115, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 2ef869394a..1212d2da83 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -227,21 +227,8 @@ public class StudioPeriodicNotify greenButtonText = () => WebstudioNotifyPatternResource.CollaborateDocSpace; greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/rooms/personal/"; } - - #endregion - - #region 14 days after registration to admins and users SAAS TRIAL - - else if (createdDate.AddDays(14) == nowDate) - { - action = Actions.SaasAdminUserAppsTipsV115; - paymentMessage = false; - toadmins = true; - tousers = true; - } - - #endregion + #endregion #endregion #region Trial warning letters diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index c92df91118..b07525f472 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -2146,20 +2146,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Get free ONLYOFFICE apps to work on documents and projects from any of your devices. - /// - ///· To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". You can connect the app to your cloud for online collaboration. - ///· To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps [rest of string was truncated]";. - /// - public static string pattern_saas_admin_user_apps_tips_v115 { - get { - return ResourceManager.GetString("pattern_saas_admin_user_apps_tips_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -3168,15 +3154,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Get free ONLYOFFICE apps. - /// - public static string subject_saas_admin_user_apps_tips_v115 { - get { - return ResourceManager.GetString("subject_saas_admin_user_apps_tips_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to 5 tips for effective work on your docs. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index 2472de0fe9..bf57ca8b93 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -1067,19 +1067,6 @@ Sınaq müddətinizi uzatmaq üçün "satış komandamızla əlaqə saxlayın":" Siz "Ödənişlər səhifəsində":"$PricingPage" ödənişsiz Başlanğıc planına keçə bilərsiniz. Ödənişsiz planda 5-ə qədər istifadəçi və hər portal üçün 2Gb yaddaş var. Bəzi funksiyalar, o cümlədən LDAP, SSO, brendinq, avtomatik ehtiyat nüsxələr əlçatan olmayacaq. "Planları müqayisə et":"https://www.onlyoffice.com/saas.aspx". -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -İstənilən cihazınızda sənədlər və layihələr üzərində işləmək üçün ödənişsiz ONLYOFFICE proqramları əldə edin. - -# Windows, Linux və macOS-da sənədlərlə oflayn işləmək üçün "ONLYOFFICE Desktop Editors" proqramını endirin:"https://www.onlyoffice.com/apps.aspx". -# Mobil cihazlarda sənədləri redaktə etmək üçün "iOS" üçün ONLYOFFICE Sənədlər proqramı:"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" və ya "Android":"https://play.google .com/store/apps/details?id=com.onlyoffice.documents". -# Komanda performansınıza yolda olarkən də nəzarət etmək üçün "iOS" üçün ONLYOFFICE Layihələri əldə edin:"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - Hörmətlə, ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1391,9 +1378,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ONLYOFFICE sınaq müddətiniz bu gün başa çatır - - Ödənişsiz ONLYOFFICE tətbiqlərini əldə edin - ${__VirtualRootPath}-a qoşulun diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index 300ab97abf..5f2fc7077c 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -1067,19 +1067,6 @@ Um die Testperiode zu verlängern, kontaktieren Sie unser "Verkaufsteam":"mailto Sie können zum kostenlosen Startup-Plan auf "Zahlungsseite":"$PricingPage" wechseln. Dieser kann bis 5 Benutzer umfassen und hat 2 GB Speicher pro Portal. Manche Funktionen wie LDAP, SSO, Branding, automatische Backups usw. werden unverfügbar. "Vergleichen Sie Tarifpläne":"https://www.onlyoffice.com/de/saas.aspx". -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hallo, $UserName! - -Erhalten Sie kostenlose ONLYOFFICE-Apps für Arbeit an Dokumenten und Projekten auf allen Geräten. - -# Für Offline-Arbeit auf Windows, Linux und macOS, laden Sie "ONLYOFFICE Desktop Editoren":"https://www.onlyoffice.com/de/apps.aspx" herunter. -# Bearbeiten Sie Dokumente auf mobilen Geräten mit ONLYOFFICE Documents für "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" oder "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Verwalten Sie Projekte auch unterwegs mit ONLYOFFICE Projects für "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - Beste Grüße, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1386,9 +1373,6 @@ Dieser Link ist nur 7 Tage gültig. Ihre Testversion von ONLYOFFICE läuft heute ab - - Laden Sie kostenlose ONLYOFFICE-Apps herunter - ${__VirtualRootPath} beitreten diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index d6a7fc6766..fdda884dc2 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -1066,19 +1066,6 @@ Usted puede optar por el plan gratuito Startup en la "Página de pagos":"$Pricin Cordialmente, Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - ¡Hola, $UserName! - -Obtenga las aplicaciones gratuitas de ONLYOFFICE para trabajar en documentos y proyectos desde cualquiera de sus dispositivos. - -# Para trabajar en documentos offline en Windows, Linux y macOS, descargue "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/es/desktop.aspx". -# Para editar documentos en dispositivos móviles, obtenga la aplicación ONLYOFFICE Documents para "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Para gestionar el progreso de su equipo sobre la marcha, obtenga ONLYOFFICE Projects para "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - -Atentamente, -Equipo de ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1383,9 +1370,6 @@ El enlace es válido solo durante 7 días. Su prueba de ONLYOFFICE expira hoy - - Obtenga las aplicaciones de ONLYOFFICE gratuitas - Únase a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index e8bc82dd21..7ad4c42a88 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -1051,19 +1051,6 @@ Pour prolonger la période d'essai, contactez notre "équipe des ventes":"mailto Vous pouvez passez au forfait gratuit Startup sur la "Page des paiements":"$PricingPage". Le plan tarifaire gratuit permet jusqu'au 5 utilisateurs et 2Go d'espace par portail. Certaines fonctionnalités ne sront pas disponibles, telles que LDAP, SSO, marque blanche, sauvegardes automatiques. "Comparer les forfaits":"https://www.onlyoffice.com/saas.aspx". -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Bonjour $UserName, - -Procurez-vous les applications gratuites ONLYOFFICE pour travailler sur les documents et les projets depuis tous vos appareils. - -# Pour travailler sur les documents en mode déconnecté sur Windows, Linux et macOS, téléchargez les "applications de bureau ONLYOFFICE":"https://www.onlyoffice.com/apps.aspx". -# Pour éditer les documents sur vos appareils mobiles, téléchargez les applis ONLYOFFICE Documents pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Pour gérer la performance de votre équipe partout et à tout moment, téléchargez ONLYOFFICE Projects pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - Bien à vous, Equipe ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1371,9 +1358,6 @@ Le lien est valide pendant 7 jours. Votre période d'essai pour ONLYOFFICE expire aujourd'hui - - Obtenez des applications gratuites ONLYOFFICE - L'invitation à rejoindre le portail ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index 8f323c3d76..38fddcccf3 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -1040,9 +1040,6 @@ il team di ONLYOFFICE ‎Utilizza questo sconto prima della fine della versione di valutazione‎ - - Ottieni apps di ONLYOFFICE gratis - Unisciti a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 0156e5c59a..1d36fa7429 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -1065,19 +1065,6 @@ Para prolongar sua experiência, entre em contato com nossa "equipe de vendas": Você pode mudar para o plano inicial gratuito na "Página de pagamentos":"$PricingPage". O plano gratuito tem até 5 usuários e 2Gb de armazenamento por portal. Alguns recursos ficarão indisponíveis, incluindo LDAP, SSO, branding, backups automáticos. "Comparar planos": "https://www.onlyoffice.com/saas.aspx". -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Olá, $UserName! - -Obtenha gratuitamente aplicativos ONLYOFFICE para trabalhar em documentos e projetos de qualquer um de seus dispositivos. - -# Para trabalhar em documentos offline em Windows, Linux e macOS, baixe "ONLYOFFICE Desktop Editors": "https://www.onlyoffice.com/apps.aspx". -# Para editar documentos em dispositivos móveis, aplicativo de documentos ONLYOFFICE para "iOS": "https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Para gerenciar o desempenho de sua equipe em movimento, obtenha Projetos ONLYOFFICE para "iOS": "https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - Atenciosamente, Equipe ONLYOFFICE "www.onlyoffice.com": "http://onlyoffice.com/" @@ -1392,9 +1379,6 @@ O link só é válido por 7 dias. Seu teste de ONLYOFFICE expira hoje - - Obtenha aplicações ONLYOFFICE gratuitas - Junte-se a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index e6386ce0f4..6a5036b4cc 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1138,19 +1138,6 @@ You can switch to free Startup plan on "Payments page":"$PricingPage". Free plan Truly yours, ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hello, $UserName! - -Get free ONLYOFFICE apps to work on documents and projects from any of your devices. - -· To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". You can connect the app to your cloud for online collaboration. -· To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -· To manage your team performance on the go, get ONLYOFFICE Projects for "iOS":"https://apps.apple.com/us/app/onlyoffice-projects/id1353395928" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - -Truly yours, -ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1477,9 +1464,6 @@ The link is only valid for 7 days. Your ONLYOFFICE trial expires today - - Get free ONLYOFFICE apps - Join ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index bbb82b6756..e636d53e23 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -1068,19 +1068,6 @@ $GreenButton Вы можете перейти на бесплатный тарифный план Startup на "странице Платежей":"$PricingPage". Бесплатный тарифный план включает в себя до 5 пользователей и 2Гб дискового пространства на портале. Некоторые функции станут недоступны, включая LDAP, SSO, брендинг, автоматическое резервное копирование. "Сравните тарифные планы":"https://www.onlyoffice.com/ru/saas.aspx". -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Здравствуйте, $UserName! - -Скачайте бесплатные приложения ONLYOFFICE для работы с документами и проектами с любого устройства. - -· Чтобы работать с документами офлайн в ОС Windows, Linux и Mac, скачайте "Десктопные редакторы ONLYOFFICE":"https://www.onlyoffice.com/ru/download-desktop.aspx". Вы можете подключить приложение к вашему облаку для совместной работы в режиме реального времени. -· Чтобы редактировать документы на мобильных устройствах, скачайте приложение ONLYOFFICE Документы для "iOS":"https://apps.apple.com/ru/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -· Чтобы управлять работой команды, где бы вы ни были, скачайте приложение ONLYOFFICE Проекты для "iOS":"https://apps.apple.com/ru/app/onlyoffice-projects/id1353395928" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - С уважением, Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1387,9 +1374,6 @@ $GreenButton Сегодня истекает пробный период ONLYOFFICE - - Скачайте бесплатные приложения ONLYOFFICE - Стать участником ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index 545186efee..2e4822af55 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -570,12 +570,6 @@ $activity.Key - - - - - - From 3a40dee4149a21b21edff660898d3fddddfc66a6 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 17:20:27 +0300 Subject: [PATCH 08/87] deleted SaasAdminTrialWarningBefore5V115 --- web/ASC.Web.Core/Notify/Actions.cs | 1 - web/ASC.Web.Core/Notify/StudioNotifySource.cs | 1 - .../Notify/StudioPeriodicNotify.cs | 12 -------- ...WebstudioNotifyPatternResource.Designer.cs | 30 ------------------- .../WebstudioNotifyPatternResource.az.resx | 18 ----------- .../WebstudioNotifyPatternResource.de.resx | 18 ----------- .../WebstudioNotifyPatternResource.es.resx | 18 ----------- .../WebstudioNotifyPatternResource.fr.resx | 18 ----------- .../WebstudioNotifyPatternResource.it.resx | 3 -- .../WebstudioNotifyPatternResource.pt-BR.resx | 18 ----------- .../WebstudioNotifyPatternResource.resx | 18 ----------- .../WebstudioNotifyPatternResource.ru.resx | 19 ------------ .../PublicResources/webstudio_patterns.xml | 6 ---- 13 files changed, 180 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 45e53c0850..e3af6f819e 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -99,7 +99,6 @@ public static class Actions public static readonly INotifyAction SaasAdminComfortTipsV115 = new NotifyAction("saas_admin_comfort_tips_v115"); - public static readonly INotifyAction SaasAdminTrialWarningBefore5V115 = new NotifyAction("saas_admin_trial_warning_before5_v115"); public static readonly INotifyAction SaasAdminTrialWarningV115 = new NotifyAction("saas_admin_trial_warning_v115"); public static readonly INotifyAction SaasAdminTrialWarningAfter1V115 = new NotifyAction("saas_admin_trial_warning_after1_v115"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index 7e6772cfe5..4bc9fc25a7 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -92,7 +92,6 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseAdminPaymentWarningV10, Actions.EnterpriseWhitelabelAdminPaymentWarningV10, - Actions.SaasAdminTrialWarningBefore5V115, Actions.SaasAdminTrialWarningV115, Actions.SaasAdminTrialWarningAfter1V115, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 1212d2da83..c3c78daf58 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -232,19 +232,7 @@ public class StudioPeriodicNotify #endregion #region Trial warning letters - - #region 5 days before SAAS TRIAL ends to admins - - else if (!_coreBaseSettings.CustomMode && dueDateIsNotMax && dueDate.AddDays(-5) == nowDate) - { - toadmins = true; - action = Actions.SaasAdminTrialWarningBefore5V115; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonUseDiscount; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~/tariffs.aspx"); - } - - #endregion #region SAAS TRIAL expires today to admins diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index b07525f472..01b39ed9f5 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -2110,27 +2110,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///The trial period for your account at "${__VirtualRootPath}":"${__VirtualRootPath}" will be over in 5 days. - ///*Buy a subscription today with 10% off!* - /// - ///Just use this coupon code while purchasing: *$Coupon*. It will be valid within the next 10 days. - /// - ///Use discount - ///$GreenButton - /// - ///Truly yours, - ///ONLYOFFICE Team - ///"www.onlyoffice.com":"http://onlyoffice.com/". - /// - public static string pattern_saas_admin_trial_warning_before5_v115 { - get { - return ResourceManager.GetString("pattern_saas_admin_trial_warning_before5_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -3136,15 +3115,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Use this discount before your trial ends. - /// - public static string subject_saas_admin_trial_warning_before5_v115 { - get { - return ResourceManager.GetString("subject_saas_admin_trial_warning_before5_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Your ONLYOFFICE trial expires today. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index bf57ca8b93..f0b145e003 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -1039,21 +1039,6 @@ Siz "Ödənişlər səhifəsində":"$PricingPage" ödənişsiz Başlanğıc plan Ödənişsiz planda 5-ə qədər istifadəçi və hər portal üçün 2Gb yaddaş var. Bəzi funksiyalar, o cümlədən LDAP, SSO, brendinq, avtomatik ehtiyat nüsxələr əlçatan olmayacaq. "Planları müqayisə et":"https://www.onlyoffice.com/saas.aspx" -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -"${__VirtualRootPath}":"${__VirtualRootPath}" ünvanında hesabınız üçün sınaq müddəti 5 gün ərzində bitəcək. - -*Bu gün 10% endirimlə abunəlik alın!* - -Sadəcə alış zamanı bu kupon kodundan istifadə edin: *$Kupon*. Növbəti 10 gün ərzində etibarlı olacaq. - -$GreenButton - Hörmətlə, ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1372,9 +1357,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Yeniləmə bildirişi - - Sınaq müddətiniz bitmədən bu endirimdən istifadə edin - ONLYOFFICE sınaq müddətiniz bu gün başa çatır diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index 5f2fc7077c..4ded8582c7 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -1039,21 +1039,6 @@ Sie können zum kostenlosen Startup-Plan auf "Zahlungsseite":"$PricingPage" wech Dieser kann bis 5 Benutzer umfassen und hat 2 GB Speicher pro Portal. Manche Funktionen wie LDAP, SSO, Branding, automatische Backups usw. werden unverfügbar. "Vergleichen Sie Tarifpläne":"https://www.onlyoffice.com/de/saas.aspx". -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hallo, $UserName! - -Die Testversion für Ihr Konto "${__VirtualRootPath}":"${__VirtualRootPath}" läuft in 5 Tage ab. - -*Erwerben Sie das Abo heute mit 10% Rabatt!* - -Geben Sie einfach diesen Code beim Einkauf ein: *$Coupon*. Dieser wird innerhalb folgender 10 Tage gültig. - -$GreenButton - Beste Grüße, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1367,9 +1352,6 @@ Dieser Link ist nur 7 Tage gültig. Benachrichtigung über Verlängerung des Abos - - Bekommen Sie diesen Rabatt, bevor Ihre Testversion abläuft - Ihre Testversion von ONLYOFFICE läuft heute ab diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index fdda884dc2..94c394df32 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -1036,21 +1036,6 @@ Usted puede cambiar al plan gratuito Startup en la "Página de pagos":"$PricingP El plan gratuito tiene hasta 5 usuarios y 2Gb de almacenamiento por portal. Algunas características no estarán disponibles, incluyendo LDAP, SSO, personalización de marca, copias de seguridad automáticas. "Comparar los planes":"https://www.onlyoffice.com/es/saas.aspx" -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - ¡Hola, $UserName! - -El periodo de prueba de su cuenta en "${__VirtualRootPath}":"${__VirtualRootPath}" terminará en 5 días. -*¡Compre la suscripción hoy con un 10% de descuento!* - -Sólo tiene que utilizar este código de cupón durante la compra: *$Coupon*. Será válido durnate los próximos 10 días. - -Utilizar el descuento -$GreenButton - Cordialmente, Equipo de ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1364,9 +1349,6 @@ El enlace es válido solo durante 7 días. Notificación de renovación - - Utilice este descuento antes de que termine su periodo de prueba - Su prueba de ONLYOFFICE expira hoy diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index 7ad4c42a88..490dfc7c97 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -1023,21 +1023,6 @@ Vous pouvez passer au plan tarifaire gratuit Startup sur la "Page des paiements" Le forfait gratuit permet jusqu'à 5 utilisateurs et 2Go d'espace de stockage par portail. Certaines fonctionnalités ne seront plus disponibles, incluant LDAP, SSO, marque blanche, sauvegardes automatiques. "Comparer les forfaits":"https://www.onlyoffice.com/saas.aspx" -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Bonjour $UserName, - -La période d'essai pour votre compte à "${__VirtualRootPath}":"${__VirtualRootPath}" va expirer dans 5 jours. - -*Abonnez-vous avec la réduction de 10% !* - -Veuillez saisir ce code promo lors de l'achat : *$Coupon*. Le code est valide pendant 10 jours seulement. - -$GreenButton - Bien à vous, Equipe ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1352,9 +1337,6 @@ Le lien est valide pendant 7 jours. Avis de renouvellement - - Profitez de cette remise avant que votre période d'essai expire - Votre période d'essai pour ONLYOFFICE expire aujourd'hui diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index 38fddcccf3..11f9a8bcf1 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -1037,9 +1037,6 @@ il team di ONLYOFFICE ‎Notifica di rinnovo‎ - - ‎Utilizza questo sconto prima della fine della versione di valutazione‎ - Unisciti a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 1d36fa7429..818412d277 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -1037,21 +1037,6 @@ Você pode mudar para o plano de inicialização gratuito na "Página de pagamen O plano gratuito tem até 5 usuários e 2Gb de armazenamento por portal. Alguns recursos ficarão indisponíveis, incluindo LDAP, SSO, branding, backups automáticos. "Comparar planos": "https://www.onlyoffice.com/saas.aspx" -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Olá, $UserName! - -O período experimental para sua conta em "${__VirtualRootPath}": "${__VirtualRootPath}" terminará em 5 dias. - -*Compre uma assinatura hoje com 10% de desconto! - -Basta usar este código de cupom durante a compra: *$Coupon*. Ele será válido dentro dos próximos 10 dias. - -$GreenButton - Atenciosamente, Equipe ONLYOFFICE "www.onlyoffice.com": "http://onlyoffice.com/" @@ -1373,9 +1358,6 @@ O link só é válido por 7 dias. Notificação de renovação - - Use este desconto antes do fim do período de avaliação - Seu teste de ONLYOFFICE expira hoje diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index 6a5036b4cc..000acbab4d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1110,21 +1110,6 @@ Free plan has up to 5 users and 2Gb of storage per portal. Some features will be Truly yours, ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hello, $UserName! - -The trial period for your account at "${__VirtualRootPath}":"${__VirtualRootPath}" will be over in 5 days. -*Buy a subscription today with 10% off!* - -Just use this coupon code while purchasing: *$Coupon*. It will be valid within the next 10 days. - -Use discount -$GreenButton - -Truly yours, -ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1458,9 +1443,6 @@ The link is only valid for 7 days. Renewal notification - - Use this discount before your trial ends - Your ONLYOFFICE trial expires today diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index e636d53e23..ee868e1894 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -1039,22 +1039,6 @@ $GreenButton Бесплатный тарифный план включает до 5 пользователей и 2Гб дискового пространства на портале. Некоторые функции станут недоступны, включая LDAP, SSO, брендинг, автоматическое резервное копирование. "Сравните тарифные планы":"https://www.onlyoffice.com/ru/saas.aspx" -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Здравствуйте, $UserName! - -Пробный период для вашего аккаунта на портале "${__VirtualRootPath}":"${__VirtualRootPath}" завершится через 5 дней. - -*Купите подписку сегодня со скидкой 10%!* - -Используйте этот код купона при покупке: *$Coupon*. Он будет действителен в течение следующих 10 дней. - -Воспользоваться скидкой -$GreenButton - С уважением, Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1368,9 +1352,6 @@ $GreenButton Уведомление о продлении подписки - - Используйте эту скидку до завершения пробного периода - Сегодня истекает пробный период ONLYOFFICE diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index 2e4822af55..26b87266bd 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -570,12 +570,6 @@ $activity.Key - - - - - - From eb1a101aa04812db16917fe6c9cc351e658623a2 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 17:24:07 +0300 Subject: [PATCH 09/87] deleted SaasAdminTrialWarningV115 --- web/ASC.Web.Core/Notify/Actions.cs | 1 - web/ASC.Web.Core/Notify/StudioNotifySource.cs | 1 - .../Notify/StudioPeriodicNotify.cs | 11 --------- ...WebstudioNotifyPatternResource.Designer.cs | 24 ------------------- .../WebstudioNotifyPatternResource.az.resx | 16 ------------- .../WebstudioNotifyPatternResource.de.resx | 16 ------------- .../WebstudioNotifyPatternResource.es.resx | 16 ------------- .../WebstudioNotifyPatternResource.fr.resx | 16 ------------- .../WebstudioNotifyPatternResource.pt-BR.resx | 16 ------------- .../WebstudioNotifyPatternResource.resx | 16 ------------- .../WebstudioNotifyPatternResource.ru.resx | 16 ------------- .../PublicResources/webstudio_patterns.xml | 6 ----- 12 files changed, 155 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index e3af6f819e..91cbaa9b5f 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -99,7 +99,6 @@ public static class Actions public static readonly INotifyAction SaasAdminComfortTipsV115 = new NotifyAction("saas_admin_comfort_tips_v115"); - public static readonly INotifyAction SaasAdminTrialWarningV115 = new NotifyAction("saas_admin_trial_warning_v115"); public static readonly INotifyAction SaasAdminTrialWarningAfter1V115 = new NotifyAction("saas_admin_trial_warning_after1_v115"); public static readonly INotifyAction PersonalActivate = new NotifyAction("personal_activate"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index 4bc9fc25a7..ae2ca1e679 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -92,7 +92,6 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseAdminPaymentWarningV10, Actions.EnterpriseWhitelabelAdminPaymentWarningV10, - Actions.SaasAdminTrialWarningV115, Actions.SaasAdminTrialWarningAfter1V115, Actions.SaasAdminModulesV1, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index c3c78daf58..92bfd4001b 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -233,17 +233,6 @@ public class StudioPeriodicNotify #region Trial warning letters - - #region SAAS TRIAL expires today to admins - - else if (dueDate == nowDate) - { - action = Actions.SaasAdminTrialWarningV115; - toadmins = true; - } - - #endregion - #region 1 day after SAAS TRIAL expired to admins if (dueDateIsNotMax && dueDate.AddDays(1) == nowDate) diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index 01b39ed9f5..c1a7b7eed2 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -2110,21 +2110,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///The trial period for your portal at "${__VirtualRootPath}":"${__VirtualRootPath}" is due to expire today. To continue using ONLYOFFICE Business, "buy subscription":"$PricingPage". - /// - ///To extend your trial, contact our "sales team":"mailto:sales@onlyoffice.com". - /// - ///You can switch to free Startup plan on "Payments page":"$PricingPage". Free plan has up to 10 users and 2Gb of storage per portal. Some features will become unavailable, including LDAP, SSO, branding, automatic backups. "Compare pla [rest of string was truncated]";. - /// - public static string pattern_saas_admin_trial_warning_v115 { - get { - return ResourceManager.GetString("pattern_saas_admin_trial_warning_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -3115,15 +3100,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Your ONLYOFFICE trial expires today. - /// - public static string subject_saas_admin_trial_warning_v115 { - get { - return ResourceManager.GetString("subject_saas_admin_trial_warning_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to 5 tips for effective work on your docs. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index f0b145e003..68999984d5 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -1039,19 +1039,6 @@ Siz "Ödənişlər səhifəsində":"$PricingPage" ödənişsiz Başlanğıc plan Ödənişsiz planda 5-ə qədər istifadəçi və hər portal üçün 2Gb yaddaş var. Bəzi funksiyalar, o cümlədən LDAP, SSO, brendinq, avtomatik ehtiyat nüsxələr əlçatan olmayacaq. "Planları müqayisə et":"https://www.onlyoffice.com/saas.aspx" -Hörmətlə, -ONLYOFFICE Komandası -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Salam, $UserName! - -"${__VirtualRootPath}":"${__VirtualRootPath}" portalınız üçün sınaq müddəti bu gün başa çatır. ONLYOFFICE Business istifadə etməyə davam etmək üçün "abunəlik əldə edin":"$PricingPage". - -Sınaq müddətinizi uzatmaq üçün "satış komandamızla əlaqə saxlayın":"mailto:sales@onlyoffice.com". - -Siz "Ödənişlər səhifəsində":"$PricingPage" ödənişsiz Başlanğıc planına keçə bilərsiniz. Ödənişsiz planda 5-ə qədər istifadəçi və hər portal üçün 2Gb yaddaş var. Bəzi funksiyalar, o cümlədən LDAP, SSO, brendinq, avtomatik ehtiyat nüsxələr əlçatan olmayacaq. "Planları müqayisə et":"https://www.onlyoffice.com/saas.aspx". - Hörmətlə, ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1357,9 +1344,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Yeniləmə bildirişi - - ONLYOFFICE sınaq müddətiniz bu gün başa çatır - ${__VirtualRootPath}-a qoşulun diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index 4ded8582c7..b5c51ec587 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -1039,19 +1039,6 @@ Sie können zum kostenlosen Startup-Plan auf "Zahlungsseite":"$PricingPage" wech Dieser kann bis 5 Benutzer umfassen und hat 2 GB Speicher pro Portal. Manche Funktionen wie LDAP, SSO, Branding, automatische Backups usw. werden unverfügbar. "Vergleichen Sie Tarifpläne":"https://www.onlyoffice.com/de/saas.aspx". -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hallo, $UserName! - -Die Testversion für Ihr Portal "${__VirtualRootPath}":"${__VirtualRootPath}" läuft heute ab. Um ONLYOFFICE-Tarifplan für Business weiter benutzen zu können, "erwerben Sie ein Abo":"$PricingPage". - -Um die Testperiode zu verlängern, kontaktieren Sie unser "Verkaufsteam":"mailto:sales@onlyoffice.com". - -Sie können zum kostenlosen Startup-Plan auf "Zahlungsseite":"$PricingPage" wechseln. Dieser kann bis 5 Benutzer umfassen und hat 2 GB Speicher pro Portal. Manche Funktionen wie LDAP, SSO, Branding, automatische Backups usw. werden unverfügbar. "Vergleichen Sie Tarifpläne":"https://www.onlyoffice.com/de/saas.aspx". - Beste Grüße, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1352,9 +1339,6 @@ Dieser Link ist nur 7 Tage gültig. Benachrichtigung über Verlängerung des Abos - - Ihre Testversion von ONLYOFFICE läuft heute ab - ${__VirtualRootPath} beitreten diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index 94c394df32..b19900c2d2 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -1036,19 +1036,6 @@ Usted puede cambiar al plan gratuito Startup en la "Página de pagos":"$PricingP El plan gratuito tiene hasta 5 usuarios y 2Gb de almacenamiento por portal. Algunas características no estarán disponibles, incluyendo LDAP, SSO, personalización de marca, copias de seguridad automáticas. "Comparar los planes":"https://www.onlyoffice.com/es/saas.aspx" -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - ¡Hola, $UserName! - -El período de prueba de su portal en "${__VirtualRootPath}":"${__VirtualRootPath}" expira hoy. Para poder seguir usando ONLYOFFICE Business, "compre la suscripción:"$PricingPage". - -Para extender su prueba, póngase en contacto con nuestro "equipo de ventas":"mailto:sales@onlyoffice.com". - -Usted puede optar por el plan gratuito Startup en la "Página de pagos":"$PricingPage". El plan gratuito tiene hasta 10 usuarios y 2Gb de almacenamiento por portal. Algunas características no estarán disponibles, incluyendo LDAP, SSO, personalización de marca, copias de seguridad automáticas. "Compare los planes":"https://www.onlyoffice.com/es/saas.aspx". - Cordialmente, Equipo de ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1349,9 +1336,6 @@ El enlace es válido solo durante 7 días. Notificación de renovación - - Su prueba de ONLYOFFICE expira hoy - Únase a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index 490dfc7c97..d6bccb5308 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -1023,19 +1023,6 @@ Vous pouvez passer au plan tarifaire gratuit Startup sur la "Page des paiements" Le forfait gratuit permet jusqu'à 5 utilisateurs et 2Go d'espace de stockage par portail. Certaines fonctionnalités ne seront plus disponibles, incluant LDAP, SSO, marque blanche, sauvegardes automatiques. "Comparer les forfaits":"https://www.onlyoffice.com/saas.aspx" -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Bonjour $UserName, - -La période d'essai pour votre portail "${__VirtualRootPath}":"${__VirtualRootPath}" expire aujourd'hui. Pour continuer à utiliser ONLYOFFICE Business, "abonnez-vous":"$PricingPage". - -Pour prolonger la période d'essai, contactez notre "équipe des ventes":"mailto:sales@onlyoffice.com". - -Vous pouvez passez au forfait gratuit Startup sur la "Page des paiements":"$PricingPage". Le plan tarifaire gratuit permet jusqu'au 5 utilisateurs et 2Go d'espace par portail. Certaines fonctionnalités ne sront pas disponibles, telles que LDAP, SSO, marque blanche, sauvegardes automatiques. "Comparer les forfaits":"https://www.onlyoffice.com/saas.aspx". - Bien à vous, Equipe ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1337,9 +1324,6 @@ Le lien est valide pendant 7 jours. Avis de renouvellement - - Votre période d'essai pour ONLYOFFICE expire aujourd'hui - L'invitation à rejoindre le portail ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 818412d277..601cd2ea9d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -1037,19 +1037,6 @@ Você pode mudar para o plano de inicialização gratuito na "Página de pagamen O plano gratuito tem até 5 usuários e 2Gb de armazenamento por portal. Alguns recursos ficarão indisponíveis, incluindo LDAP, SSO, branding, backups automáticos. "Comparar planos": "https://www.onlyoffice.com/saas.aspx" -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" - - - Olá, $UserName! - -O período experimental de seu portal em "${__VirtualRootPath}": "${__VirtualRootPath}" deve expirar hoje. Para continuar usando ONLYOFFICE Business, "comprar assinatura":"$PricingPage". - -Para prolongar sua experiência, entre em contato com nossa "equipe de vendas": "mailto:sales@onlyoffice.com". - -Você pode mudar para o plano inicial gratuito na "Página de pagamentos":"$PricingPage". O plano gratuito tem até 5 usuários e 2Gb de armazenamento por portal. Alguns recursos ficarão indisponíveis, incluindo LDAP, SSO, branding, backups automáticos. "Comparar planos": "https://www.onlyoffice.com/saas.aspx". - Atenciosamente, Equipe ONLYOFFICE "www.onlyoffice.com": "http://onlyoffice.com/" @@ -1358,9 +1345,6 @@ O link só é válido por 7 dias. Notificação de renovação - - Seu teste de ONLYOFFICE expira hoje - Junte-se a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index 000acbab4d..17ff2c22fe 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1108,19 +1108,6 @@ You can switch to free Startup plan on "Payments page":"$PricingPage". Free plan has up to 5 users and 2Gb of storage per portal. Some features will become unavailable, including LDAP, SSO, branding, automatic backups. "Compare plans":"https://www.onlyoffice.com/saas.aspx" -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hello, $UserName! - -The trial period for your portal at "${__VirtualRootPath}":"${__VirtualRootPath}" is due to expire today. To continue using ONLYOFFICE Business, "buy subscription":"$PricingPage". - -To extend your trial, contact our "sales team":"mailto:sales@onlyoffice.com". - -You can switch to free Startup plan on "Payments page":"$PricingPage". Free plan has up to 10 users and 2Gb of storage per portal. Some features will become unavailable, including LDAP, SSO, branding, automatic backups. "Compare plans":"https://www.onlyoffice.com/saas.aspx" - Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1443,9 +1430,6 @@ The link is only valid for 7 days. Renewal notification - - Your ONLYOFFICE trial expires today - Join ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index ee868e1894..da25bdeb47 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -1039,19 +1039,6 @@ $GreenButton Бесплатный тарифный план включает до 5 пользователей и 2Гб дискового пространства на портале. Некоторые функции станут недоступны, включая LDAP, SSO, брендинг, автоматическое резервное копирование. "Сравните тарифные планы":"https://www.onlyoffice.com/ru/saas.aspx" -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Здравствуйте, $UserName! - -Пробный период для вашего портала "${__VirtualRootPath}":"${__VirtualRootPath}" истекает сегодня. Чтобы продолжить использование ONLYOFFICE Business, "купите подписку":"$PricingPage". - -Чтобы продлить пробный период, обратитесь в наш "отдел продаж":"mailto:sales@onlyoffice.com". - -Вы можете перейти на бесплатный тарифный план Startup на "странице Платежей":"$PricingPage". Бесплатный тарифный план включает в себя до 5 пользователей и 2Гб дискового пространства на портале. Некоторые функции станут недоступны, включая LDAP, SSO, брендинг, автоматическое резервное копирование. "Сравните тарифные планы":"https://www.onlyoffice.com/ru/saas.aspx". - С уважением, Команда ONLYOFFICE "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1352,9 +1339,6 @@ $GreenButton Уведомление о продлении подписки - - Сегодня истекает пробный период ONLYOFFICE - Стать участником ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index 26b87266bd..67b22ebef5 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -570,12 +570,6 @@ $activity.Key - - - - - - From 39d66dfb7dc9113f25b4ccb28e8812cd262df3f3 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 17:33:29 +0300 Subject: [PATCH 10/87] deleted SaasAdminTrialWarningAfter1V115 --- web/ASC.Web.Core/Notify/Actions.cs | 2 -- web/ASC.Web.Core/Notify/StudioNotifySource.cs | 2 -- .../Notify/StudioPeriodicNotify.cs | 20 ++----------- ...WebstudioNotifyPatternResource.Designer.cs | 28 ------------------- .../WebstudioNotifyPatternResource.az.resx | 16 ----------- .../WebstudioNotifyPatternResource.de.resx | 16 ----------- .../WebstudioNotifyPatternResource.es.resx | 16 ----------- .../WebstudioNotifyPatternResource.fr.resx | 19 +------------ .../WebstudioNotifyPatternResource.it.resx | 3 -- .../WebstudioNotifyPatternResource.pt-BR.resx | 16 ----------- .../WebstudioNotifyPatternResource.resx | 16 ----------- .../WebstudioNotifyPatternResource.ru.resx | 16 ----------- .../PublicResources/webstudio_patterns.xml | 6 ---- 13 files changed, 3 insertions(+), 173 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 91cbaa9b5f..c85d0fec13 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -99,8 +99,6 @@ public static class Actions public static readonly INotifyAction SaasAdminComfortTipsV115 = new NotifyAction("saas_admin_comfort_tips_v115"); - public static readonly INotifyAction SaasAdminTrialWarningAfter1V115 = new NotifyAction("saas_admin_trial_warning_after1_v115"); - public static readonly INotifyAction PersonalActivate = new NotifyAction("personal_activate"); public static readonly INotifyAction PersonalAfterRegistration1 = new NotifyAction("personal_after_registration1"); public static readonly INotifyAction PersonalAfterRegistration7 = new NotifyAction("personal_after_registration7"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index ae2ca1e679..d4cd60140f 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -92,8 +92,6 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseAdminPaymentWarningV10, Actions.EnterpriseWhitelabelAdminPaymentWarningV10, - Actions.SaasAdminTrialWarningAfter1V115, - Actions.SaasAdminModulesV1, Actions.PersonalActivate, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 92bfd4001b..690592a1cc 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -229,20 +229,7 @@ public class StudioPeriodicNotify } #endregion - #endregion - - #region Trial warning letters - - #region 1 day after SAAS TRIAL expired to admins - - if (dueDateIsNotMax && dueDate.AddDays(1) == nowDate) - { - action = Actions.SaasAdminTrialWarningAfter1V115; - toadmins = true; - - greenButtonText = () => WebstudioNotifyPatternResource.ButtonRenewNow; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~/Tariffs.aspx"); - } + #endregion #region 6 months after SAAS TRIAL expired @@ -272,10 +259,7 @@ public class StudioPeriodicNotify } #endregion - - #endregion - - #endregion + } else if (tariff.State >= TariffState.Paid) diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index c1a7b7eed2..db2832154e 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -2091,25 +2091,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Your ONLYOFFICE subscription has expired. Renew your ONLYOFFICE subscription to continue using it. - /// - ///$GreenButton - /// - ///You can switch to free Startup plan on "Payments page":"$PricingPage". - /// - ///Free plan has up to 5 users and 2Gb of storage per portal. Some features will become unavailable, including LDAP, SSO, branding, automatic backups. "Compare plans":"https://www.onlyoffice.com/saas.aspx" - /// - ///Truly yours, - ///ONLYOFFICE Team - ///"www.onlyoffice.com":"http://onlyoffice.com/". - /// - public static string pattern_saas_admin_trial_warning_after1_v115 { - get { - return ResourceManager.GetString("pattern_saas_admin_trial_warning_after1_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -3091,15 +3072,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Renewal notification. - /// - public static string subject_saas_admin_trial_warning_after1_v115 { - get { - return ResourceManager.GetString("subject_saas_admin_trial_warning_after1_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to 5 tips for effective work on your docs. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index 68999984d5..40916908a7 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -1028,19 +1028,6 @@ Portalın bərpası başladı. Məlumatın miqdarından asılı olaraq bir az va Hörmətlə, ONLYOFFICE™ Dəstək Qrupu -"www.onlyoffice.com":"http://onlyoffice.com/" - - - ONLYOFFICE abunəliyiniz bitdi. İstifadəyə davam etmək üçün ONLYOFFICE abunəliyinizi yeniləyin. - -$GreenButton - -Siz "Ödənişlər səhifəsində":"$PricingPage" ödənişsiz Başlanğıc planına keçə bilərsiniz. - -Ödənişsiz planda 5-ə qədər istifadəçi və hər portal üçün 2Gb yaddaş var. Bəzi funksiyalar, o cümlədən LDAP, SSO, brendinq, avtomatik ehtiyat nüsxələr əlçatan olmayacaq. "Planları müqayisə et":"https://www.onlyoffice.com/saas.aspx" - -Hörmətlə, -ONLYOFFICE Komandası "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1341,9 +1328,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Bərpa prosesi başladıldı - - Yeniləmə bildirişi - ${__VirtualRootPath}-a qoşulun diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index b5c51ec587..e29465a58e 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -1029,19 +1029,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^Um den Benachrichtigungstyp zu ändern, verwalten Sie Ihre "Abonnement-Einstellungen":"$RecipientSubscriptionConfigURL".^ - - - Ihr Abonnement ist abgelaufen. Verlängern Sie dieses, um ONLYOFFICE weiter nutzen zu können. - -$GreenButton - -Sie können zum kostenlosen Startup-Plan auf "Zahlungsseite":"$PricingPage" wechseln. - -Dieser kann bis 5 Benutzer umfassen und hat 2 GB Speicher pro Portal. Manche Funktionen wie LDAP, SSO, Branding, automatische Backups usw. werden unverfügbar. "Vergleichen Sie Tarifpläne":"https://www.onlyoffice.com/de/saas.aspx". - -Beste Grüße, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Hallo! @@ -1336,9 +1323,6 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Wiederherstellung startet - - Benachrichtigung über Verlängerung des Abos - ${__VirtualRootPath} beitreten diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index b19900c2d2..0db5e55295 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -1026,19 +1026,6 @@ Equipo de Asistencia ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para cambiar el tipo de notificación, por favor administre su "configuración de la suscripción":"$RecipientSubscriptionConfigURL".^ - - - Su suscripción a ONLYOFFICE ha expirado. Renueve su suscripción a ONLYOFFICE para poder seguir utilizándolo. - -$GreenButton - -Usted puede cambiar al plan gratuito Startup en la "Página de pagos":"$PricingPage". - -El plan gratuito tiene hasta 5 usuarios y 2Gb de almacenamiento por portal. Algunas características no estarán disponibles, incluyendo LDAP, SSO, personalización de marca, copias de seguridad automáticas. "Comparar los planes":"https://www.onlyoffice.com/es/saas.aspx" - -Cordialmente, -Equipo de ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" ¡Hola! @@ -1333,9 +1320,6 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Restauración ha comenzado - - Notificación de renovación - Únase a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index d6bccb5308..e5dc54f656 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -1013,19 +1013,6 @@ Meilleures salutations, "www.onlyoffice.com":"http://onlyoffice.com/" ^Pour changer le type de notification, veuillez gérer vos "paramètres d'abonnement":"$RecipientSubscriptionConfigURL".^ - - - Votre abonnement à ONLYOFFICE est expiré. Renouvelez votre abonnement à ONLYOFFICE pour continuer à l'utiliser. - -$GreenButton - -Vous pouvez passer au plan tarifaire gratuit Startup sur la "Page des paiements":"$PricingPage". - -Le forfait gratuit permet jusqu'à 5 utilisateurs et 2Go d'espace de stockage par portail. Certaines fonctionnalités ne seront plus disponibles, incluant LDAP, SSO, marque blanche, sauvegardes automatiques. "Comparer les forfaits":"https://www.onlyoffice.com/saas.aspx" - -Bien à vous, -Equipe ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Bonjour ! @@ -1318,11 +1305,7 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Restauration terminée - ${LetterLogoText}. Restauration démarrée - - - - Avis de renouvellement + ${LetterLogoText}. Restauration démarrée L'invitation à rejoindre le portail ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index 11f9a8bcf1..fd396b4725 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -1034,9 +1034,6 @@ il team di ONLYOFFICE ${LetterLogoText}. Ripristino avviato - - ‎Notifica di rinnovo‎ - Unisciti a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 601cd2ea9d..ac29ef2976 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -1027,19 +1027,6 @@ Equipe de suporte do ONLYOFFICE™ "www.onlyoffice.com":"http://onlyoffice.com/" ^Para alterar o tipo de notificação, por favor, gerencia as suas "configurações de assinatura":"$RecipientSubscriptionConfigURL".^ - - - Sua assinatura ONLYOFFICE expirou. Renove sua assinatura de ONLYOFFICE para continuar usando-a. - -$GreenButton - -Você pode mudar para o plano de inicialização gratuito na "Página de pagamentos":"$PricingPage". - -O plano gratuito tem até 5 usuários e 2Gb de armazenamento por portal. Alguns recursos ficarão indisponíveis, incluindo LDAP, SSO, branding, backups automáticos. "Comparar planos": "https://www.onlyoffice.com/saas.aspx" - -Atenciosamente, -Equipe ONLYOFFICE -"www.onlyoffice.com": "http://onlyoffice.com/" Olá! @@ -1342,9 +1329,6 @@ O link só é válido por 7 dias. ${LetterLogoText}. Restauração iniciada - - Notificação de renovação - Junte-se a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index 17ff2c22fe..ca11979044 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1098,19 +1098,6 @@ ONLYOFFICE™ Support Team "www.onlyoffice.com":"http://onlyoffice.com/" ^To change the notification type, please manage your "subscription settings":"$RecipientSubscriptionConfigURL".^ - - - Your ONLYOFFICE subscription has expired. Renew your ONLYOFFICE subscription to continue using it. - -$GreenButton - -You can switch to free Startup plan on "Payments page":"$PricingPage". - -Free plan has up to 5 users and 2Gb of storage per portal. Some features will become unavailable, including LDAP, SSO, branding, automatic backups. "Compare plans":"https://www.onlyoffice.com/saas.aspx" - -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" Hello! @@ -1427,9 +1414,6 @@ The link is only valid for 7 days. ${LetterLogoText}. Restore started - - Renewal notification - Join ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index da25bdeb47..3ec4617688 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -1029,19 +1029,6 @@ $GreenButton "www.onlyoffice.com":"http://onlyoffice.com/" ^Чтобы изменить тип оповещения, пожалуйста, настройте "параметры подписки":"$RecipientSubscriptionConfigURL".^ - - - Истек срок действия подписки на ONLYOFFICE. Продлите ее, чтобы продолжить использование ONLYOFFICE. - -$GreenButton - -Вы можете перейти на бесплатный тарифный план Startup на "странице Платежей":"$PricingPage". - -Бесплатный тарифный план включает до 5 пользователей и 2Гб дискового пространства на портале. Некоторые функции станут недоступны, включая LDAP, SSO, брендинг, автоматическое резервное копирование. "Сравните тарифные планы":"https://www.onlyoffice.com/ru/saas.aspx" - -С уважением, -Команда ONLYOFFICE -"www.onlyoffice.com":"http://onlyoffice.com/" Здравствуйте! @@ -1336,9 +1323,6 @@ $GreenButton ${LetterLogoText}. Началось восстановление - - Уведомление о продлении подписки - Стать участником ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index 67b22ebef5..6bcc8e6bc3 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -576,12 +576,6 @@ $activity.Key - - - - - - From 21075fd4c33613904e37bc88b1c7115b098d4551 Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Thu, 13 Oct 2022 17:45:09 +0300 Subject: [PATCH 11/87] Quota: fix --- .../Context/Impl/AuthManager.cs | 6 +++++ .../FilesSpaceUsageStatManager.cs | 5 ++-- .../Core/Core/UsersQuotaSyncOperation.cs | 23 ++++++++----------- 3 files changed, 18 insertions(+), 16 deletions(-) diff --git a/common/ASC.Core.Common/Context/Impl/AuthManager.cs b/common/ASC.Core.Common/Context/Impl/AuthManager.cs index 80d0c1118b..f45b0980ad 100644 --- a/common/ASC.Core.Common/Context/Impl/AuthManager.cs +++ b/common/ASC.Core.Common/Context/Impl/AuthManager.cs @@ -60,6 +60,12 @@ public class AuthManager public IAccount GetAccountByID(int tenantId, Guid id) { + var tenant = _tenantManager.GetCurrentTenant(false); + if (tenant == null) + { + _tenantManager.SetCurrentTenant(tenantId); + } + var s = Configuration.Constants.SystemAccounts.FirstOrDefault(a => a.ID == id); if (s != null) { diff --git a/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs b/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs index 00f5b4b94e..e399d38621 100644 --- a/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs +++ b/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs @@ -132,13 +132,12 @@ public class FilesSpaceUsageStatManager : SpaceUsageStatManager, IUserSpaceUsage public async Task RecalculateUserQuota(int TenantId, Guid userId) { - _tenantManager.SetCurrentTenant(TenantId); - + var size = await GetUserSpaceUsageAsync(userId); _tenantManager.SetTenantQuotaRow( new TenantQuotaRow { Tenant = TenantId, Path = $"/{FileConstant.ModuleId}/", Counter = size, Tag = WebItemManager.DocumentsProductID.ToString(), UserId = userId, LastModified = DateTime.UtcNow }, - true); + false); } } diff --git a/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs index a1b08dc8fa..6d22ab92a2 100644 --- a/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs +++ b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs @@ -82,10 +82,10 @@ public class UsersQuotaSyncJob : DistributedTaskProgress { private readonly IServiceScopeFactory _serviceScopeFactory; private readonly IDaoFactory _daoFactory; - private readonly FilesSpaceUsageStatManager _filesSpaceUsageStatManager; - private readonly WebItemManager _webItemManager; private readonly WebItemManagerSecurity _webItemManagerSecurity; - + private readonly SecurityContext _securityContext; + private readonly AuthManager _authentication; + protected readonly IDbContextFactory _dbContextFactory; @@ -105,16 +105,16 @@ public class UsersQuotaSyncJob : DistributedTaskProgress public UsersQuotaSyncJob(IServiceScopeFactory serviceScopeFactory, IDaoFactory daoFactory, - FilesSpaceUsageStatManager filesSpaceUsageStatManager, - WebItemManager webItemManager, - WebItemManagerSecurity webItemManagerSecurity + WebItemManagerSecurity webItemManagerSecurity, + SecurityContext securityContext, + AuthManager authentication ) { _serviceScopeFactory = serviceScopeFactory; _daoFactory = daoFactory; - _filesSpaceUsageStatManager = filesSpaceUsageStatManager; - _webItemManager = webItemManager; _webItemManagerSecurity = webItemManagerSecurity; + _securityContext = securityContext; + _authentication = authentication; } public void InitJob(Tenant tenant) { @@ -131,16 +131,13 @@ public class UsersQuotaSyncJob : DistributedTaskProgress _tenantManager.SetCurrentTenant(TenantId); - var fileDao = _daoFactory.GetFileDao(); - var users = _userManager.GetUsers(); var webItems = _webItemManagerSecurity.GetItems(Web.Core.WebZones.WebZoneType.All, ItemAvailableState.All); foreach (var user in users) { - _tenantManager.SetCurrentTenant(TenantId); - var spaceUsage = _filesSpaceUsageStatManager.GetUserSpaceUsageAsync(user.Id); - + var account = _authentication.GetAccountByID(TenantId, user.Id); + _securityContext.AuthenticateMe(account); foreach (var item in webItems) { From c13d306b2b8e8bd5502b63867a2375ce4c807e50 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 17:46:28 +0300 Subject: [PATCH 12/87] deleted table --- .../Notify/StudioPeriodicNotify.cs | 70 +------------------ 1 file changed, 1 insertion(+), 69 deletions(-) diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 690592a1cc..203d8b85b6 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -135,64 +135,7 @@ public class StudioPeriodicNotify var toowner = false; Func greenButtonText = () => string.Empty; - - string blueButtonText() => WebstudioNotifyPatternResource.ButtonRequestCallButton; var greenButtonUrl = string.Empty; - - Func tableItemText1 = () => string.Empty; - Func tableItemText2 = () => string.Empty; - Func tableItemText3 = () => string.Empty; - Func tableItemText4 = () => string.Empty; - Func tableItemText5 = () => string.Empty; - Func tableItemText6 = () => string.Empty; - Func tableItemText7 = () => string.Empty; - - var tableItemUrl1 = string.Empty; - var tableItemUrl2 = string.Empty; - var tableItemUrl3 = string.Empty; - var tableItemUrl4 = string.Empty; - var tableItemUrl5 = string.Empty; - var tableItemUrl6 = string.Empty; - var tableItemUrl7 = string.Empty; - - var tableItemImg1 = string.Empty; - var tableItemImg2 = string.Empty; - var tableItemImg3 = string.Empty; - var tableItemImg4 = string.Empty; - var tableItemImg5 = string.Empty; - var tableItemImg6 = string.Empty; - var tableItemImg7 = string.Empty; - - Func tableItemComment1 = () => string.Empty; - Func tableItemComment2 = () => string.Empty; - Func tableItemComment3 = () => string.Empty; - Func tableItemComment4 = () => string.Empty; - Func tableItemComment5 = () => string.Empty; - Func tableItemComment6 = () => string.Empty; - Func tableItemComment7 = () => string.Empty; - - Func tableItemLearnMoreText1 = () => string.Empty; - - string tableItemLearnMoreText2() => string.Empty; - - string tableItemLearnMoreText3() => string.Empty; - - string tableItemLearnMoreText4() => string.Empty; - - string tableItemLearnMoreText5() => string.Empty; - - string tableItemLearnMoreText6() => string.Empty; - - string tableItemLearnMoreText7() => string.Empty; - - var tableItemLearnMoreUrl1 = string.Empty; - var tableItemLearnMoreUrl2 = string.Empty; - var tableItemLearnMoreUrl3 = string.Empty; - var tableItemLearnMoreUrl4 = string.Empty; - var tableItemLearnMoreUrl5 = string.Empty; - var tableItemLearnMoreUrl6 = string.Empty; - var tableItemLearnMoreUrl7 = string.Empty; - if (quota.Free) { @@ -319,24 +262,13 @@ public class StudioPeriodicNotify action, new[] { _studioNotifyHelper.ToRecipient(u.Id) }, new[] { senderName }, - new TagValue(Tags.UserName, u.FirstName.HtmlEncode()), - new TagValue(Tags.PricingPage, _commonLinkUtility.GetFullAbsolutePath("~/tariffs.aspx")), + new TagValue(Tags.UserName, u.FirstName.HtmlEncode()), new TagValue(Tags.ActiveUsers, _userManager.GetUsers().Length), new TagValue(Tags.Price, rquota.Price), new TagValue(Tags.PricePeriod, rquota.Year3 ? UserControlsCommonResource.TariffPerYear3 : rquota.Year ? UserControlsCommonResource.TariffPerYear : UserControlsCommonResource.TariffPerMonth), new TagValue(Tags.DueDate, dueDate.ToLongDateString()), new TagValue(Tags.DelayDueDate, (delayDueDateIsNotMax ? delayDueDate : dueDate).ToLongDateString()), - TagValues.BlueButton(blueButtonText, "http://www.onlyoffice.com/call-back-form.aspx"), TagValues.GreenButton(greenButtonText, greenButtonUrl), - TagValues.TableTop(), - TagValues.TableItem(1, tableItemText1, tableItemUrl1, tableItemImg1, tableItemComment1, tableItemLearnMoreText1, tableItemLearnMoreUrl1), - TagValues.TableItem(2, tableItemText2, tableItemUrl2, tableItemImg2, tableItemComment2, tableItemLearnMoreText2, tableItemLearnMoreUrl2), - TagValues.TableItem(3, tableItemText3, tableItemUrl3, tableItemImg3, tableItemComment3, tableItemLearnMoreText3, tableItemLearnMoreUrl3), - TagValues.TableItem(4, tableItemText4, tableItemUrl4, tableItemImg4, tableItemComment4, tableItemLearnMoreText4, tableItemLearnMoreUrl4), - TagValues.TableItem(5, tableItemText5, tableItemUrl5, tableItemImg5, tableItemComment5, tableItemLearnMoreText5, tableItemLearnMoreUrl5), - TagValues.TableItem(6, tableItemText6, tableItemUrl6, tableItemImg6, tableItemComment6, tableItemLearnMoreText6, tableItemLearnMoreUrl6), - TagValues.TableItem(7, tableItemText7, tableItemUrl7, tableItemImg7, tableItemComment7, tableItemLearnMoreText7, tableItemLearnMoreUrl7), - TagValues.TableBottom(), new TagValue(CommonTags.Footer, _userManager.IsAdmin(u) ? "common" : "social")); } } From d6441948f3891f2bd73914ca9168e3f9da52260e Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Thu, 13 Oct 2022 18:12:04 +0300 Subject: [PATCH 13/87] Quota: fix --- common/ASC.Core.Common/Data/DbQuotaService.cs | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/common/ASC.Core.Common/Data/DbQuotaService.cs b/common/ASC.Core.Common/Data/DbQuotaService.cs index 13f410fed1..2371fc5daa 100644 --- a/common/ASC.Core.Common/Data/DbQuotaService.cs +++ b/common/ASC.Core.Common/Data/DbQuotaService.cs @@ -101,12 +101,8 @@ class DbQuotaService : IQuotaService using var coreDbContext = _dbContextFactory.CreateDbContext(); using var tx = coreDbContext.Database.BeginTransaction(); - AddQuota(coreDbContext, Guid.Empty); - if (row.UserId != Guid.Empty) - { - AddQuota(coreDbContext, row.UserId); - } + AddQuota(coreDbContext, row.UserId != Guid.Empty ? row.UserId : Guid.Empty); tx.Commit(); }); From 2f646828e5154fa81167ffb8eb2579839524f002 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 18:57:46 +0300 Subject: [PATCH 14/87] deleted EnterpriseAdminCustomizePortalV10, EnterpriseWhitelabelAdminCustomizePortalV10 --- web/ASC.Web.Core/Notify/Actions.cs | 2 - web/ASC.Web.Core/Notify/StudioNotifySource.cs | 2 - .../Notify/StudioPeriodicNotify.cs | 144 +---------------- ...WebstudioNotifyPatternResource.Designer.cs | 145 ------------------ .../WebstudioNotifyPatternResource.az.resx | 60 -------- .../WebstudioNotifyPatternResource.de.resx | 60 -------- .../WebstudioNotifyPatternResource.es.resx | 61 -------- .../WebstudioNotifyPatternResource.fr.resx | 62 +------- .../WebstudioNotifyPatternResource.it.resx | 37 ----- .../WebstudioNotifyPatternResource.pt-BR.resx | 60 -------- .../WebstudioNotifyPatternResource.resx | 61 -------- .../WebstudioNotifyPatternResource.ru.resx | 61 -------- .../WebstudioNotifyPatternResource.tr.resx | 12 -- .../PublicResources/webstudio_patterns.xml | 12 -- 14 files changed, 3 insertions(+), 776 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index c85d0fec13..cfe1bf7038 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -83,8 +83,6 @@ public static class Actions public static readonly INotifyAction EnterpriseWhitelabelGuestWelcomeV10 = new NotifyAction("enterprise_whitelabel_guest_welcome_v10"); public static readonly INotifyAction OpensourceGuestWelcomeV11 = new NotifyAction("opensource_guest_welcome_v11"); - public static readonly INotifyAction EnterpriseAdminCustomizePortalV10 = new NotifyAction("enterprise_admin_customize_portal_v10"); - public static readonly INotifyAction EnterpriseWhitelabelAdminCustomizePortalV10 = new NotifyAction("enterprise_whitelabel_admin_customize_portal_v10"); public static readonly INotifyAction EnterpriseAdminInviteTeammatesV10 = new NotifyAction("enterprise_admin_invite_teammates_v10"); public static readonly INotifyAction EnterpriseAdminWithoutActivityV10 = new NotifyAction("enterprise_admin_without_activity_v10"); public static readonly INotifyAction EnterpriseAdminUserAppsTipsV10 = new NotifyAction("enterprise_admin_user_apps_tips_v10"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index d4cd60140f..8b51f483d6 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -78,8 +78,6 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseWhitelabelGuestWelcomeV10, Actions.OpensourceGuestWelcomeV11, - Actions.EnterpriseAdminCustomizePortalV10, - Actions.EnterpriseWhitelabelAdminCustomizePortalV10, Actions.EnterpriseAdminInviteTeammatesV10, Actions.EnterpriseAdminWithoutActivityV10, Actions.EnterpriseAdminUserAppsTipsV10, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 203d8b85b6..d8a2887297 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -325,102 +325,14 @@ public class StudioPeriodicNotify string blueButtonText() => WebstudioNotifyPatternResource.ButtonRequestCallButton; var greenButtonUrl = string.Empty; - Func tableItemText1 = () => string.Empty; - Func tableItemText2 = () => string.Empty; - Func tableItemText3 = () => string.Empty; - Func tableItemText4 = () => string.Empty; - Func tableItemText5 = () => string.Empty; - Func tableItemText6 = () => string.Empty; - Func tableItemText7 = () => string.Empty; - - var tableItemUrl1 = string.Empty; - var tableItemUrl2 = string.Empty; - var tableItemUrl3 = string.Empty; - var tableItemUrl4 = string.Empty; - var tableItemUrl5 = string.Empty; - var tableItemUrl6 = string.Empty; - var tableItemUrl7 = string.Empty; - - var tableItemImg1 = string.Empty; - var tableItemImg2 = string.Empty; - var tableItemImg3 = string.Empty; - var tableItemImg4 = string.Empty; - var tableItemImg5 = string.Empty; - var tableItemImg6 = string.Empty; - var tableItemImg7 = string.Empty; - - Func tableItemComment1 = () => string.Empty; - Func tableItemComment2 = () => string.Empty; - Func tableItemComment3 = () => string.Empty; - Func tableItemComment4 = () => string.Empty; - Func tableItemComment5 = () => string.Empty; - Func tableItemComment6 = () => string.Empty; - Func tableItemComment7 = () => string.Empty; - - Func tableItemLearnMoreText1 = () => string.Empty; - - string tableItemLearnMoreText2() => string.Empty; - - string tableItemLearnMoreText3() => string.Empty; - - string tableItemLearnMoreText4() => string.Empty; - - string tableItemLearnMoreText5() => string.Empty; - - string tableItemLearnMoreText6() => string.Empty; - - string tableItemLearnMoreText7() => string.Empty; - - var tableItemLearnMoreUrl1 = string.Empty; - var tableItemLearnMoreUrl2 = string.Empty; - var tableItemLearnMoreUrl3 = string.Empty; - var tableItemLearnMoreUrl4 = string.Empty; - var tableItemLearnMoreUrl5 = string.Empty; - var tableItemLearnMoreUrl6 = string.Empty; - var tableItemLearnMoreUrl7 = string.Empty; - if (quota.Trial && defaultRebranding) { #region After registration letters - - #region 1 day after registration to admins ENTERPRISE TRIAL + defaultRebranding - - if (createdDate.AddDays(1) == nowDate) - { - action = Actions.EnterpriseAdminCustomizePortalV10; - paymentMessage = false; - toadmins = true; - - tableItemImg1 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-brand-100.png"); - tableItemText1 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_brand_hdr; - tableItemComment1 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_brand; - - tableItemImg2 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-regional-100.png"); - tableItemText2 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_regional_hdr; - tableItemComment2 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_regional; - - tableItemImg3 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-customize-100.png"); - tableItemText3 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_customize_hdr; - tableItemComment3 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_customize; - - tableItemImg4 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-modules-100.png"); - tableItemText4 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_modules_hdr; - tableItemComment4 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_modules; - - tableItemImg5 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-3rdparty-100.png"); - tableItemText5 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_3rdparty_hdr; - tableItemComment5 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_3rdparty; - - greenButtonText = () => WebstudioNotifyPatternResource.ButtonConfigureRightNow; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath(_commonLinkUtility.GetAdministration(ManagementType.General)); - } - - #endregion #region 4 days after registration to admins ENTERPRISE TRIAL + only 1 user + defaultRebranding - else if (createdDate.AddDays(4) == nowDate && _userManager.GetUsers().Length == 1) + if (createdDate.AddDays(4) == nowDate && _userManager.GetUsers().Length == 1) { action = Actions.EnterpriseAdminInviteTeammatesV10; paymentMessage = false; @@ -511,49 +423,6 @@ public class StudioPeriodicNotify #endregion } - else if (quota.Trial && !defaultRebranding) - { - #region After registration letters - - #region 1 day after registration to admins ENTERPRISE TRIAL + !defaultRebranding - - if (createdDate.AddDays(1) == nowDate) - { - action = Actions.EnterpriseWhitelabelAdminCustomizePortalV10; - paymentMessage = false; - toadmins = true; - - tableItemImg1 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-brand-100.png"); - tableItemText1 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_brand_hdr; - tableItemComment1 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_brand; - - tableItemImg2 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-regional-100.png"); - tableItemText2 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_regional_hdr; - tableItemComment2 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_regional; - - tableItemImg3 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-customize-100.png"); - tableItemText3 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_customize_hdr; - tableItemComment3 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_customize; - - tableItemImg4 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-modules-100.png"); - tableItemText4 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_modules_hdr; - tableItemComment4 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_modules; - - if (!_coreBaseSettings.CustomMode) - { - tableItemImg5 = _studioNotifyHelper.GetNotificationImageUrl("tips-customize-3rdparty-100.png"); - tableItemText5 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_3rdparty_hdr; - tableItemComment5 = () => WebstudioNotifyPatternResource.pattern_enterprise_admin_customize_portal_v10_item_3rdparty; - } - - greenButtonText = () => WebstudioNotifyPatternResource.ButtonConfigureRightNow; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath(_commonLinkUtility.GetAdministration(ManagementType.General)); - } - - #endregion - - #endregion - } else if (tariff.State == TariffState.Paid) { #region Payment warning letters @@ -617,16 +486,7 @@ public class StudioPeriodicNotify new TagValue(Tags.DueDate, dueDate.ToLongDateString()), new TagValue(Tags.DelayDueDate, (delayDueDateIsNotMax ? delayDueDate : dueDate).ToLongDateString()), TagValues.BlueButton(blueButtonText, "http://www.onlyoffice.com/call-back-form.aspx"), - TagValues.GreenButton(greenButtonText, greenButtonUrl), - TagValues.TableTop(), - TagValues.TableItem(1, tableItemText1, tableItemUrl1, tableItemImg1, tableItemComment1, tableItemLearnMoreText1, tableItemLearnMoreUrl1), - TagValues.TableItem(2, tableItemText2, tableItemUrl2, tableItemImg2, tableItemComment2, tableItemLearnMoreText2, tableItemLearnMoreUrl2), - TagValues.TableItem(3, tableItemText3, tableItemUrl3, tableItemImg3, tableItemComment3, tableItemLearnMoreText3, tableItemLearnMoreUrl3), - TagValues.TableItem(4, tableItemText4, tableItemUrl4, tableItemImg4, tableItemComment4, tableItemLearnMoreText4, tableItemLearnMoreUrl4), - TagValues.TableItem(5, tableItemText5, tableItemUrl5, tableItemImg5, tableItemComment5, tableItemLearnMoreText5, tableItemLearnMoreUrl5), - TagValues.TableItem(6, tableItemText6, tableItemUrl6, tableItemImg6, tableItemComment6, tableItemLearnMoreText6, tableItemLearnMoreUrl6), - TagValues.TableItem(7, tableItemText7, tableItemUrl7, tableItemImg7, tableItemComment7, tableItemLearnMoreText7, tableItemLearnMoreUrl7), - TagValues.TableBottom()); + TagValues.GreenButton(greenButtonText, greenButtonUrl)); } } catch (Exception err) diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index db2832154e..f32d728543 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -681,116 +681,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///You can customize ONLYOFFICE for your needs, for example: - /// - ///$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - /// - ///Configure Right Now - ///$GreenButton - /// - ///Done. It's time to invite teammates to your web-office! - /// - ///More information in our "Help Center":"${__HelpLink}".. - /// - public static string pattern_enterprise_admin_customize_portal_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Let your team members use Facebook, Twitter, Google or LinkedIn to sign in. Link up your portal with Box, Dropbox, OneDrive and Google to transfer your documents. Connect DocuSign to use e-signature, Twilio - for VoIP, Bitly - to shorten links and Firebase to get notifications when you're offline.. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_3rdparty { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_3rdparty", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tip #5: Connect 3rd-party services. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_3rdparty_hdr { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_3rdparty_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Uploading your company's logos in the Control Panel. To change the default portal title displayed on the Welcome page, go to Settings >> Common >> Customization >> Welcome Page Settings.. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_brand { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_brand", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tip #1: Brand it. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_brand_hdr { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_brand_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Name the portal groups, its members and their activities following Settings >> Common >> Customization >> Team Template. Select the color theme that best suits your company brand.. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_customize { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_customize", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tip #3: Customize interface. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_customize_hdr { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_customize_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Enable instruments you need for work following Settings >> Common >> Modules & Tools. The disabled ones will be hidden.. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_modules { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_modules", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tip #4: Select your tools. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_modules_hdr { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_modules_hdr", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Choose the language and set the correct time zone. It's particularly important for the notifications and the correct calendar work. Go to Settings >> Common >> Customization.. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_regional { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_regional", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Tip #2: Adjust the regional settings. - /// - public static string pattern_enterprise_admin_customize_portal_v10_item_regional_hdr { - get { - return ResourceManager.GetString("pattern_enterprise_admin_customize_portal_v10_item_regional_hdr", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -1036,23 +926,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///You can customize your web-office, for example: - /// - ///$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - /// - ///$GreenButton - /// - ///Done. It's time to invite teammates to your web-office!. - /// - public static string pattern_enterprise_whitelabel_admin_customize_portal_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_admin_customize_portal_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -2477,15 +2350,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Customize ONLYOFFICE. - /// - public static string subject_enterprise_admin_customize_portal_v10 { - get { - return ResourceManager.GetString("subject_enterprise_admin_customize_portal_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Invite your teammates. /// @@ -2612,15 +2476,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Customize your web-office. - /// - public static string subject_enterprise_whitelabel_admin_customize_portal_v10 { - get { - return ResourceManager.GetString("subject_enterprise_whitelabel_admin_customize_portal_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Your web-office renewal notification. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index 40916908a7..fe769bd8d2 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -297,49 +297,6 @@ $GreenButton * Qeyd *: bu link yalnız 7 gün ərzində etibarlıdır. Bu müddət ərzində portal ünvanının dəyişdirilməsi prosesini tamamlayın. - - Salam, $UserName! - -ONLYOFFICE-i ehtiyaclarınız üçün fərdiləşdirə bilərsiniz, məsələn: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Tamamlandı. Komanda yoldaşlarını veb-ofisinizə dəvət etməyin vaxtıdır! - -Ətraflı məlumat "Yardım Mərkəzimizdə":"${__HelpLink}". - - - Komanda üzvlərinizə daxil olmaq üçün Facebook, Twitter, Google və ya LinkedIn istifadə etməyə icazə verin. Sənədlərinizi ötürmək üçün portalınızı Box, Dropbox, OneDrive və Google ilə əlaqələndirin. E-imzadan istifadə etmək üçün DocuSign-a, VoIP üçün Twilio-a, keçidləri qısaltmaq üçün Bitly-ə və oflayn olduğunuz zaman bildirişlər almaq üçün Firebase-ə qoşulun. - - - Məsləhət #5: 3-cü tərəf xidmətlərini birləşdirin - - - İdarəetmə Panelinə şirkətinizin loqolarının yüklənməsi. Salamlama səhifəsində göstərilən standart portal başlığını dəyişmək üçün Parametrlər >> Ümumi >> Fərdiləşdirmə >> Salamlama Səhifəsi Parametrləri bölməsinə keçin. - - - Məsləhət №1: Onu markaya çevirin - - - Parametrlər >> Ümumi >> Fərdiləşdirmə >> Komanda Şablonundan sonra portal qruplarını, üzvlərini və fəaliyyətlərini adlandırın. Şirkətinizin markasına ən uyğun rəng mövzusunu seçin. - - - Məsləhət №3: İnterfeysi fərdiləşdirin - - - Parametrlər >> Ümumi >> Modullar və Alətlər bölməsini izləməklə işiniz üçün lazım olan alətləri aktiv edin. Deaktiv alətlər gizlədiləcək - - - Məsləhət # 4: Alətlərinizi seçin - - - Dili seçib düzgün vaxt qurşağını təyin edin. Bildirişlər və dəqiq təqvim işi üçün xüsusilə vacibdir. Parametrlər >> Ümumi >> Fərdiləşdirməyə keçin. - - - Məsləhət #2: Regional parametrləri tənzimləyin - Salam, $UserName! @@ -433,17 +390,6 @@ Qonaq profiliniz uğurla "${__VirtualRootPath}":"${__VirtualRootPath}" -a əlav # Ani mesaj mübadiləsi üçün "Söhbət":"${__VirtualRootPath}/addons/talk/" istifadə edin. $GreenButton - - - Salam, $UserName! - -Siz veb-ofisinizi fərdiləşdirə bilərsiniz, məsələn: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Tamamlandı. Komanda yoldaşlarını veb-ofisinizə dəvət etməyin vaxtıdır! Salam, $UserName! @@ -1190,9 +1136,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Portal ünvanının dəyişdirilməsi - - ONLYOFFICE-i fərdiləşdirin - Komanda yoldaşlarınızı dəvət edin @@ -1220,9 +1163,6 @@ Link yalnız 7 gün üçün keçərli olacaq. Veb ofisinizə xoş gəlmisiniz - - Veb-ofisinizi fərdiləşdirin - Veb ofisinizin yenilənməsi barədə bildirişiniz diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index e29465a58e..9d4c3ec217 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -285,49 +285,6 @@ $GreenButton *Hinweis*: Dieser Link ist nur 7 Tage gültig. Bitte enden Sie Prozess von Änderung der Portaladresse innerhalb dieses Zeitraums. - - Hallo, $UserName! - -Sie können ONLYOFFICE an Ihre Bedürfnisse leicht anpassen, zum Beispiel: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Gut gemacht! Jetzt können Sie Ihre Teamkollegen in das Web-Office einladen. - -Weitere Informationen dazu finden Sie in unserem "Help Center":"${__HelpLink}". - - - Lassen Sie Ihre Teammitglieder sich über Facebook, Twitter, Google oder LinkedIn anmelden. Verknüpfen Sie Ihr Portal mit Box, Dropbox, OneDrive und Google, um Ihre Dokumente zu importieren. Verbinden Sie DocuSign für die elektronische Signatur, Twilio - für VoIP, Bitly - als URL-Verkürzer, Firebase - für Benachrichtigungen, wenn Sie offline sind. - - - Tipp 5: Verbinden Sie Dienste von Drittanbietern - - - Laden Sie die Logos Ihres Unternehmens im Control Panel hoch. Um den auf der Startseite angezeigten Standardtitel zu ändern, gehen Sie zu Einstellungen >> Allgemein >> Individuelle Einrichtung >> Begrüßungseinstellungen. - - - Tipp 1: Verwenden Sie Ihre eigene Marke - - - Benennen Sie die Portalgruppen, ihre Mitglieder und deren Aktivitäten unter Einstellungen >> Allgemein >> Individuelle Einrichtung >> Teamvorlage. Wählen Sie ein Farbschema aus, das am besten zu Ihrer Unternehmensmarke passt. - - - Tipp 3: Passen Sie die Schnittstelle an - - - Aktivieren Sie die benötigten Instrumente. Gehen Sie zu Einstellungen >> Allgemein >> Module und Tools. Die behinderten Tools werden ausgeblendet. - - - Tipp 4: Wählen Sie die benötigten Tools aus - - - Stellen Sie die Sprache und die richtige Zeitzone ein. Dies ist besonders wichtig, damit Benachrichtigungen und Kalender richtig funktionieren. Gehen Sie zu Einstellungen >> Allgemein >> Individuelle Einrichtung. - - - Tipp 2: Passen Sie die regionalen Einstellungen an - Hallo $UserName! @@ -421,17 +378,6 @@ Ihr Gast-Profil wurde erfolgreich zu "${__VirtualRootPath}":"${__VirtualRootPath # Mit "Chat":"${__VirtualRootPath}/addons/talk/" Sofortnachrichten austauschen. $GreenButton - - - Hallo, $UserName! - -Sie können Ihr Web-Office anpassen, zum Beispiel: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Gut gemacht! Jetzt können Sie Ihre Teamkollegen in das Web-Office einladen. Hallo $UserName! @@ -1187,9 +1133,6 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Änderung der Portaladresse - - Passen Sie ONLYOFFICE an - Laden Sie Ihre Teammitglieder ein @@ -1217,9 +1160,6 @@ Dieser Link ist nur 7 Tage gültig. Willkommen in Ihrem Web-Office - - Passen Sie Ihr Web-Office an - Ihre Benachrichtigung über Erneuerung für Web-Office diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index 0db5e55295..86d2f74b48 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -285,50 +285,6 @@ $GreenButton *Note*: este enlace tiene una validez sólo de 7 días. Por favor, complete el proceso de cambio de dirección del portal dentro de ese período. - - ¡Hola, $UserName! - -Usted puede personalizar ONLYOFFICE para sus necesidades, por ejemplo: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -Configurar ahora mismo -$GreenButton - -Hecho. ¡Llegó el momento de invitar a los compañeros de equipo a su oficina web! - -Encuentre más información en nuestro "Centro de Ayuda":"${__HelpLink}". - - - Permita a sus compañeros de equipo usar Facebook, Twitter, Google o LinkedIn para acceder al portal. Conecte su portal con los servicios Box, Dropbox, OneDrive y Google para transferir sus documentos. Conecte DocuSign para usar la firma electrónica, Twilio - para VoIP, Bitly - para acortar enlaces y Firebase para recibir notificaciones cuando Usted no está en línea. - - - Consejo #5: Conecte servicios de terceros - - - Cargue los logos de su empresa en el Panel de Control. Para cambiar el título de portal predeterminado que se muestra en la página de bienvenida vaya a los Ajustes >> Común >> Personalización >> Ajustes de bienvenida. - - - Consejo #1: Coloque su logotipo - - - Nombre los grupos de portal, sus miembros y sus actividades siguiendo Ajustes >> Común >> Personalización >> Plantilla del equipo. Seleccione el tema de color que mejor se adapte a la marca de su empresa. - - - Consejo #3: Personalice la interfaz - - - Active instrumentos que Usted necesita para trabajo siguiendo Ajustes >> Común >> Módulos y herramientas. Los instrumentos desactivados serán ocultados. - - - Consejo #4: Seleccione sus herramientas - - - Seleccione el idioma y ajuste la zona horaria correcta. Es particularmente importante para las notificaciones y el trabajo de calendario correcto. Vaya a los Ajustes >> Común >> Personalización. - - - Consejo #2: Ajuste la configuración regional - ¡Hola, $UserName! @@ -424,17 +380,6 @@ Su perfil de invitado ha sido agregado con éxito al "${__VirtualRootPath}":"${_ Para acceder a su oficina web, siga el enlace $GreenButton - - - ¡Hola, $UserName! - -Usted puede personalizar su oficina web, por ejemplo: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Hecho. ¡Llegó el momento de invitar a los compañeros de equipo a su oficina web! ¡Estimado/a $UserName! @@ -1185,9 +1130,6 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Cambio de dirección de portal - - Personalice ONLYOFFICE - Invite a sus compañeros de equipo @@ -1215,9 +1157,6 @@ El enlace es válido solo durante 7 días. Bienvenido a su oficina web - - Personalice su oficina web - Notificación de renovación de su oficina web diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index e5dc54f656..321c936012 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -284,49 +284,6 @@ $GreenButton *Remarque* : ce lien est valable pour 7 jours seulement. Veuillez compléter le processus de changementle de l'adresse du portail au courant de cette période. - - Bonjour $UserName, - -Vous pouvez ajuster ONLYOFFICE à vos besoins, par exemple : - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -C'est fait. Maintenant invitez vos collègues à rejoindre votre bureau digital ! - -Pour de plus amples informations, visitez le "Centre d'Aide":"${__HelpLink}" - - - Laissez vos membres de l'équipe utiliser Facebook, Twitter, Google ou LinkedIn pour se connecter. Reliez votre portail avec Box, Dropbox, OneDrive et Google pour transfér vos documents. Connectez DocuSign pour utiliser signature électronique, Twilio - pour VoIP, Bitly - pour raccourcir les liens et Firebase pour recevoir les notifications quand vous n'êtes pas connecté. - - - Conseil #5 : Connectez parties tierces - - - Téléchargez le logo do votre entrprise avec le Panneau de Commande. Pour changer le titre de portail par défaut qui est affiché sur la page d'acceuil, suivez Paramètres>> Commun >> Personalisation>> Paramètres de la page d'accueil. - - - Conseil #1 : Marquez-le - - - Nommez les groupes du portail, ses membres et leurs activités en suivant Paramètres >> Commun >> Personnalisation >> Modèle de l'équipe. Sélectionnez le thème de couleur qui convient le mieux au marque de votre entreprise. - - - Conseil #3: personnalisez l'interface - - - Activez les instruments dont vous avez besoin pour votre travail en suivant les Paramètres >> Commun >> Modules & Outils. Les instruments désactivés seront cachés - - - Conseil #4 : Choisissez vos instruments - - - Sélectionnez la langue et le fuseau horaire approprié.C'est particulièrement important pour les notifications et le bon fonctionnement du calendrier. Allez dans les Paramètres >> Commun >> Personnalisation - - - Conseil #2 : Ajustez des paramètres régionaux - Bonjour $UserName, @@ -418,18 +375,7 @@ Votre profil d'invité a été ajouté avec succès au portail "${__VirtualRootP # Ajouter et télécharger les fichiers qui sont disponibles dans le module "Documents":"${__VirtualRootPath}/Products/Files/". # Organiser votre agenda à l'aide du "Calendrier":"${__VirtualRootPath}/addons/calendar/". # Utiliser le "Chat":"${__VirtualRootPath}/addons/talk/" pour échanger à l'aide de la messagerie instantanée. - - - Bonjour $UserName, - -Vous pouvez personnaliser votre bureau digital, par exemple : - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -C'est fait. Maintenant invitez vos collègues à rejoindre votre bureau digital ! - + Bonjour $UserName, @@ -1172,9 +1118,6 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Changement de l'adresse du portail - - Personnalisez ONLYOFFICE - Invitez vos collègues @@ -1202,9 +1145,6 @@ Le lien est valide pendant 7 jours. Bienvenue dans votre office en ligne - - Peronnalisez votre office en ligne - Notification de renouvellement d'abonnement sur votre office en ligne diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index fd396b4725..bad310573a 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -280,37 +280,6 @@ $GreenButton * Nota *: questo collegamento è valido solo per 7 giorni. Completa il processo di cambio di indirizzo del portale entro tale periodo. - - Consenti ai membri del tuo team di utilizzare Facebook, Twitter, Google o LinkedIn per accedere. Collega il tuo portale con Box, Dropbox, OneDrive e Google per trasferire i tuoi documenti. Collega DocuSign per utilizzare la firma elettronica, Twilio - per VoIP, Bitly - per abbreviare i collegamenti e Firebase per ricevere notifiche quando sei offline. - - - Suggerimento #5: collega i servizi di terze parti - - - Caricamento loghi della tua azienda nel Pannello di controllo. Per modificare il titolo del portale predefinito visualizzato nella pagina di benvenuto, vai su Impostazioni >> Comuni >> Personalizzazione >> Impostazioni pagina di benvenuto. - - - Suggerimento #1: Marchialo - - - Per dare un nome ai gruppi del portale, i loro membri e le rispettive attività andare su Impostazioni>>Generali>>Personalizzazione>>Modello di Squadra - - - Suggerimento #3: personalizza l'interfaccia - - - Abilita gli strumenti di cui hai bisogno per lavorare andando su Impostazioni >> comuni >> Moduli e strumenti. Quelli disattivati saranno nascosti. - - - Suggerimento #4: seleziona i tuoi strumenti - - - Seleziona la lingua e imposta il fuso orario. È necessario per il corretto funzionamento del calendario di lavoro e le notifiche. -Vai su Impostazioni >> Comuni >> Personalizzazione. - - - Suggerimento #2: Regola le impostazioni regionali - Salve, $UserName! @@ -902,9 +871,6 @@ il team di ONLYOFFICE ${LetterLogoText}. Cambio dell'indirizzo del portale. - - Personalizza ONLYOFFICE - Invita i tuoi compagni di squadra @@ -932,9 +898,6 @@ il team di ONLYOFFICE Benvenuti sul vostro web-office - - Personalizza il tuo web-office - La tua notifica di rinnovo web-office diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index ac29ef2976..6a9087721d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -298,49 +298,6 @@ $GreenButton *Observe*: este link é válido apenas por 7 dias. Por favor, complete o processo de alteração do endereço do portal dentro do período. - - Olá, $UserName! - -Você pode personalizar o ONLYOFFICE para suas necessidades, por exemplo: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Feito. É hora de convidar os colegas de equipe para seu web-office! - -Mais informações em nosso "Centro de Ajuda":"${__HelpLink}". - - - Deixe que os membros de sua equipe usem o Facebook, Twitter, Google ou LinkedIn para fazer o login. Vincule seu portal com Box, Dropbox, OneDrive e Google para transferir seus documentos. Conecte DocuSign para usar e-signature, Twilio - para VoIP, Bitly - para encurtar links e Firebase para receber notificações quando você estiver offline. - - - Dica #5: Conectar serviços de terceiros - - - Carregando os logotipos de sua empresa no Painel de Controle. Para alterar o título padrão do portal exibido na página de boas-vindas, vá para Configurações >> Comum >> Personalização >> Configurações da página de boas-vindas. - - - Dica nº 1: Crie uma marca - - - Nomeie os grupos do portal, seus membros e suas atividades seguindo Configurações >> Comum >> Personalização >> Modelo de equipe. Selecione o tema de cor que melhor combina com a marca de sua empresa. - - - Dica #3: Personalize a interface - - - Habilite os instrumentos que você precisa para o trabalho seguindo Configurações >> Comum >> Módulos e Ferramentas. Os deficientes ficarão escondidos. - - - Dica #4: Selecione suas ferramentas - - - Escolha o idioma e defina o fuso horário correto. É particularmente importante para as notificações e para o trabalho correto do calendário. Ir para Configurações >> Comum >> Customização. - - - Dica 2: ajuste as configurações regionais - Olá, $UserName! @@ -434,17 +391,6 @@ Seu perfil de convidado foi adicionado com sucesso a "${__VirtualRootPath}":"${_ # Use o "Chat":"${__VirtualRootPath}/addons/talk/" para trocar mensagens instantâneas. $GreenButton - - - Olá, $UserName! - -Você pode personalizar seu web-office, por exemplo: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Feito. É hora de convidar os colegas de equipe para seu web-office! Olá, $UserName! @@ -1191,9 +1137,6 @@ O link só é válido por 7 dias. ${LetterLogoText}. Alteração do endereço do portal - - Personalizar ONLYOFFICE - Convide seus colegas de equipe @@ -1221,9 +1164,6 @@ O link só é válido por 7 dias. Bem-vindo ao seu web-office - - Personalize seu web-office - Notificação de renovação de seu web-office diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index ca11979044..a99d220e4c 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -333,50 +333,6 @@ $GreenButton *Note*: this link is valid for 7 days only. Please complete the portal address change process within that period. - - Hello, $UserName! - -You can customize ONLYOFFICE for your needs, for example: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -Configure Right Now -$GreenButton - -Done. It's time to invite teammates to your web-office! - -More information in our "Help Center":"${__HelpLink}". - - - Let your team members use Facebook, Twitter, Google or LinkedIn to sign in. Link up your portal with Box, Dropbox, OneDrive and Google to transfer your documents. Connect DocuSign to use e-signature, Twilio - for VoIP, Bitly - to shorten links and Firebase to get notifications when you're offline. - - - Tip #5: Connect 3rd-party services - - - Uploading your company's logos in the Control Panel. To change the default portal title displayed on the Welcome page, go to Settings >> Common >> Customization >> Welcome Page Settings. - - - Tip #1: Brand it - - - Name the portal groups, its members and their activities following Settings >> Common >> Customization >> Team Template. Select the color theme that best suits your company brand. - - - Tip #3: Customize interface - - - Enable instruments you need for work following Settings >> Common >> Modules & Tools. The disabled ones will be hidden. - - - Tip #4: Select your tools - - - Choose the language and set the correct time zone. It's particularly important for the notifications and the correct calendar work. Go to Settings >> Common >> Customization. - - - Tip #2: Adjust the regional settings - Hello, $UserName! @@ -473,17 +429,6 @@ Your guest profile has been successfully added to "${__VirtualRootPath}":"${__Vi To access your web-office, follow the link $GreenButton - - - Hello, $UserName! - -You can customize your web-office, for example: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Done. It's time to invite teammates to your web-office! Hello, $UserName! @@ -1279,9 +1224,6 @@ The link is only valid for 7 days. ${LetterLogoText}. Change of portal address - - Customize ONLYOFFICE - Invite your teammates @@ -1309,9 +1251,6 @@ The link is only valid for 7 days. Welcome to your web-office - - Customize your web-office - Your web-office renewal notification diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index 3ec4617688..3f134bce0c 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -285,50 +285,6 @@ $GreenButton *Обратите внимание*: эта ссылка действительна только 7 дней. Пожалуйста, выполните изменение адреса портала в течение этого времени. - - Здравствуйте, $UserName! - -Вы можете настроить ONLYOFFICE в соответствии с вашими потребностями, например: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -Настроить прямо сейчас -$GreenButton - -Готово. Пора приглашать участников команды в ваш виртуальный офис! - -Больше информации в нашем "Справочном центре":"${__HelpLink}". - - - Предоставьте участникам команды возможность использовать Facebook, Twitter, Google или LinkedIn для входа на портал. Подключите к порталу сервисы Box, Dropbox, OneDrive и Google, чтобы перенести все свои документы. Подключите сервис DocuSign для использования электронной подписи, Twilio - для IP-телефонии, Bitly - для сокращения ссылок и Firebase для получения оповещений в режиме офлайн. - - - Совет №5: Подключите сторонние сервисы - - - Загрузите логотипы вашей компании в Панели управления. Чтобы изменить заголовок портала по умолчанию, который должен отображаться на странице приветствия, перейдите в раздел Настройки >> Общие >> Кастомизация >> Настройки страницы приветствия. - - - Совет №1: Используйте собственный бренд - - - Определите наименования для групп, их участников и их действий на портале. Для этого перейдите в раздел Настройки >> Общие >> Кастомизация >> Шаблон команды. Выберите цветовую схему, которая соответствует корпоративному стилю вашей компании. - - - Совет №3: Настройте интерфейс - - - Подключите инструменты, которые необходимы вам для работы, в разделе Настройки >> Общие >> Модули и инструменты. Отключенные инструменты будут скрыты. - - - Совет №4: Выберите нужные инструменты - - - Выберите язык и правильный часовой пояс. Это особенно важно для оповещений и корректной работы календаря. Перейдите в Настройки >> Общие >> Кастомизация. - - - Совет №2: Измените региональные настройки - Здравствуйте, $UserName! @@ -425,17 +381,6 @@ $GreenButton Чтобы получить доступ к вашему виртуальному офису, перейдите по следующей ссылке: $GreenButton - - - Здравствуйте, $UserName! - -Вы можете настроить свой виртуальный офис, например: - -$TableItemsTop $TableItem1 $TableItem2 $TableItem3 $TableItem4 $TableItem5 $TableItemsBtm - -$GreenButton - -Готово. Пора приглашать участников команды в ваш виртуальный офис! Здравствуйте, $UserName! @@ -1188,9 +1133,6 @@ $GreenButton ${LetterLogoText}. Изменение адреса портала - - Настройте ONLYOFFICE - Пригласите коллег @@ -1218,9 +1160,6 @@ $GreenButton Добро пожаловать в виртуальный офис - - Настройте виртуальный офис - Уведомление о продлении подписки на виртуальный офис diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx index fff30d2bff..84858c46e2 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx @@ -247,12 +247,6 @@ $GreenButton *Not*: bu link 7 gün boyunca geçerli olacaktır. Lütfen portal adresi değişikliğini bu sürede tamamlayın. - - Ayarlar >> Ortak >> Modüller ve Araçlar'ı izleyerek çalışmak için ihtiyacınız olan araçları etkinleştirin. Engelliler gizlenecek. - - - Dili seçin ve doğru saat dilimini ayarlayın. Özellikle bildirimler ve doğru takvim çalışması için önemlidir. Ayarlar >> Ortak >> Özelleştirme'ye gidin. - h1."${__VirtualRootPath}":"${__VirtualRootPath}" portalı mesajları @@ -504,12 +498,6 @@ ONLYOFFICE Ekibi ${LetterLogoText}. Portal adres değişikliği - - ONLYOFFICE'i özelleştirin - - - Web ofisinizi özelleştirin - Yöneticilere kullanıcı mesajı diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index 6bcc8e6bc3..d90bf7b7cb 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -492,18 +492,6 @@ $activity.Key - - - - - - - - - - - - From 6cb72eb490ac47aa235c4b5afea42876de9c5e46 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 20:29:15 +0300 Subject: [PATCH 15/87] deleted EnterpriseAdminInviteTeammatesV10, EnterpriseAdminWithoutActivityV10, EnterpriseAdminTrialWarningBefore7V10, EnterpriseAdminTrialWarningV10, EnterpriseAdminPaymentWarningBefore7V10, EnterpriseAdminPaymentWarningV10 --- web/ASC.Web.Core/Notify/Actions.cs | 7 - web/ASC.Web.Core/Notify/StudioNotifySource.cs | 10 - .../Notify/StudioPeriodicNotify.cs | 106 +--------- ...WebstudioNotifyPatternResource.Designer.cs | 195 ------------------ .../WebstudioNotifyPatternResource.az.resx | 101 --------- .../WebstudioNotifyPatternResource.de.resx | 101 --------- .../WebstudioNotifyPatternResource.el.resx | 3 - .../WebstudioNotifyPatternResource.es.resx | 102 --------- .../WebstudioNotifyPatternResource.fr.resx | 103 +-------- .../WebstudioNotifyPatternResource.it.resx | 51 ----- .../WebstudioNotifyPatternResource.pt-BR.resx | 101 --------- .../WebstudioNotifyPatternResource.resx | 103 --------- .../WebstudioNotifyPatternResource.ru.resx | 103 --------- .../WebstudioNotifyPatternResource.zh-CN.resx | 3 - .../PublicResources/webstudio_patterns.xml | 48 ----- 15 files changed, 3 insertions(+), 1134 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index cfe1bf7038..09879cb0b2 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -83,16 +83,9 @@ public static class Actions public static readonly INotifyAction EnterpriseWhitelabelGuestWelcomeV10 = new NotifyAction("enterprise_whitelabel_guest_welcome_v10"); public static readonly INotifyAction OpensourceGuestWelcomeV11 = new NotifyAction("opensource_guest_welcome_v11"); - public static readonly INotifyAction EnterpriseAdminInviteTeammatesV10 = new NotifyAction("enterprise_admin_invite_teammates_v10"); - public static readonly INotifyAction EnterpriseAdminWithoutActivityV10 = new NotifyAction("enterprise_admin_without_activity_v10"); public static readonly INotifyAction EnterpriseAdminUserAppsTipsV10 = new NotifyAction("enterprise_admin_user_apps_tips_v10"); - public static readonly INotifyAction EnterpriseAdminTrialWarningBefore7V10 = new NotifyAction("enterprise_admin_trial_warning_before7_v10"); - public static readonly INotifyAction EnterpriseAdminTrialWarningV10 = new NotifyAction("enterprise_admin_trial_warning_v10"); - - public static readonly INotifyAction EnterpriseAdminPaymentWarningBefore7V10 = new NotifyAction("enterprise_admin_payment_warning_before7_v10"); public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningBefore7V10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_before7_v10"); - public static readonly INotifyAction EnterpriseAdminPaymentWarningV10 = new NotifyAction("enterprise_admin_payment_warning_v10"); public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningV10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_v10"); public static readonly INotifyAction SaasAdminComfortTipsV115 = new NotifyAction("saas_admin_comfort_tips_v115"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index 8b51f483d6..fc287a95f3 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -78,18 +78,8 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseWhitelabelGuestWelcomeV10, Actions.OpensourceGuestWelcomeV11, - Actions.EnterpriseAdminInviteTeammatesV10, - Actions.EnterpriseAdminWithoutActivityV10, Actions.EnterpriseAdminUserAppsTipsV10, - Actions.EnterpriseAdminTrialWarningBefore7V10, - Actions.EnterpriseAdminTrialWarningV10, - - Actions.EnterpriseAdminPaymentWarningBefore7V10, - Actions.EnterpriseWhitelabelAdminPaymentWarningBefore7V10, - Actions.EnterpriseAdminPaymentWarningV10, - Actions.EnterpriseWhitelabelAdminPaymentWarningV10, - Actions.SaasAdminModulesV1, Actions.PersonalActivate, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index d8a2887297..c54cb6e26f 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -321,56 +321,16 @@ public class StudioPeriodicNotify var tousers = false; Func greenButtonText = () => string.Empty; - - string blueButtonText() => WebstudioNotifyPatternResource.ButtonRequestCallButton; var greenButtonUrl = string.Empty; if (quota.Trial && defaultRebranding) { #region After registration letters - - #region 4 days after registration to admins ENTERPRISE TRIAL + only 1 user + defaultRebranding - - if (createdDate.AddDays(4) == nowDate && _userManager.GetUsers().Length == 1) - { - action = Actions.EnterpriseAdminInviteTeammatesV10; - paymentMessage = false; - toadmins = true; - - greenButtonText = () => WebstudioNotifyPatternResource.ButtonInviteRightNow; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/')}/products/people/"; - } - - #endregion - - #region 5 days after registration to admins ENTERPRISE TRAIL + without activity in 1 or more days + defaultRebranding - - else if (createdDate.AddDays(5) == nowDate) - { - List datesWithActivity; - - datesWithActivity = - _dbContextFactory.CreateDbContext().FeedAggregates - .Where(r => r.Tenant == _tenantManager.GetCurrentTenant().Id) - .Where(r => r.CreatedDate <= nowDate.AddDays(-1)) - .GroupBy(r => r.CreatedDate.Date) - .Select(r => r.Key) - .ToList(); - - if (datesWithActivity.Count < 5) - { - action = Actions.EnterpriseAdminWithoutActivityV10; - paymentMessage = false; - toadmins = true; - } - } - - #endregion #region 7 days after registration to admins and users ENTERPRISE TRIAL + defaultRebranding - else if (createdDate.AddDays(7) == nowDate) + if (createdDate.AddDays(7) == nowDate) { action = Actions.EnterpriseAdminUserDocsTipsV1; paymentMessage = false; @@ -396,68 +356,7 @@ public class StudioPeriodicNotify #endregion - #region Trial warning letters - - #region 7 days before ENTERPRISE TRIAL ends to admins + defaultRebranding - - else if (dueDateIsNotMax && dueDate.AddDays(-7) == nowDate) - { - action = Actions.EnterpriseAdminTrialWarningBefore7V10; - toadmins = true; - - greenButtonText = () => WebstudioNotifyPatternResource.ButtonSelectPricingPlans; - greenButtonUrl = "http://www.onlyoffice.com/enterprise-edition.aspx"; - } - - #endregion - - #region ENTERPRISE TRIAL expires today to admins + defaultRebranding - - else if (dueDate == nowDate) - { - action = Actions.EnterpriseAdminTrialWarningV10; - toadmins = true; - } - - #endregion - - #endregion - } - else if (tariff.State == TariffState.Paid) - { - #region Payment warning letters - - #region 7 days before ENTERPRISE PAID expired to admins - - if (dueDateIsNotMax && dueDate.AddDays(-7) == nowDate) - { - action = defaultRebranding - ? Actions.EnterpriseAdminPaymentWarningBefore7V10 - : Actions.EnterpriseWhitelabelAdminPaymentWarningBefore7V10; - toadmins = true; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonSelectPricingPlans; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~/tariffs.aspx"); - } - - #endregion - - #region ENTERPRISE PAID expires today to admins - - else if (dueDate == nowDate) - { - action = defaultRebranding - ? Actions.EnterpriseAdminPaymentWarningV10 - : Actions.EnterpriseWhitelabelAdminPaymentWarningV10; - toadmins = true; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonSelectPricingPlans; - greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~/tariffs.aspx"); - } - - #endregion - - #endregion - } - + } if (action == null) { @@ -485,7 +384,6 @@ public class StudioPeriodicNotify new TagValue(Tags.PricePeriod, rquota.Year3 ? UserControlsCommonResource.TariffPerYear3 : rquota.Year ? UserControlsCommonResource.TariffPerYear : UserControlsCommonResource.TariffPerMonth), new TagValue(Tags.DueDate, dueDate.ToLongDateString()), new TagValue(Tags.DelayDueDate, (delayDueDateIsNotMax ? delayDueDate : dueDate).ToLongDateString()), - TagValues.BlueButton(blueButtonText, "http://www.onlyoffice.com/call-back-form.aspx"), TagValues.GreenButton(greenButtonText, greenButtonUrl)); } } diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index f32d728543..decda9e5f1 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -681,88 +681,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Your cloud office is ready at "${__VirtualRootPath}":"${__VirtualRootPath}". It's time to invite your teammates! - /// - ///The easiest way to add your team is to import the necessary users and groups from an LDAP Server (e.g. OpenLDAP Server or Microsoft Active Directory). The LDAP settings are available in your Control Panel. Instructions are available in our "Help Center":""${__HelpLink}/administration/control-panel-ldap.aspx". - /// - ///You can also distribute the invitation link using the Invite u [rest of string was truncated]";. - /// - public static string pattern_enterprise_admin_invite_teammates_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_admin_invite_teammates_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Please note that your ONLYOFFICE subscription is about to expire in a week. To extend your subscription, you need to purchase a product renewal for ONLYOFFICE. - /// - ///Click on the link below to start the renewal process: - ///"Pricing page":"$PricingPage" - /// - ///For any further ONLYOFFICE installation, activation and technical support issues, please contact our support team at "https://support.onlyoffice.com/":"https://support.onlyoffice.com/". - /// - public static string pattern_enterprise_admin_payment_warning_before7_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_admin_payment_warning_before7_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Please note that your ONLYOFFICE subscription expires today. To extend your subscription, you need to purchase a product renewal for ONLYOFFICE. - /// - ///Click on the link below to start the renewal process: - ///"Pricing page":"$PricingPage" - /// - ///For any further product installation, activation and technical support issues, please contact our support team at "https://support.onlyoffice.com/":"https://support.onlyoffice.com/". - /// - public static string pattern_enterprise_admin_payment_warning_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_admin_payment_warning_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Thanks for choosing ONLYOFFICE. We just want to remind you that the trial period for your Workspace - /// Enterprise Edition will be over in seven days. - /// - ///Please, check all the available pricing plans for Workspace Enterprise Edition and choose the most suitable one for your business. - /// - ///"See prices":"https://www.onlyoffice.com/workspace-enterprise-prices.aspx" - /// - ///"Request a call":"http://www.onlyoffice.com/call-back-form.aspx" - /// - ///For any purchase questions, contact us at "sales@onlyoffice.com [rest of string was truncated]";. - /// - public static string pattern_enterprise_admin_trial_warning_before7_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_admin_trial_warning_before7_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Thanks for choosing ONLYOFFICE. Your trial expires today. To continue using it, purchase the full license. - /// - ///"Buy now":"https://www.onlyoffice.com/workspace-enterprise-prices.aspx" - /// - ///For any purchase questions, contact us at "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". For solving any technical problems, write to "support@onlyoffice.com":"mailto:support@onlyoffice.com". - /// - public static string pattern_enterprise_admin_trial_warning_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_admin_trial_warning_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -814,19 +732,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///We hope you enjoy using ONLYOFFICE. How everything is going with your trial? We would really appreciate your feedback! - /// - ///Please, don’t hesitate to contact us at "support.onlyoffice.com":"https://support.onlyoffice.com" whenever you have questions or ideas.. - /// - public static string pattern_enterprise_admin_without_activity_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_admin_without_activity_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -926,34 +831,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Please note that your web-office subscription is about to expire in a week. To extend your subscription, you need to purchase a product renewal. - /// - ///Click on the link below to start the renewal process: - ///"Pricing page":"$PricingPage". - /// - public static string pattern_enterprise_whitelabel_admin_payment_warning_before7_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_admin_payment_warning_before7_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Please note that your web-office subscription expires today. To extend your subscription, you need to purchase a product renewal. - /// - ///Click on the link below to start the renewal process: - ///"Pricing page":"$PricingPage". - /// - public static string pattern_enterprise_whitelabel_admin_payment_warning_v10 { - get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_admin_payment_warning_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -2350,51 +2227,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Invite your teammates. - /// - public static string subject_enterprise_admin_invite_teammates_v10 { - get { - return ResourceManager.GetString("subject_enterprise_admin_invite_teammates_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ONLYOFFICE Renewal Notification. - /// - public static string subject_enterprise_admin_payment_warning_before7_v10 { - get { - return ResourceManager.GetString("subject_enterprise_admin_payment_warning_before7_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to ONLYOFFICE Renewal Notification. - /// - public static string subject_enterprise_admin_payment_warning_v10 { - get { - return ResourceManager.GetString("subject_enterprise_admin_payment_warning_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to How is your trial going so far?. - /// - public static string subject_enterprise_admin_trial_warning_before7_v10 { - get { - return ResourceManager.GetString("subject_enterprise_admin_trial_warning_before7_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Your Enterprise Edition trial expires today. - /// - public static string subject_enterprise_admin_trial_warning_v10 { - get { - return ResourceManager.GetString("subject_enterprise_admin_trial_warning_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Get free desktop and mobile apps. /// @@ -2422,15 +2254,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Follow up from ONLYOFFICE team. - /// - public static string subject_enterprise_admin_without_activity_v10 { - get { - return ResourceManager.GetString("subject_enterprise_admin_without_activity_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Join ${__VirtualRootPath}. /// @@ -2476,24 +2299,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Your web-office renewal notification. - /// - public static string subject_enterprise_whitelabel_admin_payment_warning_before7_v10 { - get { - return ResourceManager.GetString("subject_enterprise_whitelabel_admin_payment_warning_before7_v10", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Your web-office renewal notification. - /// - public static string subject_enterprise_whitelabel_admin_payment_warning_v10 { - get { - return ResourceManager.GetString("subject_enterprise_whitelabel_admin_payment_warning_v10", resourceCulture); - } - } - /// /// Looks up a localized string similar to Discover business subscription of ONLYOFFICE DocSpace. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index fe769bd8d2..0ec026664f 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -296,60 +296,6 @@ Salam, $OwnerName, $GreenButton * Qeyd *: bu link yalnız 7 gün ərzində etibarlıdır. Bu müddət ərzində portal ünvanının dəyişdirilməsi prosesini tamamlayın. - - - Salam, $UserName! - -Bulud ofisiniz "${__VirtualRootPath}":"${__VirtualRootPath}" ünvanında hazırdır. Komanda yoldaşlarınızı dəvət etməyin vaxtı gəldi! - -Komandanızı əlavə etməyin ən asan yolu LDAP Serverindən (məsələn, OpenLDAP Server və ya Microsoft Active Directory) lazımi istifadəçiləri və qrupları idxal etməkdir. LDAP parametrləri İdarəetmə Panelinizdə mövcuddur. Təlimatlar "Yardım Mərkəzimiz":"${__HelpLink}/server/windows/community/ldap-settings.aspx" də mövcuddur. - -Siz həmçinin istifadəçiləri portala dəvət et seçimindən istifadə edərək dəvət linkini yaya və ya *İnsanlar* modulunda *Yeni Yarat...* düyməsindən istifadə edərək komanda yoldaşlarınızı əl ilə bir-bir əlavə edə və ya istifadəçiləri aşağıdakılardan ixrac edə bilərsiniz: - "Yahoo və ya Google hesabınız":"${__HelpLink}/administratorguides/import-contacts-from-web.aspx"; - "poçt müştərinizin ünvan kitabçası":"${__HelpLink}/administratorguides/import-contacts-from-mail-client.aspx"; - "a CSV faylı":"${__HelpLink}/administratorguides/import-contacts-from-csv.aspx". - - - Salam, $UserName! - -Nəzərə alın ki, ONLYOFFICE abunəliyiniz bir həftədən sonra başa çatmaq üzrədir. Abunəliyinizi uzatmaq üçün siz ONLYOFFICE üçün yenilənmiş məhsulu almalısınız. - -Yeniləmə prosesinə başlamaq üçün aşağıdakı linkə klikləyin: -"Qiymətləndirmə səhifəsi":"$PricingPage" - -Hər hansı əlavə ONLYOFFICE quraşdırılması, aktivləşdirilməsi və texniki dəstək məsələləri üçün "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" ünvanında dəstək komandamızla əlaqə saxlayın. - - - Salam, $UserName! - -Nəzərə alın ki, ONLYOFFICE abunəliyiniz bu gün başa çatır. Abunəliyinizi uzatmaq üçün siz ONLYOFFICE üçün yenilənmiş məhsulu almalısınız. - -Yeniləmə prosesinə başlamaq üçün aşağıdakı linkə klikləyin: -"Qiymətləndirmə səhifəsi":"$PricingPage" - -Hər hansı əlavə məhsulun quraşdırılması, aktivləşdirilməsi və texniki dəstək məsələləri üçün "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" ünvanında dəstək komandamızla əlaqə saxlayın. - - - Salam, $UserName! - -ONLYOFFICE seçdiyiniz üçün təşəkkür edirik. Sadəcə sizə xatırlatmaq istəyirik ki, Enterprise Edition üçün sınaq müddəti yeddi gün ərzində başa çatacaq. - -Zəhmət olmasa, Enterprise Edition üçün bütün mövcud qiymət planlarını yoxlayın və biznesiniz üçün ən uyğununu seçin. - -$GreenButton - -$BlueButton - -Satınalma ilə bağlı hər hansı sualınız üçün "sales@onlyoffice.com":"mailto:sales@onlyoffice.com" ünvanında bizimlə əlaqə saxlayın. Hər hansı texniki problemi həll etmək üçün "support@onlyoffice.com ünvanına yazın":"mailto:support@onlyoffice.com" - - - Salam, $UserName! - -ONLYOFFICE İş Sahəsini seçdiyiniz üçün təşəkkür edirik. Sınaq müddətiniz bu gün bitir. Pro xüsusiyyətlərindən istifadə etməyə davam etmək üçün tam lisenziyanı satın alın. - -İndi satın alın: "https://www.onlyoffice.com/workspace-enterprise-prices.aspx":"https://www.onlyoffice.com/workspace-enterprise-prices.aspx" - -Satınalma ilə bağlı hər hansı sualınız üçün "sales@onlyoffice.com":"mailto:sales@onlyoffice.com" ünvanında bizimlə əlaqə saxlayın. Hər hansı texniki problemi həll etmək üçün "support@onlyoffice.com":"mailto:support@onlyoffice.com" ünvanına yazın Salam, $UserName! @@ -359,13 +305,6 @@ Satınalma ilə bağlı hər hansı sualınız üçün "sales@onlyoffice.com":"m # Windows, Linux və Mac-də sənədlərlə oflayn işləmək üçün "ONLYOFFICE Desktop Editors" proqramını endirin:"https://www.onlyoffice.com/apps.aspx". # Mobil cihazlarda sənədləri redaktə etmək üçün "iOS" üçün ONLYOFFICE Sənədlər proqramı:"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" və ya "Android":"https://play.google .com/store/apps/details?id=com.onlyoffice.documents". # Komanda performansınıza yolda olarkən də nəzarət etmək üçün "iOS" üçün ONLYOFFICE Layihələri əldə edin:"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Salam, $UserName! - -Ümid edirik ki, ONLYOFFICE istifadə etməkdən zövq alacaqsınız. Sınaq prosesi necə gedir? Bu barədə rəyinizi bildirsəniz, sizə minnətdar olarıq! - -Sualınız və ya bizimlə bölüşmək istədiyiniz ideyalarınız olduqda, lütfən "support.onlyoffice.com":"https://support.onlyoffice.com" ünvanında bizimlə əlaqə saxlayın. Salam, $UserName! @@ -390,22 +329,6 @@ Qonaq profiliniz uğurla "${__VirtualRootPath}":"${__VirtualRootPath}" -a əlav # Ani mesaj mübadiləsi üçün "Söhbət":"${__VirtualRootPath}/addons/talk/" istifadə edin. $GreenButton - - - Salam, $UserName! - -Nəzərə alın ki, veb-ofis abunəliyiniz bir həftədən sonra başa çatmaq üzrədir. Abunəliyinizi uzatmaq üçün yenilənmiş məhsulu satın almalısınız. - -Yeniləmə prosesinə başlamaq üçün aşağıdakı linkə klikləyin: -"Qiymətləndirmə səhifəsi":"$PricingPage" - - - Salam, $UserName! - -Nəzərə alın ki, veb-ofis abunəliyiniz bu gün başa çatır. Abunəliyinizi uzatmaq üçün yenilənmiş məhsulu satın almalısınız. - -Yeniləmə prosesinə başlamaq üçün aşağıdakı linkə klikləyin: -"Qiymətləndirmə səhifəsi":"$PricingPage" Salam, $UserName! @@ -1136,39 +1059,15 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Portal ünvanının dəyişdirilməsi - - Komanda yoldaşlarınızı dəvət edin - - - ONLYOFFICE Yeniləmə Bildirişi - - - ONLYOFFICE Yeniləmə Bildirişi - - - Sınaq prosesiniz indiyə qədər necə gedir? - - - Enterprise Edition sınaq müddəti bu gün bitir - Ödənişsiz ONLYOFFICE tətbiqlərini əldə edin - - ONLYOFFICE komandasından izləmə - ${__VirtualRootPath}-a qoşulun Veb ofisinizə xoş gəlmisiniz - - Veb ofisinizin yenilənməsi barədə bildirişiniz - - - Veb ofisinizin yenilənməsi barədə bildirişiniz - ${__VirtualRootPath}-a qoşulun diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index 9d4c3ec217..2cbe0e1f14 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -284,60 +284,6 @@ Bitte folgen Sie dem untenstehenden Link, um es zu bestätigen: $GreenButton *Hinweis*: Dieser Link ist nur 7 Tage gültig. Bitte enden Sie Prozess von Änderung der Portaladresse innerhalb dieses Zeitraums. - - - Hallo $UserName! - -Ihr Cloud-Office steht hier bereit: "${__VirtualRootPath}":"${__VirtualRootPath}". Nun ist es an der Zeit, Ihre Teammitglieder einzuladen. - -Der einfachste Weg, Ihr Team hinzuzufügen, ist der Import der benötigten Benutzer und Gruppen von einem LDAP-Server (z.B. OpenLDAP Server oder Microsoft Active Directory). Die LDAP-Einstellungen sind in Ihren Einstellungen zu finden. Anleitungen finden Sie in unserem "Help Center":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -Sie können ebenfalls den Einladungs-Links verschicken, indem Sie die Option Benutzer zu Portal einladen nutzen oder fügen Sie Ihre Teammitglieder manuell mit der Schaltfläche *Neuer...* im *People* Modul mit folgenden Optionen hinzufügen. - "ihr Yahoo oder Google Account":"${__HelpLink}/administratorguides/import-contacts-from-web.aspx", - "Adressbuch Ihres Mail-Clients":"${__HelpLink}/administratorguides/import-contacts-from-mail-client.aspx", - "eine CSV-Datei":"${__HelpLink}/administratorguides/import-contacts-from-csv.aspx". - - - Hallo $UserName! - -Bitte beachten Sie, dass Ihre ONLYOFFICE Abo in einer Woche endet. Um das Abo zu verlängern, müssen Sie eine Erneuerung bei ONLYOFFICE kaufen. - -Klicken Sie auf den unten stehenden Link, um Ihr Abo zu verlängern: -"Preise":"$PricingPage" - -Bitte kontaktieren Sie unser Support -Team für weitere Installationen, Aktivierungen und technischen Support: "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Hallo $UserName! - -Bitte beachten Sie, dass Ihre ONLYOFFICE Abo heute endet. Um das Abo zu verlängern, müssen Sie eine Erneuerung bei ONLYOFFICE kaufen. - -Klicken Sie auf den unten stehenden Link, um Ihr Abo zu verlängern: -"Preise":"$PricingPage" - -Bitte kontaktieren Sie unser Support -Team für weitere Installationen, Aktivierungen und technischen Support: "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Hallo, $UserName! - -Vielen Dank, dass Sie sich für ONLYOFFICE entschieden haben. Wir möchten Sie nur daran erinnern, dass die Testversion für Ihre Enterprise Edition in sieben Tagen abgelaufen ist. - -Bitte überprüfen Sie alle für Enterprise Edition verfügbaren Preispläne und wählen Sie den am besten geeigneten aus. - -$GreenButton - -$BlueButton - -Bei Fragen zum Kauf kontaktieren Sie uns unter "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". Bei technischen Problemen wenden Sie sich bitte an "support@onlyoffice.com":"mailto:support@onlyoffice.com" - - - Hallo, $UserName! - -Vielen Dank, dass Sie sich für ONLYOFFICE Workspace entschieden haben. Ihre Testversion läuft heute ab. Erwerben Sie die vollständige Lizenz, um ONLYOFFICE weiter zu verwenden. - -Jetzt kaufen: "https://www.onlyoffice.com/workspace-enterprise-prices.aspx":"https://www.onlyoffice.com/workspace-enterprise-prices.aspx" - -Bei Fragen zum Kauf kontaktieren Sie uns unter "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". Bei technischen Fragen wenden Sie sich bitte an "support@onlyoffice.com":"mailto:support@onlyoffice.com" Hallo, $UserName! @@ -347,13 +293,6 @@ Laden Sie kostenlose ONLYOFFICE-Apps herunter, mit denen Sie Dokumente und Proje # Bearbeiten Sie Dokumente offline auf Windows, Linux und Mac. Laden Sie "ONLYOFFICE Desktop Editoren":"https://www.onlyoffice.com/de/apps.aspx" herunter. # Bearbeiten Sie Dokumente auf Mobilgeräten mit ONLYOFFICE Documents-App für "iOS":"https://itunes.apple.com/de/app/onlyoffice-documents/id944896972" oder "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Verwalten Sie Teamleistung auch unterwegs mit der ONLYOFFICE Projects-App für "iOS":"https://itunes.apple.com/de/app/onlyoffice-projects/id1353395928". - - - Hallo, $UserName! - -Wir hoffen, dass ONLYOFFICE gefällt Ihnen. Wie läuft es mit der Testversion? Ihr Feedback ist uns sehr wichtig! - -Sie können uns jederzeit unter "support.onlyoffice.com":"https://support.onlyoffice.com" kontaktieren, wenn Sie irgendwelche Fragen oder Ideen haben. Hallo, $UserName! @@ -378,22 +317,6 @@ Ihr Gast-Profil wurde erfolgreich zu "${__VirtualRootPath}":"${__VirtualRootPath # Mit "Chat":"${__VirtualRootPath}/addons/talk/" Sofortnachrichten austauschen. $GreenButton - - - Hallo $UserName! - -Bitte beachten Sie, dass Ihre Abo für das Online-Büro in einer Woche endet. Um das Abo zu verlängern, müssen Sie eine Erneuerung kaufen. - -Klicken Sie auf den unten stehenden Link, um Ihr Abo zu verlängern: -"Preise":"$PricingPage" - - - Hallo $UserName! - -Bitte beachten Sie, dass Ihre Abo für das Online-Büro heute endet. Um das Abo zu verlängern, müssen Sie eine Erneuerung kaufen. - -Klicken Sie auf den unten stehenden Link, um Ihr Abo zu verlängern: -"Preise":"$PricingPage" Hallo, $UserName! @@ -1133,39 +1056,15 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Änderung der Portaladresse - - Laden Sie Ihre Teammitglieder ein - - - Benachrichtigung über Erneuerung von ONLYOFFICE - - - Benachrichtigung über Erneuerung von ONLYOFFICE - - - Wie läuft es mit der Testversion? - - - Ihre Testversion von Enterprise Edition läuft heute ab - Laden Sie kostenlose ONLYOFFICE-Apps herunter - - Nützliche Informationen von ONLYOFFICE Team - ${__VirtualRootPath} beitreten Willkommen in Ihrem Web-Office - - Ihre Benachrichtigung über Erneuerung für Web-Office - - - Ihre Benachrichtigung über Erneuerung für Web-Office - ${__VirtualRootPath} beitreten diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx index 68fc7b2ad4..ab874d00a6 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx @@ -124,9 +124,6 @@ ${LetterLogoText}. Ειδοποίηση ασφάλειας - - Προσκαλέστε τους συνεργάτες σας - Μήνυμα χρήστη προς τους διαχειριστές diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index 86d2f74b48..4cdffa9c8d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -284,61 +284,6 @@ Por favor, siga el siguiente enlace para confirmar la operación: $GreenButton *Note*: este enlace tiene una validez sólo de 7 días. Por favor, complete el proceso de cambio de dirección del portal dentro de ese período. - - - ¡Hola, $UserName! - -Su oficina en la nube está lista en "${__VirtualRootPath}":"${__VirtualRootPath}". ¡Llegó el momento de invitar a sus compañeros de equipo! - -La forma más fácil de añadir su equipo es importar los usuarios y grupos necesarios de un Servidor LDAP (e.g. Servidor OpenLDAP o Microsoft Active Directory). Los ajustes LDAP están disponibles en el Panel de Control. Instrucciones se encuentran en nuestro "Centro de Ayuda":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -También Usted puede distribuir el enlace de invitación usando la opción Invitar a usuarios al portal o añadir sus compañeros manualmente uno por uno usando el botón *Crear nuevo* en el módulo *Personas* o exportar la lista de usuarios de: - - - "su cuenta Yahoo o Google":"${__HelpLink}/administratorguides/import-contacts-from-web.aspx"; - - "libro de direcciones de su cliente de correo":"${__HelpLink}/administratorguides/import-contacts-from-mail-client.aspx"; - - "un archivo CSV":"${__HelpLink}/administratorguides/import-contacts-from-csv.aspx". - - - ¡Hola, $UserName! - -Note, por favor, que su suscripción de ONLYOFFICE expirará en una semana. Para renovar su suscripción, usted necesita adquirir renovación del producto para ONLYOFFICE. - -Haga clic en el enlace abajo para iniciar el proceso de renovación: -"Página de precios":"$PricingPage" - -Para obtener asistencia sobre la instalación y activación del producto, soporte técnico, póngase en contacto con nuestro equipo de soporte en "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - ¡Estimado/a $UserName! - -Note, por favor, que su suscripción de ONLYOFFICE expira hoy. Para prolongar su suscripción Usted necesita adquirir renovación del producto para ONLYOFFICE. - -Haga clic en el enlace abajo para iniciar el proceso de renovación: -"Página de precios":"$PricingPage" - -Para obtener asistencia sobre la instalación y activación del producto, soporte técnico, póngase en contacto con nuestro equipo de soporte en "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - ¡Hola, $UserName! - -Gracias por elegir ONLYOFFICE. Sólo queremos recordarle que el período de prueba para su Workspace Enterprise Edition expirará en siete días. - -Por favor, revise todos los planes de precios disponibles para Workspace Enterprise Edition y seleccione el más adecuado para su negocio. - -"Ver precios": "https://www.onlyoffice.com/es/workspace-enterprise-prices.aspx" - -"Solicitar una llamada": "http://www.onlyoffice.com/es/call-back-form.aspx" - -Si tiene algunas preguntas de ventas, contáctenos a través de "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". Para solucionar cualquier problema técnico, no dude en escribirnos a "support@onlyoffice.com":"mailto:support@onlyoffice.com" - - - ¡Hola, $UserName! - -Gracias por elegir ONLYOFFICE Workspace. Su período de prueba expira hoy. Para poder seguir usándolo, adquiera la licencia completa. - -Comprar ahora: "https://www.onlyoffice.com/es/workspace-enterprise-prices.aspx" - -Si tiene algunas preguntas de ventas, contáctenos a través de "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". Para solucionar cualquier problema técnico, no dude en escribirnos a "support@onlyoffice.com":"mailto:support@onlyoffice.com" ¡Hola, $UserName! @@ -348,13 +293,6 @@ Obtenga las aplicaciones de ONLYOFFICE gratuitas para trabajar en documentos y p # Para trabajar en documentos offline en Windows, Linux y Mac, descargue "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/es/apps.aspx". # Para editar documentos en dispositivos móviles, instale la aplicación ONLYOFFICE Documents para "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Para gestionar funcionamiento de su equipo sobre la marcha, obtenga la aplicación ONLYOFFICE Projects para "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - - - ¡Estimado/a $UserName! - -Esperamos que disfrute usando ONLYOFFICE. ¿Cómo está pasando su prueba? ¡Agradeceríamos sus comentarios! - -Por favor, no dude en ponerse en contacto con nosotros en "support.onlyoffice.com":"https://support.onlyoffice.com" si tiene algunas preguntas o ideas. ¡Hola, $UserName! @@ -380,22 +318,6 @@ Su perfil de invitado ha sido agregado con éxito al "${__VirtualRootPath}":"${_ Para acceder a su oficina web, siga el enlace $GreenButton - - - ¡Estimado/a $UserName! - -Note, por favor, que su suscripción para oficina web expirará en una semana. Para prolongar su suscripción Usted necesita adquirir renovación del producto. - -Haga clic en el enlace abajo para iniciar el proceso de renovación: -"Página de precios":"$PricingPage" - - - ¡Estimado/a $UserName! - -Note, por favor, que su suscripción para oficina web expira hoy. Para prolongar su suscripción Usted necesita adquirir renovación del producto. - -Haga clic en el enlace abajo para iniciar el proceso de renovación: -"Página de precios":"$PricingPage" ¡Buen día, $UserName! @@ -1130,39 +1052,15 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Cambio de dirección de portal - - Invite a sus compañeros de equipo - - - Notificación de renovación de ONLYOFFICE - - - Notificación de renovación de ONLYOFFICE - - - ¿Como se pasa su período de prueba? - - - El período de prueba para su Enterprise Edition va a expirar hoy - Obtenga aplicaciones gratuitas para ordenadores y móviles - - Siga noticias del equipo de ONLYOFFICE - Únase a ${__VirtualRootPath} Bienvenido a su oficina web - - Notificación de renovación de su oficina web - - - Notificación de renovación de su oficina web - Únase a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index 321c936012..976937170d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -283,60 +283,6 @@ Veuillez suivre le lien ci-dessous pour confirmer l'opération: $GreenButton *Remarque* : ce lien est valable pour 7 jours seulement. Veuillez compléter le processus de changementle de l'adresse du portail au courant de cette période. - - - Bonjour $UserName, - -Votre bureau dans le cloud est prêt à démarrer à "${__VirtualRootPath}":"${__VirtualRootPath}". Maintenant n'hésitez pas à inviter vos collègues ! - -La voie la plus facile d'ajouter vos collègues c'est l'import des utilisateurs et des groupes nécessaires depuis le serveur LDAP (par exemple, OpenLDAP Server ou Microsoft Active Directory). Les paramètres LDAP sont disponibles dans votre Panneau de Configuration. Trouvez les consignes dans notre "Centre d'Aide":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -Vous pouvez également envoyer le lien d'invitation à l'aide de l'option du portail "Inviter des utilisateurs" ou ajouter vos collègues manuellement en utilisant le bouton *Créer...* dans le module *Personnes* ou faire l'export des utilisateurs à partir de : - "votre compte Yahoo ou Google":"${__HelpLink}/administratorguides/import-contacts-from-web.aspx"; - "carnet d'adresse de votre client mail":"${__HelpLink}/administratorguides/import-contacts-from-mail-client.aspx"; - "fichier CSV":"${__HelpLink}/administratorguides/import-contacts-from-csv.aspx". - - - Bonjour $UserName, - -Veuillez noter que votre inscription à ONLYOFFICE expire dans une semaine. Pour continuer à utiliser ONLYOFFICE, vous avez besoin d'acheter le renouvellement de produit. - -Cliquez sur le lien ci-dessous pour démarrer le processus de renouvellement : -"Pricing page":"$PricingPage" - -Pour toute question concernant l'installation, la mise en oeuvre et les problèmes d'ordre technique, contactez notre équipe d'assistance technique à "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Bonjour $UserName, - -Veuillez noter que votre abonnement à ONLYOFFICE expire aujourd'hui. Pour continuer à utiliser ONLYOFFICE, vous avez besoin d'acheter le renouvellement de produit. - -Cliquez sur le lien ci-dessous pour démarrer le processus de renouvellement : -"Plans tarifaires":"$PricingPage" - -Pour toute question concernant l'installation, la mise en oeuvre et les problèmes d'ordre technique, contactez notre équipe d'assistance technique "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Bonjour $UserName, - -Merci d'avoir choisi ONLYOFFICE. Nous tenons à vous rappeler que votre période d'essai pour Enterprise Edition expire dans 7 jours. - -Consultez tous les plans tarifaires disponibles pour Enterprise Edition et choisissez celui qui vous correspond le mieux aux besoins de votre entreprise. - -$GreenButton - -$BlueButton - -Pour toutes les questions concernant les achats, contactez-nous à sales@onlyoffice.com":"mailto:sales@onlyoffice.com". En cas des problèmes d'ordre technique, écrivez-nous à "support@onlyoffice.com":"mailto:support@onlyoffice.com" - - - Bonjour $UserName, - -Merci d'avoir choisi ONLYOFFICE. Votre période d'essai expire aujourd'hui. Pour continuer à l'utilisez, veuillez acheter une licence complète - -Acheter maintenant : "https://www.onlyoffice.com/enterprise-edition.aspx":"https://www.onlyoffice.com/enterprise-edition.aspx" - -Pour toute question concernant l'achat, contactez-nous par mail à "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". En cas des problèmes d'ordre technique, écrivez-nous à "support@onlyoffice.com":"mailto:support@onlyoffice.com" Bonjour $UserName, @@ -346,13 +292,6 @@ Profitez des applications gratuites ONLYOFFICE pour travailler sur vos documents # Pour travailler sur les documents hors ligne sous Windows, Linux et Mac, téléchargez "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/apps.aspx". # Pour éditer les documents sur les appareils mobiles, choisissez l'application ONLYOFFICE Documents pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Pour gérer la performance de l'équipe en mobilité, optez pour ONLYOFFICE Projects pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Bonjour $UserName, - -Nous espérons que vous avez aimé votre expérience d'utilisation de ONLYOFFICE. Est-ce que la période d'essai s'est bien passée ? Votre retour serait fortement apprécié ! - -N'hésitez pas à nous contacter à "support.onlyoffice.com":"https://support.onlyoffice.com" pour toutes vos questions ou suggestions. Bonjour $UserName, @@ -365,7 +304,7 @@ Ce lien est valide pendant 7 jours. Nous allons partager avec vous les astuces pour profiter pleinement des fonctionnalités du bureau web. Vous pouvez vous désinscrire ou renouveler l'inscription à tout moment dans votre profil. - + Bonjour $UserName, Votre profil d'invité a été ajouté avec succès au portail "${__VirtualRootPath}":"${__VirtualRootPath}". Maintenant vous pouvez : @@ -375,22 +314,6 @@ Votre profil d'invité a été ajouté avec succès au portail "${__VirtualRootP # Ajouter et télécharger les fichiers qui sont disponibles dans le module "Documents":"${__VirtualRootPath}/Products/Files/". # Organiser votre agenda à l'aide du "Calendrier":"${__VirtualRootPath}/addons/calendar/". # Utiliser le "Chat":"${__VirtualRootPath}/addons/talk/" pour échanger à l'aide de la messagerie instantanée. - - Bonjour $UserName, - -Veuillez noter que votre abonnement à ONLYOFFICE expire dans une semaine. Pour continuer à utiliser ONLYOFFICE, vous avez besoin d'acheter le renouvellement de produit. - -Cliquez sur le lien ci-dessous pour démarrer le processus de renouvellement : -"Plans tarifaires":"$PricingPage" - - - Bonjour $UserName, - -Veuillez noter que votre abonnement à ONLYOFFICE expire aujourd'hui. Pour continuer à utiliser ONLYOFFICE, vous avez besoin d'acheter le renouvellement de produit. - -Cliquez sur le lien ci-dessous pour démarrer le processus de renouvellement : -"Plans tarifaires":"$PricingPage" Bonjour $UserName, @@ -1118,39 +1041,15 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Changement de l'adresse du portail - - Invitez vos collègues - - - Notification de renouvellement pour ONLYOFFICE - - - Notification de renouvellement pour ONLYOFFICE - - - Comment se passe votre période d'essai? - - - La période d'évaluation de Enterprise Edition se termine aujourd'hui - Obtenez des applications gratuites d'ONLYOFFICE - - Suivi de la part de l'equipe d'ONLYOFFICE - Inscrivez-vous sur le portail ${__VirtualRootPath} Bienvenue dans votre office en ligne - - Notification de renouvellement d'abonnement sur votre office en ligne - - - Notification de renouvellement d'abonnement sur votre office en ligne - L'invitation à rejoindre le portail ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index bad310573a..6cf738db7c 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -279,26 +279,6 @@ Si prega di seguire il link qui sotto per confermare l'operazione: $GreenButton * Nota *: questo collegamento è valido solo per 7 giorni. Completa il processo di cambio di indirizzo del portale entro tale periodo. - - - Salve, $UserName! - -Si prega di notare che l'abbonamento ONLYOFFICE scade tra una settimana. Per estendere l'abbonamento, è necessario acquistare un rinnovo del prodotto per ONLYOFFICE. - -Fai clic sul link di seguito per avviare la procedura di rinnovo: -"Listino prezzi":"$PricingPage" - -Per ulteriori informazioni sull'installazione, attivazione e supporto tecnico del prodotto, non esitate a contattare il nostro team di supporto all'indirizzo "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Salve, $UserName! - -Si prega di notare che l'abbonamento ONLYOFFICE scade oggi. Per estendere l'abbonamento, è necessario acquistare un rinnovo del prodotto per ONLYOFFICE. - -Fai clic sul link di seguito per avviare la procedura di rinnovo: -"Listino prezzi":"$PricingPage" - -Per ulteriori informazioni sull'installazione, attivazione e supporto tecnico del prodotto, non esitate a contattare il nostro team di supporto all'indirizzo "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" Salve, $UserName! @@ -308,13 +288,6 @@ Ottieni le app gratuite ONLYOFFICE per lavorare su documenti e progetti da quals # Per lavorare su documenti offline su Windows, Linux e Mac, scaricare "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/apps.aspx". # Per modificare documenti su dispositivi mobili, l'app ONLYOFFICE Documents per "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Per gestire le prestazioni del tuo team in viaggio, ottieni ONLYOFFICE Projects for "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Salve, $UserName! - -Ci auguriamo che ti piaccia usare ONLYOFFICE. Come sta procedendo con la versione di prova? Gradiremmo molto il tuo feedback! - -Per favore, non esitare a contattarci a "support@onlyoffice.com":"mailto: support@onlyoffice.com" tutte le volte che avete domande o idee, suggerimenti. Salve, $UserName! @@ -871,39 +844,15 @@ il team di ONLYOFFICE ${LetterLogoText}. Cambio dell'indirizzo del portale. - - Invita i tuoi compagni di squadra - - - Notifica di rinnovo ONLYOFFICE® - - - Notifica di rinnovo ONLYOFFICE® - - - Come procede con il periodo di prova? - - - Il tuo periodo di prova della Enterprise Edition scade oggi - Ottieni apps di ONLYOFFICE gratis - - Attenzionato dal team ONLYOFFICE - Unirsi su ${__VirtualRootPath} Benvenuti sul vostro web-office - - La tua notifica di rinnovo web-office - - - La tua notifica di rinnovo web-office - Unirsi su ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 6a9087721d..92c60f43a7 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -297,60 +297,6 @@ Por favor, clique no link abaixo para confirmar a operação: $GreenButton *Observe*: este link é válido apenas por 7 dias. Por favor, complete o processo de alteração do endereço do portal dentro do período. - - - Olá, $UserName! - -Seu escritório na nuvem está pronto em "${__VirtualRootPath}":"${__VirtualRootPath}". É hora de convidar seus colegas de equipe! - -A maneira mais fácil de adicionar sua equipe é importar os usuários e grupos necessários de um servidor LDAP (por exemplo, OpenLDAP Server ou Microsoft Active Directory). As configurações do LDAP estão disponíveis em seu Painel de Controle. As instruções estão disponíveis em nosso "Help Center":"${__HelpLink}/server/windows/community/ldap-settings.aspx". - -Você também pode distribuir o link do convite usando a opção Invite users to portal ou adicionar seus colegas de equipe manualmente um a um usando o botão *Create New...* no módulo *People* ou exportar usuários de: - "sua conta Yahoo ou Google":"${__HelpLink}/administratorguides/import-contacts-from-web.aspx"; - "seu catálogo de endereços de clientes de correio":"${__HelpLink}/administratorguides/import-contacts-from-mail-client.aspx"; - "um arquivo CSV":"${__HelpLink}/administratorguides/import-contacts-from-csv.aspx". - - - Olá, $UserName! - -Por favor, note que sua assinatura ONLYOFFICE está prestes a expirar em uma semana. Para prolongar sua assinatura, você precisa comprar uma renovação de produto para ONLYOFFICE. - -Clique no link abaixo para iniciar o processo de renovação: -"Página de preços": "$PricingPage" (página de preços) - -Para qualquer outra instalação, ativação e suporte técnico ONLYOFFICE, favor contatar nossa equipe de suporte em "https://support.onlyoffice.com/": "https://support.onlyoffice.com/". - - - Olá, $UserName! - -Por favor, note que sua assinatura ONLYOFFICE expira hoje. Para prolongar sua assinatura, você precisa comprar uma renovação de produto para o ONLYOFFICE. - -Clique no link abaixo para iniciar o processo de renovação: -"Página de preços": "$PricingPage" (página de preços) - -Para qualquer outra instalação de produto, ativação e problemas de suporte técnico, favor contatar nossa equipe de suporte em "https://support.onlyoffice.com/": "https://support.onlyoffice.com/". - - - Olá, $UserName! - -Obrigado por escolher ONLYOFFICE. Queremos apenas lembrá-lo de que o período experimental para sua edição Enterprise terminará em sete dias. - -Por favor, verifique todos os planos de preços disponíveis para a Enterprise Edition e escolha o mais adequado para seu negócio. - -$GreenButton - -$BlueButton - -Para qualquer dúvida de compra, entre em contato conosco em "sales@onlyoffice.com": "mailto:sales@onlyoffice.com". Para resolver qualquer problema técnico, escreva para "support@onlyoffice.com": "mailto:support@onlyoffice.com". - - - Olá, $UserName! - -Obrigado por escolher o espaço de trabalho ONLYOFFICE. Seu julgamento expira hoje. Para continuar usando os recursos profissionais, adquira a licença completa. - -Compre agora: "https://www.onlyoffice.com/workspace-enterprise-prices.aspx": "https://www.onlyoffice.com/workspace-enterprise-prices.aspx". - -Para qualquer dúvida de compra, entre em contato conosco em "sales@onlyoffice.com": "mailto:sales@onlyoffice.com". Para resolver qualquer problema técnico, escreva para "support@onlyoffice.com": "mailto:support@onlyoffice.com". Olá, $UserName! @@ -360,13 +306,6 @@ Obtenha gratuitamente aplicativos ONLYOFFICE para trabalhar em documentos e proj # Para trabalhar em documentos offline em Windows, Linux e Mac, baixe "ONLYOFFICE Desktop Editors": "https://www.onlyoffice.com/apps.aspx". # Para editar documentos em dispositivos móveis, aplicativo ONLYOFFICE Documentos para "iOS": "https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Para gerenciar o desempenho de sua equipe em movimento, obtenha Projetos ONLYOFFICE para "iOS": "https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". - - - Olá, $UserName! - -Esperamos que você goste de usar o ONLYOFFICE. Como está indo tudo com seu julgamento? Gostaríamos muito de seu feedback! - -Por favor, não hesite em nos contatar em "support.onlyoffice.com": "https://support.onlyoffice.com" sempre que você tiver perguntas ou idéias. Olá, $UserName! @@ -391,22 +330,6 @@ Seu perfil de convidado foi adicionado com sucesso a "${__VirtualRootPath}":"${_ # Use o "Chat":"${__VirtualRootPath}/addons/talk/" para trocar mensagens instantâneas. $GreenButton - - - Olá, $UserName! - -Favor notar que sua assinatura do web-office está prestes a expirar em uma semana. Para prolongar sua assinatura, você precisa comprar uma renovação do produto. - -Clique no link abaixo para iniciar o processo de renovação: -"Página de preços": "$PricingPage" (página de preços) - - - Olá, $UserName! - -Favor notar que sua assinatura do web-office expira hoje. Para prolongar sua assinatura, você precisa comprar uma renovação de produto. - -Clique no link abaixo para iniciar o processo de renovação: -"Página de preços": "$PricingPage" (página de preços) Olá, $UserName! @@ -1137,39 +1060,15 @@ O link só é válido por 7 dias. ${LetterLogoText}. Alteração do endereço do portal - - Convide seus colegas de equipe - - - Notificação de renovação do ONLYOFFICE - - - Notificação de renovação do ONLYOFFICE - - - Como a sua versão de avaliação está indo até agora? - - - Sua versão de avaliação do Enterprise Edition expira hoje - Obtenha aplicações ONLYOFFICE gratuitas - - Acompanhamento da equipe da ONLYOFFICE - Junte-se a ${__VirtualRootPath} Bem-vindo ao seu web-office - - Notificação de renovação de seu web-office - - - Notificação de renovação de seu web-office - Junte-se a ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index a99d220e4c..f0620e4985 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -332,62 +332,6 @@ Please follow the link below to confirm the operation: $GreenButton *Note*: this link is valid for 7 days only. Please complete the portal address change process within that period. - - - Hello, $UserName! - -Your cloud office is ready at "${__VirtualRootPath}":"${__VirtualRootPath}". It's time to invite your teammates! - -The easiest way to add your team is to import the necessary users and groups from an LDAP Server (e.g. OpenLDAP Server or Microsoft Active Directory). The LDAP settings are available in your Control Panel. Instructions are available in our "Help Center":""${__HelpLink}/administration/control-panel-ldap.aspx". - -You can also distribute the invitation link using the Invite users to portal option or add your teammates manually one by one using the *Create New*... button in the *People* module or export users from: - - - "your Google account":"${__HelpLink}/administratorguides/import-contacts-from-web.aspx"; - - "your mail client address book":"${__HelpLink}/administratorguides/import-contacts-from-mail-client.aspx"; - - "a CSV file":"${__HelpLink}/administratorguides/import-contacts-from-csv.aspx". - - - Hello, $UserName! - -Please note that your ONLYOFFICE subscription is about to expire in a week. To extend your subscription, you need to purchase a product renewal for ONLYOFFICE. - -Click on the link below to start the renewal process: -"Pricing page":"$PricingPage" - -For any further ONLYOFFICE installation, activation and technical support issues, please contact our support team at "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Hello, $UserName! - -Please note that your ONLYOFFICE subscription expires today. To extend your subscription, you need to purchase a product renewal for ONLYOFFICE. - -Click on the link below to start the renewal process: -"Pricing page":"$PricingPage" - -For any further product installation, activation and technical support issues, please contact our support team at "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Hello, $UserName! - -Thanks for choosing ONLYOFFICE. We just want to remind you that the trial period for your Workspace - Enterprise Edition will be over in seven days. - -Please, check all the available pricing plans for Workspace Enterprise Edition and choose the most suitable one for your business. - -"See prices":"https://www.onlyoffice.com/workspace-enterprise-prices.aspx" - -"Request a call":"http://www.onlyoffice.com/call-back-form.aspx" - -For any purchase questions, contact us at "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". For solving any technical problems, write to "support@onlyoffice.com":"mailto:support@onlyoffice.com" - - - Hello, $UserName! - -Thanks for choosing ONLYOFFICE. Your trial expires today. To continue using it, purchase the full license. - -"Buy now":"https://www.onlyoffice.com/workspace-enterprise-prices.aspx" - -For any purchase questions, contact us at "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". For solving any technical problems, write to "support@onlyoffice.com":"mailto:support@onlyoffice.com" Hello, $UserName! @@ -397,13 +341,6 @@ Get free ONLYOFFICE apps to work on documents and projects from any of your devi #To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". #To edit documents on mobile devices, get Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". #To manage your team performance on the go, get Projects for "iOS":"https://apps.apple.com/us/app/onlyoffice-projects/id1353395928" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - - - Hello, $UserName! - -We hope you enjoy using ONLYOFFICE. How everything is going with your trial? We would really appreciate your feedback! - -Please, don’t hesitate to contact us at "support.onlyoffice.com":"https://support.onlyoffice.com" whenever you have questions or ideas. Hello, $UserName! @@ -429,22 +366,6 @@ Your guest profile has been successfully added to "${__VirtualRootPath}":"${__Vi To access your web-office, follow the link $GreenButton - - - Hello, $UserName! - -Please note that your web-office subscription is about to expire in a week. To extend your subscription, you need to purchase a product renewal. - -Click on the link below to start the renewal process: -"Pricing page":"$PricingPage" - - - Hello, $UserName! - -Please note that your web-office subscription expires today. To extend your subscription, you need to purchase a product renewal. - -Click on the link below to start the renewal process: -"Pricing page":"$PricingPage" Hello, $UserName! @@ -1224,39 +1145,15 @@ The link is only valid for 7 days. ${LetterLogoText}. Change of portal address - - Invite your teammates - - - ONLYOFFICE Renewal Notification - - - ONLYOFFICE Renewal Notification - - - How is your trial going so far? - - - Your Enterprise Edition trial expires today - Get free desktop and mobile apps - - Follow up from ONLYOFFICE team - Join ${__VirtualRootPath} Welcome to your web-office - - Your web-office renewal notification - - - Your web-office renewal notification - Join ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index 3f134bce0c..e920f537f2 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -284,62 +284,6 @@ $GreenButton $GreenButton *Обратите внимание*: эта ссылка действительна только 7 дней. Пожалуйста, выполните изменение адреса портала в течение этого времени. - - - Здравствуйте, $UserName! - -Ваш облачный офис готов к работе по адресу "${__VirtualRootPath}":"${__VirtualRootPath}". Пора приглашать участников команды! - -Проще всего это сделать, импортировав нужных пользователей и группы с LDAP-сервера (например, OpenLDAP Server или Microsoft Active Directory). Настройки LDAP доступны в Панели управления. Инструкции можно найти в нашем "Справочном центре":"${__HelpLink}/ru/administration/control-panel-ldap.aspx". - -Вы также можете разослать пригласительную ссылку с помощью опции Пригласить пользователей или добавить участников команды вручную по одному с помощью кнопки *Создать...* в модуле *Люди*, или экспортировать пользователей из: - "вашего аккаунта Google":"${__HelpLink}/ru/administratorguides/import-contacts-from-web.aspx"; - "адресной книги почтового клиента":"${__HelpLink}/ru/administratorguides/import-contacts-from-mail-client.aspx"; - "файла CSV":"${__HelpLink}/ru/administratorguides/import-contacts-from-csv.aspx". - - - Здравствуйте, $UserName! - -Пожалуйста, обратите внимание, что срок действия вашей подписки на ONLYOFFICE истечет через неделю. Вам необходимо приобрести продление подписки на ONLYOFFICE. - -Нажмите на следующую ссылку, чтобы начать продление: -"Страница с ценами":"$PricingPage" - -По вопросам установки, активации и технической поддержки ONLYOFFICE обращайтесь в нашу службу поддержки "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Здравствуйте, $UserName! - -Пожалуйста, обратите внимание, что сегодня истекает срок действия вашей подписки на ONLYOFFICE. Вам необходимо приобрести продление подписки на ONLYOFFICE. - -Нажмите на следующую ссылку, чтобы начать продление: -"Страница с ценами":"$PricingPage" - -По вопросам установки, активации и технической поддержки продукта обращайтесь в нашу службу поддержки "https://support.onlyoffice.com/":"https://support.onlyoffice.com/" - - - Здравствуйте, $UserName! - -Благодарим за выбор ONLYOFFICE. Мы просто хотим напомнить, что пробный период для Workspace Enterprise Edition завершится через семь дней. - -Пожалуйста, ознакомьтесь со всеми доступными тарифными планами для Workspace Enterprise Edition и выберите наиболее подходящий. - -"Узнать стоимость":"https://www.onlyoffice.com/ru/workspace-enterprise-prices.aspx" -$GreenButton - -"Заказать звонок":"http://www.onlyoffice.com/ru/call-back-form.aspx" -$BlueButton - -По вопросам покупки свяжитесь с нами по адресу "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". Для решения технических проблем пишите на "support@onlyoffice.com":"mailto:support@onlyoffice.com" - - - Здравствуйте, $UserName! - -Благодарим за выбор ONLYOFFICE Workspace. Сегодня истекает ваш пробный период. Чтобы продолжить использование профессиональных возможностей, приобретите полную лицензию. - -"Купить сейчас":"https://www.onlyoffice.com/ru/workspace-enterprise-prices.aspx" - -По вопросам покупки свяжитесь с нами по адресу "sales@onlyoffice.com":"mailto:sales@onlyoffice.com". Для решения технических проблем пишите на "support@onlyoffice.com":"mailto:support@onlyoffice.com" Здравствуйте, $UserName! @@ -349,13 +293,6 @@ $BlueButton # Чтобы работать с документами офлайн в ОС Windows, Linux и Mac, скачайте "десктопное приложение":"https://www.onlyoffice.com/ru/download-desktop.aspx". # Чтобы редактировать документы на мобильных устройствах, используйте приложение ONLYOFFICE Документы для "iOS":"https://apps.apple.com/ru/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". # Чтобы управлять работой команды, где бы вы ни были, скачайте приложение Проекты для "iOS":"https://apps.apple.com/ru/app/onlyoffice-projects/id1353395928" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". - - - Здравствуйте, $UserName! - -Мы надеемся, что вам нравится использовать ONLYOFFICE. Как проходит ваш пробный период? Мы будем очень благодарны вам за отзыв! - -Вы всегда можете написать нам на "support.onlyoffice.com":"https://support.onlyoffice.com", если у вас будут вопросы или идеи. Здравствуйте, $UserName! @@ -381,22 +318,6 @@ $GreenButton Чтобы получить доступ к вашему виртуальному офису, перейдите по следующей ссылке: $GreenButton - - - Здравствуйте, $UserName! - -Пожалуйста, обратите внимание, что срок действия вашей подписки на виртуальный офис истечет через неделю. Вам необходимо приобрести продление подписки. - -Нажмите на следующую ссылку, чтобы начать продление: -"Страница с ценами":"$PricingPage" - - - Здравствуйте, $UserName! - -Пожалуйста, обратите внимание, что сегодня истекает срок действия вашей подписки. Вам необходимо приобрести продление подписки. - -Нажмите на следующую ссылку, чтобы начать продление: -"Страница с ценами":"$PricingPage" Здравствуйте, $UserName! @@ -1133,39 +1054,15 @@ $GreenButton ${LetterLogoText}. Изменение адреса портала - - Пригласите коллег - - - Уведомление о продлении подписки на ONLYOFFICE - - - Уведомление о продлении подписки на ONLYOFFICE - - - Как проходит пробный период? - - - Сегодня истекает пробный период Enterprise Edition - Скачайте бесплатные десктопные и мобильные приложения - - Следите за новостями команды ONLYOFFICE - Стать участником ${__VirtualRootPath} Добро пожаловать в виртуальный офис - - Уведомление о продлении подписки на виртуальный офис - - - Уведомление о продлении подписки на виртуальный офис - Стать участником ${__VirtualRootPath} diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx index 76ad914b1f..4cd7a69863 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx @@ -462,9 +462,6 @@ ONLYOFFICE团队 ${LetterLogoText}。门户地址更改 - - 您的企业版试用版今天到期 - 向管理员发送的用户消息 diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index d90bf7b7cb..05e8dbe3d3 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -492,18 +492,6 @@ $activity.Key - - - - - - - - - - - - @@ -515,42 +503,6 @@ $activity.Key - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - From ebed27f1c7f56521305d76bdb3270791ce65baf7 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Thu, 13 Oct 2022 22:08:07 +0300 Subject: [PATCH 16/87] deleted PersonalAfterRegistration7, PersonalAfterRegistration14, PersonalAfterRegistration21, fix letters --- web/ASC.Web.Core/Notify/Actions.cs | 8 +- web/ASC.Web.Core/Notify/StudioNotifySource.cs | 7 +- .../Notify/StudioPeriodicNotify.cs | 30 ++-- ...WebstudioNotifyPatternResource.Designer.cs | 146 ++++++------------ .../WebstudioNotifyPatternResource.az.resx | 71 --------- .../WebstudioNotifyPatternResource.bg.resx | 50 ------ .../WebstudioNotifyPatternResource.de.resx | 93 ----------- .../WebstudioNotifyPatternResource.es.resx | 97 ------------ .../WebstudioNotifyPatternResource.fr.resx | 93 ----------- .../WebstudioNotifyPatternResource.it.resx | 91 ----------- .../WebstudioNotifyPatternResource.pt-BR.resx | 67 -------- .../WebstudioNotifyPatternResource.resx | 133 +++++----------- .../WebstudioNotifyPatternResource.ru.resx | 95 ------------ .../WebstudioNotifyPatternResource.sk.resx | 6 - .../WebstudioNotifyPatternResource.tr.resx | 6 - .../WebstudioNotifyPatternResource.zh-CN.resx | 3 - .../PublicResources/webstudio_patterns.xml | 28 ++-- 17 files changed, 120 insertions(+), 904 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 09879cb0b2..428bd1bc6e 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -83,8 +83,6 @@ public static class Actions public static readonly INotifyAction EnterpriseWhitelabelGuestWelcomeV10 = new NotifyAction("enterprise_whitelabel_guest_welcome_v10"); public static readonly INotifyAction OpensourceGuestWelcomeV11 = new NotifyAction("opensource_guest_welcome_v11"); - public static readonly INotifyAction EnterpriseAdminUserAppsTipsV10 = new NotifyAction("enterprise_admin_user_apps_tips_v10"); - public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningBefore7V10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_before7_v10"); public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningV10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_v10"); @@ -92,9 +90,6 @@ public static class Actions public static readonly INotifyAction PersonalActivate = new NotifyAction("personal_activate"); public static readonly INotifyAction PersonalAfterRegistration1 = new NotifyAction("personal_after_registration1"); - public static readonly INotifyAction PersonalAfterRegistration7 = new NotifyAction("personal_after_registration7"); - public static readonly INotifyAction PersonalAfterRegistration14 = new NotifyAction("personal_after_registration14"); - public static readonly INotifyAction PersonalAfterRegistration21 = new NotifyAction("personal_after_registration21"); public static readonly INotifyAction PersonalConfirmation = new NotifyAction("personal_confirmation"); public static readonly INotifyAction PersonalEmailChangeV115 = new NotifyAction("personal_change_email_v115"); public static readonly INotifyAction PersonalPasswordChangeV115 = new NotifyAction("personal_change_password_v115"); @@ -151,4 +146,7 @@ public static class Actions public static readonly INotifyAction PersonalAfterRegistration14V1 = new NotifyAction("personal_after_registration14_v1"); public static readonly INotifyAction SaasAdminModulesV1 = new NotifyAction("saas_admin_modules_v1"); + + public static readonly INotifyAction SaasAdminUserAppsTipsV1 = new NotifyAction("saas_admin_user_apps_tips_v1"); + public static readonly INotifyAction EnterpriseAdminUserAppsTipsV1 = new NotifyAction("enterprise_admin_user_apps_tips_v1"); } diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index fc287a95f3..8d0043534d 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -78,15 +78,14 @@ public class StudioNotifySource : NotifySource Actions.EnterpriseWhitelabelGuestWelcomeV10, Actions.OpensourceGuestWelcomeV11, - Actions.EnterpriseAdminUserAppsTipsV10, + Actions.EnterpriseAdminUserAppsTipsV1, + + Actions.SaasAdminUserAppsTipsV1, Actions.SaasAdminModulesV1, Actions.PersonalActivate, Actions.PersonalAfterRegistration1, - Actions.PersonalAfterRegistration7, - Actions.PersonalAfterRegistration14, - Actions.PersonalAfterRegistration21, Actions.PersonalAfterRegistration14V1, Actions.PersonalConfirmation, Actions.PersonalPasswordChangeV115, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index c54cb6e26f..477aba2ea0 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -172,6 +172,19 @@ public class StudioPeriodicNotify } #endregion + + #region 14 days after registration to admins and users SAAS TRIAL + + else if (createdDate.AddDays(14) == nowDate) + { + action = Actions.SaasAdminUserAppsTipsV1; + paymentMessage = false; + toadmins = true; + tousers = true; + } + + #endregion + #endregion #region 6 months after SAAS TRIAL expired @@ -337,16 +350,16 @@ public class StudioPeriodicNotify toadmins = true; tousers = true; greenButtonText = () => WebstudioNotifyPatternResource.ButtonAccessYouWebOffice; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/products/files/"; + greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/rooms/personal/"; } #endregion - #region 21 days after registration to admins and users ENTERPRISE TRIAL + defaultRebranding + #region 14 days after registration to admins and users ENTERPRISE TRIAL + defaultRebranding - else if (createdDate.AddDays(21) == nowDate) + else if (createdDate.AddDays(14) == nowDate) { - action = Actions.EnterpriseAdminUserAppsTipsV10; + action = Actions.EnterpriseAdminUserAppsTipsV1; paymentMessage = false; toadmins = true; tousers = true; @@ -377,8 +390,7 @@ public class StudioPeriodicNotify action, new[] { _studioNotifyHelper.ToRecipient(u.Id) }, new[] { senderName }, - new TagValue(Tags.UserName, u.FirstName.HtmlEncode()), - new TagValue(Tags.PricingPage, _commonLinkUtility.GetFullAbsolutePath("~/tariffs.aspx")), + new TagValue(Tags.UserName, u.FirstName.HtmlEncode()), new TagValue(Tags.ActiveUsers, _userManager.GetUsers().Length), new TagValue(Tags.Price, rquota.Price), new TagValue(Tags.PricePeriod, rquota.Year3 ? UserControlsCommonResource.TariffPerYear3 : rquota.Year ? UserControlsCommonResource.TariffPerYear : UserControlsCommonResource.TariffPerMonth), @@ -505,15 +517,9 @@ public class StudioPeriodicNotify switch (dayAfterRegister) { - case 7: - action = Actions.PersonalAfterRegistration7; - break; case 14: action = Actions.PersonalAfterRegistration14V1; break; - case 21: - action = Actions.PersonalAfterRegistration21; - break; default: continue; } diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index decda9e5f1..3647a50ba0 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -684,15 +684,19 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///Get free ONLYOFFICE apps to work on documents and projects from any of your devices. + ///Get free ONLYOFFICE apps to work on documents from any of your devices. /// - ///#To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". - ///#To edit documents on mobile devices, get Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - ///#To manage your team performance on th [rest of string was truncated]";. + ///# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". + /// + ///#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". + /// + ///Truly yours, + ///ONLYOFFICE Team + ///" [rest of string was truncated]";. /// - public static string pattern_enterprise_admin_user_apps_tips_v10 { + public static string pattern_enterprise_admin_user_apps_tips_v1 { get { - return ResourceManager.GetString("pattern_enterprise_admin_user_apps_tips_v10", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_admin_user_apps_tips_v1", resourceCulture); } } @@ -1289,28 +1293,17 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to $PersonalHeaderStart A few tips for freelancers $PersonalHeaderEnd + /// Looks up a localized string similar to Hello, $UserName! /// - ///h3.ONLYOFFICE provides a number of features for freelance community whether you are on a contract or hiring for a project yourself: + ///Get free ONLYOFFICE apps to work on documents from any of your devices. /// - ///- Sharing for reads, reviews or collaboration; + ///# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". /// - ///- Real-time collaborative editing and commenting in Fast mode; + ///#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". /// - ///- Strict co-editing mode for editing parts of the document privately; - /// - ///- Creating and filling out digital forms, e.g. a freelance project proposal; - /// - ///- Document comparison and Version Histo [rest of string was truncated]";. - /// - public static string pattern_personal_after_registration14 { - get { - return ResourceManager.GetString("pattern_personal_after_registration14", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Get free ONLYOFFICE apps. + ///Truly yours, + ///ONLYOFFICE Team + ///" [rest of string was truncated]";. /// public static string pattern_personal_after_registration14_v1 { get { @@ -1318,38 +1311,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to $PersonalHeaderStart Need more features and automation? Give a try to ONLYOFFICE for teams $PersonalHeaderEnd - /// - ///h3.In case you collaborate with a team or manage a project, we suggest you to try ONLYOFFICE for business. In addition to the online editors and document management features, you'll be able to: - /// - ///- Control tasks and use Gantt chart in the project management module; - /// - ///- Track sales, relations with customers and create invoices in CRM; - /// - ///- Manage all your email accounts and create corporate mailboxes; - /// - /// [rest of string was truncated]";. - /// - public static string pattern_personal_after_registration21 { - get { - return ResourceManager.GetString("pattern_personal_after_registration21", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to $PersonalHeaderStart Connect your favorite cloud storage to ONLYOFFICE $PersonalHeaderEnd - /// - ///It has been a week since you created your cloud office, so we believe it's time to unveil some beneficial features you might have missed. - /// - ///Connect *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud* or *Yandex.Disk* to ONLYOFFICE and create a single document management space for all your documents. You'll be able to edit external files in ONLYOFFICE and save them to the storage you keep documents in. [rest of string was truncated]";. - /// - public static string pattern_personal_after_registration7 { - get { - return ResourceManager.GetString("pattern_personal_after_registration7", resourceCulture); - } - } - /// /// Looks up a localized string similar to Hi there! ///There was an attempt to register a new "ONLYOFFICE Personal":"$PortalUrl" account using this email. If it was you, we want to inform you that the account already exists — proceed to ONLYOFFICE Personal and log in. @@ -1841,6 +1802,25 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to Hello, $UserName! + /// + ///Get free ONLYOFFICE apps to work on documents from any of your devices. + /// + ///# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". + /// + ///#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". + /// + ///Truly yours, + ///ONLYOFFICE Team + ///" [rest of string was truncated]";. + /// + public static string pattern_saas_admin_user_apps_tips_v1 { + get { + return ResourceManager.GetString("pattern_saas_admin_user_apps_tips_v1", resourceCulture); + } + } + /// /// Looks up a localized string similar to Hello, $UserName! /// @@ -2228,11 +2208,11 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Get free desktop and mobile apps. + /// Looks up a localized string similar to Get free ONLYOFFICE apps. /// - public static string subject_enterprise_admin_user_apps_tips_v10 { + public static string subject_enterprise_admin_user_apps_tips_v1 { get { - return ResourceManager.GetString("subject_enterprise_admin_user_apps_tips_v10", resourceCulture); + return ResourceManager.GetString("subject_enterprise_admin_user_apps_tips_v1", resourceCulture); } } @@ -2498,26 +2478,7 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to A few tips for freelance work. - /// - public static string subject_personal_after_registration14 { - get { - return ResourceManager.GetString("subject_personal_after_registration14", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Get free ONLYOFFICE apps to work on documents from any of your devices. - /// - ///# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". - /// - ///#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". - /// - ///Truly yours, - ///ONLYOFFICE Team - ///" [rest of string was truncated]";. + /// Looks up a localized string similar to Get free ONLYOFFICE apps. /// public static string subject_personal_after_registration14_v1 { get { @@ -2525,24 +2486,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Need more features? Give a try to ONLYOFFICE for teams. - /// - public static string subject_personal_after_registration21 { - get { - return ResourceManager.GetString("subject_personal_after_registration21", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to Connect your favorite cloud storage to ONLYOFFICE. - /// - public static string subject_personal_after_registration7 { - get { - return ResourceManager.GetString("subject_personal_after_registration7", resourceCulture); - } - } - /// /// Looks up a localized string similar to Log in to your ONLYOFFICE Personal account. /// @@ -2732,6 +2675,15 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to Get free ONLYOFFICE apps. + /// + public static string subject_saas_admin_user_apps_tips_v1 { + get { + return ResourceManager.GetString("subject_saas_admin_user_apps_tips_v1", resourceCulture); + } + } + /// /// Looks up a localized string similar to 5 tips for effective work on your docs. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx index 0ec026664f..a876a9e76d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.az.resx @@ -296,15 +296,6 @@ Salam, $OwnerName, $GreenButton * Qeyd *: bu link yalnız 7 gün ərzində etibarlıdır. Bu müddət ərzində portal ünvanının dəyişdirilməsi prosesini tamamlayın. - - - Salam, $UserName! - -İstənilən cihazınızda sənədlər və layihələr üzərində işləmək üçün ödənişsiz ONLYOFFICE proqramları əldə edin. - -# Windows, Linux və Mac-də sənədlərlə oflayn işləmək üçün "ONLYOFFICE Desktop Editors" proqramını endirin:"https://www.onlyoffice.com/apps.aspx". -# Mobil cihazlarda sənədləri redaktə etmək üçün "iOS" üçün ONLYOFFICE Sənədlər proqramı:"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" və ya "Android":"https://play.google .com/store/apps/details?id=com.onlyoffice.documents". -# Komanda performansınıza yolda olarkən də nəzarət etmək üçün "iOS" üçün ONLYOFFICE Layihələri əldə edin:"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". Salam, $UserName! @@ -539,56 +530,6 @@ h3. Sürətlə başlama üçün ONLYOFFICE ilə edə biləcəyiniz şeylər bunl Siz həmçinin pulsuz "masa üstü redaktorlarımız" vasitəsilə sənədləri oflayn rejimdə redaktə edə bilərsiniz: "https://www.onlyoffice.com/download-desktop.aspx" və ya "mobil redaktə dəsti" əldə edə bilərsiniz: "https://www.onlyoffice.com/mobile.aspx" iOS cihazınız üçün. -Hörmətlə, -ONLYOFFICE komandası - - - $PersonalHeaderStart Frilanserlərə kömək etmək üçün ipucular $PersonalHeaderEnd - -h3. ONLYOFFICE, müqavilə əsasında və ya layihə üzrə fərdi işləməyinizdən asılı olmayaraq frilanser icmasına bir sıra funksiyalar təqdim edir: - -- Sənədlərə baxmaq, nəzərdən keçirmək və ya əməkdaşlıq etmək üçün girişin təmin edilməsi; - -- Real vaxt rejimində işləmək üçün Sürətli birgə redaktə və şərh rejimi; - -- Sənədin hissələrini özəl olaraq redaktə etməyə imkan verən Sərt birgə redaktə rejimi; - -- Versiya Tarixçəsi; - -- Dəyişiklikləri izləmək və təklif etmək; - -- Daxili söhbət. - -Faylları endirməyə və e-poçtla göndərməyə ehtiyac yoxdur. Sadəcə onları bulud iş ofisindən xarici linklərlə paylaşın və harada olursunuzsa olun üzərində işləyin. - - -Daha çox iş alətləri lazımdır? - -Biznes üçün ONLYOFFICE həlləri 30 günlük sınaq müddəti üçün pulsuzdur və sizə sərbəst və uzaqdan iş üçün daha çox imkanlar verir. Məsələn, siz müştərilərinizə hesab-fakturalar yarada və təqdim edə, e-poçt və VoIP vasitəsilə onlarla əlaqə saxlaya bilərsiniz. Ticarət üçün ONLYOFFICE haqqında daha çox öyrənmək üçün "CRM İcmal ımıza baxın":"http://www.onlyoffice.com/crm.aspx" - - - - -Hörmətlə, -ONLYOFFICE komandası - - - $PersonalHeaderStart Daha çox funksionallıq və avtomatlaşdırma lazımdır? komandaları üçün ONLYOFFICE-i sınayın $PersonalHeaderEnd - -h3.Əgər siz komanda ilə əməkdaşlıq edirsinizsə və ya layihəni idarə edirsinizsə, biz sizə biznes üçün ONLYOFFICE-i sınamağı təklif edirik. Onlayn redaktorlara və sənəd idarəetmə funksiyalarına əlavə olaraq siz aşağıdakıları edə biləcəksiniz: - -- Tapşırıqlara nəzarət edin və layihənin idarə edilməsi modulunda * Gantt * diaqramından istifadə edin; - -- Satışları, müştəri münasibətlərini izləmək və * CRM*-də faktura yaratmaq; - -- Bütün e-poçt hesablarınızı * e-poçt toplayıcısında * idarə edin; - -- Mesajlaşma, blog, forumlar və viki ilə komanda əlaqəsini qurun. - -Siz və komanda yoldaşlarınız üçün unikal əməkdaşlıq sahəsi yaradın. - -"Buludda sınağa başlayın":"https://www.onlyoffice.com/registration.aspx" və ya "serverinizdə":"https://www.onlyoffice.com/download-workspace.aspx?from= müəssisə nəşri "30 gün ərzində heç bir funksional məhdudiyyət olmadan və iş axınınızın dərhal necə yaxşılaşdığına baxın! - Hörmətlə, ONLYOFFICE komandası @@ -1059,9 +1000,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ${LetterLogoText}. Portal ünvanının dəyişdirilməsi - - Ödənişsiz ONLYOFFICE tətbiqlərini əldə edin - ${__VirtualRootPath}-a qoşulun @@ -1107,15 +1045,6 @@ Link yalnız 7 gün üçün keçərli olacaq. ONLYOFFICE Personala xoş gəlmisiniz - - Frilans kimi işləmək üçün bir neçə məsləhət - - - Daha çox funksiya lazımdır? Komandalar üçün ONLYOFFICE-ı sınayın - - - Sevimli bulud yaddaşınızı ONLYOFFICE-ə qoşun - ONLYOFFICE Personal parol yardımı diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx index 5164c63136..733b26f7be 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.bg.resx @@ -267,47 +267,6 @@ h3.За бърз старт, ето какво можете да направи С уважение, екип на ONLYOFFICE - - - $PersonalHeaderStart Няколко съвета за фрийлансери $PersonalHeaderEnd - -h3.ONLYOFFICE предоставя редица възможности за свободна практика, независимо дали сте на договор или наемате сами проект: - -- Споделяне за четене, прегледи или сътрудничество; - -- Редактиране и коментиране в реално време в режим Fast; - -- Строг режим на съвместно редактиране за частно редактиране на части от документа; - -- История на версиите; - -- Промяна на проследяването и предлагане; - -- вграден чат. - -Няма нужда да изтегляте файлове и да ги изпращате по имейл. Просто ги споделете от вашия облачен офис с външни връзки и си сътрудничи, където и да сте. - -Нуждаете се от повече работни инструменти? - -ONLYOFFICE решения за бизнес са безплатни за 30 дневен пробен период и ви осигуряват още повече възможности за работа на свободна практика и отдалечена работа. Например, можете да създавате и изпращате фактури на клиентите си, свържете се с тях с имейл и VoIP. За да научите повече за ONLYOFFICE за търговия, преминете към нашия "CRM преглед":"http://www.onlyoffice.com/crm.aspx". - -С уважение, -екип на ONLYOFFICE - - - $PersonalHeaderStart Нуждаете се от повече функции и автоматизация? Опитайте се да ONLYOFFICE за екипи $PersonalHeaderEnd - -h3.В случай, че си сътрудничите с екип или управлявате проект, ние ви предлагаме да опитате ONLYOFFICE за бизнес. В допълнение към онлайн редакторите и функциите за управление на документи, ще можете да: - -- контролирате задачите и да използвате *диаграмата на Гант* в модула за управление на проекти; - -- проследяване на продажбите, отношенията с клиентите и създаване на фактури в *CRM*; - -- управлявайте всичките си имейл акаунти в e-mail *aggregator*; - -- създаване на екипна комуникация с Messenger, блог, форуми и уики. - -Създайте едно съвместно работно пространство за вас и вашите съотборници. Регистрирайте пробен "в облака":"https://www.onlyoffice.com/registration.aspx" или "на вашия сървър":"https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" Налице е заявка за промяна на паролата, използвана за въвеждане на портал "${__VirtualRootPath}":"${__VirtualRootPath}". @@ -503,15 +462,6 @@ h2.$activity.Key Добре дошли в ONLYOFFICE Personal - - Няколко съвета за работа на свободна практика - - - Нуждаете се от повече функции? Опитайте ONLYOFFICE за екипи - - - Свържете любимото си облачно хранилище към ONLYOFFICE - ONLYOFFICE Лична помощ за пароли diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx index 2cbe0e1f14..c61eaefb61 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.de.resx @@ -284,15 +284,6 @@ Bitte folgen Sie dem untenstehenden Link, um es zu bestätigen: $GreenButton *Hinweis*: Dieser Link ist nur 7 Tage gültig. Bitte enden Sie Prozess von Änderung der Portaladresse innerhalb dieses Zeitraums. - - - Hallo, $UserName! - -Laden Sie kostenlose ONLYOFFICE-Apps herunter, mit denen Sie Dokumente und Projekte von jedem Gerät aus bearbeiten können. - -# Bearbeiten Sie Dokumente offline auf Windows, Linux und Mac. Laden Sie "ONLYOFFICE Desktop Editoren":"https://www.onlyoffice.com/de/apps.aspx" herunter. -# Bearbeiten Sie Dokumente auf Mobilgeräten mit ONLYOFFICE Documents-App für "iOS":"https://itunes.apple.com/de/app/onlyoffice-documents/id944896972" oder "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Verwalten Sie Teamleistung auch unterwegs mit der ONLYOFFICE Projects-App für "iOS":"https://itunes.apple.com/de/app/onlyoffice-projects/id1353395928". Hallo, $UserName! @@ -531,78 +522,6 @@ Sie können Dokumente auch offline mit unseren kostenlosen "Desktop Editoren":"h Mit freundlichen Grüßen ONLYOFFICE Team - - - $PersonalHeaderStart Ein paar Tipps für Feelancers $PersonalHeaderEnd - -h3.ONLYOFFICE verfügt über eine Reihe von Funktionen für Freelance Community, angesehen davon, ob Sie einen Vertrag haben oder selbst für ein Projekt anstellen: - -- Schreibschutzoption, Überprüfung oder Zusammenarbeit; - -- Echtzeit-Zusammenarbeit und Kommentare im halbformalen Modus; - -- Formaler Bearbeitungs-Modus für private Bearbeitung von Teilen des Dokuments; - -- Versionshistorie; - -- Änderungsverfolgung & Vorschläge; - -- der eingebaute Chat. - -Sie müssen keine Dateien herunterladen und per E-Mail versenden. Teilen Sie diese einfach mit externen Links aus Ihrem Cloud-Büro und arbeiten Sie von überall aus mit anderen zusammen. - -Benötigen Sie mehr Instrumente? - -ONLYOFFICE-Lösungen für Unternehmen verfügen über eine 30-tägige kostenlose Testphase und bieten noch mehr Möglichkeiten für Freelance und entfernte Arbeit. Zum Beispiel können Sie Rechnungen erstellen und diese an Ihre Kunden senden, sie über E-Mail und VoIP kontaktieren. Um mehr über ONLYOFFICE für das Geschäft zu erfahren, gehen Sie zu unserer "CRM Übersicht":"http://www.onlyoffice.com/crm.aspx". - -Mit freundliche Grüßen, -ONLYOFFICE Team - - - $PersonalHeaderStart Brauchen Sie mehr Funktionen und Automatisierung? Probieren Sie ONLYOFFICE für Teams $PersonalHeaderEnd - -h3.Arbeiten Sie mit Ihrem Team zusammen oder verwalten Sie Ihr Projekt mit ONLYOFFICE Workspace. Neben Online-Bearbeitung von Dokumenten und Dokumentenverwaltung können Sie: - -- Aufgaben kontrollieren und *Gantt* Diagramm im Projektmanagement-Modul nutzen; - -- Verkäufe und Kundenbeziehungen verfolgen und Rechnungen in *CRM* erstellen; - -- Alle ihre E-Mail-Konten im E-Mail-*Aggregator* verwalten; - -- Kommunikation ihres Teams über Chat, Blog, Foren und Wiki ermöglichen. - -Erstellen Sie eine gemeinsame Arbeitsumgebung für Sie und Ihr Team. - -Registrieren Sie sich für eine 30-Tage-Testversion von ONLYOFFICE "in der Cloud":"https://www.onlyoffice.com/registration.aspx" oder "auf Ihrem Server":"https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" ohne funktionale Einschränkungen und sehen Sie, wie sich Ihr Workflow sofort verbessert! - -Mit freundlichen Grüßen, -ONLYOFFICE Team - - - $PersonalHeaderStart Verbinden Sie Ihren beliebigen Cloud-Speicher mit ONLYOFFICE $PersonalHeaderEnd - -Es ist gerade eine Woche her, seitdem Sie Ihr Cloud-Büro erstellt haben. Nun ist es die richtige Zeit, einige nützliche Funktionen zu entdecken, die Sie vielleicht übersehen haben. - -Verbinden Sie *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud* oder *Yandex.Disk* mit ONLYOFFICE und erstellen Sie einen einzigen Dokumentenverwaltungsraum für alle Ihre Dokumente. Sie können externe Dateien in ONLYOFFICE bearbeiten und sie in dem Speicher zu sichern, in dem Sie Dokumente aufbewahren. Lesen Sie Details zum Verbinden von Dateispeichern mit ONLYOFFICE "hier":"http://helpcenter.onlyoffice.com/tipstricks/add-resource.aspx". - -Sie können ONLYOFFICE-Editoren auch mit unserer "Connector-App" in Google Drive integrieren: "https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhellaoaibebeohcgkohkcgpn". - -Benötigen Sie mehr Dokumentenverwaltung? - -h3.Probieren Sie ONLYOFFICE für Business "in der Cloud":"https://www.onlyoffice.com/cloud-office.aspx" oder "auf Ihrem Server":"https://www.onlyoffice.com/server-solutions.aspx" für 30 Tage kostenlos und sehen Sie sich erweiterte Möglichkeiten für das Dokumentenmanagement in Kombination mit einem Business-Toolset an: - -- Verwalten Sie Teamdokumente in Projekten; - -- Integrieren Sie Dokumente mit CRM und E-Mail; - -- Teilen Sie Dateien für Benutzergruppen; - -- Optimieren Sie Ihren Workflow mit Teamkommunikations-Tools. - -Sind Sie daran interessiert? Erfahren Sie mehr über "ONLYOFFICE für Business":"http://www.onlyoffice.com/document-management.aspx". - -Mit freundlichen Grüßen, -ONLYOFFICE team Möchten Sie Ihre E-Mail im ONLYOFFICE-Konto ändern? @@ -1056,9 +975,6 @@ Dieser Link ist nur 7 Tage gültig. ${LetterLogoText}. Änderung der Portaladresse - - Laden Sie kostenlose ONLYOFFICE-Apps herunter - ${__VirtualRootPath} beitreten @@ -1105,15 +1021,6 @@ Dieser Link ist nur 7 Tage gültig. Willkommen auf ONLYOFFICE Personal - - Einige Tipps für freiberufliche Arbeit - - - Brauchen Sie mehr Funktionen? Probieren Sie ONLYOFFICE für Teams - - - Verbinden Sie Ihren beliebigen Cloud-Speicher mit ONLYOFFICE - ONLYOFFICE Personal. Bitte aktivieren Sie Ihre E-Mail-Adresse diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx index 4cdffa9c8d..9b89392e0d 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.es.resx @@ -284,15 +284,6 @@ Por favor, siga el siguiente enlace para confirmar la operación: $GreenButton *Note*: este enlace tiene una validez sólo de 7 días. Por favor, complete el proceso de cambio de dirección del portal dentro de ese período. - - - ¡Hola, $UserName! - -Obtenga las aplicaciones de ONLYOFFICE gratuitas para trabajar en documentos y proyectos usando cualquier dispositivo. - -# Para trabajar en documentos offline en Windows, Linux y Mac, descargue "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/es/apps.aspx". -# Para editar documentos en dispositivos móviles, instale la aplicación ONLYOFFICE Documents para "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Para gestionar funcionamiento de su equipo sobre la marcha, obtenga la aplicación ONLYOFFICE Projects para "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". ¡Hola, $UserName! @@ -528,82 +519,6 @@ h3.Para un rápido inicio, aprenda lo que puede hacer en ONLYOFFICE: También puede editar documentos offline con nuestros "editores de escritorio" gratuitos: "https://www.onlyoffice.com/es/download-desktop.aspx" o conseguir una suite de edición móvil para su dispositivo "iOS": "https://apps.apple.com/app/onlyoffice-documents/id944896972" o "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". Atentamente, -Equipo de ONLYOFFICE - - - $PersonalHeaderStart Algunos consejos para autónomos $PersonalHeaderEnd - -h3.ONLYOFFICE ofrece una serie de características para la comunidad de autónomos, tanto si se trata de un contrato como si se habla de un proyecto propio: - -- Compartir para leer, revisar o colaborar; - -- Edición y comentarios colaborativos en tiempo real en el modo rápido; - -- Modo de coedición estricto para editar partes del documento en privado; - -- Creación y cumplimentación de formularios digitales, por ejemplo, una propuesta de proyecto; - -- Comparación de documentos e historial de versiones; - -- Seguimiento de cambios y sugerencias; - -- Chat incorporado, plugins de Telegram y Jitsi. - -¿Necesita más herramientas de trabajo? - -Pruebe una nube empresarial que le permita gestionar eventos y correos, tareas y clientes, hacer llamadas y mucho más. Puede elegir una tarifa totalmente gratuita para equipos de hasta 5 usuarios: - -"EMPEZAR AHORA": "https://www.onlyoffice.com/es/registration.aspx" - -Atentamente, -Equipo de ONLYOFFICE - - - $PersonalHeaderStart ¿Necesita más funciones y automatización? Pruebe ONLYOFFICE para equipos $PersonalHeaderEnd - -h3.En caso de que colabore con un equipo o administre un proyecto, le sugerimos que pruebe ONLYOFFICE Workspace. Además de los editores en línea y las funciones de administración de documentos, usted podrá: - -- Controlar tareas y usar el diagrama de Gantt en el módulo de gestión de proyectos; - -- Seguir las ventas, relaciones con los clientes y crear facturas en el CRM; - -- Administrar todas sus cuentas de correo electrónico y crear buzones corporativos; - -- Crear y compartir calendarios, programar reuniones de grupo; - -- Utilizar las características de seguridad avanzadas como SSO, 2FA o el cifrado de extremo a extremo. - -Cree un único espacio de trabajo colaborativo para usted y sus compañeros de equipo. - -Cree un único espacio de trabajo colaborativo para usted y sus compañeros de equipo "en la nube": "https://www.onlyoffice.com/es/registration.aspx" o "en su servidor": "https://www.onlyoffice.com/es/download-workspace.aspx" y vea cómo su flujo de trabajo mejorará inmediatamente. Puede aprovechar la "tarifa gratuita": "https://www.onlyoffice.com/es/saas.aspx" para equipos de hasta 5 usuarios. - -Atentamente, -Equipo ONLYOFFICE - - - $PersonalHeaderStart Conecte su almacenamiento en la nube al portal ONLYOFFICE $PersonalHeaderEnd - -Ya ha pasado una semana desde que Usted creyó su oficina en la nube y creemos que es el momento para revelar unas características beneficiosas, que Usted puede perderse. - -Conecte *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud* o *Yandex.Disk* al portal ONLYOFFICE para crear un espacio único para manejar todos los documentos. Usted podrá editar archivos externos en ONLYOFFICE y guardarlos en el almacenamiento, donde mantiene la documentación. Encuentre instrucciones acerca de como conectar almacenamientos de los archivos al portal ONLYOFFICE "aquí":"http://helpcenter.onlyoffice.com/tipstricks/add-resource.aspx". - -También Usted puede integrar los editores de ONLYOFFICE en Google Drive usando nuestro "conector":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -¿Necesita más posibilidades para gestión de documentos? - -h3.Pruebe soluciones de negocio de ONLYOFFICE "en la nube":"https://www.onlyoffice.com/es/cloud-office.aspx" o "en su propio servidor":"https://www.onlyoffice.com/es/server-solutions.aspx". Estas soluciones son gratuitas durante 30 días de periodo de prueba y incluyen un conjunto de herramientas de negocio junto con unas posibilidades avanzadas para gestión de documentos: - -- Gestión de documentos de proyectos; - -- Integración con CRM y Correo; - -- Posibilidad de compartir documentos con usuarios o grupos; - -- Optimización del flujo de trabajo con las herramientas de interacción de equipo. - -Aprenda más sobre las posibilidades de las "soluciones de negocio de ONLYOFFICE":"https://www.onlyoffice.com/es/features.aspx#documents". - -Muy atentamente, Equipo de ONLYOFFICE @@ -1052,9 +967,6 @@ El enlace es válido solo durante 7 días. ${LetterLogoText}. Cambio de dirección de portal - - Obtenga aplicaciones gratuitas para ordenadores y móviles - Únase a ${__VirtualRootPath} @@ -1100,15 +1012,6 @@ El enlace es válido solo durante 7 días. Bienvenido al ONLYOFFICE Personal - - Algunos consejos para el trabajo independiente - - - ¿Necesita más características? Pruebe ONLYOFFICE para equipos - - - Conecte su almacenaje de la nube preferido con ONLYOFFICE - ONLYOFFICE Personal. Por favor, active su correo electrónico diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx index 976937170d..b304c6c254 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.fr.resx @@ -283,15 +283,6 @@ Veuillez suivre le lien ci-dessous pour confirmer l'opération: $GreenButton *Remarque* : ce lien est valable pour 7 jours seulement. Veuillez compléter le processus de changementle de l'adresse du portail au courant de cette période. - - - Bonjour $UserName, - -Profitez des applications gratuites ONLYOFFICE pour travailler sur vos documents et projets depuis tous vos appareils. - -# Pour travailler sur les documents hors ligne sous Windows, Linux et Mac, téléchargez "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/apps.aspx". -# Pour éditer les documents sur les appareils mobiles, choisissez l'application ONLYOFFICE Documents pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Pour gérer la performance de l'équipe en mobilité, optez pour ONLYOFFICE Projects pour "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". Bonjour $UserName, @@ -518,78 +509,6 @@ h3.Pour un démarrage rapide, voici ce que vous pouvez faire avec ONLYOFFICE: Vous pouvez également éditer des documents hors ligne avec nos "éditeurs de bureau":"https://www.onlyoffice.com/download-desktop.aspx" gratuits ou obtenir une "suite d'édition mobile":"https://www.onlyoffice.com/mobile.aspx" pour votre appareil iOS. -Cordialement, -L'équipe ONLYOFFICE - - - $PersonalHeaderStart Quelques conseils pour les freelances $PersonalHeaderEnd - -h3.ONLYOFFICE fournit un certain nombre de fonctionnalités pour la communauté des freelances que vous soyez sur un contrat ou en train de recruter pour votre propre projet : - -- Partage pour les lectures, les critiques ou la collaboration ; - -- Édition collaborative en temps réel et commentaires en mode rapide ; - -- Mode de co-édition strict pour éditer des parties du document en privé ; - -- Création et remplissage de formulaires numériques, par exemple une proposition de projet en freelance ; - -- Comparaison de documents et historique des versions ; - -- Suivi et suggestion de modifications ; - -- Chat intégré et plugins Telegram et Jitsi. - -Avez-vous besoin de plus d'instruments de travail ? - -Essayez un cloud professionnel qui vous permet de gérer des événements et des emails, des tâches et des clients, de passer des appels, etc. Vous pouvez choisir un plan tarifaire absolument gratuit pour les équipes comptant jusqu'à 5 utilisateurs : - -"COMMENCER MAINTENANT" : "https://www.onlyoffice.com/registration.aspx" - -Cordialement, -L'équipe ONLYOFFICE - - - $PersonalHeaderStart Besoin de plus de fonctionnalités et d'automatisation? Essayez ONLYOFFICE pour les équipes $PersonalHeaderEnd - -h3.Si vous collaborez avec une équipe ou gérez un projet, nous vous suggérons d'essayer ONLYOFFICE pour les entreprises. En plus des éditeurs en ligne et des fonctionnalités de gestion de documents, vous serez en mesure de: - -- Contrôler les tâches et utiliser le diagramme de *Gantt* dans le module de gestion de projet; - -- Suivre les ventes, les relations avec les clients et créer des factures dans *CRM*; - -- Gérer tous vos comptes email dans l'*agrégateur* email; - -- Mettre en place une communication d'équipe avec la mesagerie, le blog, les forums et le wiki. - -Créez un espace de travail collaboratif unique pour vous et vos coéquipiers. - -Démarrez un essai "dans le cloud": "https://www.onlyoffice.com/registration.aspx" ou "sur votre serveur": "https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" sans aucune restriction fonctionnelle pendant 30 jours et voyez comment votre flux de travail s'améliore immédiatement! - -Cordialement, -L'équipe ONLYOFFICE - - - $PersonalHeaderStart Connectez votre stockage cloud préféré à ONLYOFFICE $PersonalHeaderEnd - -Cela fait une semaine que vous avez créé votre bureau cloud, nous pensons donc qu'il est temps de dévoiler quelques fonctionnalités bénéfiques que vous auriez pu manquer. - -Connectez *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud* ou *Yandex.Disk* à ONLYOFFICE et créez un espace unique de gestion de documents pour tous vos documents. Vous pouvez modifier les fichiers externes dans ONLYOFFICE et les enregistrer dans le stockage dans lequel vous conservez les documents. Lisez les détails sur la connexion des stockages de fichiers à ONLYOFFICE "ici": "http://helpcenter.onlyoffice.com/tips-resource.aspx". - -Besoin d'une gestion de documents avancée? - -h3.Essayez ONLYOFFICE pour les entreprises "dans le cloud": "https://www.onlyoffice.com/cloud-office.aspx" ou "sur votre serveur": "https://www.onlyoffice.com/server-solutions.aspx "gratuitement pendant 30 jours et découvrez des opportunités étendues de gestion de documents avec un ensemble d'outils métier: - -- Gérer les documents d'équipe dans les projets; - -- Intégrer des documents avec CRM et Email; - -- Partager des fichiers à des groupes d'utilisateurs; - -- Optimisez votre flux de travail avec des outils de communication d'équipe. - -Intéressé? En savoir plus sur "ONLYOFFICE for business": "http://www.onlyoffice.com/document-management.aspx". - Cordialement, L'équipe ONLYOFFICE @@ -1041,9 +960,6 @@ Le lien est valide pendant 7 jours. ${LetterLogoText}. Changement de l'adresse du portail - - Obtenez des applications gratuites d'ONLYOFFICE - Inscrivez-vous sur le portail ${__VirtualRootPath} @@ -1089,15 +1005,6 @@ Le lien est valide pendant 7 jours. Bienvenue sur ONLYOFFICE Personal - - Quelques conseils pour le travail en freelance - - - Besoin de plus de fonctionnalités? Essayez ONLYOFFICE pour les équipes - - - Connectez votre stockage cloud préféré à ONLYOFFICE - ONLYOFFICE Personal. Veuillez activer votre adresse mail diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx index 6cf738db7c..28f4bfc29b 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.it.resx @@ -279,15 +279,6 @@ Si prega di seguire il link qui sotto per confermare l'operazione: $GreenButton * Nota *: questo collegamento è valido solo per 7 giorni. Completa il processo di cambio di indirizzo del portale entro tale periodo. - - - Salve, $UserName! - -Ottieni le app gratuite ONLYOFFICE per lavorare su documenti e progetti da qualsiasi dispositivo. - -# Per lavorare su documenti offline su Windows, Linux e Mac, scaricare "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/apps.aspx". -# Per modificare documenti su dispositivi mobili, l'app ONLYOFFICE Documents per "iOS":"https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" o "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Per gestire le prestazioni del tuo team in viaggio, ottieni ONLYOFFICE Projects for "iOS":"https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". Salve, $UserName! @@ -449,76 +440,6 @@ h3.Per un rapido avvio, ecco cosa puoi fare in ONLYOFFICE: Puoi anche modificare i documenti offline col nostro "desktop editor":"https://www.onlyoffice.com/download-desktop.aspx" gratuito o ottenere una "suite di editing mobile":"https://www.onlyoffice.com/mobile.aspx" per il tuo dispositivo iOS. -Cordiali saluti, -il team ONLYOFFICE - - - $PersonalHeaderStart Alcuni consigli per i liberi professionisti $PersonalHeaderEnd - -h3.ONLYOFFICE offre una serie di funzionalità per la comunità dei freelance indipendentemente dal fatto che tu abbia un contratto o l'ingaggio per un progetto tu stesso: - -- Condivisione per letture, recensioni o collaborazione; - -- Modifica e commenti collaborativi in tempo reale in modalità Veloce; - -- Modalità di co-editing rigorosa per la modifica di parti del documento in privato; - -- Cronologia delle versioni; - -- Change tracking e suggerimento; - -- chat integrata. - -Non c'è bisogno di scaricare file e inviarli via e-mail. Basta condividerli dal tuo ufficio cloud con link esterni e collaborare ovunque tu sia. - -Hai bisogno di maggiori strumenti di lavoro? - -Le soluzioni ONLYOFFICE per le aziende sono gratuite per un periodo di prova di 30 giorni e offrono ancora più opportunità per il lavoro indipendente e lontano. Ad esempio, puoi creare e inviare fatture ai tuoi clienti, contattali con e-mail e VoIP. Per ulteriori informazioni su ONLYOFFICE per il commercio, procedi alla nostra "panoramica CRM":"http://www.onlyoffice.com/crm.aspx". - -Cordiali saluti, -il Team ONLYOFFICE - - - $PersonalHeaderStart Hai bisogno di più funzionalità e automazione? Prova ONLYOFFICE per i team $PersonalHeaderEnd - -h3.Nel caso tu collabori con un team o gestisca un progetto, ti suggeriamo di provare ONLYOFFICE per le imprese. Oltre agli editor online e alle funzionalità di gestione dei documenti, potrai inoltre: - -- Controllare le attività e usa *Gantt* chart nel modulo di gestione del progetto; - -- Monitorare le vendite, i rapporti con i clienti e crea le fatture in *CRM*; - -- Gestire tutti i tuoi account di posta elettronica nell'e-mail *aggregatore*; - -- Impostare la comunicazione del team con messenger, blog, forum e wiki. - -Crea un singolo spazio di lavoro collaborativo per te e i tuoi compagni di squadra. - -Registrare una versione di prova "nel cloud":"https://www.onlyoffice.com/registration.aspx" o "sul server":"https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" senza limitazioni funzionali per 30 giorni e scopri come il tuo flusso di lavoro migliorerebbe immediatamente! - -Cordiali saluti, -il team ONLYOFFICE - - - $PersonalHeaderStart Collega il tuo cloud storage preferito a ONLYOFFICE $PersonalHeaderEnd - -È trascorsa una settimana da quando hai creato il tuo ufficio cloud, quindi crediamo che sia il momento di svelare alcune funzioni utili che potresti non aver notato. - -Collega *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud* o *Yandex.Disk* a ONLYOFFICE e crea un unico spazio di gestione dei documenti per tutti i tuoi documenti. Sarai in grado di modificare file esterni in ONLYOFFICE e salvarli nella memoria in cui tieni i documenti. Leggi i dettagli sulla connessione degli archivi di file su ONLYOFFICE "qui":"http://helpcenter.onlyoffice.com/tipstricks/add-resource aspx". - -Hai bisogno di più di gestione dei documenti? - -h3.Prova ONLYOFFICE per le aziende "nel cloud":"https://www.onlyoffice.com/cloud-office.aspx" o "sul tuo server":"https://www.onlyoffice.com/server-solutions.aspx" gratuitamente per 30 giorni e verificare le opportunità di gestione dei documenti estese insieme a un set di strumenti di business: - -- Gestire i documenti del team nei progetti; - -- Integrare i documenti con CRM e Email; - -- Condividi file a gruppi di utenti; - -- Ottimizza il tuo flusso di lavoro con gli strumenti di comunicazione del team. - -Interessato? Ulteriori informazioni su "ONLYOFFICE for business":"http://www.onlyoffice.com/document-management.aspx". - Cordiali saluti, il team ONLYOFFICE @@ -844,9 +765,6 @@ il team di ONLYOFFICE ${LetterLogoText}. Cambio dell'indirizzo del portale. - - Ottieni apps di ONLYOFFICE gratis - Unirsi su ${__VirtualRootPath} @@ -889,15 +807,6 @@ il team di ONLYOFFICE Benvenuto su ONLYOFFICE Personal - - Qualche consiglio per il lavoro freelance - - - Ti servono più funzionalità? Prova ONLYOFFICE for teams - - - Collega il tuo cloud storage preferito a ONLYOFFICE - ONLYOFFICE Personal. Si prega di attivare il tuo indirizzo email diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx index 92c60f43a7..14012f86ca 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.pt-BR.resx @@ -297,15 +297,6 @@ Por favor, clique no link abaixo para confirmar a operação: $GreenButton *Observe*: este link é válido apenas por 7 dias. Por favor, complete o processo de alteração do endereço do portal dentro do período. - - - Olá, $UserName! - -Obtenha gratuitamente aplicativos ONLYOFFICE para trabalhar em documentos e projetos de qualquer um de seus dispositivos. - -# Para trabalhar em documentos offline em Windows, Linux e Mac, baixe "ONLYOFFICE Desktop Editors": "https://www.onlyoffice.com/apps.aspx". -# Para editar documentos em dispositivos móveis, aplicativo ONLYOFFICE Documentos para "iOS": "https://itunes.apple.com/us/app/onlyoffice-documents/id944896972" ou "Android": "https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Para gerenciar o desempenho de sua equipe em movimento, obtenha Projetos ONLYOFFICE para "iOS": "https://itunes.apple.com/us/app/onlyoffice-projects/id1353395928". Olá, $UserName! @@ -539,52 +530,6 @@ h3.para um começo rápido, eis o que você pode fazer em ONLYOFFICE: Você também pode editar documentos offline com nossos "editores desktop" gratuitos: "https://www.onlyoffice.com/download-desktop.aspx" ou obter uma "suite de edição móvel": "https://www.onlyoffice.com/mobile.aspx" para seu dispositivo iOS ou Android. -Atenciosamente, -Equipe ONLYOFFICE - - - $PersonalHeaderStart Algumas dicas para freelancers $PersonalHeaderEnd - -h3.ONLYOFFICE fornece uma série de características para a comunidade freelance, quer você mesmo esteja em um contrato ou contratando para um projeto: - -- Compartilhamento para leituras, revisões ou colaboração; - -- Edição e comentários colaborativos em tempo real no modo Fast; - -- Modo de co-edição estrito para edição de partes do documento em modo privado; - -- Histórico de versões; - -- Rastreamento e sugestão de mudanças; - -- bate-papo embutido. - -Não há necessidade de baixar arquivos e enviá-los por e-mail. Basta compartilhá-los de seu escritório na nuvem com links externos e colaborar de onde quer que você esteja. - -Precisa de mais instrumentos de trabalho? - -As soluções ONLYOFFICE para negócios são gratuitas por um período experimental de 30 dias e oferecem a você ainda mais oportunidades de trabalho autônomo e distante. Por exemplo, você pode criar e enviar faturas a seus clientes, entre em contato com eles por e-mail e VoIP. Para saber mais sobre a ONLYOFFICE para o comércio, prossiga para nossa "Visão geral do CRM": "http://www.onlyoffice.com/crm.aspx". - -Atenciosamente, -Equipe ONLYOFFICE - - - $PersonalHeaderStart Precisa de mais recursos e automação? Experimente o ONLYOFFICE para equipes $PersonalHeaderEnd - -h3.caso você colabore com uma equipe ou gerencie um projeto, sugerimos que você experimente ONLYOFFICE Workspace. Além dos editores on-line e dos recursos de gerenciamento de documentos, você poderá: - -- Tarefas de controle e usar o gráfico *Gantt* no módulo de gerenciamento de projeto; - -- Rastrear vendas, relações com clientes e criar faturas em *CRM*; - -- Gerenciar todas as suas contas de e-mail no *aggregador* de e-mail; - -- Estabelecer comunicação da equipe com o messenger, blog, fóruns e wiki. - -Crie um único espaço de trabalho colaborativo para você e seus colegas de equipe. - -Registre um teste "na nuvem": "https://www.onlyoffice.com/registration.aspx" ou "em seu servidor": "https://www.onlyoffice.com/download-workspace.aspx?from=enterprise-edition" sem nenhuma restrição funcional por 30 dias e veja como seu fluxo de trabalho iria melhorar imediatamente! - Atenciosamente, Equipe ONLYOFFICE @@ -1060,9 +1005,6 @@ O link só é válido por 7 dias. ${LetterLogoText}. Alteração do endereço do portal - - Obtenha aplicações ONLYOFFICE gratuitas - Junte-se a ${__VirtualRootPath} @@ -1108,15 +1050,6 @@ O link só é válido por 7 dias. Bem vindo ao ONLYOFFICE Pessoal - - Algumas dicas para um trabalho freelance - - - Precisa de mais recursos? Experimente o ONLYOFFICE para equipes - - - Conecte seu armazenamento em nuvem favorito ao ONLYOFFICE - Assistência de senha pessoal ONLYOFFICE diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index f0620e4985..9b848e84a8 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -332,15 +332,6 @@ Please follow the link below to confirm the operation: $GreenButton *Note*: this link is valid for 7 days only. Please complete the portal address change process within that period. - - - Hello, $UserName! - -Get free ONLYOFFICE apps to work on documents and projects from any of your devices. - -#To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". -#To edit documents on mobile devices, get Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -#To manage your team performance on the go, get Projects for "iOS":"https://apps.apple.com/us/app/onlyoffice-projects/id1353395928" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". Hello, $UserName! @@ -582,80 +573,6 @@ h3.For a quick start, here's what you can do in ONLYOFFICE: You can also edit documents offline with our free "desktop editors":"https://www.onlyoffice.com/download-desktop.aspx" or get a mobile editing suite for your "iOS":"https://apps.apple.com/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents" device. -Sincerely, -ONLYOFFICE team - - - $PersonalHeaderStart A few tips for freelancers $PersonalHeaderEnd - -h3.ONLYOFFICE provides a number of features for freelance community whether you are on a contract or hiring for a project yourself: - -- Sharing for reads, reviews or collaboration; - -- Real-time collaborative editing and commenting in Fast mode; - -- Strict co-editing mode for editing parts of the document privately; - -- Creating and filling out digital forms, e.g. a freelance project proposal; - -- Document comparison and Version History; - -- Change tracking & suggesting; - -- Built-in chat, Telegram and Jitsi plugins. - -Need more work instruments?   - -Try a business cloud which allows you to manage events and mails, tasks and clients, make calls, and more. You can choose an absolutely free tariff for teams with up to 5 users: - -"START NOW":"https://www.onlyoffice.com/registration.aspx" - -Sincerely, -ONLYOFFICE team - - - $PersonalHeaderStart Need more features and automation? Give a try to ONLYOFFICE for teams $PersonalHeaderEnd - -h3.In case you collaborate with a team or manage a project, we suggest you to try ONLYOFFICE for business. In addition to the online editors and document management features, you'll be able to: - -- Control tasks and use Gantt chart in the project management module; - -- Track sales, relations with customers and create invoices in CRM; - -- Manage all your email accounts and create corporate mailboxes; - -- Create and share calendars, schedule group meetings; - -- Use advanced security features like SSO, 2FA or end-to-end encryption. - -Create a single collaborative workspace for you and your teammates "in the cloud":"https://www.onlyoffice.com/registration.aspx" or "on your server":"https://www.onlyoffice.com/download-workspace.aspx" and see how your workflow would immediately improve! You can take advantage of the "free tariff":"https://www.onlyoffice.com/saas.aspx" for teams with up to 5 users. - -Sincerely, -ONLYOFFICE team - - - $PersonalHeaderStart Connect your favorite cloud storage to ONLYOFFICE $PersonalHeaderEnd - -It has been a week since you created your cloud office, so we believe it's time to unveil some beneficial features you might have missed. - -Connect *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud* or *Yandex.Disk* to ONLYOFFICE and create a single document management space for all your documents. You'll be able to edit external files in ONLYOFFICE and save them to the storage you keep documents in. Read details about connecting file storages to ONLYOFFICE "here":"http://helpcenter.onlyoffice.com/tipstricks/add-resource.aspx". - -You can also integrate ONLYOFFICE editors into Google Drive using our "connector app":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -Need more of document management? - -h3.Try ONLYOFFICE for business "in the cloud":"https://www.onlyoffice.com/cloud-office.aspx" or "on your server":"https://www.onlyoffice.com/server-solutions.aspx" for free for 30 days and check out extended document management opportunities together with a business toolset: - -- Manage team documents in projects; - -- Integrate documents with CRM and Email; - -- Share files to groups of users; - -- Optimize your workflow with team communication tools. - -Interested? Learn more about "ONLYOFFICE for business":"http://www.onlyoffice.com/document-management.aspx". - Sincerely, ONLYOFFICE team @@ -1145,9 +1062,6 @@ The link is only valid for 7 days. ${LetterLogoText}. Change of portal address - - Get free desktop and mobile apps - Join ${__VirtualRootPath} @@ -1193,15 +1107,6 @@ The link is only valid for 7 days. Welcome to ONLYOFFICE Personal - - A few tips for freelance work - - - Need more features? Give a try to ONLYOFFICE for teams - - - Connect your favorite cloud storage to ONLYOFFICE - ONLYOFFICE Personal. Please activate your email address @@ -1838,9 +1743,6 @@ ONLYOFFICE Team Join ONLYOFFICE DocSpace - Get free ONLYOFFICE apps - - Hello, $UserName! Get free ONLYOFFICE apps to work on documents from any of your devices. @@ -1853,6 +1755,9 @@ Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" + + Get free ONLYOFFICE apps + Hello, $UserName! @@ -1883,4 +1788,36 @@ ONLYOFFICE Team Configure your ONLYOFFICE DocSpace + + Hello, $UserName! + +Get free ONLYOFFICE apps to work on documents from any of your devices. + +# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". + +#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Hello, $UserName! + +Get free ONLYOFFICE apps to work on documents from any of your devices. + +# To work on documents offline on Windows, Linux and Mac, download "ONLYOFFICE Desktop Editors":"https://www.onlyoffice.com/download-desktop.aspx". + +#To edit documents on mobile devices, get ONLYOFFICE Documents app for "iOS":"https://apps.apple.com/us/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" + + + Get free ONLYOFFICE apps + + + Get free ONLYOFFICE apps + \ No newline at end of file diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx index e920f537f2..1631537442 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.ru.resx @@ -284,15 +284,6 @@ $GreenButton $GreenButton *Обратите внимание*: эта ссылка действительна только 7 дней. Пожалуйста, выполните изменение адреса портала в течение этого времени. - - - Здравствуйте, $UserName! - -Скачайте бесплатные приложения ONLYOFFICE для работы с документами и проектами с любого устройства. - -# Чтобы работать с документами офлайн в ОС Windows, Linux и Mac, скачайте "десктопное приложение":"https://www.onlyoffice.com/ru/download-desktop.aspx". -# Чтобы редактировать документы на мобильных устройствах, используйте приложение ONLYOFFICE Документы для "iOS":"https://apps.apple.com/ru/app/onlyoffice-documents/id944896972" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents". -# Чтобы управлять работой команды, где бы вы ни были, скачайте приложение Проекты для "iOS":"https://apps.apple.com/ru/app/onlyoffice-projects/id1353395928" или "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.projects". Здравствуйте, $UserName! @@ -526,80 +517,6 @@ h3.Возможности тестового облака Р7-Офис: С уважением, Команда Р7-Офис - - - $PersonalHeaderStart Инструменты в помощь фрилансеру $PersonalHeaderEnd - -h3.Инструменты ONLYOFFICE будут полезны всем, кто работает на удаленной основе: - -- Предоставление доступа для просмотра документов, рецензирования или совместной работы; - -- Быстрый режим совместного редактирования и комментирования для работы в режиме реального времени; - -- Строгий режим совместного редактирования, позволяющий редактировать части документа приватно; - -- Создание и заполнение цифровых форм, например, предложений о выполнении проекта на удаленной основе; - -- Сравнение документов и История версий; - -- Возможность отслеживать и предлагать изменения; - -- Встроенный чат, плагины Telegram и Jitsi. - -Еще больше возможностей для удаленной работы - -Мы также предоставляем облачный сервис для бизнеса, который позволяет управлять мероприятиями, почтой, задачами, общением с клиентами, совершать звонки и многое другое. Вы можете выбрать абсолютно бесплатный тариф для команд, объединяющих до 5 пользователей. - -"НАЧАТЬ ПРЯМО СЕЙЧАС":"https://www.onlyoffice.com/ru/registration.aspx" - -С уважением, -команда ONLYOFFICE - - - $PersonalHeaderStart Еще больше возможностей и инструментов автоматизации. Попробуйте ONLYOFFICE для командной работы $PersonalHeaderEnd - -h3.Если вы работаете с командой или управляете проектом, предлагаем вам воспользоваться решением для бизнеса ONLYOFFICE. В дополнение к функционалу по онлайн-редактированию и управлению документами, вы сможете: - -- Контролировать выполнение задач, в том числе при помощи диаграммы Ганта, в модуле управления проектами; - -- Управлять продажами, отношениями с клиентами и выставлять счета в CRM; - -- Управлять всеми аккаунтами электронной почты и создавать корпоративные почтовые ящики; - -- Создавать календари и предоставлять к ним доступ, планировать мероприятия для групп пользователей; - -- Использовать расширенные функции безопасности, например, SSO, двухфакторную аутентификацию или сквозное шифрование. - -Создайте единое пространство для совместной работы для вас и участников вашей команды "в облаке":"https://www.onlyoffice.com/ru/registration.aspx" или "на собственном сервере":"https://www.onlyoffice.com/ru/download-workspace.aspx", и вы сразу же увидите, как повысится эффективность работы! Вы можете воспользоваться "бесплатным тарифом":"https://www.onlyoffice.com/ru/saas.aspx" для команд, объединяющих до 5 пользователей. - -С уважением, -команда ONLYOFFICE - - - $PersonalHeaderStart Подключите свое облачное хранилище к ONLYOFFICE $PersonalHeaderEnd - -Прошла неделя с тех пор, как вы создали свой облачный офис, и мы хотели бы рассказать вам о некоторых полезных возможностях, которые вы могли не заметить. - -Подключите *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud* или *Yandex.Disk* к ONLYOFFICE, чтобы создать единое пространство для управления всеми документами. Вы сможете редактировать сторонние файлы в ONLYOFFICE и сохранять их в том хранилище, где ведете документацию. Инструкции по подключению файловых хранилищ к ONLYOFFICE можно найти "здесь":"http://helpcenter.onlyoffice.com/tipstricks/add-resource.aspx". - -Вы также можете интегрировать редакторы ONLYOFFICE в Google Drive с помощью нашего "коннектора":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -Еще больше возможностей для управления документами - -h3.Попробуйте бизнес-решения ONLYOFFICE "в облаке":"https://www.onlyoffice.com/cloud-office.aspx" или "на собственном сервере":"https://www.onlyoffice.com/server-solutions.aspx". Они бесплатны в течение 30 дней пробного периода и наряду с набором инструментов для бизнеса включают в себя расширенные возможности управления документами: - -- Управление проектной документацией; - -- Интеграция с CRM и электронной почтой; - -- Индивидуальные и групповые права доступа; - -- Оптимизация рабочего процесса с помощью инструментов для взаимодействия с командой. - -Узнайте больше о возможностях "бизнес-версий ONLYOFFICE":"http://www.onlyoffice.com/document-management.aspx". - -С уважением, -команда ONLYOFFICE Хотите изменить адрес электронной почты в своем аккаунте ONLYOFFICE? @@ -1054,9 +971,6 @@ $GreenButton ${LetterLogoText}. Изменение адреса портала - - Скачайте бесплатные десктопные и мобильные приложения - Стать участником ${__VirtualRootPath} @@ -1102,15 +1016,6 @@ $GreenButton Добро пожаловать в ONLYOFFICE Personal - - Инструменты в помощь фрилансеру - - - Попробуйте ONLYOFFICE для командной работы - - - Подключите свое облачное хранилище к ONLYOFFICE - ONLYOFFICE Personal. Пожалуйста, активируйте Ваш адрес электронной почты diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.sk.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.sk.resx index 24862d84e7..5d1948f978 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.sk.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.sk.resx @@ -524,12 +524,6 @@ ONLYOFFICE Team Vitajte v službe ONLYOFFICE Personal - - Pár tipov pre nezávislú prácu - - - Pripojte svoje obľúbené cloud úložisko k ONLYOFFICE - ONLYOFFICE Personal. Aktivujte svoju e-mailovú adresu diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx index 84858c46e2..6e392e6449 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.tr.resx @@ -513,12 +513,6 @@ ONLYOFFICE Ekibi ${LetterLogoText}. Başka bir bölgeye portal taşıma başarıyla tamamlandı - - Serbest çalışma için birkaç ipucu - - - Favori bulut depolamanızı ONLYOFFICE'a bağlayın - ${__VirtualRootPath} portal deaktivasyonu diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx index 4cd7a69863..a658375b4a 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.zh-CN.resx @@ -477,9 +477,6 @@ ONLYOFFICE团队 ${LetterLogoText} 。另一个地区门户迁移成功完成 - - 自由职业者工作的一些贴士 - 禁用${__ VirtualRootPath}门户 diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index 05e8dbe3d3..b1243d9934 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -498,10 +498,10 @@ $activity.Key - - - - + + + + @@ -510,6 +510,13 @@ $activity.Key + + + + + + + @@ -545,18 +552,7 @@ $activity.Key - - - - - - - - - - - - + From 9bde9af67393dbdd9498d7018cd0949dcbbd3a87 Mon Sep 17 00:00:00 2001 From: Elyor Djalilov Date: Fri, 14 Oct 2022 12:21:42 +0500 Subject: [PATCH 17/87] Web: Client: add active sessions --- .../src/pages/Profile/Section/Footer/index.js | 102 ++++++++++++++++++ .../Section/Footer/styled-active-sessions.js | 86 +++++++++++++++ .../client/src/pages/Profile/Section/index.js | 1 + packages/client/src/pages/Profile/index.js | 13 ++- packages/common/components/Section/index.js | 21 +++- .../Section/sub-components/section-footer.js | 14 +++ packages/components/themes/base.js | 5 + packages/components/themes/dark.js | 4 + 8 files changed, 243 insertions(+), 3 deletions(-) create mode 100644 packages/client/src/pages/Profile/Section/Footer/index.js create mode 100644 packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js create mode 100644 packages/common/components/Section/sub-components/section-footer.js diff --git a/packages/client/src/pages/Profile/Section/Footer/index.js b/packages/client/src/pages/Profile/Section/Footer/index.js new file mode 100644 index 0000000000..24aa917d3b --- /dev/null +++ b/packages/client/src/pages/Profile/Section/Footer/index.js @@ -0,0 +1,102 @@ +import React from "react"; +import Text from "@docspace/components/text"; +import Link from "@docspace/components/link"; +import Box from "@docspace/components/box"; +import HelpButton from "@docspace/components/help-button"; +import { ReactSVG } from "react-svg"; +import { + StyledFooter, + Table, + TableHead, + TableRow, + TableHeaderCell, + TableBody, + TableDataCell, +} from "./styled-active-sessions"; + +const sessionRemove = ; + +const sessions = [ + { + name: "Windows 10", + desc: "(Chrome 100)", + date: "5/4/2022, 1:24 PM", + ip: "108.101.45.223, 171.18.0.9", + }, + { + name: "iOS 15 Apple iPhone", + desc: "(Mobile Safari 15)", + date: "5/4/2022, 1:24 PM", + ip: "75.100.45.223, 171.18.0.9", + }, + { + name: "Windows 8", + desc: "(Safari)", + date: "5/4/2022, 1:24 PM", + ip: "83.15.45.223, 171.18.0.9", + }, +]; + +const onClickLogoutSession = () => { + console.log("logout"); +}; + +const onClickRemoveSession = () => { + console.log("remove session"); +}; + +const ActiveSessions = () => { + return ( + + + Active Sessions + + + + Log out from all active sessions + + Paste you tooltip content here + } + /> + + + + + + Sessions + Date + IP-address + + + + {sessions.map((session) => ( + + + {session.name} + {session.desc} + + {session.date} + {session.ip} + {sessionRemove} + + ))} + +
+
+ ); +}; + +export default ActiveSessions; diff --git a/packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js b/packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js new file mode 100644 index 0000000000..2745bb1ce7 --- /dev/null +++ b/packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js @@ -0,0 +1,86 @@ +import styled from "styled-components"; + +export const StyledFooter = styled.div` + .session-logout { + font-size: 13px; + font-weight: 600; + } + .icon-button { + margin-left: 4px; + } +`; + +export const Table = styled.table` + width: 100%; + border-collapse: collapse; + margin-top: 4px; +`; + +export const TableHead = styled.thead` + font-size: 12px; +`; + +export const TableRow = styled.tr` + display: table-row; +`; + +export const TableHeaderCell = styled.th` + border-top: 1px solid ${(props) => props.theme.activeSessions.borderColor}; + border-bottom: 1px solid ${(props) => props.theme.activeSessions.borderColor}; + text-align: left; + font-weight: 600; + padding: 14px 0; + color: #a3a9ae; + position: relative; + border-top: 0; + + :not(:first-child):before { + content: ""; + position: absolute; + top: 17px; + left: -8px; + width: 1px; + height: 10px; + background: #d0d5da; + } +`; + +export const TableBody = styled.tbody` + font-size: 11px; +`; + +export const TableDataCell = styled.td` + border-top: 1px solid ${(props) => props.theme.activeSessions.borderColor}; + border-bottom: 1px solid ${(props) => props.theme.activeSessions.borderColor}; + text-align: left; + font-weight: 600; + padding: 14px 0; + color: #a3a9ae; + + span { + color: #a3a9ae; + margin-left: 5px; + } + + :first-child { + font-size: 13px; + color: ${(props) => props.theme.activeSessions.color}; + } + + :last-child { + text-align: center; + } + + svg { + cursor: pointer; + width: 20px; + height: 20px; + path { + fill: #a3a9ae; + } + @media (max-width: 575px) { + width: 16px; + height: 16px; + } + } +`; diff --git a/packages/client/src/pages/Profile/Section/index.js b/packages/client/src/pages/Profile/Section/index.js index 909b1fd4ae..874a5bafbf 100644 --- a/packages/client/src/pages/Profile/Section/index.js +++ b/packages/client/src/pages/Profile/Section/index.js @@ -1,2 +1,3 @@ export { default as SectionHeaderContent } from "./Header"; export { default as SectionBodyContent } from "./Body"; +export { default as SectionFooterContent } from "./Footer"; diff --git a/packages/client/src/pages/Profile/index.js b/packages/client/src/pages/Profile/index.js index 6bd694c33a..2b9c968d67 100644 --- a/packages/client/src/pages/Profile/index.js +++ b/packages/client/src/pages/Profile/index.js @@ -3,7 +3,12 @@ import PropTypes from "prop-types"; import Section from "@docspace/common/components/Section"; import toastr from "@docspace/components/toast/toastr"; -import { SectionHeaderContent, SectionBodyContent } from "./Section"; +import { + SectionHeaderContent, + SectionBodyContent, + SectionFooterContent, +} from "./Section"; + import { withRouter } from "react-router"; import withCultureNames from "@docspace/common/hoc/withCultureNames"; import { inject, observer } from "mobx-react"; @@ -75,7 +80,7 @@ class Profile extends React.Component { } render() { - //console.log("Profile render"); + // console.log("Profile render"); const { profile, showCatalog, isAdmin } = this.props; @@ -88,6 +93,10 @@ class Profile extends React.Component { + + + + ); } diff --git a/packages/common/components/Section/index.js b/packages/common/components/Section/index.js index 85c384f13d..f985d82ef1 100644 --- a/packages/common/components/Section/index.js +++ b/packages/common/components/Section/index.js @@ -23,6 +23,8 @@ import InfoPanel from "./sub-components/info-panel"; import SubInfoPanelBody from "./sub-components/info-panel-body"; import SubInfoPanelHeader from "./sub-components/info-panel-header"; +import SubSectionFooter from "./sub-components/section-footer"; + import ReactResizeDetector from "react-resize-detector"; import FloatingButton from "../FloatingButton"; import { inject, observer } from "mobx-react"; @@ -50,6 +52,11 @@ function SectionBody() { } SectionBody.displayName = "SectionBody"; +function SectionFooter() { + return null; +} +SectionFooter.displayName = "SectionFooter"; + function SectionPaging() { return null; } @@ -69,6 +76,7 @@ class Section extends React.Component { static SectionHeader = SectionHeader; static SectionFilter = SectionFilter; static SectionBody = SectionBody; + static SectionFooter = SectionFooter; static SectionPaging = SectionPaging; static InfoPanelBody = InfoPanelBody; @@ -159,6 +167,7 @@ class Section extends React.Component { let sectionFilterContent = null; let sectionPagingContent = null; let sectionBodyContent = null; + let sectionFooterContent = null; let infoPanelBodyContent = null; let infoPanelHeaderContent = null; @@ -173,13 +182,15 @@ class Section extends React.Component { case SectionFilter.displayName: sectionFilterContent = child; break; - case SectionPaging.displayName: sectionPagingContent = child; break; case SectionBody.displayName: sectionBodyContent = child; break; + case SectionFooter.displayName: + sectionFooterContent = child; + break; case InfoPanelBody.displayName: infoPanelBodyContent = child; break; @@ -297,6 +308,12 @@ class Section extends React.Component { : null} + + {sectionFooterContent + ? sectionFooterContent.props.children + : null} + + {isSectionPagingAvailable && ( {sectionPagingContent @@ -353,6 +370,7 @@ class Section extends React.Component { <> )} + {isInfoPanelAvailable && ( @@ -443,6 +461,7 @@ Section.SectionHeader = SectionHeader; Section.SectionFilter = SectionFilter; Section.SectionBody = SectionBody; Section.SectionPaging = SectionPaging; +Section.SectionFooter = SectionFooter; export default inject(({ auth }) => { const { infoPanelStore, settingsStore } = auth; diff --git a/packages/common/components/Section/sub-components/section-footer.js b/packages/common/components/Section/sub-components/section-footer.js new file mode 100644 index 0000000000..4a2e6d501d --- /dev/null +++ b/packages/common/components/Section/sub-components/section-footer.js @@ -0,0 +1,14 @@ +import React from "react"; +import styled from "styled-components"; + +const StyledSectionFooter = styled.div` + margin-top: 40px; +`; + +const SectionFooter = ({ children }) => { + return {children}; +}; + +SectionFooter.displayName = "SectionFooter"; + +export default SectionFooter; diff --git a/packages/components/themes/base.js b/packages/components/themes/base.js index eb277cf7cc..6f5d875e87 100644 --- a/packages/components/themes/base.js +++ b/packages/components/themes/base.js @@ -2937,6 +2937,11 @@ const Base = { border: "1px solid #eceef1", }, }, + + activeSessions: { + color: "#333", + borderColor: "#eceef1", + }, }; export default Base; diff --git a/packages/components/themes/dark.js b/packages/components/themes/dark.js index 19403895c0..eb93ada007 100644 --- a/packages/components/themes/dark.js +++ b/packages/components/themes/dark.js @@ -2944,6 +2944,10 @@ const Dark = { border: "1px solid #858585", }, }, + activeSessions: { + color: "#eeeeee", + borderColor: "#858585", + }, }; export default Dark; From c407a412b360d0efd3490065126a7a05e724eab7 Mon Sep 17 00:00:00 2001 From: diana-vahomskaya Date: Mon, 17 Oct 2022 14:40:42 +0300 Subject: [PATCH 18/87] fix --- ...WebstudioNotifyPatternResource.Designer.cs | 32 +++++++------------ .../WebstudioNotifyPatternResource.resx | 16 +++++----- 2 files changed, 20 insertions(+), 28 deletions(-) diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index 3647a50ba0..713caf2cd1 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -656,7 +656,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". /// ///Please confirm your email (the link is valid for 7 days): /// @@ -671,9 +671,7 @@ namespace ASC.Web.Core.PublicResources { /// ///Enjoy a new way of document collaboration! /// - ///Truly yours, - ///ONLYOFFICE Team - ///"w [rest of string was truncated]";. + ///Truly [rest of string was truncated]";. /// public static string pattern_enterprise_admin_activation_v1 { get { @@ -776,7 +774,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello! /// - ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + ///You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: /// ///$GreenButton /// @@ -810,7 +808,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". /// ///Please confirm your email (the link is valid for 7 days): /// @@ -825,9 +823,7 @@ namespace ASC.Web.Core.PublicResources { /// ///Enjoy a new way of document collaboration! /// - ///Truly yours, - ///ONLYOFFICE Team - ///"w [rest of string was truncated]";. + ///Truly [rest of string was truncated]";. /// public static string pattern_enterprise_whitelabel_admin_activation_v1 { get { @@ -890,7 +886,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello! /// - ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + ///You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}"o. Accept the invitation by clicking the link: /// ///$GreenButton /// @@ -1102,7 +1098,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". /// ///Please confirm your email (the link is valid for 7 days): /// @@ -1117,9 +1113,7 @@ namespace ASC.Web.Core.PublicResources { /// ///Enjoy a new way of document collaboration! /// - ///Truly yours, - ///ONLYOFFICE Team - ///"w [rest of string was truncated]";. + ///Truly [rest of string was truncated]";. /// public static string pattern_opensource_admin_activation_v1 { get { @@ -1204,7 +1198,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello! /// - ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + ///You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: /// ///$GreenButton /// @@ -1735,7 +1729,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello, $UserName! /// - ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. + ///You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". /// ///Please confirm your email (the link is valid for 7 days): /// @@ -1750,9 +1744,7 @@ namespace ASC.Web.Core.PublicResources { /// ///Enjoy a new way of document collaboration! /// - ///Truly yours, - ///ONLYOFFICE Team - ///"w [rest of string was truncated]";. + ///Truly [rest of string was truncated]";. /// public static string pattern_saas_admin_activation_v1 { get { @@ -1895,7 +1887,7 @@ namespace ASC.Web.Core.PublicResources { /// /// Looks up a localized string similar to Hello! /// - ///You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: + ///You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: /// ///$GreenButton /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index 9b848e84a8..7712104f9f 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -1250,7 +1250,7 @@ Don’t want to change your password? Just ignore this message. Hello, $UserName! -You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". Please confirm your email (the link is valid for 7 days): @@ -1272,7 +1272,7 @@ ONLYOFFICE Team Hello, $UserName! -You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". Please confirm your email (the link is valid for 7 days): @@ -1294,7 +1294,7 @@ ONLYOFFICE Team Hello, $UserName! -You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". Please confirm your email (the link is valid for 7 days): @@ -1316,7 +1316,7 @@ ONLYOFFICE Team Hello, $UserName! -You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is _____onlyoffice.io. +You have just created ONLYOFFICE DocSpace, a document hub where you can boost collaboration with your team, customers, partners, and more. Its address is "${__VirtualRootPath}":"${__VirtualRootPath}". Please confirm your email (the link is valid for 7 days): @@ -1689,7 +1689,7 @@ ONLYOFFICE Team Hello! -You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: +You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: $GreenButton @@ -1700,7 +1700,7 @@ ONLYOFFICE Team Hello! -You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: +You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}"o. Accept the invitation by clicking the link: $GreenButton @@ -1711,7 +1711,7 @@ ONLYOFFICE Team Hello! -You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: +You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: $GreenButton @@ -1722,7 +1722,7 @@ ONLYOFFICE Team Hello! -You are invited to join ONLYOFFICE DocSpace at _____onlyoffice.io. Accept the invitation by clicking the link: +You are invited to join ONLYOFFICE DocSpace at "${__VirtualRootPath}":"${__VirtualRootPath}". Accept the invitation by clicking the link: $GreenButton From ac0e87e5813a75195afc531706771a87e541b29b Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Wed, 19 Oct 2022 14:48:48 +0300 Subject: [PATCH 19/87] Quota: fix --- products/ASC.People/Server/Api/UserController.cs | 8 ++------ 1 file changed, 2 insertions(+), 6 deletions(-) diff --git a/products/ASC.People/Server/Api/UserController.cs b/products/ASC.People/Server/Api/UserController.cs index e77c469881..bc89ad0591 100644 --- a/products/ASC.People/Server/Api/UserController.cs +++ b/products/ASC.People/Server/Api/UserController.cs @@ -58,8 +58,7 @@ public class UserController : PeopleControllerBase private readonly SettingsManager _settingsManager; private readonly RoomLinkService _roomLinkService; private readonly FileSecurity _fileSecurity; - private readonly IQuotaService _quotaService; - private readonly FilesSpaceUsageStatManager _filesSpaceUsageStatManager; + private readonly IQuotaService _quotaService; private readonly UsersQuotaSyncOperation _usersQuotaSyncOperation; private readonly CountManagerChecker _countManagerChecker; private readonly CountUserChecker _countUserChecker; @@ -101,9 +100,7 @@ public class UserController : PeopleControllerBase SettingsManager settingsManager, RoomLinkService roomLinkService, FileSecurity fileSecurity, - - FilesSpaceUsageStatManager filesSpaceUsageStatManager, - UsersQuotaSyncOperation usersQuotaSyncOperation) + UsersQuotaSyncOperation usersQuotaSyncOperation, CountManagerChecker countManagerChecker, CountUserChecker activeUsersChecker, UsersInRoomChecker usersInRoomChecker, @@ -144,7 +141,6 @@ public class UserController : PeopleControllerBase _usersInRoomChecker = usersInRoomChecker; _usersInRoomStatistic = usersInRoomStatistic; _quotaService = quotaService; - _filesSpaceUsageStatManager = filesSpaceUsageStatManager; _usersQuotaSyncOperation = usersQuotaSyncOperation; } From d819128bdbf91468ccfbc1c8a91c726926c28e57 Mon Sep 17 00:00:00 2001 From: Elyor Djalilov Date: Wed, 19 Oct 2022 18:30:22 +0500 Subject: [PATCH 20/87] Web:Client:ActiveSessions: added translations --- packages/client/public/images/tick.svg | 3 + .../client/public/locales/en/Profile.json | 3 + .../src/pages/Profile/Section/Footer/index.js | 116 +++++++++++------- .../Section/Footer/styled-active-sessions.js | 32 ++--- .../client/src/store/SettingsSetupStore.js | 12 ++ packages/common/api/settings/index.js | 23 ++++ public/locales/en/Common.json | 3 + 7 files changed, 133 insertions(+), 59 deletions(-) create mode 100644 packages/client/public/images/tick.svg diff --git a/packages/client/public/images/tick.svg b/packages/client/public/images/tick.svg new file mode 100644 index 0000000000..0eac2a81e9 --- /dev/null +++ b/packages/client/public/images/tick.svg @@ -0,0 +1,3 @@ + + + diff --git a/packages/client/public/locales/en/Profile.json b/packages/client/public/locales/en/Profile.json index a4a6ebb13e..699bb3147a 100644 --- a/packages/client/public/locales/en/Profile.json +++ b/packages/client/public/locales/en/Profile.json @@ -1,4 +1,5 @@ { + "ActiveSessions": "Active Sessions", "ChangeEmailSuccess": "Email has been changed successfully", "ChangesApplied": "Changes are applied", "ConnectSocialNetworks": "Сonnect your social networks", @@ -12,6 +13,8 @@ "InviteAgainLbl": "Invite again", "LightTheme": "Light theme", "LoginSettings": "Login settings", + "LogoutAllActiveSessions": "Log out from all active sessions", + "LogoutAllActiveSessionsDescription": "All active connections except this connection will be logged out, as it is currently in use.", "MessageEmailActivationInstuctionsSentOnEmail": "The email activation instructions have been sent to the {{ email }} email address", "MyProfile": "My profile", "PhoneLbl": "Phone", diff --git a/packages/client/src/pages/Profile/Section/Footer/index.js b/packages/client/src/pages/Profile/Section/Footer/index.js index 24aa917d3b..a623bdd3c3 100644 --- a/packages/client/src/pages/Profile/Section/Footer/index.js +++ b/packages/client/src/pages/Profile/Section/Footer/index.js @@ -1,9 +1,12 @@ -import React from "react"; +import React, { useState, useEffect } from "react"; +import { inject, observer } from "mobx-react"; +import { useTranslation } from "react-i18next"; +import { ReactSVG } from "react-svg"; import Text from "@docspace/components/text"; import Link from "@docspace/components/link"; import Box from "@docspace/components/box"; import HelpButton from "@docspace/components/help-button"; -import { ReactSVG } from "react-svg"; + import { StyledFooter, Table, @@ -14,42 +17,55 @@ import { TableDataCell, } from "./styled-active-sessions"; -const sessionRemove = ; +const removeIcon = ( + +); +const tickIcon = ( + +); -const sessions = [ - { - name: "Windows 10", - desc: "(Chrome 100)", - date: "5/4/2022, 1:24 PM", - ip: "108.101.45.223, 171.18.0.9", - }, - { - name: "iOS 15 Apple iPhone", - desc: "(Mobile Safari 15)", - date: "5/4/2022, 1:24 PM", - ip: "75.100.45.223, 171.18.0.9", - }, - { - name: "Windows 8", - desc: "(Safari)", - date: "5/4/2022, 1:24 PM", - ip: "83.15.45.223, 171.18.0.9", - }, -]; +const ActiveSessions = ({ + userId, + getAllSessions, + removeAllSessions, + removeSession, +}) => { + const [sessions, setSessions] = useState([]); + const [currentSession, setCurrentSession] = useState(0); + const { t } = useTranslation(["Profile", "Common"]); -const onClickLogoutSession = () => { - console.log("logout"); -}; + useEffect(() => { + getAllSessions().then((res) => { + setSessions(res.items); + setCurrentSession(res.loginEvent); + }); + }, []); -const onClickRemoveSession = () => { - console.log("remove session"); -}; + const onClickRemoveAllSessions = () => { + if (sessions.length > 1) { + removeAllSessions(userId).then(() => + getAllSessions().then((res) => setSessions(res.items)) + ); + } + }; + + const onClickRemoveSession = (id) => { + const foundSession = sessions.find((s) => s.id === id); + if (foundSession.id !== currentSession) { + removeSession(foundSession.id).then(() => + getAllSessions().then((res) => setSessions(res.items)) + ); + } + }; + + const convertTime = (date) => { + return new Date(date).toLocaleString("en-US"); + }; -const ActiveSessions = () => { return ( - Active Sessions + {t("Profile:ActiveSessions")} { className="session-logout" type="action" isHovered - onClick={onClickLogoutSession} + onClick={onClickRemoveAllSessions} > - Log out from all active sessions + {t("Profile:LogoutAllActiveSessions")} Paste you tooltip content here + + {t("Profile:LogoutAllActiveSessionsDescription")} + } /> @@ -76,21 +94,24 @@ const ActiveSessions = () => { - Sessions - Date - IP-address + {t("Common:Sessions")} + {t("Common:Date")} + {t("Common:IpAddress")} {sessions.map((session) => ( - + - {session.name} - {session.desc} + {session.platform} + ({session.browser}) + {currentSession === session.id ? tickIcon : null} - {session.date} + {convertTime(session.date)} {session.ip} - {sessionRemove} + onClickRemoveSession(session.id)}> + {currentSession !== session.id ? removeIcon : null} + ))} @@ -99,4 +120,13 @@ const ActiveSessions = () => { ); }; -export default ActiveSessions; +export default inject(({ auth, setup }) => { + const { getAllSessions, removeAllSessions, removeSession } = setup; + return { + userId: auth.userStore.user.id, + logout: auth.logout, + getAllSessions, + removeAllSessions, + removeSession, + }; +})(observer(ActiveSessions)); diff --git a/packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js b/packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js index 2745bb1ce7..fcc989f8ca 100644 --- a/packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js +++ b/packages/client/src/pages/Profile/Section/Footer/styled-active-sessions.js @@ -57,30 +57,30 @@ export const TableDataCell = styled.td` padding: 14px 0; color: #a3a9ae; - span { - color: #a3a9ae; - margin-left: 5px; - } - :first-child { font-size: 13px; color: ${(props) => props.theme.activeSessions.color}; + span { + color: #a3a9ae; + margin-left: 5px; + } } :last-child { text-align: center; } - - svg { - cursor: pointer; - width: 20px; - height: 20px; - path { - fill: #a3a9ae; - } - @media (max-width: 575px) { - width: 16px; - height: 16px; + .remove-icon { + svg { + cursor: pointer; + width: 20px; + height: 20px; + path { + fill: #a3a9ae; + } + @media (max-width: 575px) { + width: 16px; + height: 16px; + } } } `; diff --git a/packages/client/src/store/SettingsSetupStore.js b/packages/client/src/store/SettingsSetupStore.js index 73807886c6..f4e544963c 100644 --- a/packages/client/src/store/SettingsSetupStore.js +++ b/packages/client/src/store/SettingsSetupStore.js @@ -344,6 +344,18 @@ class SettingsSetupStore { this.setCommonThirdPartyList(res); }; + + getAllSessions = () => { + return api.settings.getAllActiveSessions(); + }; + + removeAllSessions = (userId) => { + return api.settings.removeAllActiveSessions(userId); + }; + + removeSession = (id) => { + return api.settings.removeActiveSession(id); + }; } export default SettingsSetupStore; diff --git a/packages/common/api/settings/index.js b/packages/common/api/settings/index.js index 41ee6b0ffd..eaa2c851db 100644 --- a/packages/common/api/settings/index.js +++ b/packages/common/api/settings/index.js @@ -625,3 +625,26 @@ export function getPortalQuota() { url: `/settings/quota`, }); } + +export function getAllActiveSessions() { + return request({ + method: "get", + url: "/security/activeconnections", + }); +} + +export function removeAllActiveSessions(userId) { + return request({ + method: "put", + url: `/security/activeconnections/logoutall/${userId}`, + data: { userId }, + }); +} + +export function removeActiveSession(eventId) { + return request({ + method: "put", + url: `/security/activeconnections/logout/${eventId}`, + data: { eventId }, + }); +} diff --git a/public/locales/en/Common.json b/public/locales/en/Common.json index 5543d02ed0..7a8539a6c4 100644 --- a/public/locales/en/Common.json +++ b/public/locales/en/Common.json @@ -68,6 +68,7 @@ "Culture_uk-UA": "Українська (Україна)", "Culture_vi": "Tiếng Việt (Việt Nam)", "Culture_zh-CN": "中文(简体,中国)", + "Date": "Date", "Delete": "Delete", "Department": "Department", "Disconnect": "Disconnect", @@ -100,6 +101,7 @@ "IncorrectLocalPart": "Incorrect local part", "Info": "Info", "Invite": "Invite", + "IpAddress": "IP-address", "Kilobyte": "KB", "Language": "Language", "LastName": "Last name", @@ -164,6 +166,7 @@ "SaveButton": "Save", "SaveHereButton": "Save here", "Search": "Search", + "Sessions": "Sessions", "SelectAction": "Select", "SelectAll": "Select all", "SendButton": "Send", From ea86b81c7eeee4d352a9da47d94a3ab3ea1971b6 Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Wed, 19 Oct 2022 18:04:31 +0300 Subject: [PATCH 21/87] Quota: fix --- .../Context/Impl/AuthManager.cs | 6 ----- .../FilesSpaceUsageStatManager.cs | 5 ++-- .../Core/Core/UsersQuotaSyncOperation.cs | 25 ++++++------------- web/ASC.Web.Core/SpaceUsageStatManager.cs | 2 +- 4 files changed, 10 insertions(+), 28 deletions(-) diff --git a/common/ASC.Core.Common/Context/Impl/AuthManager.cs b/common/ASC.Core.Common/Context/Impl/AuthManager.cs index f45b0980ad..80d0c1118b 100644 --- a/common/ASC.Core.Common/Context/Impl/AuthManager.cs +++ b/common/ASC.Core.Common/Context/Impl/AuthManager.cs @@ -60,12 +60,6 @@ public class AuthManager public IAccount GetAccountByID(int tenantId, Guid id) { - var tenant = _tenantManager.GetCurrentTenant(false); - if (tenant == null) - { - _tenantManager.SetCurrentTenant(tenantId); - } - var s = Configuration.Constants.SystemAccounts.FirstOrDefault(a => a.ID == id); if (s != null) { diff --git a/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs b/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs index e399d38621..09d6fac8aa 100644 --- a/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs +++ b/products/ASC.Files/Core/Configuration/FilesSpaceUsageStatManager.cs @@ -130,10 +130,9 @@ public class FilesSpaceUsageStatManager : SpaceUsageStatManager, IUserSpaceUsage .SumAsync(r => r.ContentLength); } - public async Task RecalculateUserQuota(int TenantId, Guid userId) + public void RecalculateUserQuota(int TenantId, Guid userId) { - - var size = await GetUserSpaceUsageAsync(userId); + var size = GetUserSpaceUsageAsync(userId).Result; _tenantManager.SetTenantQuotaRow( new TenantQuotaRow { Tenant = TenantId, Path = $"/{FileConstant.ModuleId}/", Counter = size, Tag = WebItemManager.DocumentsProductID.ToString(), UserId = userId, LastModified = DateTime.UtcNow }, diff --git a/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs index 6d22ab92a2..9ac4cdef4a 100644 --- a/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs +++ b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs @@ -82,9 +82,6 @@ public class UsersQuotaSyncJob : DistributedTaskProgress { private readonly IServiceScopeFactory _serviceScopeFactory; private readonly IDaoFactory _daoFactory; - private readonly WebItemManagerSecurity _webItemManagerSecurity; - private readonly SecurityContext _securityContext; - private readonly AuthManager _authentication; protected readonly IDbContextFactory _dbContextFactory; @@ -103,24 +100,16 @@ public class UsersQuotaSyncJob : DistributedTaskProgress } } - public UsersQuotaSyncJob(IServiceScopeFactory serviceScopeFactory, - IDaoFactory daoFactory, - WebItemManagerSecurity webItemManagerSecurity, - SecurityContext securityContext, - AuthManager authentication - ) + public UsersQuotaSyncJob(IServiceScopeFactory serviceScopeFactory, IDaoFactory daoFactory) { _serviceScopeFactory = serviceScopeFactory; _daoFactory = daoFactory; - _webItemManagerSecurity = webItemManagerSecurity; - _securityContext = securityContext; - _authentication = authentication; } public void InitJob(Tenant tenant) { TenantId = tenant.Id; } - protected override async void DoJob() + protected override void DoJob() { try { @@ -128,9 +117,10 @@ public class UsersQuotaSyncJob : DistributedTaskProgress var _tenantManager = scope.ServiceProvider.GetRequiredService(); var _userManager = scope.ServiceProvider.GetRequiredService(); - - _tenantManager.SetCurrentTenant(TenantId); - + var _authentication = scope.ServiceProvider.GetRequiredService(); + var _securityContext = scope.ServiceProvider.GetRequiredService(); + var _webItemManagerSecurity = scope.ServiceProvider.GetRequiredService(); + var users = _userManager.GetUsers(); var webItems = _webItemManagerSecurity.GetItems(Web.Core.WebZones.WebZoneType.All, ItemAvailableState.All); @@ -150,8 +140,7 @@ public class UsersQuotaSyncJob : DistributedTaskProgress { continue; } - - await manager.RecalculateUserQuota(TenantId, user.Id); + manager.RecalculateUserQuota(TenantId, user.Id); } } diff --git a/web/ASC.Web.Core/SpaceUsageStatManager.cs b/web/ASC.Web.Core/SpaceUsageStatManager.cs index fd2b58b4ca..936ff575ec 100644 --- a/web/ASC.Web.Core/SpaceUsageStatManager.cs +++ b/web/ASC.Web.Core/SpaceUsageStatManager.cs @@ -44,5 +44,5 @@ public interface IUserSpaceUsage { Task GetUserSpaceUsageAsync(Guid userId); - Task RecalculateUserQuota(int tenantId, Guid userId); + void RecalculateUserQuota(int tenantId, Guid userId); } From 2927cdb66be2aad07b7002051f9987efee5668a1 Mon Sep 17 00:00:00 2001 From: Andrey Savihin Date: Thu, 20 Oct 2022 13:50:08 +0300 Subject: [PATCH 22/87] Notify: small fix --- web/ASC.Web.Core/Notify/Actions.cs | 8 +-- .../Notify/StudioNotifyService.cs | 8 +-- web/ASC.Web.Core/Notify/StudioNotifySource.cs | 2 +- .../Notify/StudioPeriodicNotify.cs | 22 ++++--- .../CustomModeResource.Designer.cs | 33 +++------- .../CustomModeResource.az.resx | 53 ---------------- .../CustomModeResource.de.resx | 52 ---------------- .../CustomModeResource.es.resx | 57 ----------------- .../CustomModeResource.fr.resx | 57 ----------------- .../CustomModeResource.it.resx | 52 ---------------- .../CustomModeResource.ja.resx | 56 ----------------- .../CustomModeResource.pt-BR.resx | 55 ---------------- .../PublicResources/CustomModeResource.resx | 62 +++++-------------- .../CustomModeResource.ru.resx | 57 ----------------- ...WebstudioNotifyPatternResource.Designer.cs | 51 +++------------ .../WebstudioNotifyPatternResource.el.resx | 3 - .../WebstudioNotifyPatternResource.resx | 28 +-------- .../PublicResources/webstudio_patterns.xml | 10 +-- 18 files changed, 54 insertions(+), 612 deletions(-) diff --git a/web/ASC.Web.Core/Notify/Actions.cs b/web/ASC.Web.Core/Notify/Actions.cs index 428bd1bc6e..23861d8e16 100644 --- a/web/ASC.Web.Core/Notify/Actions.cs +++ b/web/ASC.Web.Core/Notify/Actions.cs @@ -71,8 +71,6 @@ public static class Actions public static readonly INotifyAction MailboxWithoutSettingsCreated = new NotifyAction("mailbox_without_settings_created"); public static readonly INotifyAction MailboxPasswordChanged = new NotifyAction("mailbox_password_changed"); - public static readonly INotifyAction EnterpriseWhitelabelUserWelcomeCustomMode = new NotifyAction("enterprise_whitelabel_user_welcome_custom_mode"); - public static readonly INotifyAction SaasGuestActivationV115 = new NotifyAction("saas_guest_activation_v115"); public static readonly INotifyAction EnterpriseGuestActivationV10 = new NotifyAction("enterprise_guest_activation_v10"); public static readonly INotifyAction EnterpriseWhitelabelGuestActivationV10 = new NotifyAction("enterprise_whitelabel_guest_activation_v10"); @@ -83,11 +81,6 @@ public static class Actions public static readonly INotifyAction EnterpriseWhitelabelGuestWelcomeV10 = new NotifyAction("enterprise_whitelabel_guest_welcome_v10"); public static readonly INotifyAction OpensourceGuestWelcomeV11 = new NotifyAction("opensource_guest_welcome_v11"); - public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningBefore7V10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_before7_v10"); - public static readonly INotifyAction EnterpriseWhitelabelAdminPaymentWarningV10 = new NotifyAction("enterprise_whitelabel_admin_payment_warning_v10"); - - public static readonly INotifyAction SaasAdminComfortTipsV115 = new NotifyAction("saas_admin_comfort_tips_v115"); - public static readonly INotifyAction PersonalActivate = new NotifyAction("personal_activate"); public static readonly INotifyAction PersonalAfterRegistration1 = new NotifyAction("personal_after_registration1"); public static readonly INotifyAction PersonalConfirmation = new NotifyAction("personal_confirmation"); @@ -136,6 +129,7 @@ public static class Actions public static readonly INotifyAction SaasUserWelcomeV1 = new NotifyAction("saas_user_welcome_v1"); public static readonly INotifyAction EnterpriseUserWelcomeV1 = new NotifyAction("enterprise_user_welcome_v1"); public static readonly INotifyAction EnterpriseWhitelabelUserWelcomeV1 = new NotifyAction("enterprise_whitelabel_user_welcome_v1"); + public static readonly INotifyAction EnterpriseWhitelabelUserWelcomeCustomModeV1 = new NotifyAction("enterprise_whitelabel_user_welcome_custom_mode_v1"); public static readonly INotifyAction OpensourceUserWelcomeV1 = new NotifyAction("opensource_user_welcome_v1"); public static readonly INotifyAction SaasUserActivationV1 = new NotifyAction("saas_user_activation_v1"); diff --git a/web/ASC.Web.Core/Notify/StudioNotifyService.cs b/web/ASC.Web.Core/Notify/StudioNotifyService.cs index 642a53b55f..fb928c69a9 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifyService.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifyService.cs @@ -355,7 +355,7 @@ public class StudioNotifyService notifyAction = defaultRebranding ? Actions.EnterpriseUserWelcomeV1 : _coreBaseSettings.CustomMode - ? Actions.EnterpriseWhitelabelUserWelcomeCustomMode + ? Actions.EnterpriseWhitelabelUserWelcomeCustomModeV1 : Actions.EnterpriseWhitelabelUserWelcomeV1; footer = null; } @@ -369,7 +369,7 @@ public class StudioNotifyService notifyAction = Actions.SaasUserWelcomeV1; } - string greenButtonText() => WebstudioNotifyPatternResource.CollaborateDocSpace; + string greenButtonText() => WebstudioNotifyPatternResource.ButtonCollaborateDocSpace; _client.SendNoticeToAsync( notifyAction, @@ -377,7 +377,7 @@ public class StudioNotifyService new[] { EMailSenderName }, new TagValue(Tags.UserName, newUserInfo.FirstName.HtmlEncode()), new TagValue(Tags.MyStaffLink, GetMyStaffLink()), - TagValues.GreenButton(greenButtonText, $"{_commonLinkUtility.GetFullAbsolutePath("~")}/rooms/personal/"), + TagValues.GreenButton(greenButtonText, _commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/')), new TagValue(CommonTags.Footer, footer), new TagValue(CommonTags.MasterTemplate, _coreBaseSettings.Personal ? "HtmlMasterPersonal" : "HtmlMaster")); } @@ -684,7 +684,7 @@ public class StudioNotifyService public void SendMsgPortalDeletionSuccess(UserInfo owner, string url) { - static string greenButtonText() => WebstudioNotifyPatternResource.LeaveFeedbackDocSpace; + static string greenButtonText() => WebstudioNotifyPatternResource.ButtonLeaveFeedback; _client.SendNoticeToAsync( Actions.PortalDeleteSuccessV1, diff --git a/web/ASC.Web.Core/Notify/StudioNotifySource.cs b/web/ASC.Web.Core/Notify/StudioNotifySource.cs index 8d0043534d..e930e59011 100644 --- a/web/ASC.Web.Core/Notify/StudioNotifySource.cs +++ b/web/ASC.Web.Core/Notify/StudioNotifySource.cs @@ -136,7 +136,7 @@ public class StudioNotifySource : NotifySource Actions.SaasUserWelcomeV1, Actions.EnterpriseUserWelcomeV1, Actions.EnterpriseWhitelabelUserWelcomeV1, - Actions.EnterpriseWhitelabelUserWelcomeCustomMode, + Actions.EnterpriseWhitelabelUserWelcomeCustomModeV1, Actions.OpensourceUserWelcomeV1, Actions.SaasUserActivationV1, diff --git a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs index 477aba2ea0..20d720a7b1 100644 --- a/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs +++ b/web/ASC.Web.Core/Notify/StudioPeriodicNotify.cs @@ -152,8 +152,8 @@ public class StudioPeriodicNotify paymentMessage = false; toadmins = true; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonAccessYouWebOffice; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/portal-settings/"; + greenButtonText = () => WebstudioNotifyPatternResource.ButtonConfigureRightNow; + greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~/portal-settings/"); } #endregion @@ -167,8 +167,8 @@ public class StudioPeriodicNotify toadmins = true; tousers = true; - greenButtonText = () => WebstudioNotifyPatternResource.CollaborateDocSpace; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/rooms/personal/"; + greenButtonText = () => WebstudioNotifyPatternResource.ButtonCollaborateDocSpace; + greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/'); } #endregion @@ -194,7 +194,7 @@ public class StudioPeriodicNotify action = Actions.SaasAdminTrialWarningAfterHalfYearV1; toowner = true; - greenButtonText = () => WebstudioNotifyPatternResource.LeaveFeedbackDocSpace; + greenButtonText = () => WebstudioNotifyPatternResource.ButtonLeaveFeedback; var owner = _userManager.GetUsers(tenant.OwnerId); greenButtonUrl = _setupInfo.TeamlabSiteRedirect + "/remove-portal-feedback-form.aspx#" + @@ -229,7 +229,7 @@ public class StudioPeriodicNotify action = Actions.SaasAdminTrialWarningAfterHalfYearV1; toowner = true; - greenButtonText = () => WebstudioNotifyPatternResource.LeaveFeedbackDocSpace; + greenButtonText = () => WebstudioNotifyPatternResource.ButtonLeaveFeedback; var owner = _userManager.GetUsers(tenant.OwnerId); greenButtonUrl = _setupInfo.TeamlabSiteRedirect + "/remove-portal-feedback-form.aspx#" + @@ -349,8 +349,8 @@ public class StudioPeriodicNotify paymentMessage = false; toadmins = true; tousers = true; - greenButtonText = () => WebstudioNotifyPatternResource.ButtonAccessYouWebOffice; - greenButtonUrl = $"{_commonLinkUtility.GetFullAbsolutePath("~")}/rooms/personal/"; + greenButtonText = () => WebstudioNotifyPatternResource.ButtonCollaborateDocSpace; + greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/'); } #endregion @@ -439,7 +439,8 @@ public class StudioPeriodicNotify if (createdDate.AddDays(7) == nowDate) { var users = _studioNotifyHelper.GetRecipients(true, true, false); - + var greenButtonText = () => WebstudioNotifyPatternResource.ButtonCollaborateDocSpace; + var greenButtonUrl = _commonLinkUtility.GetFullAbsolutePath("~").TrimEnd('/'); foreach (var u in users.Where(u => _studioNotifyHelper.IsSubscribedToNotify(u, Actions.PeriodicNotify))) { @@ -452,7 +453,8 @@ public class StudioPeriodicNotify new[] { _studioNotifyHelper.ToRecipient(u.Id) }, new[] { senderName }, new TagValue(Tags.UserName, u.DisplayUserName(_displayUserSettingsHelper)), - new TagValue(CommonTags.Footer, "opensource")); + new TagValue(CommonTags.Footer, "opensource"), + TagValues.GreenButton(greenButtonText, greenButtonUrl)); } } #endregion diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.Designer.cs b/web/ASC.Web.Core/PublicResources/CustomModeResource.Designer.cs index cd62bab2b5..9175fc65b2 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.Designer.cs @@ -61,22 +61,19 @@ namespace ASC.Web.Core.PublicResources { } /// - /// Looks up a localized string similar to Dear $UserName, + /// Looks up a localized string similar to Hello, $UserName! /// - ///Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Get started with it today! + ///Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: /// - ///h3.Start working with Documents: + ///*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. /// - ///# Create and edit text documents, spreadsheet and presentations. - ///# Connect cloud storages you use to create a single workspace for all of your docs. - ///# Share documents with your team members. - ///# Explore different ways of working on docs together: two real-time co-editing modes, review, comments, chat. + ///*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. /// - ///h3.Try add [rest of string was truncated]";. + ///*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time usin [rest of string was truncated]";. /// - public static string pattern_enterprise_whitelabel_user_welcome_custom_mode { + public static string pattern_enterprise_whitelabel_user_welcome_custom_mode_v1 { get { - return ResourceManager.GetString("pattern_enterprise_whitelabel_user_welcome_custom_mode", resourceCulture); + return ResourceManager.GetString("pattern_enterprise_whitelabel_user_welcome_custom_mode_v1", resourceCulture); } } @@ -101,22 +98,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to $PersonalHeaderStart Connect your favorite cloud storage to ONLYOFFICE $PersonalHeaderEnd - /// - ///It has been a week since you created your cloud office, so we believe it's time to unveil some tips and recommendations on how to make your work even more effective. - /// - ///*Bring all your docs together* - /// - ///Connect Dropbox, Google Drive, Box, OneDrive, Nextcloud, ownCloud, kDrive, or Yandex.Disk to ONLYOFFICE and create a single document management space for all your documents. - ///"Learn more":"https://helpcenter.onlyoffice.com/ [rest of string was truncated]";. - /// - public static string pattern_personal_custom_mode_after_registration8 { - get { - return ResourceManager.GetString("pattern_personal_custom_mode_after_registration8", resourceCulture); - } - } - /// /// Looks up a localized string similar to Want to change the email on your cloud office account? /// diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.az.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.az.resx index 1ef8ecba50..5e06d10920 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.az.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.az.resx @@ -58,30 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Hörmətli $UserName, - -İstifadəçi profiliniz "${__VirtualRootPath}":"${__VirtualRootPath}" ünvanında uğurla portala əlavə edildi. Bu gün onunla başlayın! - -h3.Sənədlərlə işləməyə başlayın: -# Mətn sənədləri, cədvəl və təqdimatlar yaradın və redaktə edin. -# Bütün sənədləriniz üçün vahid iş sahəsi yaratmaq üçün istifadə etdiyiniz bulud yaddaşlarını birləşdirin. -# Sənədləri komanda üzvlərinizlə paylaşın. -# Sənədlər üzərində birlikdə işləməyin müxtəlif yollarını araşdırın: iki real vaxtda birgə redaktə rejimi, nəzərdən keçirmə, şərhlər, söhbət. -h3.Əlavə ${LetterLogoText} alətlərini sınayın: - -# E-poçt hesabınızı "${LetterLogoText} Mail":"${__VirtualRootPath}/addons/mail/" -ə əlavə edin. -# "Layihələr":"${__VirtualRootPath}/products/projects/" yaradın və mərhələlər və tapşırıqlar əlavə etməklə iş axınınızı idarə edin. -# "CRM":"${__VirtualRootPath}/products/crm/" -dan istifadə edərək müştəri münasibətlərinizi idarə edin. -# Bloqlarınızı, forumlarınızı başlatmaq, tədbirlər əlavə etmək, əlfəcinləri paylaşmaq üçün "Community":"${__VirtualRootPath}/products/community/" -dən istifadə edin. -# Daxili "Təqvim":"${__VirtualRootPath}/addons/calendar/" ilə iş qrafikinizi təşkil edin. -# Komanda yoldaşlarınızla onlayn söhbət etmək üçün "Danışıq":"${__VirtualRootPath}/addons/talk/" -a başlayın. -$GreenButton - -Hörmətlə, - -${LetterLogoText} Team - h1.ONLYOFFICE Personal-a xoş gəlmisiniz @@ -104,32 +80,6 @@ h3. Sürətli başlanğıc üçün ONLYOFFICE-də edə biləcəkləriniz bunlard Siz həmçinin ödənişsiz "masa üstü redaktorlarımız" vasitəsilə sənədləri oflayn rejimdə redaktə edə bilərsiniz:"https://www.onlyoffice.com/download-desktop.aspx" və ya "mobil redaktə dəsti" əldə edə bilərsiniz:"https://www.onlyoffice.com iOS və ya Android cihazınız üçün /mobile.aspx". -Hörmətlə, -ONLYOFFICE komandası - - - $PersonalHeaderStart Sevimli bulud yaddaşınızı ONLYOFFICE-ə qoşun $PersonalHeaderEnd - -Bulud ofisi yaratmağınızdan bir həftə keçib, ona görə də qaçırdığınız bəzi faydalı funksiyaları açıqlamağın vaxtıdır. - -*Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud*, *kDrive* və ya *Yandex.Disk*-i ONLYOFFICE ilə əlaqələndirib bütün sənədləriniz üçün vahid idarəetməsahəsi yaradın. Xarici faylları da ONLYOFFICE daxilində redaktə edə və onları faylları saxladığınız yaddaşa əlavə edə biləcəksiniz. Fayl yaddaşlarını ONLYOFFICE ilə əlaqələndirməklə bağlı ətraflı məlumatı "buradan":"${__HelpLink}/tipstricks/add-resource.aspx" əldə edə bilərsiniz. - -Siz, həmçinin, "əlaqələndirici tətbiqimizdən":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn" istifadə edərək ONLYOFFICE redaktorlarını Google Diskə inteqrasiya edə bilərsiniz. - -Sənəd İdarəetməsi haqqında daha çox bilmək istəyirsiniz? - -h3."Buludda":"https://www.onlyoffice.com/cloud-office.aspx" və ya "serverinizdə":"https://www.onlyoffice.com/server-solutions.aspx" Biznes üçün ONLYOFFICE-i 30 gün ərzində pulsuz sınayın və biznes alət dəsti ilə genişləndirilmiş sənəd idarəetmə imkanlarını yoxlayın: - -- Layihələr üzrə komanda sənədlərini idarə etmək; - -- Sənədləri CRM və Email ilə inteqrasiya etmək; - -- Faylları istifadəçi qrupları ilə paylaşmaq; - -- Komandanın ünsiyyət vasitələri ilə iş prosesinizi optimallaşdırmaq. - -Maraqlıdır? "Biznes üçün ONLYOFFICE":"http://www.onlyoffice.com/document-management.aspx" haqqında ətraflı məlumat əldə edin. - Hörmətlə, ONLYOFFICE komandası @@ -213,9 +163,6 @@ ONLYOFFICE komandası ONLYOFFICE Personala xoş gəlmisiniz - - Sevimli bulud yaddaşınızı ONLYOFFICE ilə birləşdirin - ONLYOFFICE Şəxsi parol yardımı diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.de.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.de.resx index 9ed988b95c..23537a7c15 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.de.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.de.resx @@ -58,32 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Hallo $UserName, - -Ihr Benutzerprofil wurde dem Portal unter "${__VirtualRootPath}":"${__VirtualRootPath}" erfolgreich hinzugefügt. Jetzt können Sie sich an die Arbeit begeben! - -h3.Arbeiten Sie mit Dokumenten: - -# Erstellen und bearbeiten Sie Textdokumente, Tabellenkalkulationen und Präsentationen. -# Verbinden Sie Cloud-Speicher, um einen einzigen Arbeitsbereich für alle Dokumente zu erstellen. -# Teilen Sie Dokumente mit Ihren Teammitgliedern. -# Entdecken Sie verschiedene Möglichkeiten für gleichzeitiges Bearbeiten von Dokumenten: zwei Modi, Review, Kommentare, Chat. - -h3.Verwenden Sie weitere ${LetterLogoText} Tools: - -# Fügen Sie Ihr E-Mail-Konto zu "${LetterLogoText} E-Mail":"${__VirtualRootPath}/addons/mail/" hinzu. -# Erstellen Sie "Projekte":"${__VirtualRootPath}/products/projects/" und verwalten Sie Ihren Workflow mit Meilensteinen und Aufgaben. -# Verwalten Sie Ihre Kunden in "CRM":"${__VirtualRootPath}/products/crm/". -# Verwenden Sie "Community":"${__VirtualRootPath}/products/community/", um Blogs und Foren zu erstellen, Ereignisse hinzuzufügen und Lesezeichen zu teilen. -# Organisieren Sie Ihren Arbeitsplan mit dem integrierten "Kalender":"${__VirtualRootPath}/addons/calendar/". -# Öffnen Sie "Chat":"${__VirtualRootPath}/addons/talk/", um online mit Ihren Teamkollegen zu chatten. - -$GreenButton - -Mit freundlichen Grüßen, -${LetterLogoText} Team - h1.Willkommen bei ONLYOFFICE Personal @@ -109,32 +83,6 @@ Sie können Dokumente auch offline mit unseren kostenlosen "Desktop Editoren":"h Mit freundlichen Grüßen, ONLYOFFICE Team - - - $PersonalHeaderStart Verbinden Sie Ihren bevorzugten Cloud-Speicher mit ONLYOFFICE $PersonalHeaderEnd - -Es ist nun schon eine Woche her, dass Sie Ihr Cloud-Büro eingerichtet haben, daher glauben wir, dass es an der Zeit ist, einige nützliche Funktionen zu aufzuzeigen, die Sie vielleicht noch nicht kennen. - -Verbinden Sie *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud*, *kDrive* oder *Yandex.Disk* mit ONLYOFFICE und erstellen Sie einen einzigen Bereich zur Dokumentenverwaltung für all Ihre Dokumente. Damit können Sie externe Dateien in ONLYOFFICE bearbeiten und sie auf dem Speicherplatz speichern, auf dem Sie Ihre Dokumente aufbewahren. Lesen Sie "hier":"${__HelpLink}/tipstricks/add-resource.aspx" Einzelheiten über das Verbinden von Dateispeichern mit ONLYOFFICE. - -Sie können die ONLYOFFICE-Editoren auch über unsere "Connector-App" in Google Drive integrieren: "https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -Wollen Sie tiefer in die Dokumentenverwaltung einsteigen? - -h3. Testen Sie ONLYOFFICE for business "in der Cloud":"https://www.onlyoffice.com/cloud-office.aspx" oder "auf Ihrem eigenen Server":"https://www.onlyoffice.com/server-solutions.aspx" 30 Tage lang kostenlos und testen Sie erweiterte Möglichkeiten der Dokumentenverwaltung zusammen mit einem Business-Toolset: - -- Verwalten Sie Dokumente eines Teams in Projekten; - -- Integrieren Sie Dokumente in CRM und E-Mail; - -- Dateien für Benutzergruppen freigeben; - -- Optimieren Sie Ihren Workflow mit Team-Kommunikationstools. - -Interessiert? Erfahren Sie mehr über "ONLYOFFICE for business":"http://www.onlyoffice.com/document-management.aspx". - -Mit freundlichen Grüßen, -ONLYOFFICE-Team Möchten Sie Ihre E-Mail im Cloud-Konto ändern? diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.es.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.es.resx index 97bfdf6a81..c274f4e259 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.es.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.es.resx @@ -58,32 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Estimado/a $UserName, - -Su perfil de usuario ha sido agregado con éxito al portal en "${__VirtualRootPath}":"${__VirtualRootPath}". ¡Empiece a usarlo hoy mismo! - -h3.Empiece a trabajar con Documentos: - -# Cree y edite documentos de texto, hojas de cálculo y presentaciones. -# Conecte almacenamientos en la nube disponibles para crear un espacio de trabajo único para todos sus archivos. -# Comparta documentos con los miembros de su equipo. -# Explore distintas formas de trabajo en documentos en colaboración: dos modos de co-edición en tiempo real, revisión, comentarios, chat. - -h3.Pruebe herramientas ${LetterLogoText} adicionales: - -# Añada su cuenta de email al "${LetterLogoText} Correo":"${__VirtualRootPath}/addons/mail/". -# Cree "Proyectos":"${__VirtualRootPath}/products/projects/" y gestione su flujo de trabajo añadiendo hitos y tareas. -# Gestione relaciones con clientes usando "CRM":"${__VirtualRootPath}/products/crm/". -# Use "Comunidad":"${__VirtualRootPath}/products/community/" para iniciar sus blogs, foros y eventos, comparta marcadores. -# Organice su horario de trabajo con el "Calendario" incorporado:"${__VirtualRootPath}/addons/calendar/". -# Inicie "chat":"${__VirtualRootPath}/addons/talk/" para chatear con sus compañeros de equipo en línea. - -$GreenButton - -Muy atentamente, -Equipo de ${LetterLogoText} - h1.Bienvenido/a al ONLYOFFICE Personal @@ -109,37 +83,6 @@ También puede editar documentos offline con nuestros "editores de escritorio" g Atentamente, Equipo de ONLYOFFICE - - - $PersonalHeaderStart Conecte su almacenamiento en la nube favorito a ONLYOFFICE $PersonalHeaderEnd - -Ha pasado una semana desde que creó su oficina en la nube, así que creemos que es el momento de desvelar algunos consejos y recomendaciones para que su trabajo sea aún más eficaz. - -*Agregue todos sus documentos* - -Conecte Dropbox, Google Drive, Box, OneDrive, Nextcloud, ownCloud, kDrive o Yandex.Disk a ONLYOFFICE y cree un único espacio de gestión documental para todos sus documentos. -"Más información":"https://helpcenter.onlyoffice.com/es/tipstricks/add-resource.aspx" - -*Edite documentos en Google Drive* - -También puede integrar los editores de ONLYOFFICE en Google Drive usando nuestra "aplicación de conexión":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -*Utilice las herramientas de productividad* - -h3.Pruebe ONLYOFFICE para empresas "en la nube":"https://www.onlyoffice.com/es/cloud-office.aspx" o "en su servidor":"https://www.onlyoffice.com/es/workspace-enterprise.aspx" de forma gratuita durante 30 días y descubra las ventajas de la gestión de documentos junto con un conjunto de herramientas empresariales: - -· Gestione los documentos en equipo y los proyectos; - -· Integre los documentos con el CRM y el correo electrónico; - -· Comparta archivos con grupos de usuarios; - -· Optimice el flujo de trabajo con herramientas de comunicación en equipo. - -Puede elegir una tarifa totalmente gratuita para equipos de hasta 5 usuarios. "Regístrese":"https://www.onlyoffice.com/es/registration.aspx" - -Atentamente, -Equipo de ONLYOFFICE team ¿Desea cambiar el correo electrónico de su cuenta de oficina en la nube? diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.fr.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.fr.resx index ea281afea2..3d7ca7f699 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.fr.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.fr.resx @@ -58,32 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Cher (chère) $UserName, - -Votre profile d'utilisateur a été créé avec succès sur le portail à "${__VirtualRootPath}":"${__VirtualRootPath}". Commencez maintenant ! - -h3.Travaillez sur les documents : - -# Créez et éditez les documents texte, les feuilles de calcul et les présentations. -# Connectez les services de stockage cloud pour rassembler tous vos document en un seul endroit. -# Partagez les documents avec vos collègues. -# Découvrez les différents outils du travail collaboratif sur les documents : deux modes de coédition, révision, commentaires, messagerie instantannée. - -h3.Essayez les fonctionnalités ${LetterLogoText} complémentaires : - -# Ajoutez votre compte mail à "${LetterLogoText} Mail":"${__VirtualRootPath}/addons/mail/". -# Créez les "Projets":"${__VirtualRootPath}/products/projects/" et gérez le flux de travail en ajoutant les tâches et les jalons. -# Gérez la relation client en utilisant le "CRM":"${__VirtualRootPath}/products/crm/". -# Utilisez la "Communauté":"${__VirtualRootPath}/products/community/" pour échanger à l'aide des blogs et des forums, ajoutez les événements, partagez les signets. -# Organisez votre agenda à l'aide du "Calendrier":"${__VirtualRootPath}/addons/calendar/". -# Démarrez le "Chat":"${__VirtualRootPath}/addons/talk/" pour échanger avec vos collègues en ligne. - -$GreenButton - -Bien cordialement, -L'équipe ${LetterLogoText} - h1.Bienvenue sur ONLYOFFICE Personal @@ -109,37 +83,6 @@ Vous pouvez également modifier les documents hors connexion avec nos "éditeurs Cordialement, équipe ONLYOFFICE - - - $PersonalHeaderStart Connectez votre stockage en cloud préféré à ONLYOFFICE $PersonalHeaderEnd - -Il y a une semaine que vous avez créé votre bureau en cloud, nous pensons donc qu'il est temps de vous dévoiler quelques conseils et recommandations pour rendre votre travail encore plus efficace. - -*Regroupez tous vos documents* - -Connectez Dropbox, Google Drive, Box, OneDrive, Nextcloud, ownCloud, kDrive ou Yandex.Disk à ONLYOFFICE et créez un espace de gestion unique pour tous vos documents. -"En savoir plus" :"https://helpcenter.onlyoffice.com/500.htm?aspxerrorpath=/tipstricks/add-resource.aspxhttp:/helpcenter.onlyoffice.com/tipstricks/add-resource.aspx" - -*Modifiez les documents dans votre Google Drive* - -Vous pouvez intégrer les éditeurs de ONLYOFFICE dans Google Drive en utilisant notre "connecteur" :"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -*Utilisez des outils de productivité* - -h3.Essayez ONLYOFFICE pour les entreprises "dans le cloud" :"https://www.onlyoffice.com/cloud-office.aspx" ou "sur votre serveur" :"https://www.onlyoffice.com/workspace-enterprise.aspx" gratuitement pendant 30 jours et découvrez les possibilités étendues de gestion des documents ainsi qu'un ensemble d'outils professionnels : - -- Gérez les documents de l'équipe dans les projets ; - -- Intégrez les documents à CRM et au mail ; - -- Partagez les fichiers avec des groupes d'utilisateurs ; - -- Optimisez votre flux de travail grâce à des outils de communication d'équipe. - -Vous pouvez choisir un plan tarifaire absolument gratuit pour les équipes comptant jusqu'à 5 utilisateurs. "S'inscrire" :"https://www.onlyoffice.com/registration.aspx" - -Bien à vous, -Équipe ONLYOFFICE Souhaitez-vous changer l'adresse mail de votre compte du bureau cloud ? diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.it.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.it.resx index fc8606ec94..98805c9ec0 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.it.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.it.resx @@ -58,32 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Gentile $UserName, - -Il tuo profilo utente è stato aggiunto correttamente al portale in "${__VirtualRootPath}":"${__VirtualRootPath}". Inizia oggi stesso! - -h3.Inizia a lavorare con i documenti: - -# Crea e modifica documenti di testo, fogli di calcolo e presentazioni. -# Connetti gli archivi cloud che usi per creare un unico spazio di lavoro per tutti i tuoi documenti. -# Condividi documenti con i membri del tuo team. -# Esplora diversi modi di lavorare sui documenti insieme: due modalità di co-editing in tempo reale, revisione, commenti, chat. - -h3.Prova altri strumenti ${LetterLogoText}: - -# Aggiungi il tuo account e-mail a "$ {LetterLogoText} Mail": "${__VirtualRootPath} / addons / mail /". -# Crea "Progetti":"${__VirtualRootPath} / prodotti / progetti /" e gestisci il tuo flusso di lavoro aggiungendo milestone e attività. -# Gestisci le tue relazioni con i clienti usando "CRM":"${__VirtualRootPath} / prodotti / crm /". -# Usa "Community":"${__VirtualRootPath} / prodotti / community /" per iniziare blog, forum, aggiungere eventi, condividere segnalibri. -# Organizza il tuo programma di lavoro con il "Calendario" incorporato:"${__VirtualRootPath} / addons / calendario /". -# Avvia "Talk": "${__VirtualRootPath} / addons / talk /" per chattare online con i tuoi compagni di squadra. - -$ GreenButton - -Cordialmente, -${LetterLogoText} Team - h1.Benvenuti su ONLYOFFICE Personal @@ -111,32 +85,6 @@ Puoi anche modificare i documenti offline con i nostri "editor desktop" gratuiti Cordiali saluti, il team ONLYOFFICE - - - $PersonalHeaderStart Collega il tuo archivio cloud preferito a ONLYOFFICE $PersonalHeaderEnd - -È trascorsa una settimana da quando hai creato il tuo cloud office, quindi crediamo sia giunto il momento di svelare alcune funzionalità utili che potresti aver perso. - -Collega * Dropbox *, * Google Drive *, * Box *, * OneDrive *, * Nextcloud *, * ownCloud *, * kDrive * o * Yandex.Disk * a ONLYOFFICE e crea un unico spazio di gestione dei documenti per tutti i tuoi documenti. Sarai in grado di modificare i file esterni in ONLYOFFICE e salvarli nella memoria in cui tieni i documenti. Leggi i dettagli sulla connessione di archivi di file a ONLYOFFICE "qui":"${__HelpLink}/tipstricks/add-resource.aspx". - -È possibile anche integrare gli editor di ONLYOFFICE in Google Drive utilizzando la nostra "app connettore":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -Hai bisogno di più gestione dei documenti? - -h3.Try ONLYOFFICE for business "nel cloud":"https://www.onlyoffice.com/cloud-office.aspx" o "sul tuo server":"https://www.onlyoffice.com/server-solutions .aspx "gratuitamente per 30 giorni e controlla le opportunità di gestione estesa dei documenti insieme a un set di strumenti aziendali: - -- Gestire i documenti del team nei progetti; - -- Integrare documenti con CRM ed e-mail; - -- Condividi file con gruppi di utenti; - -- Ottimizza il flusso di lavoro con gli strumenti di comunicazione del team. - -Ti interessa? Ulteriori informazioni su "ONLYOFFICE for business":"http://www.onlyoffice.com/document-management.aspx". - -Cordiali saluti, -La squadra di ONLYOFFICE Salve, diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.ja.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.ja.resx index a36ada740a..f47f8318c1 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.ja.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.ja.resx @@ -58,33 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - $UserNameさん、 - -プロファイルは正常に"${__VirtualRootPath}":"${__VirtualRootPath}"に追加されました。すぐに使用が開始します! - -h3.文書処理を始める: - -#文書、スプレッドシート及びプレゼンテーションを作成し、編集します。 -#クラウドストレージを接続し、文書管理の統合職場を作成します。 -#チームメイトと文書を共有します。 -#文書協力の異なる方法を検討できます:二つの実時間協力モード、見直し、コメント、チャットなどです。 - - -h3.追加の ${LetterLogoText}ツールを試行します: - -#"${LetterLogoText} メール":"${__VirtualRootPath}/addons/mail/"にメールアカウントを追加します。 -#マイルストーンとタスクを追加してワークフローを管理できるように、”プロジェクト”:"${__VirtualRootPath}/products/projects/"を作成します。 -#接客業務を管理するのために”CRM”:"${__VirtualRootPath}/products/crm/" を使います。 -#ブログ、掲示板を初め、エベントを追加し、ブックマークを共有するように、”コミュニティ”:"${__VirtualRootPath}/products/community/"を使用します。 -#作業スケジュールを整理するように組み込みの”カレンダー” :"${__VirtualRootPath}/addons/calendar/"を使用します。 -#チームメイトと話したい時に、”チャット”:"${__VirtualRootPath}/addons/talk/"を使用します。 - -$GreenButton - -敬具、 -${LetterLogoText}チーム - h1.個人ONLYOFFICEへようこそ! @@ -108,32 +81,6 @@ ONLYOFFICEはMicrosoft Office™文書形式と互換性で、作成されたオ 「デスクトップ編集者」:"https://www.onlyoffice.com/download-desktop.aspx"を使用して、無料で、オフラインに文書を編集し、またはiOSかAndroid デバイスに「モバイル編集スイート」:"https://www.onlyoffice.com/mobile.aspx"をダウンロードします。 -敬具、 -ONLYOFFICEチーム - - - $PersonalHeaderStart お好みのクラウドストレージをONLYOFFICEに接続します$PersonalHeaderEnd - -お客様がクラウドオフィスを作成した時から一週間が経ったので、見逃したかもしれない有益な機能を明らかにしてあげる時が来たと信じています。 - -ONLYOFFICEに*Dropbox*、*Google Drive*、*Box*、*OneDrive*、*Nextcloud*、*ownCloud*、*kDrive*、または*Yandex.Disc*を接続し、すべてのドキュメントに対して単一文書管理スペースを作成します。ONLYOFFICE で外部ファイルを編集し、保存しておくストレージに保存で切るようになります。ONLYOFFICEにファイルストレージを接続する方法は "こちらです":"${__HelpLink}/tipstricks/add-resource.aspx". - -ONLYOFFICE エディターを特定 ”接続アプリ”":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". を使用してGoogle Driveに統合する可能もあります。 - -もっと多くの文書管理機能の必要がありますか? - -h3. "クラウド":"https://www.onlyoffice.com/cloud-office.aspx" または "サーバー":"https://www.onlyoffice.com/server-solutions.aspx" の業務用ONLYOFFICEを30日の試用期間に登録して、以下のビジネスツールセットと共に拡大な文書管理機能を使用してみてください: - --プロジェクト内のチーム文書を管理すること; - --CRMとメールと文書を統合すること; - --ユーザのグループと文書を共有すること; - --チームコミュニケーションツールを使用してワークフローを最適化 すること; - -興味がありますか?詳しい情報は、”業務用ONLYOFFICE”:"http://www.onlyoffice.com/document-management.aspx"をクリックしてください。 - 敬具、 ONLYOFFICEチーム @@ -193,9 +140,6 @@ ONLYOFFICEチーム 個人的なONLYOFFICEへようこそ - - 常用されるクラウドストレージをONLYOFFICEに接続します。 - 個人的なONLYOFFICE。パスワード アシスタンス diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.pt-BR.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.pt-BR.resx index 5f9f2ac810..d1199f664e 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.pt-BR.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.pt-BR.resx @@ -58,32 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Prezado $UserName, - -Seu perfil de usuário foi adicionado com sucesso ao portal em "${__VirtualRootPath}":"${__VirtualRootPath}". Comece hoje mesmo! - -h3.Comece a trabalhar com Documentos: - -# Criar e editar documentos de texto, planilhas e apresentações. -# Conecte os armazéns em nuvem que você usa para criar um único espaço de trabalho para todos os seus documentos. -# Compartilhe documentos com os membros de sua equipe. -# Explore diferentes formas de trabalhar juntos em documentos: dois modos de co-edição em tempo real, revisão, comentários, bate-papo. - -h3.Experimente ferramentas adicionais ${LetterLogoText}: - -# Adicione sua conta de e-mail a "${LetterLogoText} Mail": "${__VirtualRootPath}/addons/mail/". -# Crie "Projetos":"${__VirtualRootPath}/produtos/projetos/" e gerencie seu fluxo de trabalho adicionando marcos e tarefas. -# Gerencie seu relacionamento com seus clientes usando "CRM":"${__VirtualRootPath}/productsts/crm/". -# Use "Community":"${__VirtualRootPath}/products/community/" para iniciar seus blogs, fóruns, adicionar eventos, compartilhar bookmarks. -# Organize sua agenda de trabalho com o "Calendário" incorporado:"${__VirtualRootPath}/addons/calendar/". -# Iniciar "Talk":"${__VirtualRootPath}/addons/talk/" para conversar com seus colegas de equipe on-line. - -$GreenButton - -Sinceramente, -Equipe ${LetterLogoText} - h1.Bem-vindo à ONLYOFFICE Personal @@ -107,32 +81,6 @@ h3.Para um começo rápido, eis o que você pode fazer em ONLYOFFICE: Você também pode editar documentos offline com nossos "editores desktop" gratuitos: "https://www.onlyoffice.com/download-desktop.aspx" ou obter uma "suite de edição móvel": "https://www.onlyoffice.com/mobile.aspx" para seu dispositivo iOS ou Android. -Atenciosamente, -Equipe ONLYOFFICE - - - $PersonalHeaderStart Conecte seu armazenamento em nuvem favorito ao ONLYOFFICE $PersonalHeaderEnd - -Já faz uma semana desde que você criou seu escritório na nuvem, então acreditamos que é hora de revelar algumas características benéficas que você possa ter perdido. - -Conecte *Dropbox*, *Google Drive*, *Box*, *OneDrive*, *Nextcloud*, *ownCloud*, *kDrive* ou *Yandex.Disk* à ONLYOFFICE e crie um único espaço de gerenciamento de documentos para todos os seus documentos. Você será capaz de editar arquivos externos em ONLYOFFICE e salvá-los no armazenamento onde você guarda os documentos. Leia detalhes sobre como conectar o armazenamento de arquivos ao ONLYOFFICE "aqui":"${__HelpLink}/tipstricks/add-resource.aspx". - -Você também pode integrar editores ONLYOFFICE ao Google Drive usando nosso "aplicativo de conexão": "https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -Precisa de mais gerenciamento de documentos? - -h3.Experimente ONLYOFFICE para negócios "na nuvem": "https://www.onlyoffice.com/cloud-office.aspx" ou "em seu servidor": "https://www.onlyoffice.com/server-solutions.aspx" gratuitamente por 30 dias e verifique as oportunidades de gerenciamento de documentos estendido junto com um conjunto de ferramentas de negócios: - -- Gerencie documentos da equipe em projetos; - -- Integrar documentos com CRM e e-mail; - -- Compartilhar arquivos para grupos de usuários; - -- Otimize seu fluxo de trabalho com ferramentas de comunicação da equipe. - -Interessado? Saiba mais sobre "ONLYOFFICE para empresas": "http://www.onlyoffice.com/document-management.aspx". - Atenciosamente, Equipe ONLYOFFICE @@ -217,9 +165,6 @@ A exclusão de dados pessoais permitida para liberar: Bem vindo ao ONLYOFFICE Pessoal - - Conecte seu armazenamento em nuvem favorito ao ONLYOFFICE - Assistência de senha pessoal ONLYOFFICE diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.resx index 190cd78cef..6692338681 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.resx @@ -117,31 +117,28 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Dear $UserName, + + Hello, $UserName! -Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Get started with it today! +Welcome to ONLYOFFICE DocSpace! Your user profile has been successfully added to ____onlyoffice.io. Now you can: -h3.Start working with Documents: +*#* Work with other users in the room you are invited to: *view-only, review, collaboration, custom rooms*. -# Create and edit text documents, spreadsheet and presentations. -# Connect cloud storages you use to create a single workspace for all of your docs. -# Share documents with your team members. -# Explore different ways of working on docs together: two real-time co-editing modes, review, comments, chat. +*# Work with files of different formats*: text documents, spreadsheets, presentations, digital forms, PDFs, e-books, multimedia. -h3.Try additional ${LetterLogoText} tools: +*# Collaborate on documents* with two co-editing modes: real-time or paragraph-locking. Track changes, communicate in real-time using the built-in chat or making audio and video calls. -# Add your email account to "${LetterLogoText} Mail":"${__VirtualRootPath}/addons/mail/". -# Create "Projects":"${__VirtualRootPath}/products/projects/" and manage your workflow by adding milestones and tasks. -# Manage your customer relations using "CRM":"${__VirtualRootPath}/products/crm/". -# Use "Community":"${__VirtualRootPath}/products/community/" to start your blogs, forums, add events, share bookmarks. -# Organize your work schedule with the built-in "Calendar":"${__VirtualRootPath}/addons/calendar/". -# Start "Talk":"${__VirtualRootPath}/addons/talk/" to chat with your teammates online. +*# Work with sensitive or confidential documents* when you are invited to the private rooms where every symbol you type is encrypted end-to-end. + +*# Connect any cloud storage* and work without switching between apps. $GreenButton -Truly yours, -${LetterLogoText} Team +If you need help, browse our "Help Center":"https://helpcenter.onlyoffice.com/" or ask our "support team":"https://www.onlyoffice.com/support-contact-form.aspx". + +Truly yours, +ONLYOFFICE Team +"www.onlyoffice.com":"http://onlyoffice.com/" h1.Welcome to ONLYOFFICE Personal @@ -166,37 +163,6 @@ h3.For a quick start, here's what you can do in ONLYOFFICE: You can also edit documents offline with our free "desktop editors":"https://www.onlyoffice.com/download-desktop.aspx" or get a mobile editing suite for your "iOS":"https://apps.apple.com/app/onlyoffice-documents/id944896972" or "Android":"https://play.google.com/store/apps/details?id=com.onlyoffice.documents" device. -Sincerely, -ONLYOFFICE team - - - $PersonalHeaderStart Connect your favorite cloud storage to ONLYOFFICE $PersonalHeaderEnd - -It has been a week since you created your cloud office, so we believe it's time to unveil some tips and recommendations on how to make your work even more effective. - -*Bring all your docs together* - -Connect Dropbox, Google Drive, Box, OneDrive, Nextcloud, ownCloud, kDrive, or Yandex.Disk to ONLYOFFICE and create a single document management space for all your documents. -"Learn more":"https://helpcenter.onlyoffice.com/tipstricks/add-resource.aspx" - -*Edit docs in your Google Drive* - -You can also integrate ONLYOFFICE editors into Google Drive using our "connector app":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -*Use productivity tools* - -h3.Try ONLYOFFICE for business "in the cloud":"https://www.onlyoffice.com/cloud-office.aspx" or "on your server":"https://www.onlyoffice.com/workspace-enterprise.aspx" for free for 30 days and check out extended document management opportunities together with a business toolset: - -· Manage team documents in projects; - -· Integrate documents with CRM and Email; - -· Share files to groups of users; - -· Optimize your workflow with team communication tools. - -You can choose an absolutely free tariff for teams with up to 5 users. "Register":"https://www.onlyoffice.com/registration.aspx" - Sincerely, ONLYOFFICE team diff --git a/web/ASC.Web.Core/PublicResources/CustomModeResource.ru.resx b/web/ASC.Web.Core/PublicResources/CustomModeResource.ru.resx index bf71a96302..cec062aaa0 100644 --- a/web/ASC.Web.Core/PublicResources/CustomModeResource.ru.resx +++ b/web/ASC.Web.Core/PublicResources/CustomModeResource.ru.resx @@ -58,32 +58,6 @@ System.Resources.ResXResourceWriter, System.Windows.Forms, Version=6.0.2.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 - - Здравствуйте, $UserName, - -Ваш пользовательский профиль успешно добавлен на портал "${__VirtualRootPath}":"${__VirtualRootPath}". Начните работать с ним прямо сейчас! - -h3.Начните работу с документами: - -# Создавайте и редактируйте текстовые документы, электронные таблицы и презентации. -# Подключите облачные хранилища, которые Вы используете, чтобы создать единое рабочее пространство для всех своих документов. -# Делитесь документами с участниками команды. -# Познакомьтесь с различными способами совместной работы над документами: два режима совместного редактирования, рецензирование, комментарии, чат. - -h3.Попробуйте дополнительные инструменты ${LetterLogoText}: - -# Добавьте свою учетную запись электронной почты в "Почту ${LetterLogoText}":"${__VirtualRootPath}/addons/mail/". -# Создавайте "Проекты":"${__VirtualRootPath}/products/projects/" и управляйте рабочим процессом, добавляя вехи и ставя задачи. -# Управляйте взаимоотношениями с клиентами, используя модуль "CRM":"${__VirtualRootPath}/products/crm/", определяйте приоритетные контакты, следите за историей взаимодействия и эффективностью продаж. -# Используйте "Сообщество":"${__VirtualRootPath}/products/community/", чтобы вести блоги, общаться на форумах, добавлять события, делиться закладками. -# Планируйте рабочий график с помощью встроенного "Календаря":"${__VirtualRootPath}/addons/calendar/". -# Запустите "Чат":"${__VirtualRootPath}/addons/talk/", чтобы общаться со своей командой онлайн. - -$GreenButton - -С уважением, -команда ${LetterLogoText} - h1.Добро пожаловать в тестовое облако для совместной работы Р7-Офис @@ -107,37 +81,6 @@ h3.Возможности тестового облака Р7-Офис: С уважением, Команда Р7-Офис - - - $PersonalHeaderStart Подключите свое облачное хранилище к ONLYOFFICE $PersonalHeaderEnd - -Прошла неделя с тех пор, как вы создали свой облачный офис, и мы хотели бы поделиться с вами некоторыми рекомендациями и полезной информацией о том, как сделать вашу работу еще более эффективной. - -*Соберите все документы в едином пространстве* - -Подключите Dropbox, Google Drive, Box, OneDrive, Nextcloud, ownCloud, kDrive или Yandex.Disk к ONLYOFFICE, чтобы создать единое пространство для управления всеми документами. -"Узнать больше":"https://helpcenter.onlyoffice.com/ru/tipstricks/add-resource.aspx" - -*Редактируйте документы в Google Drive* - -Вы также можете интегрировать редакторы ONLYOFFICE в Google Drive с помощью нашего "коннектора":"https://chrome.google.com/webstore/detail/onlyoffice-personal/iohfebkcjhlelaoibebeohcgkohkcgpn". - -*Используйте инструменты для продуктивной работы* - -h3.Попробуйте бизнес-решения ONLYOFFICE "в облаке":"https://www.onlyoffice.com/ru/cloud-office.aspx" или "на собственном сервере":"https://www.onlyoffice.com/ru/workspace-enterprise.aspx". Они бесплатны в течение 30 дней пробного периода и наряду с набором инструментов для бизнеса включают в себя расширенные возможности управления документами: - -- Управление проектной документацией; - -- Интеграция с CRM и электронной почтой; - -- Индивидуальные и групповые права доступа; - -- Оптимизация рабочего процесса с помощью инструментов для взаимодействия с командой. - -Вы можете выбрать абсолютно бесплатный тариф для команд, объединяющих до 5 пользователей. "Зарегистрируйтесь":"https://www.onlyoffice.com/ru/registration.aspx" - -С уважением, -команда ONLYOFFICE Хотите изменить адрес электронной почты в своем аккаунте? diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs index 713caf2cd1..f1ac532057 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.Designer.cs @@ -294,6 +294,15 @@ namespace ASC.Web.Core.PublicResources { } } + /// + /// Looks up a localized string similar to Collaborate in DocSpace. + /// + public static string ButtonCollaborateDocSpace { + get { + return ResourceManager.GetString("ButtonCollaborateDocSpace", resourceCulture); + } + } + /// /// Looks up a localized string similar to Configure Right Now. /// @@ -456,24 +465,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Collaborate in DocSpace. - /// - public static string CollaborateDocSpace { - get { - return ResourceManager.GetString("CollaborateDocSpace", resourceCulture); - } - } - - /// - /// Looks up a localized string similar to LEAVE FEEDBACK. - /// - public static string LeaveFeedbackDocSpace { - get { - return ResourceManager.GetString("LeaveFeedbackDocSpace", resourceCulture); - } - } - /// /// Looks up a localized string similar to Learn More >>. /// @@ -1918,21 +1909,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Hello, $UserName! - /// - ///Welcome to ONLYOFFICE! Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: - /// - ///1. Create and edit "Documents":"${__VirtualRootPath}/Products/Files/", share them with teammates, collaborate in real time, and work with forms. - ///2. Add your email accounts and manage all correspondence in one place with "Mail":"${__VirtualRootPath}/addons/mail/". - ///3. Manage your workflow with "Projects":"${__VirtualRootPath}/Products/Projec [rest of string was truncated]";. - /// - public static string pattern_saas_user_welcome_v115 { - get { - return ResourceManager.GetString("pattern_saas_user_welcome_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to h1."${__VirtualRootPath}":"${__VirtualRootPath}" portal profile change notification /// @@ -2730,15 +2706,6 @@ namespace ASC.Web.Core.PublicResources { } } - /// - /// Looks up a localized string similar to Welcome to your ONLYOFFICE. - /// - public static string subject_saas_user_welcome_v115 { - get { - return ResourceManager.GetString("subject_saas_user_welcome_v115", resourceCulture); - } - } - /// /// Looks up a localized string similar to ${__VirtualRootPath} portal profile change notification. /// diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx index ab874d00a6..5d013b5181 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.el.resx @@ -112,9 +112,6 @@ Μάθετε Περισσότερα >> - - Συνδέστε το Dropbox, Google Drive ή άλλες υπηρεσίες για να διαχειρίζεστε τα αρχεία σας από ένα μέρος. - ${LetterLogoText}. Παρακαλώ ενεργοποιείστε την διεύθυνση email diff --git a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx index 7712104f9f..b1e7248b96 100644 --- a/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx +++ b/web/ASC.Web.Core/PublicResources/WebstudioNotifyPatternResource.resx @@ -910,26 +910,6 @@ $GreenButton If you need help, browse our "Help Center":"${__HelpLink}". -Truly yours, -ONLYOFFICE Team -"www.onlyoffice.com":"http://onlyoffice.com/" - - - Hello, $UserName! - -Welcome to ONLYOFFICE! Your user profile has been successfully added to the portal at "${__VirtualRootPath}":"${__VirtualRootPath}". Now you can: - -1. Create and edit "Documents":"${__VirtualRootPath}/Products/Files/", share them with teammates, collaborate in real time, and work with forms. -2. Add your email accounts and manage all correspondence in one place with "Mail":"${__VirtualRootPath}/addons/mail/". -3. Manage your workflow with "Projects":"${__VirtualRootPath}/Products/Projects/" and your customer relationships using "CRM":"${__VirtualRootPath}/Products/CRM/". -4. Use "Community":"${__VirtualRootPath}/Products/Community/" to start your blogs, forums, add events, share bookmarks. -5. Organize your work schedule with the built-in "Calendar":"${__VirtualRootPath}/addons/calendar/". -6. Use "Chat":"${__VirtualRootPath}/addons/talk/" to exchange instant messages. - -$GreenButton - -If you need help, browse our "Help Center":"${__HelpLink}" or ask our "support team":"https://helpdesk.onlyoffice.com". - Truly yours, ONLYOFFICE Team "www.onlyoffice.com":"http://onlyoffice.com/" @@ -1161,9 +1141,6 @@ The link is only valid for 7 days. Welcome to your ONLYOFFICE - - Welcome to your ONLYOFFICE - ${__VirtualRootPath} portal profile change notification @@ -1443,7 +1420,7 @@ ONLYOFFICE Team Discover business subscription of ONLYOFFICE DocSpace - + Collaborate in DocSpace @@ -1542,9 +1519,6 @@ ONLYOFFICE Team 5 tips for effective work on your docs - - LEAVE FEEDBACK - Hello, $UserName! diff --git a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml index b1243d9934..5e3978e58d 100644 --- a/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml +++ b/web/ASC.Web.Core/PublicResources/webstudio_patterns.xml @@ -407,14 +407,14 @@ $activity.Key - - + + - + - + - + From ea47a3c31ea21ea8265168f891ee8b047a3c0021 Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Thu, 20 Oct 2022 14:38:38 +0300 Subject: [PATCH 23/87] Quota: fixed adding quota --- common/ASC.Data.Storage/TenantQuotaController.cs | 1 + 1 file changed, 1 insertion(+) diff --git a/common/ASC.Data.Storage/TenantQuotaController.cs b/common/ASC.Data.Storage/TenantQuotaController.cs index 26ac178696..3970a12a7d 100644 --- a/common/ASC.Data.Storage/TenantQuotaController.cs +++ b/common/ASC.Data.Storage/TenantQuotaController.cs @@ -71,6 +71,7 @@ public class TenantQuotaController : IQuotaController CurrentSize += size; } + SetTenantQuotaRow(module, domain, size, dataTag, true, Guid.Empty); SetTenantQuotaRow(module, domain, size, dataTag, true, _authContext.CurrentAccount.ID); } From d2bc57cbb16af7ff39b35555c1caa017a9e7f0e1 Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Thu, 20 Oct 2022 14:47:45 +0300 Subject: [PATCH 24/87] Quota: fixed deleting quota --- common/ASC.Data.Storage/TenantQuotaController.cs | 1 + 1 file changed, 1 insertion(+) diff --git a/common/ASC.Data.Storage/TenantQuotaController.cs b/common/ASC.Data.Storage/TenantQuotaController.cs index 3970a12a7d..47c34c9cce 100644 --- a/common/ASC.Data.Storage/TenantQuotaController.cs +++ b/common/ASC.Data.Storage/TenantQuotaController.cs @@ -83,6 +83,7 @@ public class TenantQuotaController : IQuotaController CurrentSize += size; } + SetTenantQuotaRow(module, domain, size, dataTag, true, Guid.Empty); SetTenantQuotaRow(module, domain, size, dataTag, true, _authContext.CurrentAccount.ID); } From 60f2393940a36868c2ea3b17f6932d13244d3c7a Mon Sep 17 00:00:00 2001 From: Nikolay Rechkin Date: Thu, 20 Oct 2022 14:53:38 +0300 Subject: [PATCH 25/87] Quota: fix --- common/ASC.Core.Common/Data/DbQuotaService.cs | 2 +- products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs | 3 --- 2 files changed, 1 insertion(+), 4 deletions(-) diff --git a/common/ASC.Core.Common/Data/DbQuotaService.cs b/common/ASC.Core.Common/Data/DbQuotaService.cs index 2371fc5daa..f52d347c75 100644 --- a/common/ASC.Core.Common/Data/DbQuotaService.cs +++ b/common/ASC.Core.Common/Data/DbQuotaService.cs @@ -102,7 +102,7 @@ class DbQuotaService : IQuotaService using var tx = coreDbContext.Database.BeginTransaction(); - AddQuota(coreDbContext, row.UserId != Guid.Empty ? row.UserId : Guid.Empty); + AddQuota(coreDbContext, row.UserId); tx.Commit(); }); diff --git a/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs index 9ac4cdef4a..5edbc7b146 100644 --- a/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs +++ b/products/ASC.Files/Core/Core/UsersQuotaSyncOperation.cs @@ -24,9 +24,6 @@ // content are licensed under the terms of the Creative Commons Attribution-ShareAlike 4.0 // International. See the License terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode -using ASC.Files.Core.Data; -using ASC.Web.Core; - namespace ASC.Web.Files; [Singletone(Additional = typeof(UsersQuotaOperationExtension))] From 7dac877b75ed1536ae35cf37205f29a16b875550 Mon Sep 17 00:00:00 2001 From: Elyor Djalilov Date: Fri, 21 Oct 2022 18:45:50 +0500 Subject: [PATCH 26/87] Web:Client:ActiveSessions: added modals --- .../client/public/locales/en/Profile.json | 8 ++ .../LogoutAllConnectionDialog/index.js | 65 +++++++++++++ .../dialogs/LogoutConnectionDialog/index.js | 54 +++++++++++ .../client/src/components/dialogs/index.js | 4 + .../src/pages/Profile/Section/Footer/index.js | 95 ++++++++++++++++--- .../client/src/store/SettingsSetupStore.js | 6 ++ 6 files changed, 219 insertions(+), 13 deletions(-) create mode 100644 packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js create mode 100644 packages/client/src/components/dialogs/LogoutConnectionDialog/index.js diff --git a/packages/client/public/locales/en/Profile.json b/packages/client/public/locales/en/Profile.json index 699bb3147a..b4bac6baec 100644 --- a/packages/client/public/locales/en/Profile.json +++ b/packages/client/public/locales/en/Profile.json @@ -5,7 +5,9 @@ "ConnectSocialNetworks": "Сonnect your social networks", "ContactInformation": "Contact Information", "CountCodesRemaining": "codes remaining", + "ChangePasswordAfterLoggingOut": "Change password after logging out", "DarkTheme": "Dark theme", + "DescriptionForSecurity": "For more security, you need to change your password.", "EditPhoto": "Edit photo", "EditSubscriptionsBtn": "Edit subscriptions", "EditUser": "Edit profile", @@ -14,6 +16,12 @@ "LightTheme": "Light theme", "LoginSettings": "Login settings", "LogoutAllActiveSessions": "Log out from all active sessions", + "LogoutActiveConnection": "Log out from active connection", + "LogoutAllActiveConnections": "Log out from all active connections", + "LogoutDescription": "Note. All active connections except this connection will be logged out, as it is currently in use.", + "LogoutBtn": "Log out", + "LogoutFrom": "Log out from {{platform}} {{browser}} ?", + "SuccessLogout": "The active connection was logged out: {{platform}}, {{browser}}", "LogoutAllActiveSessionsDescription": "All active connections except this connection will be logged out, as it is currently in use.", "MessageEmailActivationInstuctionsSentOnEmail": "The email activation instructions have been sent to the {{ email }} email address", "MyProfile": "My profile", diff --git a/packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js b/packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js new file mode 100644 index 0000000000..651f5ec03f --- /dev/null +++ b/packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js @@ -0,0 +1,65 @@ +import React, { useState } from "react"; +import { useTranslation } from "react-i18next"; +import ModalDialog from "@docspace/components/modal-dialog"; +import Checkbox from "@docspace/components/checkbox"; +import Button from "@docspace/components/button"; +import Box from "@docspace/components/box"; +import Text from "@docspace/components/text"; +import ModalDialogContainer from "../ModalDialogContainer"; + +const LogoutAllConnectionDialog = ({ + visible, + onClose, + onRemoveAllSessions, + loading, +}) => { + const { t } = useTranslation(["Profile", "Common"]); + const [isChecked, setIsChecked] = useState(false); + + const onChangeCheckbox = () => { + setIsChecked((prev) => !prev); + }; + + return ( + + + {t("Profile:LogoutAllActiveConnections")} + + + {t("Profile:LogoutDescription")} + + {t("Profile:DescriptionForSecurity")} + + + + {t("Profile:ChangePasswordAfterLoggingOut")} + + + +
@@ -109,24 +139,63 @@ const ActiveSessions = ({ {convertTime(session.date)} {session.ip} - onClickRemoveSession(session.id)}> + { + setLogoutVisible(true); + setModalData({ + id: session.id, + platform: session.platform, + browser: session.browser, + }); + }} + > {currentSession !== session.id ? removeIcon : null} ))}
+ + {logoutVisible && ( + setLogoutVisible(false)} + onRemoveSession={onClickRemoveSession} + /> + )} + + {logoutAllVisible && ( + setLogoutAllVisible(false)} + onRemoveAllSessions={onClickRemoveAllSessions} + /> + )}
); }; export default inject(({ auth, setup }) => { - const { getAllSessions, removeAllSessions, removeSession } = setup; - return { - userId: auth.userStore.user.id, - logout: auth.logout, + const { getAllSessions, removeAllSessions, removeSession, + logoutVisible, + setLogoutVisible, + logoutAllVisible, + setLogoutAllVisible, + } = setup; + return { + userId: auth.userStore.user.id, + getAllSessions, + removeAllSessions, + removeSession, + logoutVisible, + setLogoutVisible, + logoutAllVisible, + setLogoutAllVisible, }; })(observer(ActiveSessions)); diff --git a/packages/client/src/store/SettingsSetupStore.js b/packages/client/src/store/SettingsSetupStore.js index f4e544963c..163cb006e6 100644 --- a/packages/client/src/store/SettingsSetupStore.js +++ b/packages/client/src/store/SettingsSetupStore.js @@ -13,6 +13,8 @@ class SettingsSetupStore { selectionStore = null; authStore = null; isInit = false; + logoutVisible = false; + logoutAllVisible = false; viewAs = isMobile ? "row" : "table"; security = { @@ -356,6 +358,10 @@ class SettingsSetupStore { removeSession = (id) => { return api.settings.removeActiveSession(id); }; + + setLogoutVisible = (visible) => (this.logoutVisible = visible); + + setLogoutAllVisible = (visible) => (this.logoutAllVisible = visible); } export default SettingsSetupStore; From cabc463451c5cf6e632584fbbf5aee6594d3a11b Mon Sep 17 00:00:00 2001 From: Elyor Djalilov Date: Mon, 24 Oct 2022 17:14:49 +0500 Subject: [PATCH 27/87] Web:Client:ActiveSessions: added mobile view --- .../LogoutAllConnectionDialog/index.js | 7 +- .../src/pages/Profile/Section/Footer/index.js | 115 ++++++++++++------ .../Section/Footer/styled-active-sessions.js | 5 + .../client/src/store/SettingsSetupStore.js | 8 +- packages/common/api/settings/index.js | 12 +- 5 files changed, 106 insertions(+), 41 deletions(-) diff --git a/packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js b/packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js index 651f5ec03f..a79ceb2a26 100644 --- a/packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js +++ b/packages/client/src/components/dialogs/LogoutAllConnectionDialog/index.js @@ -12,6 +12,7 @@ const LogoutAllConnectionDialog = ({ onClose, onRemoveAllSessions, loading, + onRemoveAllExceptThis, }) => { const { t } = useTranslation(["Profile", "Common"]); const [isChecked, setIsChecked] = useState(false); @@ -20,6 +21,8 @@ const LogoutAllConnectionDialog = ({ setIsChecked((prev) => !prev); }; + console.log(isChecked); + return ( onRemoveAllSessions()} + onClick={() => + isChecked ? onRemoveAllSessions() : onRemoveAllExceptThis() + } isLoading={loading} />