diff options
Diffstat (limited to 'apps')
132 files changed, 795 insertions, 466 deletions
diff --git a/apps/admin_audit/lib/Actions/Versions.php b/apps/admin_audit/lib/Actions/Versions.php index c856c994d3f..b3fdefd011d 100644 --- a/apps/admin_audit/lib/Actions/Versions.php +++ b/apps/admin_audit/lib/Actions/Versions.php @@ -8,16 +8,6 @@ declare(strict_types=1); namespace OCA\AdminAudit\Actions; class Versions extends Action { - public function rollback(array $params): void { - $this->log('Version "%s" of "%s" was restored.', - [ - 'version' => $params['revision'], - 'path' => $params['path'] - ], - ['version', 'path'] - ); - } - public function delete(array $params): void { $this->log('Version "%s" was deleted.', ['path' => $params['path']], diff --git a/apps/admin_audit/lib/AppInfo/Application.php b/apps/admin_audit/lib/AppInfo/Application.php index 201a8fe255a..baf73b92b0d 100644 --- a/apps/admin_audit/lib/AppInfo/Application.php +++ b/apps/admin_audit/lib/AppInfo/Application.php @@ -27,6 +27,7 @@ use OCA\AdminAudit\Listener\GroupManagementEventListener; use OCA\AdminAudit\Listener\SecurityEventListener; use OCA\AdminAudit\Listener\SharingEventListener; use OCA\AdminAudit\Listener\UserManagementEventListener; +use OCA\Files_Versions\Events\VersionRestoredEvent; use OCP\App\Events\AppDisableEvent; use OCP\App\Events\AppEnableEvent; use OCP\App\Events\AppUpdateEvent; @@ -110,6 +111,7 @@ class Application extends App implements IBootstrap { // File events $context->registerEventListener(BeforePreviewFetchedEvent::class, FileEventListener::class); + $context->registerEventListener(VersionRestoredEvent::class, FileEventListener::class); // Security events $context->registerEventListener(TwoFactorProviderChallengePassed::class, SecurityEventListener::class); @@ -220,7 +222,6 @@ class Application extends App implements IBootstrap { private function versionsHooks(IAuditLogger $logger): void { $versionsActions = new Versions($logger); - Util::connectHook('\OCP\Versions', 'rollback', $versionsActions, 'rollback'); Util::connectHook('\OCP\Versions', 'delete', $versionsActions, 'delete'); } diff --git a/apps/admin_audit/lib/Listener/FileEventListener.php b/apps/admin_audit/lib/Listener/FileEventListener.php index 04a106a5adf..46a4962123b 100644 --- a/apps/admin_audit/lib/Listener/FileEventListener.php +++ b/apps/admin_audit/lib/Listener/FileEventListener.php @@ -10,6 +10,7 @@ declare(strict_types=1); namespace OCA\AdminAudit\Listener; use OCA\AdminAudit\Actions\Action; +use OCA\Files_Versions\Events\VersionRestoredEvent; use OCP\EventDispatcher\Event; use OCP\EventDispatcher\IEventListener; use OCP\Files\InvalidPathException; @@ -19,12 +20,14 @@ use OCP\Server; use Psr\Log\LoggerInterface; /** - * @template-implements IEventListener<BeforePreviewFetchedEvent> + * @template-implements IEventListener<BeforePreviewFetchedEvent|VersionRestoredEvent> */ class FileEventListener extends Action implements IEventListener { public function handle(Event $event): void { if ($event instanceof BeforePreviewFetchedEvent) { $this->beforePreviewFetched($event); + } elseif ($event instanceof VersionRestoredEvent) { + $this->versionRestored($event); } } @@ -54,4 +57,18 @@ class FileEventListener extends Action implements IEventListener { return; } } + + /** + * Logs when a version is restored + */ + private function versionRestored(VersionRestoredEvent $event): void { + $version = $event->getVersion(); + $this->log('Version "%s" of "%s" was restored.', + [ + 'version' => $version->getRevisionId(), + 'path' => $version->getVersionPath() + ], + ['version', 'path'] + ); + } } diff --git a/apps/cloud_federation_api/lib/Config.php b/apps/cloud_federation_api/lib/Config.php index cb3f4a2ae76..f7c14a75c37 100644 --- a/apps/cloud_federation_api/lib/Config.php +++ b/apps/cloud_federation_api/lib/Config.php @@ -6,6 +6,7 @@ namespace OCA\CloudFederationAPI; use OCP\Federation\ICloudFederationProviderManager; +use Psr\Log\LoggerInterface; /** * Class config @@ -18,6 +19,7 @@ class Config { public function __construct( private ICloudFederationProviderManager $cloudFederationProviderManager, + private LoggerInterface $logger, ) { } @@ -32,6 +34,7 @@ class Config { $provider = $this->cloudFederationProviderManager->getCloudFederationProvider($resourceType); return $provider->getSupportedShareTypes(); } catch (\Exception $e) { + $this->logger->error('Failed to create federation provider', ['exception' => $e]); return []; } } diff --git a/apps/cloud_federation_api/lib/Controller/RequestHandlerController.php b/apps/cloud_federation_api/lib/Controller/RequestHandlerController.php index 86af7924e6f..cbd66f52382 100644 --- a/apps/cloud_federation_api/lib/Controller/RequestHandlerController.php +++ b/apps/cloud_federation_api/lib/Controller/RequestHandlerController.php @@ -452,7 +452,7 @@ class RequestHandlerController extends Controller { */ private function getHostFromFederationId(string $entry): string { if (!str_contains($entry, '@')) { - throw new IncomingRequestException('entry ' . $entry . ' does not contains @'); + throw new IncomingRequestException('entry ' . $entry . ' does not contain @'); } $rightPart = substr($entry, strrpos($entry, '@') + 1); diff --git a/apps/dav/lib/CalDAV/Schedule/Plugin.php b/apps/dav/lib/CalDAV/Schedule/Plugin.php index abb3f578d04..da0f9ea5637 100644 --- a/apps/dav/lib/CalDAV/Schedule/Plugin.php +++ b/apps/dav/lib/CalDAV/Schedule/Plugin.php @@ -261,7 +261,7 @@ class Plugin extends \Sabre\CalDAV\Schedule\Plugin { $principalUri = $aclPlugin->getPrincipalByUri($iTipMessage->recipient); $calendarUserType = $this->getCalendarUserTypeForPrincipal($principalUri); if (strcasecmp($calendarUserType, 'ROOM') !== 0 && strcasecmp($calendarUserType, 'RESOURCE') !== 0) { - $this->logger->debug('Calendar user type is room or resource, not processing further'); + $this->logger->debug('Calendar user type is neither room nor resource, not processing further'); return; } diff --git a/apps/dav/lib/Migration/Version1004Date20170924124212.php b/apps/dav/lib/Migration/Version1004Date20170924124212.php index a8b85469214..fbfec7e8e2d 100644 --- a/apps/dav/lib/Migration/Version1004Date20170924124212.php +++ b/apps/dav/lib/Migration/Version1004Date20170924124212.php @@ -28,7 +28,10 @@ class Version1004Date20170924124212 extends SimpleMigrationStep { $table->addIndex(['addressbookid', 'uri'], 'cards_abiduri'); $table = $schema->getTable('cards_properties'); - $table->addIndex(['addressbookid'], 'cards_prop_abid'); + // Removed later on + // $table->addIndex(['addressbookid'], 'cards_prop_abid'); + // Added later on + $table->addIndex(['addressbookid', 'name', 'value'], 'cards_prop_abid_name_value', ); return $schema; } diff --git a/apps/federatedfilesharing/l10n/da.js b/apps/federatedfilesharing/l10n/da.js index e75dd788501..9d94a455f47 100644 --- a/apps/federatedfilesharing/l10n/da.js +++ b/apps/federatedfilesharing/l10n/da.js @@ -27,12 +27,12 @@ OC.L10N.register( "When enabled, all account properties (e.g. email address) with scope visibility set to \"published\", will be automatically synced and transmitted to an external system and made available in a public, global address book." : "Når det er aktiveret, vil alle kontoegenskaber (f.eks. mailadresse) med omfangssynlighed indstillet til \"publiceret\", automatisk blive synkroniseret og transmitteret til et eksternt system og gjort tilgængelige i en offentlig, global adressebog.", "Disable upload" : "Deaktivér upload", "Enable data upload" : "Aktivér data upload", - "Confirm querying lookup server" : "Bekræft søgende opslagsserver", + "Confirm querying lookup server" : "Bekræft forespørgsel til opslagsserver", "When enabled, the search input when creating shares will be sent to an external system that provides a public and global address book." : "Når det er aktiveret, vil søgeinputtet, når der oprettes delinger, blive sendt til et eksternt system, der leverer en offentlig og global adressebog.", "This is used to retrieve the federated cloud ID to make federated sharing easier." : "Dette bruges til at hente det fødererede cloud ID for at gøre fødereret deling nemmere.", "Moreover, email addresses of users might be sent to that system in order to verify them." : "Desuden kan mailadresser på brugere blive sendt til dette system for at verificere dem.", - "Disable querying" : "Deaktiver forespørgsel", - "Enable querying" : "Aktiver forespørgsel", + "Disable querying" : "Deaktivér forespørgsler", + "Enable querying" : "Aktivér forespørgsler", "Unable to update federated files sharing config" : "Kan ikke opdatere sammenkoblet fildelingskonfiguration", "Adjust how people can share between servers. This includes shares between people on this server as well if they are using federated sharing." : "Juster, hvordan brugere kan dele mellem servere. Dette inkluderer også delinger mellem brugere på denne server, hvis de bruger sammenkoblet deling.", "Allow people on this server to send shares to other servers (this option also allows WebDAV access to public shares)" : "Tillad brugere på denne server at sende shares til andre servere (denne mulighed giver også WebDAV adgang til offentlige shares)", diff --git a/apps/federatedfilesharing/l10n/da.json b/apps/federatedfilesharing/l10n/da.json index 633d29ee6ab..58343b3da11 100644 --- a/apps/federatedfilesharing/l10n/da.json +++ b/apps/federatedfilesharing/l10n/da.json @@ -25,12 +25,12 @@ "When enabled, all account properties (e.g. email address) with scope visibility set to \"published\", will be automatically synced and transmitted to an external system and made available in a public, global address book." : "Når det er aktiveret, vil alle kontoegenskaber (f.eks. mailadresse) med omfangssynlighed indstillet til \"publiceret\", automatisk blive synkroniseret og transmitteret til et eksternt system og gjort tilgængelige i en offentlig, global adressebog.", "Disable upload" : "Deaktivér upload", "Enable data upload" : "Aktivér data upload", - "Confirm querying lookup server" : "Bekræft søgende opslagsserver", + "Confirm querying lookup server" : "Bekræft forespørgsel til opslagsserver", "When enabled, the search input when creating shares will be sent to an external system that provides a public and global address book." : "Når det er aktiveret, vil søgeinputtet, når der oprettes delinger, blive sendt til et eksternt system, der leverer en offentlig og global adressebog.", "This is used to retrieve the federated cloud ID to make federated sharing easier." : "Dette bruges til at hente det fødererede cloud ID for at gøre fødereret deling nemmere.", "Moreover, email addresses of users might be sent to that system in order to verify them." : "Desuden kan mailadresser på brugere blive sendt til dette system for at verificere dem.", - "Disable querying" : "Deaktiver forespørgsel", - "Enable querying" : "Aktiver forespørgsel", + "Disable querying" : "Deaktivér forespørgsler", + "Enable querying" : "Aktivér forespørgsler", "Unable to update federated files sharing config" : "Kan ikke opdatere sammenkoblet fildelingskonfiguration", "Adjust how people can share between servers. This includes shares between people on this server as well if they are using federated sharing." : "Juster, hvordan brugere kan dele mellem servere. Dette inkluderer også delinger mellem brugere på denne server, hvis de bruger sammenkoblet deling.", "Allow people on this server to send shares to other servers (this option also allows WebDAV access to public shares)" : "Tillad brugere på denne server at sende shares til andre servere (denne mulighed giver også WebDAV adgang til offentlige shares)", diff --git a/apps/federatedfilesharing/lib/OCM/CloudFederationProviderFiles.php b/apps/federatedfilesharing/lib/OCM/CloudFederationProviderFiles.php index 585fb8e1d97..836b6610199 100644 --- a/apps/federatedfilesharing/lib/OCM/CloudFederationProviderFiles.php +++ b/apps/federatedfilesharing/lib/OCM/CloudFederationProviderFiles.php @@ -67,7 +67,6 @@ class CloudFederationProviderFiles implements ISignedCloudFederationProvider { private LoggerInterface $logger, private IFilenameValidator $filenameValidator, private readonly IProviderFactory $shareProviderFactory, - private TrustedServers $trustedServers, ) { } @@ -156,6 +155,17 @@ class CloudFederationProviderFiles implements ISignedCloudFederationProvider { // get DisplayName about the owner of the share $ownerDisplayName = $this->getUserDisplayName($ownerFederatedId); + $trustedServers = null; + if ($this->appManager->isEnabledForAnyone('federation') + && class_exists(TrustedServers::class)) { + try { + $trustedServers = Server::get(TrustedServers::class); + } catch (\Throwable $e) { + $this->logger->debug('Failed to create TrustedServers', ['exception' => $e]); + } + } + + if ($shareType === IShare::TYPE_USER) { $event = $this->activityManager->generateEvent(); $event->setApp('files_sharing') @@ -167,7 +177,7 @@ class CloudFederationProviderFiles implements ISignedCloudFederationProvider { $this->notifyAboutNewShare($shareWith, $shareId, $ownerFederatedId, $sharedByFederatedId, $name, $ownerDisplayName); // If auto-accept is enabled, accept the share - if ($this->federatedShareProvider->isFederatedTrustedShareAutoAccept() && $this->trustedServers->isTrustedServer($remote)) { + if ($this->federatedShareProvider->isFederatedTrustedShareAutoAccept() && $trustedServers?->isTrustedServer($remote) === true) { $this->externalShareManager->acceptShare($shareId, $shareWith); } } else { @@ -183,7 +193,7 @@ class CloudFederationProviderFiles implements ISignedCloudFederationProvider { $this->notifyAboutNewShare($user->getUID(), $shareId, $ownerFederatedId, $sharedByFederatedId, $name, $ownerDisplayName); // If auto-accept is enabled, accept the share - if ($this->federatedShareProvider->isFederatedTrustedShareAutoAccept() && $this->trustedServers->isTrustedServer($remote)) { + if ($this->federatedShareProvider->isFederatedTrustedShareAutoAccept() && $trustedServers?->isTrustedServer($remote) === true) { $this->externalShareManager->acceptShare($shareId, $user->getUID()); } } diff --git a/apps/files/l10n/lt_LT.js b/apps/files/l10n/lt_LT.js index 9a69f97719e..db1ec205a3c 100644 --- a/apps/files/l10n/lt_LT.js +++ b/apps/files/l10n/lt_LT.js @@ -88,7 +88,10 @@ OC.L10N.register( "Actions" : "Veiksmai", "List of files and folders." : "Failų ir aplankų sąrašas.", "File not found" : "Failas nerastas", + "{count} selected" : "Pažymėta {count}", + "{usedQuotaByte} used" : "Naudojama {usedQuotaByte}", "{used} of {quota} used" : "panaudota {used} iš {quota}", + "{relative}% used" : "Naudojama {relative}", "Could not refresh storage stats" : "Nepavyko iš naujo įkelti saugyklos statistikos", "Your storage is full, files can not be updated or synced anymore!" : "Jūsų saugykla pilna, failai daugiau nebegali būti atnaujinti arba sinchronizuojami!", "Storage information" : "Informacija apie saugyklą", @@ -107,13 +110,17 @@ OC.L10N.register( "Choose file or folder to transfer" : "Pasirinkti norimą perduoti failą ar aplanką", "Change" : "Keisti", "New owner" : "Naujasis savininkas", + "Choose {file}" : "Pasirinkti{file}", "Share" : "Bendrinti", "Shared by link" : "Bendrinama pagal nuorodą", "Shared" : "Bendrinama", "Switch to list view" : "Perjungti į sąrašo rodinį", "Switch to grid view" : "Perjungti į tinklelio rodinį", + "The file could not be found" : "Failas nerastas", + "Upload was cancelled by user" : "Įkelimas buvo atšauktas vartotojo", "Not enough free space" : "Trūksta laisvos vietos", "Operation is blocked by access control" : "Operacija yra užblokuota prieigos valdymo", + "Error during upload: {message}" : "Įkėlimo klaida: {message}", "Loading current folder" : "Įkeliamas dabartinis aplankas", "Retry" : "Bandyti dar kartą", "No files in here" : "Čia failų nėra", @@ -127,11 +134,14 @@ OC.L10N.register( "Clipboard is not available" : "Iškarpinė neprieinama", "WebDAV URL copied to clipboard" : "WebDAV URL nukopijuotas į iškarpinę", "Show hidden files" : "Rodyti paslėptus failus", - "Crop image previews" : "Apkirpti paveikslų peržiūras", + "Crop image previews" : "Apkirpti paveikslėlių peržiūras", + "Enable the grid view" : "Įjungti grid peržiūrą", + "Enable folder tree" : "Įjungti direktorijų medį", "Additional settings" : "Papildomi nustatymai", "WebDAV" : "WebDAV", "Copy to clipboard" : "Kopijuoti į iškarpinę", "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", + "Warnings" : "Įspėjimai", "Keyboard shortcuts" : "Spartieji klavišai", "Rename a file" : "Pervadinti failą", "Delete a file" : "Ištrinti failą", diff --git a/apps/files/l10n/lt_LT.json b/apps/files/l10n/lt_LT.json index 167be3459f9..9cbc15c12c6 100644 --- a/apps/files/l10n/lt_LT.json +++ b/apps/files/l10n/lt_LT.json @@ -86,7 +86,10 @@ "Actions" : "Veiksmai", "List of files and folders." : "Failų ir aplankų sąrašas.", "File not found" : "Failas nerastas", + "{count} selected" : "Pažymėta {count}", + "{usedQuotaByte} used" : "Naudojama {usedQuotaByte}", "{used} of {quota} used" : "panaudota {used} iš {quota}", + "{relative}% used" : "Naudojama {relative}", "Could not refresh storage stats" : "Nepavyko iš naujo įkelti saugyklos statistikos", "Your storage is full, files can not be updated or synced anymore!" : "Jūsų saugykla pilna, failai daugiau nebegali būti atnaujinti arba sinchronizuojami!", "Storage information" : "Informacija apie saugyklą", @@ -105,13 +108,17 @@ "Choose file or folder to transfer" : "Pasirinkti norimą perduoti failą ar aplanką", "Change" : "Keisti", "New owner" : "Naujasis savininkas", + "Choose {file}" : "Pasirinkti{file}", "Share" : "Bendrinti", "Shared by link" : "Bendrinama pagal nuorodą", "Shared" : "Bendrinama", "Switch to list view" : "Perjungti į sąrašo rodinį", "Switch to grid view" : "Perjungti į tinklelio rodinį", + "The file could not be found" : "Failas nerastas", + "Upload was cancelled by user" : "Įkelimas buvo atšauktas vartotojo", "Not enough free space" : "Trūksta laisvos vietos", "Operation is blocked by access control" : "Operacija yra užblokuota prieigos valdymo", + "Error during upload: {message}" : "Įkėlimo klaida: {message}", "Loading current folder" : "Įkeliamas dabartinis aplankas", "Retry" : "Bandyti dar kartą", "No files in here" : "Čia failų nėra", @@ -125,11 +132,14 @@ "Clipboard is not available" : "Iškarpinė neprieinama", "WebDAV URL copied to clipboard" : "WebDAV URL nukopijuotas į iškarpinę", "Show hidden files" : "Rodyti paslėptus failus", - "Crop image previews" : "Apkirpti paveikslų peržiūras", + "Crop image previews" : "Apkirpti paveikslėlių peržiūras", + "Enable the grid view" : "Įjungti grid peržiūrą", + "Enable folder tree" : "Įjungti direktorijų medį", "Additional settings" : "Papildomi nustatymai", "WebDAV" : "WebDAV", "Copy to clipboard" : "Kopijuoti į iškarpinę", "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", + "Warnings" : "Įspėjimai", "Keyboard shortcuts" : "Spartieji klavišai", "Rename a file" : "Pervadinti failą", "Delete a file" : "Ištrinti failą", diff --git a/apps/files/src/components/FileEntry.vue b/apps/files/src/components/FileEntry.vue index 5ec98452b1f..9642c4709d8 100644 --- a/apps/files/src/components/FileEntry.vue +++ b/apps/files/src/components/FileEntry.vue @@ -64,7 +64,9 @@ class="files-list__row-mtime" data-cy-files-list-row-mtime @click="openDetailsIfAvailable"> - <NcDateTime v-if="mtime" :timestamp="mtime" :ignore-seconds="true" /> + <NcDateTime v-if="mtime" + ignore-seconds + :timestamp="mtime" /> <span v-else>{{ t('files', 'Unknown date') }}</span> </td> @@ -86,7 +88,6 @@ import { formatFileSize } from '@nextcloud/files' import { useHotKey } from '@nextcloud/vue/composables/useHotKey' import { defineComponent } from 'vue' -import moment from '@nextcloud/moment' import NcDateTime from '@nextcloud/vue/components/NcDateTime' import { useNavigation } from '../composables/useNavigation.ts' @@ -206,26 +207,6 @@ export default defineComponent({ color: `color-mix(in srgb, var(--color-main-text) ${ratio}%, var(--color-text-maxcontrast))`, } }, - - mtime() { - // If the mtime is not a valid date, return it as is - if (this.source.mtime && !isNaN(this.source.mtime.getDate())) { - return this.source.mtime - } - - if (this.source.crtime && !isNaN(this.source.crtime.getDate())) { - return this.source.crtime - } - - return null - }, - - mtimeTitle() { - if (this.source.mtime) { - return moment(this.source.mtime).format('LLL') - } - return '' - }, }, created() { diff --git a/apps/files/src/components/FileEntryGrid.vue b/apps/files/src/components/FileEntryGrid.vue index f9f159bc190..1bd0572f53b 100644 --- a/apps/files/src/components/FileEntryGrid.vue +++ b/apps/files/src/components/FileEntryGrid.vue @@ -51,7 +51,9 @@ class="files-list__row-mtime" data-cy-files-list-row-mtime @click="openDetailsIfAvailable"> - <NcDateTime v-if="source.mtime" :timestamp="source.mtime" :ignore-seconds="true" /> + <NcDateTime v-if="mtime" + ignore-seconds + :timestamp="mtime" /> </td> <!-- Actions --> diff --git a/apps/files/src/components/FileEntryMixin.ts b/apps/files/src/components/FileEntryMixin.ts index 45113e246d2..589073e7b9a 100644 --- a/apps/files/src/components/FileEntryMixin.ts +++ b/apps/files/src/components/FileEntryMixin.ts @@ -191,21 +191,39 @@ export default defineComponent({ }, }, - mtimeOpacity() { - const maxOpacityTime = 31 * 24 * 60 * 60 * 1000 // 31 days + mtime() { + // If the mtime is not a valid date, return it as is + if (this.source.mtime && !isNaN(this.source.mtime.getDate())) { + return this.source.mtime + } + + if (this.source.crtime && !isNaN(this.source.crtime.getDate())) { + return this.source.crtime + } - const mtime = this.source.mtime?.getTime?.() - if (!mtime) { + return null + }, + + mtimeOpacity() { + if (!this.mtime) { return {} } - // 1 = today, 0 = 31 days ago - const ratio = Math.round(Math.min(100, 100 * (maxOpacityTime - (Date.now() - mtime)) / maxOpacityTime)) - if (ratio < 0) { + // The time when we start reducing the opacity + const maxOpacityTime = 31 * 24 * 60 * 60 * 1000 // 31 days + // everything older than the maxOpacityTime will have the same value + const timeDiff = Date.now() - this.mtime.getTime() + if (timeDiff < 0) { + // this means we have an invalid mtime which is in the future! return {} } + + // inversed time difference from 0 to maxOpacityTime (which would mean today) + const opacityTime = Math.max(0, maxOpacityTime - timeDiff) + // 100 = today, 0 = 31 days ago or older + const percentage = Math.round(opacityTime * 100 / maxOpacityTime) return { - color: `color-mix(in srgb, var(--color-main-text) ${ratio}%, var(--color-text-maxcontrast))`, + color: `color-mix(in srgb, var(--color-main-text) ${percentage}%, var(--color-text-maxcontrast))`, } }, diff --git a/apps/files_sharing/l10n/ar.js b/apps/files_sharing/l10n/ar.js index 6be88267c5b..eae64a56eae 100644 --- a/apps/files_sharing/l10n/ar.js +++ b/apps/files_sharing/l10n/ar.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "إرسال الاسم", "{ownerDisplayName} shared a folder with you." : "قام {ownerDisplayName} بمشاركة مجلد معك.", "To upload files, you need to provide your name first." : "لرفع الملفات، يجب أن تكتب اسمك أوّلاً.", - "Nickname" : "كنُيَة", - "Enter your nickname" : "أدخِل لقبك", + "Name" : "الاسم", + "Enter your name" : "أدخِل اسمك", "Share with {userName}" : "شارِك مع {userName}", "Share with email {email}" : "مشاركة مع صاحب البريد الإلكتروني {email}", "Share with group" : "شارِك مع مجموعة", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "تمّ حفظ تاريخ انتهاء صلاحية المشاركة", "You are not allowed to edit link shares that you don't own" : "أنت غير مسموحٍ لك بتعديل مشاركات الروابط التي لا تملكها", "_1 email address already added_::_{count} email addresses already added_" : ["{count} عنوان إيميل سبقت إضافته سلفاً","1 عنوان إيميل سبقت إضافته سلفاً","{count} عنوان إيميل سبقت إضافته سلفاً","{count} عناوين إيميل سبقت إضافتهت سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً"], - "_1 email address added_::_{count} email addresses added_" : ["{count} عنوان إيميل تمت إضافته","1 عنوان إيميل تمت إضافته","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها"], - "Enter your name" : "أدخِل اسمك" + "_1 email address added_::_{count} email addresses added_" : ["{count} عنوان إيميل تمت إضافته","1 عنوان إيميل تمت إضافته","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها"] }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/files_sharing/l10n/ar.json b/apps/files_sharing/l10n/ar.json index 504829db276..35eebb01014 100644 --- a/apps/files_sharing/l10n/ar.json +++ b/apps/files_sharing/l10n/ar.json @@ -261,8 +261,8 @@ "Submit name" : "إرسال الاسم", "{ownerDisplayName} shared a folder with you." : "قام {ownerDisplayName} بمشاركة مجلد معك.", "To upload files, you need to provide your name first." : "لرفع الملفات، يجب أن تكتب اسمك أوّلاً.", - "Nickname" : "كنُيَة", - "Enter your nickname" : "أدخِل لقبك", + "Name" : "الاسم", + "Enter your name" : "أدخِل اسمك", "Share with {userName}" : "شارِك مع {userName}", "Share with email {email}" : "مشاركة مع صاحب البريد الإلكتروني {email}", "Share with group" : "شارِك مع مجموعة", @@ -420,7 +420,6 @@ "Share expire date saved" : "تمّ حفظ تاريخ انتهاء صلاحية المشاركة", "You are not allowed to edit link shares that you don't own" : "أنت غير مسموحٍ لك بتعديل مشاركات الروابط التي لا تملكها", "_1 email address already added_::_{count} email addresses already added_" : ["{count} عنوان إيميل سبقت إضافته سلفاً","1 عنوان إيميل سبقت إضافته سلفاً","{count} عنوان إيميل سبقت إضافته سلفاً","{count} عناوين إيميل سبقت إضافتهت سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً"], - "_1 email address added_::_{count} email addresses added_" : ["{count} عنوان إيميل تمت إضافته","1 عنوان إيميل تمت إضافته","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها"], - "Enter your name" : "أدخِل اسمك" + "_1 email address added_::_{count} email addresses added_" : ["{count} عنوان إيميل تمت إضافته","1 عنوان إيميل تمت إضافته","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها"] },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ast.js b/apps/files_sharing/l10n/ast.js index c4d82bf9b1b..803bd2ad8b2 100644 --- a/apps/files_sharing/l10n/ast.js +++ b/apps/files_sharing/l10n/ast.js @@ -194,7 +194,7 @@ OC.L10N.register( "on {server}" : "en: {server}", "File drop" : "Suelta de ficheros", "Terms of service" : "Términos del serviciu", - "Nickname" : "Nomatu", + "Name" : "Nome", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir cola direición de corréu electrónica {email}", "Share with group" : "Compartir col grupu", diff --git a/apps/files_sharing/l10n/ast.json b/apps/files_sharing/l10n/ast.json index 7aecab17cfc..a596b7334cb 100644 --- a/apps/files_sharing/l10n/ast.json +++ b/apps/files_sharing/l10n/ast.json @@ -192,7 +192,7 @@ "on {server}" : "en: {server}", "File drop" : "Suelta de ficheros", "Terms of service" : "Términos del serviciu", - "Nickname" : "Nomatu", + "Name" : "Nome", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir cola direición de corréu electrónica {email}", "Share with group" : "Compartir col grupu", diff --git a/apps/files_sharing/l10n/bg.js b/apps/files_sharing/l10n/bg.js index ea78f570041..fa4dbe77d92 100644 --- a/apps/files_sharing/l10n/bg.js +++ b/apps/files_sharing/l10n/bg.js @@ -167,6 +167,8 @@ OC.L10N.register( "on {server}" : "на {server}", "File drop" : "Пускане/Преместване/ на файл", "Terms of service" : "Условия за ползване", + "Name" : "Име", + "Enter your name" : "Въведете вашето име", "Read" : "Четене", "Create" : "Създаване", "Edit" : "Редактиране", @@ -246,7 +248,6 @@ OC.L10N.register( "Download all files" : "Изтегли всички файлове", "Search for share recipients" : "Търсене на получатели на споделяне", "No recommendations. Start typing." : "Няма препоръки. Започнете да пишете.", - "Allow download" : "Позволяване на изтегляне/сваляне/", - "Enter your name" : "Въведете вашето име" + "Allow download" : "Позволяване на изтегляне/сваляне/" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/bg.json b/apps/files_sharing/l10n/bg.json index 95c67512df4..8f9fd6d5525 100644 --- a/apps/files_sharing/l10n/bg.json +++ b/apps/files_sharing/l10n/bg.json @@ -165,6 +165,8 @@ "on {server}" : "на {server}", "File drop" : "Пускане/Преместване/ на файл", "Terms of service" : "Условия за ползване", + "Name" : "Име", + "Enter your name" : "Въведете вашето име", "Read" : "Четене", "Create" : "Създаване", "Edit" : "Редактиране", @@ -244,7 +246,6 @@ "Download all files" : "Изтегли всички файлове", "Search for share recipients" : "Търсене на получатели на споделяне", "No recommendations. Start typing." : "Няма препоръки. Започнете да пишете.", - "Allow download" : "Позволяване на изтегляне/сваляне/", - "Enter your name" : "Въведете вашето име" + "Allow download" : "Позволяване на изтегляне/сваляне/" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ca.js b/apps/files_sharing/l10n/ca.js index ee51917b9b4..174a1e96fa0 100644 --- a/apps/files_sharing/l10n/ca.js +++ b/apps/files_sharing/l10n/ca.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Envia el nom", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartit una carpeta amb tu.", "To upload files, you need to provide your name first." : "Per la pujada de fitxers, primer heu de proporcionar el vostre nom.", - "Nickname" : "Sobrenom", - "Enter your nickname" : "Introduïu el vostre sobrenom", + "Name" : "Nom", + "Enter your name" : "Introdueix el teu nom", "Share with {userName}" : "Comparteix amb {userName}", "Share with email {email}" : "Comparteix amb l'adreça electrònica {email}", "Share with group" : "Comparteix amb el grup", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "S'ha desat la data de caducitat de la compartició", "You are not allowed to edit link shares that you don't own" : "No teniu permès editar els elements compartits d'enllaços dels que no sigueu propietaris", "_1 email address already added_::_{count} email addresses already added_" : ["Ja s'ha afegit 1 adreça de correu","Ja s’han afegit {count} adreces de correu"], - "_1 email address added_::_{count} email addresses added_" : ["S'ha afegit 1 adreça de correu","S’han afegit {count} adreces de correu"], - "Enter your name" : "Introdueix el teu nom" + "_1 email address added_::_{count} email addresses added_" : ["S'ha afegit 1 adreça de correu","S’han afegit {count} adreces de correu"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/ca.json b/apps/files_sharing/l10n/ca.json index 6034fcc2f53..47c46ebf19d 100644 --- a/apps/files_sharing/l10n/ca.json +++ b/apps/files_sharing/l10n/ca.json @@ -261,8 +261,8 @@ "Submit name" : "Envia el nom", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartit una carpeta amb tu.", "To upload files, you need to provide your name first." : "Per la pujada de fitxers, primer heu de proporcionar el vostre nom.", - "Nickname" : "Sobrenom", - "Enter your nickname" : "Introduïu el vostre sobrenom", + "Name" : "Nom", + "Enter your name" : "Introdueix el teu nom", "Share with {userName}" : "Comparteix amb {userName}", "Share with email {email}" : "Comparteix amb l'adreça electrònica {email}", "Share with group" : "Comparteix amb el grup", @@ -420,7 +420,6 @@ "Share expire date saved" : "S'ha desat la data de caducitat de la compartició", "You are not allowed to edit link shares that you don't own" : "No teniu permès editar els elements compartits d'enllaços dels que no sigueu propietaris", "_1 email address already added_::_{count} email addresses already added_" : ["Ja s'ha afegit 1 adreça de correu","Ja s’han afegit {count} adreces de correu"], - "_1 email address added_::_{count} email addresses added_" : ["S'ha afegit 1 adreça de correu","S’han afegit {count} adreces de correu"], - "Enter your name" : "Introdueix el teu nom" + "_1 email address added_::_{count} email addresses added_" : ["S'ha afegit 1 adreça de correu","S’han afegit {count} adreces de correu"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/cs.js b/apps/files_sharing/l10n/cs.js index 866511579d1..81a56ccd0b6 100644 --- a/apps/files_sharing/l10n/cs.js +++ b/apps/files_sharing/l10n/cs.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Odeslat jméno", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} vám nasdílel(a) složku.", "To upload files, you need to provide your name first." : "Aby bylo možné nahrávat soubory, je třeba nejprve zadat své jméno.", - "Nickname" : "Přezdívka", - "Enter your nickname" : "Zadejte svou přezdívku", + "Name" : "Název", + "Enter your name" : "Zadejte své jméno", "Share with {userName}" : "Nasdílet pro {userName}", "Share with email {email}" : "Nasdílet e-mailu {email}", "Share with group" : "Nasdílet skupině", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Datum skončení platnosti sdílení uloženo", "You are not allowed to edit link shares that you don't own" : "Nemáte oprávnění upravovat sdílení odkazem, která nevlastníte", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adresa už přidána","{count} e-mailové adresy už přidány","{count} e-mailových adres už přidáno","{count} e-mailové adresy už přidány"], - "_1 email address added_::_{count} email addresses added_" : ["Jedna e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"], - "Enter your name" : "Zadejte své jméno" + "_1 email address added_::_{count} email addresses added_" : ["Jedna e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"] }, "nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"); diff --git a/apps/files_sharing/l10n/cs.json b/apps/files_sharing/l10n/cs.json index 457638daa93..df979b969de 100644 --- a/apps/files_sharing/l10n/cs.json +++ b/apps/files_sharing/l10n/cs.json @@ -261,8 +261,8 @@ "Submit name" : "Odeslat jméno", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} vám nasdílel(a) složku.", "To upload files, you need to provide your name first." : "Aby bylo možné nahrávat soubory, je třeba nejprve zadat své jméno.", - "Nickname" : "Přezdívka", - "Enter your nickname" : "Zadejte svou přezdívku", + "Name" : "Název", + "Enter your name" : "Zadejte své jméno", "Share with {userName}" : "Nasdílet pro {userName}", "Share with email {email}" : "Nasdílet e-mailu {email}", "Share with group" : "Nasdílet skupině", @@ -420,7 +420,6 @@ "Share expire date saved" : "Datum skončení platnosti sdílení uloženo", "You are not allowed to edit link shares that you don't own" : "Nemáte oprávnění upravovat sdílení odkazem, která nevlastníte", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adresa už přidána","{count} e-mailové adresy už přidány","{count} e-mailových adres už přidáno","{count} e-mailové adresy už přidány"], - "_1 email address added_::_{count} email addresses added_" : ["Jedna e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"], - "Enter your name" : "Zadejte své jméno" + "_1 email address added_::_{count} email addresses added_" : ["Jedna e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"] },"pluralForm" :"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/da.js b/apps/files_sharing/l10n/da.js index d7b691d448c..c2a539394b2 100644 --- a/apps/files_sharing/l10n/da.js +++ b/apps/files_sharing/l10n/da.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Angiv navn", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} delte en mappe med dig.", "To upload files, you need to provide your name first." : "For at uploade filer skal du først angive dit navn.", - "Nickname" : "Kælenavn", - "Enter your nickname" : "Angiv dit kælenavn", + "Name" : "Navn", + "Enter your name" : "Angiv dit navn", "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-mail {email}", "Share with group" : "Del med gruppe", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Udløbsdato for deling gemt", "You are not allowed to edit link shares that you don't own" : "Du har ikke tilladelse til at redigere link delinger som du ikke ejer", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailadresse allerede tilføjet","{count} e-mailadresser allerede tilføjet"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-mailadresse tilføjet","{count} e-mailadresser tilføjet"], - "Enter your name" : "Angiv dit navn" + "_1 email address added_::_{count} email addresses added_" : ["1 e-mailadresse tilføjet","{count} e-mailadresser tilføjet"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/da.json b/apps/files_sharing/l10n/da.json index 05fe9b05d09..3a773a16f3e 100644 --- a/apps/files_sharing/l10n/da.json +++ b/apps/files_sharing/l10n/da.json @@ -261,8 +261,8 @@ "Submit name" : "Angiv navn", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} delte en mappe med dig.", "To upload files, you need to provide your name first." : "For at uploade filer skal du først angive dit navn.", - "Nickname" : "Kælenavn", - "Enter your nickname" : "Angiv dit kælenavn", + "Name" : "Navn", + "Enter your name" : "Angiv dit navn", "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-mail {email}", "Share with group" : "Del med gruppe", @@ -420,7 +420,6 @@ "Share expire date saved" : "Udløbsdato for deling gemt", "You are not allowed to edit link shares that you don't own" : "Du har ikke tilladelse til at redigere link delinger som du ikke ejer", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailadresse allerede tilføjet","{count} e-mailadresser allerede tilføjet"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-mailadresse tilføjet","{count} e-mailadresser tilføjet"], - "Enter your name" : "Angiv dit navn" + "_1 email address added_::_{count} email addresses added_" : ["1 e-mailadresse tilføjet","{count} e-mailadresser tilføjet"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/de.js b/apps/files_sharing/l10n/de.js index 0c9bb4d7429..9b260dd1af0 100644 --- a/apps/files_sharing/l10n/de.js +++ b/apps/files_sharing/l10n/de.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Name übermitteln", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} hat einen Ordner mit dir geteilt.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, musst du zunächst deinen Namen angeben.", - "Nickname" : "Name", - "Enter your nickname" : "Gib deinen Namen ein", + "Name" : "Name", + "Enter your name" : "Gib deinen Namen ein", "Share with {userName}" : "Mit {userName} teilen", "Share with email {email}" : "Per E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Freigabe-Ablaufdatum gespeichert", "You are not allowed to edit link shares that you don't own" : "Du darfst keine Linkfreigaben bearbeiten, die du nicht besitzst", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], - "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], - "Enter your name" : "Gib deinen Namen ein" + "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/de.json b/apps/files_sharing/l10n/de.json index 3adc7dc5635..4b61000993d 100644 --- a/apps/files_sharing/l10n/de.json +++ b/apps/files_sharing/l10n/de.json @@ -261,8 +261,8 @@ "Submit name" : "Name übermitteln", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} hat einen Ordner mit dir geteilt.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, musst du zunächst deinen Namen angeben.", - "Nickname" : "Name", - "Enter your nickname" : "Gib deinen Namen ein", + "Name" : "Name", + "Enter your name" : "Gib deinen Namen ein", "Share with {userName}" : "Mit {userName} teilen", "Share with email {email}" : "Per E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", @@ -420,7 +420,6 @@ "Share expire date saved" : "Freigabe-Ablaufdatum gespeichert", "You are not allowed to edit link shares that you don't own" : "Du darfst keine Linkfreigaben bearbeiten, die du nicht besitzst", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], - "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], - "Enter your name" : "Gib deinen Namen ein" + "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/de_DE.js b/apps/files_sharing/l10n/de_DE.js index 56ae7037328..5caec03aaea 100644 --- a/apps/files_sharing/l10n/de_DE.js +++ b/apps/files_sharing/l10n/de_DE.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Name übermitteln", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} hat einen Ordner mit Ihnen geteilt.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, müssen Sie zunächst Ihren Namen angeben.", - "Nickname" : "Name", - "Enter your nickname" : "Geben Sie Ihren Namen ein", + "Name" : "Name", + "Enter your name" : "Geben Sie Ihren Namen ein", "Share with {userName}" : "Mit {userName} teilen", "Share with email {email}" : "Mit E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Freigabe-Ablaufdatum gespeichert", "You are not allowed to edit link shares that you don't own" : "Sie dürfen keine Linkfreigaben bearbeiten, die Sie nicht besitzen", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], - "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], - "Enter your name" : "Geben Sie Ihren Namen ein" + "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/de_DE.json b/apps/files_sharing/l10n/de_DE.json index 4d8e690d399..cd955c1163d 100644 --- a/apps/files_sharing/l10n/de_DE.json +++ b/apps/files_sharing/l10n/de_DE.json @@ -261,8 +261,8 @@ "Submit name" : "Name übermitteln", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} hat einen Ordner mit Ihnen geteilt.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, müssen Sie zunächst Ihren Namen angeben.", - "Nickname" : "Name", - "Enter your nickname" : "Geben Sie Ihren Namen ein", + "Name" : "Name", + "Enter your name" : "Geben Sie Ihren Namen ein", "Share with {userName}" : "Mit {userName} teilen", "Share with email {email}" : "Mit E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", @@ -420,7 +420,6 @@ "Share expire date saved" : "Freigabe-Ablaufdatum gespeichert", "You are not allowed to edit link shares that you don't own" : "Sie dürfen keine Linkfreigaben bearbeiten, die Sie nicht besitzen", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], - "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], - "Enter your name" : "Geben Sie Ihren Namen ein" + "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/el.js b/apps/files_sharing/l10n/el.js index f8d94945207..45f2a565931 100644 --- a/apps/files_sharing/l10n/el.js +++ b/apps/files_sharing/l10n/el.js @@ -168,6 +168,8 @@ OC.L10N.register( "Note:" : "Σημείωση:", "File drop" : "Απόθεση αρχείου", "Terms of service" : "Όροι χρήσης", + "Name" : "Όνομα", + "Enter your name" : "Προσθέστε το όνομά σας", "Share with group" : "Κοινή χρήση με ομάδα", "Share in conversation" : "Κοινή χρήση σε συζήτηση", "Share with guest" : "Κοινή χρήση με επισκέπτη", @@ -269,7 +271,6 @@ OC.L10N.register( "Download all files" : "Λήψη όλων των αρχείων", "Search for share recipients" : "Αναζήτηση για παραλήπτες διαμοιρασμού", "No recommendations. Start typing." : "Δεν υπάρχουν συστάσεις. Αρχίστε να πληκτρολογείτε.", - "Allow download" : "Να επιτρέπεται η λήψη", - "Enter your name" : "Προσθέστε το όνομά σας" + "Allow download" : "Να επιτρέπεται η λήψη" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/el.json b/apps/files_sharing/l10n/el.json index 7af76cb81c3..790526c705e 100644 --- a/apps/files_sharing/l10n/el.json +++ b/apps/files_sharing/l10n/el.json @@ -166,6 +166,8 @@ "Note:" : "Σημείωση:", "File drop" : "Απόθεση αρχείου", "Terms of service" : "Όροι χρήσης", + "Name" : "Όνομα", + "Enter your name" : "Προσθέστε το όνομά σας", "Share with group" : "Κοινή χρήση με ομάδα", "Share in conversation" : "Κοινή χρήση σε συζήτηση", "Share with guest" : "Κοινή χρήση με επισκέπτη", @@ -267,7 +269,6 @@ "Download all files" : "Λήψη όλων των αρχείων", "Search for share recipients" : "Αναζήτηση για παραλήπτες διαμοιρασμού", "No recommendations. Start typing." : "Δεν υπάρχουν συστάσεις. Αρχίστε να πληκτρολογείτε.", - "Allow download" : "Να επιτρέπεται η λήψη", - "Enter your name" : "Προσθέστε το όνομά σας" + "Allow download" : "Να επιτρέπεται η λήψη" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/en_GB.js b/apps/files_sharing/l10n/en_GB.js index cb6ec8aa9ea..8173311cd51 100644 --- a/apps/files_sharing/l10n/en_GB.js +++ b/apps/files_sharing/l10n/en_GB.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Submit name", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} shared a folder with you.", "To upload files, you need to provide your name first." : "To upload files, you need to provide your name first.", - "Nickname" : "Nickname", - "Enter your nickname" : "Enter your nickname", + "Name" : "Surname", + "Enter your name" : "Enter your name", "Share with {userName}" : "Share with {userName}", "Share with email {email}" : "Share with email {email}", "Share with group" : "Share with group", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Share expire date saved", "You are not allowed to edit link shares that you don't own" : "You are not allowed to edit link shares that you don't own", "_1 email address already added_::_{count} email addresses already added_" : ["1 email address already added","{count} email addresses already added"], - "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count} email addresses added"], - "Enter your name" : "Enter your name" + "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count} email addresses added"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/en_GB.json b/apps/files_sharing/l10n/en_GB.json index fa8e80e2e74..b2cab53805c 100644 --- a/apps/files_sharing/l10n/en_GB.json +++ b/apps/files_sharing/l10n/en_GB.json @@ -261,8 +261,8 @@ "Submit name" : "Submit name", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} shared a folder with you.", "To upload files, you need to provide your name first." : "To upload files, you need to provide your name first.", - "Nickname" : "Nickname", - "Enter your nickname" : "Enter your nickname", + "Name" : "Surname", + "Enter your name" : "Enter your name", "Share with {userName}" : "Share with {userName}", "Share with email {email}" : "Share with email {email}", "Share with group" : "Share with group", @@ -420,7 +420,6 @@ "Share expire date saved" : "Share expire date saved", "You are not allowed to edit link shares that you don't own" : "You are not allowed to edit link shares that you don't own", "_1 email address already added_::_{count} email addresses already added_" : ["1 email address already added","{count} email addresses already added"], - "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count} email addresses added"], - "Enter your name" : "Enter your name" + "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count} email addresses added"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/es.js b/apps/files_sharing/l10n/es.js index c3da995cbc8..be4cd272423 100644 --- a/apps/files_sharing/l10n/es.js +++ b/apps/files_sharing/l10n/es.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Enviar nombre", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartido una carpeta contigo.", "To upload files, you need to provide your name first." : "Para cargar archivos, primero debes indicar tu nombre.", - "Nickname" : "Alias", - "Enter your nickname" : "Introduce tu apodo", + "Name" : "Nombre", + "Enter your name" : "Escriba su nombre", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartido con {email}", "Share with group" : "Compartir con grupo", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Fecha de caducidad del recurso compartido guardada", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], - "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido una dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"], - "Enter your name" : "Escriba su nombre" + "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido una dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"] }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/es.json b/apps/files_sharing/l10n/es.json index 227a8bea9ad..6b4ded82049 100644 --- a/apps/files_sharing/l10n/es.json +++ b/apps/files_sharing/l10n/es.json @@ -261,8 +261,8 @@ "Submit name" : "Enviar nombre", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartido una carpeta contigo.", "To upload files, you need to provide your name first." : "Para cargar archivos, primero debes indicar tu nombre.", - "Nickname" : "Alias", - "Enter your nickname" : "Introduce tu apodo", + "Name" : "Nombre", + "Enter your name" : "Escriba su nombre", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartido con {email}", "Share with group" : "Compartir con grupo", @@ -420,7 +420,6 @@ "Share expire date saved" : "Fecha de caducidad del recurso compartido guardada", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], - "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido una dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"], - "Enter your name" : "Escriba su nombre" + "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido una dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"] },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/es_EC.js b/apps/files_sharing/l10n/es_EC.js index a8abf5d5692..33fda46df2b 100644 --- a/apps/files_sharing/l10n/es_EC.js +++ b/apps/files_sharing/l10n/es_EC.js @@ -163,6 +163,7 @@ OC.L10N.register( "on {server}" : "en {server}", "File drop" : "Soltar archivo", "Terms of service" : "Terms of service", + "Name" : "Nombre", "Read" : "Leer", "Create" : "Crear", "Edit" : "Editar", diff --git a/apps/files_sharing/l10n/es_EC.json b/apps/files_sharing/l10n/es_EC.json index a84e53bdda3..f2ab7a7162f 100644 --- a/apps/files_sharing/l10n/es_EC.json +++ b/apps/files_sharing/l10n/es_EC.json @@ -161,6 +161,7 @@ "on {server}" : "en {server}", "File drop" : "Soltar archivo", "Terms of service" : "Terms of service", + "Name" : "Nombre", "Read" : "Leer", "Create" : "Crear", "Edit" : "Editar", diff --git a/apps/files_sharing/l10n/es_MX.js b/apps/files_sharing/l10n/es_MX.js index 19310aa706d..7e6dddd2947 100644 --- a/apps/files_sharing/l10n/es_MX.js +++ b/apps/files_sharing/l10n/es_MX.js @@ -242,6 +242,8 @@ OC.L10N.register( "Submit name" : "Enviar nombre", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} le compartió una carpeta.", "To upload files, you need to provide your name first." : "Para cargar archivos, primero debe proveer su nombre.", + "Name" : "Nombre", + "Enter your name" : "Ingrese su nombre", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir al correo electrónico {email}", "Share with group" : "Compartir con el grupo", @@ -360,7 +362,6 @@ OC.L10N.register( "Allow download" : "Permitir descarga", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], - "_1 email address added_::_{count} email addresses added_" : ["Se añadió 1 dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"], - "Enter your name" : "Ingrese su nombre" + "_1 email address added_::_{count} email addresses added_" : ["Se añadió 1 dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"] }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/es_MX.json b/apps/files_sharing/l10n/es_MX.json index c0be13dbcc2..2284878102a 100644 --- a/apps/files_sharing/l10n/es_MX.json +++ b/apps/files_sharing/l10n/es_MX.json @@ -240,6 +240,8 @@ "Submit name" : "Enviar nombre", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} le compartió una carpeta.", "To upload files, you need to provide your name first." : "Para cargar archivos, primero debe proveer su nombre.", + "Name" : "Nombre", + "Enter your name" : "Ingrese su nombre", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir al correo electrónico {email}", "Share with group" : "Compartir con el grupo", @@ -358,7 +360,6 @@ "Allow download" : "Permitir descarga", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], - "_1 email address added_::_{count} email addresses added_" : ["Se añadió 1 dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"], - "Enter your name" : "Ingrese su nombre" + "_1 email address added_::_{count} email addresses added_" : ["Se añadió 1 dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"] },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/et_EE.js b/apps/files_sharing/l10n/et_EE.js index 94d143023c2..0f6f893c90a 100644 --- a/apps/files_sharing/l10n/et_EE.js +++ b/apps/files_sharing/l10n/et_EE.js @@ -98,14 +98,29 @@ OC.L10N.register( "Send link via email" : "Saada link e-kirjaga", "Select" : "Vali", "Add a note" : "Lisa märge", + "Note for recipient" : "Märge saajale", + "Add a note to help people understand what you are requesting." : "Lisa teise osapoole jaoks märge, mis aitab neil mõista, missugust faili sa temalt soovid.", "Close" : "Sulge", + "_Send email and close_::_Send {count} emails and close_" : ["Saada e-kiri ja sulge","Saada {count} e-kirja ja sulge"], + "Please select a folder, you cannot share the root directory." : "Palun vali kaust ülaltpool - sa ei saa jagada juurkausta.", + "Error creating the share: {errorMessage}" : "Viga jaosmeedia loomisel: {errorMessage}", + "Error creating the share" : "Viga jaosmeedia loomisel", "Error sending emails: {errorMessage}" : "Viga e-kirjade saatmisel: {errorMessage}", "Error sending emails" : "Viga e-kirjade saatmisel", + "Create a file request" : "Koosta failipäring", + "Collect files from others even if they do not have an account." : "Kogu faile teistelt ka siis, kui neil pole selles teenuses kasutajakontot.", + "To ensure you can receive files, verify you have enough storage available." : "Selleks et faile vastu võtta, palun kontrolli, et sinu seadmes on piisavalt andmeruumi saadaval.", + "File request" : "Failipäring", + "Previous step" : "Eelmine samm", "Cancel" : "Loobu", + "Cancel the file request creation" : "Katkesta failipäringu koostamine", + "Close without sending emails" : "Sulge ilma e-kirju saatmata", "Continue" : "Jätka", "Invalid path selected" : "Vigane asukoht on valitud", "Unknown error" : "Tundmatu viga", + "Set default folder for accepted shares" : "Määra vastuvõetava jaosmeedia jaoks vaikimisi kaust", "Reset" : "Lähtesta", + "Reset folder to system default" : "Kasuta süsteemi vaikimisi kausta", "Share expiration: " : "Jagamise aegumine:", "Share Expiration" : "Jagamise aegumine", "group" : "grupp", @@ -114,13 +129,19 @@ OC.L10N.register( "remote group" : "Kauggrupp", "guest" : "külaline", "by {initiator}" : "kasutajalt {initiator}", + "Open Sharing Details" : "Ava jaosmeedia üksikasjad", + "Added by {initiator}" : "Selle lisas {initiator}", "Unshare" : "Lõpeta jagamine", "Cannot copy, please copy the link manually" : "Ei saa kopeerida, palun kopeeri link käsitsi", + "Copy internal link to clipboard" : "Kopeeri sisemine link lõikelauale", + "Only works for people with access to this folder" : "Toimib vaid kasutajate puhul, kellel on ligipääs siia kausta", + "Only works for people with access to this file" : "Toimib vaid kasutajate puhul, kellel on ligipääs sellele failile", "Link copied" : "Link kopeeritud", "Internal link" : "Sisemine link", "Share link ({label})" : "Jagamise link ({label})", "Share link ({index})" : "Jagamise link ({index})", "Create public link" : "Loo avalik link", + "Error while creating the share" : "Viga jaosmeedia loomisel", "Password protection (enforced)" : "Paroolikaitse (jõustatud)", "Password protection" : "Password protection", "Enter a password" : "Enter a password", @@ -129,17 +150,22 @@ OC.L10N.register( "Enter expiration date (enforced)" : "Sisesta aegumise kuupäev (jõustatud)", "Enter expiration date" : "Sisesta aegumise kuupäev", "Create share" : "Lisa jagamine", + "Customize link" : "Kohanda linki", "Generate QR code" : "Loo QR-kood", "Add another link" : "Lisa veel üks link", + "Create a new share link" : "Loo uus jagamislink", "View only" : "Ainult vaatamine", "Can edit" : "Võib redigeerida", "Resharing is not allowed" : "Edasijagamine pole lubatud", + "Name or email …" : "Nimi või e-posti aadress…", + "Name, email, or Federated Cloud ID …" : "Nimi, e-posti aadress või liitpilve kasutajatunnus…", "Searching …" : "Otsin ...", "Guest" : "Külaline", "Group" : "Grupp", "Email" : "Epost", "Team" : "Tiim", "Talk conversation" : "Talk suhtlus", + "on {server}" : " {server}", "Enter external recipients" : "Lisa välised saajad", "Search for internal recipients" : "Otsi rakendusesiseseid saajaid", "Note from" : "Märge kasutajalt", @@ -151,10 +177,13 @@ OC.L10N.register( "Terms of service" : "Kasutustingimused", "Upload files to {folder}" : "Laadi failid üles kausta {folder}", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} jagas sinuga kausta.", - "Nickname" : "Hüüdnimi", - "Enter your nickname" : "Sisesta oma hüüdnimi", + "Name" : "Nimi", + "Enter your name" : "Sisesta oma nimi", + "Share with {userName}" : "Jaga kasutajaga {userName}", + "Share with email {email}" : "Jaga e-posti aadressile {email}", "Share with group" : "Jaga grupiga", "Share in conversation" : "Jaga vestluses", + "Share with {user} on remote server {server}" : "Jaga kasutajaga {user} kaugserveris {server}", "Share with remote group" : "Jaga grupiga liitpilves", "Share with guest" : "Jaga külalisega", "Update share" : "Uuenda jaosmeediat", @@ -169,17 +198,21 @@ OC.L10N.register( "Failed to generate a new token" : "Uue tunnusloa loomine ei õnnestunud", "Allow upload and editing" : "Luba üleslaadimine ja muutmine", "Allow editing" : "Luba muutmine", + "Upload only" : "Ainult üleslaadimiseks", "Advanced settings" : "Lisavalikud", "Share label" : "Jaga silti", "Share link token" : "Jagamislingi tunnusluba", "Generating…" : "Loomisel…", "Generate new token" : "Loo uus tunnusluba", "Set password" : "Määra salasõna", + "Password expires {passwordExpirationTime}" : "Salasõna aegub {passwordExpirationTime}", + "Password expired" : "Salasõna on aegunud", "Expiration date (enforced)" : "Aegumise kuupäev (jõustatud)", "Set expiration date" : "Määra aegumise kuupäev", "Hide download" : "Peida allalaaditu", "Allow download and sync" : "Luba allalaadimine ja sünkroonimine", "Note to recipient" : "Märge saajale", + "Enter a note for the share recipient" : "Lisa märkus jaosmeedia saajale", "Show files in grid view" : "Näita faile ruudustikuvaates", "Delete share" : "Kustuta jagamine", "Link shares" : "Jaoslingid", @@ -262,7 +295,6 @@ OC.L10N.register( "Share expire date saved" : "Jaosmeedia aegumise kuupäev on salvestatud", "You are not allowed to edit link shares that you don't own" : "Sa ei saa muuta lingi jagamist, mis pole sinu oma", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posti aadress on juba lisatud","{count} e-posti aadressi on juba lisatud"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"], - "Enter your name" : "Sisesta oma nimi" + "_1 email address added_::_{count} email addresses added_" : ["1 e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/et_EE.json b/apps/files_sharing/l10n/et_EE.json index 68e013e52be..2ae26d5201e 100644 --- a/apps/files_sharing/l10n/et_EE.json +++ b/apps/files_sharing/l10n/et_EE.json @@ -96,14 +96,29 @@ "Send link via email" : "Saada link e-kirjaga", "Select" : "Vali", "Add a note" : "Lisa märge", + "Note for recipient" : "Märge saajale", + "Add a note to help people understand what you are requesting." : "Lisa teise osapoole jaoks märge, mis aitab neil mõista, missugust faili sa temalt soovid.", "Close" : "Sulge", + "_Send email and close_::_Send {count} emails and close_" : ["Saada e-kiri ja sulge","Saada {count} e-kirja ja sulge"], + "Please select a folder, you cannot share the root directory." : "Palun vali kaust ülaltpool - sa ei saa jagada juurkausta.", + "Error creating the share: {errorMessage}" : "Viga jaosmeedia loomisel: {errorMessage}", + "Error creating the share" : "Viga jaosmeedia loomisel", "Error sending emails: {errorMessage}" : "Viga e-kirjade saatmisel: {errorMessage}", "Error sending emails" : "Viga e-kirjade saatmisel", + "Create a file request" : "Koosta failipäring", + "Collect files from others even if they do not have an account." : "Kogu faile teistelt ka siis, kui neil pole selles teenuses kasutajakontot.", + "To ensure you can receive files, verify you have enough storage available." : "Selleks et faile vastu võtta, palun kontrolli, et sinu seadmes on piisavalt andmeruumi saadaval.", + "File request" : "Failipäring", + "Previous step" : "Eelmine samm", "Cancel" : "Loobu", + "Cancel the file request creation" : "Katkesta failipäringu koostamine", + "Close without sending emails" : "Sulge ilma e-kirju saatmata", "Continue" : "Jätka", "Invalid path selected" : "Vigane asukoht on valitud", "Unknown error" : "Tundmatu viga", + "Set default folder for accepted shares" : "Määra vastuvõetava jaosmeedia jaoks vaikimisi kaust", "Reset" : "Lähtesta", + "Reset folder to system default" : "Kasuta süsteemi vaikimisi kausta", "Share expiration: " : "Jagamise aegumine:", "Share Expiration" : "Jagamise aegumine", "group" : "grupp", @@ -112,13 +127,19 @@ "remote group" : "Kauggrupp", "guest" : "külaline", "by {initiator}" : "kasutajalt {initiator}", + "Open Sharing Details" : "Ava jaosmeedia üksikasjad", + "Added by {initiator}" : "Selle lisas {initiator}", "Unshare" : "Lõpeta jagamine", "Cannot copy, please copy the link manually" : "Ei saa kopeerida, palun kopeeri link käsitsi", + "Copy internal link to clipboard" : "Kopeeri sisemine link lõikelauale", + "Only works for people with access to this folder" : "Toimib vaid kasutajate puhul, kellel on ligipääs siia kausta", + "Only works for people with access to this file" : "Toimib vaid kasutajate puhul, kellel on ligipääs sellele failile", "Link copied" : "Link kopeeritud", "Internal link" : "Sisemine link", "Share link ({label})" : "Jagamise link ({label})", "Share link ({index})" : "Jagamise link ({index})", "Create public link" : "Loo avalik link", + "Error while creating the share" : "Viga jaosmeedia loomisel", "Password protection (enforced)" : "Paroolikaitse (jõustatud)", "Password protection" : "Password protection", "Enter a password" : "Enter a password", @@ -127,17 +148,22 @@ "Enter expiration date (enforced)" : "Sisesta aegumise kuupäev (jõustatud)", "Enter expiration date" : "Sisesta aegumise kuupäev", "Create share" : "Lisa jagamine", + "Customize link" : "Kohanda linki", "Generate QR code" : "Loo QR-kood", "Add another link" : "Lisa veel üks link", + "Create a new share link" : "Loo uus jagamislink", "View only" : "Ainult vaatamine", "Can edit" : "Võib redigeerida", "Resharing is not allowed" : "Edasijagamine pole lubatud", + "Name or email …" : "Nimi või e-posti aadress…", + "Name, email, or Federated Cloud ID …" : "Nimi, e-posti aadress või liitpilve kasutajatunnus…", "Searching …" : "Otsin ...", "Guest" : "Külaline", "Group" : "Grupp", "Email" : "Epost", "Team" : "Tiim", "Talk conversation" : "Talk suhtlus", + "on {server}" : " {server}", "Enter external recipients" : "Lisa välised saajad", "Search for internal recipients" : "Otsi rakendusesiseseid saajaid", "Note from" : "Märge kasutajalt", @@ -149,10 +175,13 @@ "Terms of service" : "Kasutustingimused", "Upload files to {folder}" : "Laadi failid üles kausta {folder}", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} jagas sinuga kausta.", - "Nickname" : "Hüüdnimi", - "Enter your nickname" : "Sisesta oma hüüdnimi", + "Name" : "Nimi", + "Enter your name" : "Sisesta oma nimi", + "Share with {userName}" : "Jaga kasutajaga {userName}", + "Share with email {email}" : "Jaga e-posti aadressile {email}", "Share with group" : "Jaga grupiga", "Share in conversation" : "Jaga vestluses", + "Share with {user} on remote server {server}" : "Jaga kasutajaga {user} kaugserveris {server}", "Share with remote group" : "Jaga grupiga liitpilves", "Share with guest" : "Jaga külalisega", "Update share" : "Uuenda jaosmeediat", @@ -167,17 +196,21 @@ "Failed to generate a new token" : "Uue tunnusloa loomine ei õnnestunud", "Allow upload and editing" : "Luba üleslaadimine ja muutmine", "Allow editing" : "Luba muutmine", + "Upload only" : "Ainult üleslaadimiseks", "Advanced settings" : "Lisavalikud", "Share label" : "Jaga silti", "Share link token" : "Jagamislingi tunnusluba", "Generating…" : "Loomisel…", "Generate new token" : "Loo uus tunnusluba", "Set password" : "Määra salasõna", + "Password expires {passwordExpirationTime}" : "Salasõna aegub {passwordExpirationTime}", + "Password expired" : "Salasõna on aegunud", "Expiration date (enforced)" : "Aegumise kuupäev (jõustatud)", "Set expiration date" : "Määra aegumise kuupäev", "Hide download" : "Peida allalaaditu", "Allow download and sync" : "Luba allalaadimine ja sünkroonimine", "Note to recipient" : "Märge saajale", + "Enter a note for the share recipient" : "Lisa märkus jaosmeedia saajale", "Show files in grid view" : "Näita faile ruudustikuvaates", "Delete share" : "Kustuta jagamine", "Link shares" : "Jaoslingid", @@ -260,7 +293,6 @@ "Share expire date saved" : "Jaosmeedia aegumise kuupäev on salvestatud", "You are not allowed to edit link shares that you don't own" : "Sa ei saa muuta lingi jagamist, mis pole sinu oma", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posti aadress on juba lisatud","{count} e-posti aadressi on juba lisatud"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"], - "Enter your name" : "Sisesta oma nimi" + "_1 email address added_::_{count} email addresses added_" : ["1 e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/eu.js b/apps/files_sharing/l10n/eu.js index 92ed987ef6b..cb02327f28b 100644 --- a/apps/files_sharing/l10n/eu.js +++ b/apps/files_sharing/l10n/eu.js @@ -256,8 +256,8 @@ OC.L10N.register( "Submit name" : "Sartu izena", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName}-k zurekin karpeta bat partekatu du.", "To upload files, you need to provide your name first." : "Fitxategiak igotzeko, zure izena eman behar duzu lehenik.", - "Nickname" : "Ezizena", - "Enter your nickname" : "Sartu zure ezizena", + "Name" : "Izena", + "Enter your name" : "Sartu zure izena", "Share with {userName}" : "Partekatu {userName}-rekin", "Share with email {email}" : "Partekatu helbide elektronikoarekin {email}", "Share with group" : "Partekatu taldearekin", @@ -396,7 +396,6 @@ OC.L10N.register( "Share expire date saved" : "Partekatzearen iraungitze data gordeta", "You are not allowed to edit link shares that you don't own" : "Ezin dituzu editatu zureak ez diren partekatze estekak", "_1 email address already added_::_{count} email addresses already added_" : ["Helbide elektroniko 1 gehitu da dagoeneko","{count} helbide elektroniko gehitu dira dagoeneko"], - "_1 email address added_::_{count} email addresses added_" : ["Helbide elektroniko 1 gehitu da","{count} helbide elektroniko gehitu dira"], - "Enter your name" : "Sartu zure izena" + "_1 email address added_::_{count} email addresses added_" : ["Helbide elektroniko 1 gehitu da","{count} helbide elektroniko gehitu dira"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/eu.json b/apps/files_sharing/l10n/eu.json index 864c79867b4..01e001a7624 100644 --- a/apps/files_sharing/l10n/eu.json +++ b/apps/files_sharing/l10n/eu.json @@ -254,8 +254,8 @@ "Submit name" : "Sartu izena", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName}-k zurekin karpeta bat partekatu du.", "To upload files, you need to provide your name first." : "Fitxategiak igotzeko, zure izena eman behar duzu lehenik.", - "Nickname" : "Ezizena", - "Enter your nickname" : "Sartu zure ezizena", + "Name" : "Izena", + "Enter your name" : "Sartu zure izena", "Share with {userName}" : "Partekatu {userName}-rekin", "Share with email {email}" : "Partekatu helbide elektronikoarekin {email}", "Share with group" : "Partekatu taldearekin", @@ -394,7 +394,6 @@ "Share expire date saved" : "Partekatzearen iraungitze data gordeta", "You are not allowed to edit link shares that you don't own" : "Ezin dituzu editatu zureak ez diren partekatze estekak", "_1 email address already added_::_{count} email addresses already added_" : ["Helbide elektroniko 1 gehitu da dagoeneko","{count} helbide elektroniko gehitu dira dagoeneko"], - "_1 email address added_::_{count} email addresses added_" : ["Helbide elektroniko 1 gehitu da","{count} helbide elektroniko gehitu dira"], - "Enter your name" : "Sartu zure izena" + "_1 email address added_::_{count} email addresses added_" : ["Helbide elektroniko 1 gehitu da","{count} helbide elektroniko gehitu dira"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/fa.js b/apps/files_sharing/l10n/fa.js index 00a8473c380..54743b02a52 100644 --- a/apps/files_sharing/l10n/fa.js +++ b/apps/files_sharing/l10n/fa.js @@ -123,6 +123,8 @@ OC.L10N.register( "on {server}" : "روی{server}", "File drop" : "انداختن پرونده", "Terms of service" : "شرایط و قوانین", + "Name" : "نام", + "Enter your name" : "اسمت را وارد کن", "Read" : "خواندن", "Create" : "ایجاد", "Edit" : "ویرایش", @@ -212,7 +214,6 @@ OC.L10N.register( "Download all files" : "دانلود همه فایل ها", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "هیچ توصیه ای نیست شروع به تایپ کنید.", - "Allow download" : "Allow download", - "Enter your name" : "اسمت را وارد کن" + "Allow download" : "Allow download" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_sharing/l10n/fa.json b/apps/files_sharing/l10n/fa.json index dd356290dd1..1c1bce9b4e1 100644 --- a/apps/files_sharing/l10n/fa.json +++ b/apps/files_sharing/l10n/fa.json @@ -121,6 +121,8 @@ "on {server}" : "روی{server}", "File drop" : "انداختن پرونده", "Terms of service" : "شرایط و قوانین", + "Name" : "نام", + "Enter your name" : "اسمت را وارد کن", "Read" : "خواندن", "Create" : "ایجاد", "Edit" : "ویرایش", @@ -210,7 +212,6 @@ "Download all files" : "دانلود همه فایل ها", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "هیچ توصیه ای نیست شروع به تایپ کنید.", - "Allow download" : "Allow download", - "Enter your name" : "اسمت را وارد کن" + "Allow download" : "Allow download" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/fi.js b/apps/files_sharing/l10n/fi.js index 69ab3f4ebd5..f042b8eb637 100644 --- a/apps/files_sharing/l10n/fi.js +++ b/apps/files_sharing/l10n/fi.js @@ -190,7 +190,8 @@ OC.L10N.register( "Terms of service" : "Käyttöehdot", "Upload files to {folder}" : "Lähetä tiedostot kansioon {folder}", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} jakoi kansion kanssasi.", - "Nickname" : "Nimimerkki", + "Name" : "Nimi", + "Enter your name" : "Kirjoita nimesi", "Share with {userName}" : "Jaa käyttäjän {userName} kanssa", "Share with group" : "Jaa ryhmän kanssa", "Share in conversation" : "Jaa keskustelussa", @@ -305,7 +306,6 @@ OC.L10N.register( "Search for share recipients" : "Etsi jaon vastaanottajia", "No recommendations. Start typing." : "Ei suosituksia. Aloita kirjoittaminen.", "Password field can't be empty" : "Salasanakenttä ei voi olla tyhjä", - "Allow download" : "Salli lataus", - "Enter your name" : "Kirjoita nimesi" + "Allow download" : "Salli lataus" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/fi.json b/apps/files_sharing/l10n/fi.json index 43a9642bb41..a65d077607a 100644 --- a/apps/files_sharing/l10n/fi.json +++ b/apps/files_sharing/l10n/fi.json @@ -188,7 +188,8 @@ "Terms of service" : "Käyttöehdot", "Upload files to {folder}" : "Lähetä tiedostot kansioon {folder}", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} jakoi kansion kanssasi.", - "Nickname" : "Nimimerkki", + "Name" : "Nimi", + "Enter your name" : "Kirjoita nimesi", "Share with {userName}" : "Jaa käyttäjän {userName} kanssa", "Share with group" : "Jaa ryhmän kanssa", "Share in conversation" : "Jaa keskustelussa", @@ -303,7 +304,6 @@ "Search for share recipients" : "Etsi jaon vastaanottajia", "No recommendations. Start typing." : "Ei suosituksia. Aloita kirjoittaminen.", "Password field can't be empty" : "Salasanakenttä ei voi olla tyhjä", - "Allow download" : "Salli lataus", - "Enter your name" : "Kirjoita nimesi" + "Allow download" : "Salli lataus" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/fr.js b/apps/files_sharing/l10n/fr.js index d7108e65633..c50560d6b45 100644 --- a/apps/files_sharing/l10n/fr.js +++ b/apps/files_sharing/l10n/fr.js @@ -261,8 +261,8 @@ OC.L10N.register( "Submit name" : "Confirmer votre nom", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} a partagé un dossier avec vous.", "To upload files, you need to provide your name first." : "Pour téléverser des fichiers, vous devez fournir votre nom.", - "Nickname" : "Pseudo", - "Enter your nickname" : "Saisissez votre pseudo", + "Name" : "Nom", + "Enter your name" : "Saisissez votre nom", "Share with {userName}" : "Partager avec {userName}", "Share with email {email}" : "Partager avec l'e-mail {email}", "Share with group" : "Partager avec le groupe", @@ -420,7 +420,6 @@ OC.L10N.register( "Share expire date saved" : "Le partage expirât à la date enregistrée", "You are not allowed to edit link shares that you don't own" : "Vous n'êtes pas autorisé à modifier les liens de partage dont vous n'êtes pas propriétaire", "_1 email address already added_::_{count} email addresses already added_" : ["1 adresse mail déjà ajoutée"," {count}adresses email déjà ajoutées","{count} adresses e-mail déjà ajoutées"], - "_1 email address added_::_{count} email addresses added_" : [" 1 adresse mail ajoutée","{count} adresses mail ajoutées","{count} adresses mail ajoutées"], - "Enter your name" : "Saisissez votre nom" + "_1 email address added_::_{count} email addresses added_" : [" 1 adresse mail ajoutée","{count} adresses mail ajoutées","{count} adresses mail ajoutées"] }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/fr.json b/apps/files_sharing/l10n/fr.json index a028ce2401b..b1e36bc9d60 100644 --- a/apps/files_sharing/l10n/fr.json +++ b/apps/files_sharing/l10n/fr.json @@ -259,8 +259,8 @@ "Submit name" : "Confirmer votre nom", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} a partagé un dossier avec vous.", "To upload files, you need to provide your name first." : "Pour téléverser des fichiers, vous devez fournir votre nom.", - "Nickname" : "Pseudo", - "Enter your nickname" : "Saisissez votre pseudo", + "Name" : "Nom", + "Enter your name" : "Saisissez votre nom", "Share with {userName}" : "Partager avec {userName}", "Share with email {email}" : "Partager avec l'e-mail {email}", "Share with group" : "Partager avec le groupe", @@ -418,7 +418,6 @@ "Share expire date saved" : "Le partage expirât à la date enregistrée", "You are not allowed to edit link shares that you don't own" : "Vous n'êtes pas autorisé à modifier les liens de partage dont vous n'êtes pas propriétaire", "_1 email address already added_::_{count} email addresses already added_" : ["1 adresse mail déjà ajoutée"," {count}adresses email déjà ajoutées","{count} adresses e-mail déjà ajoutées"], - "_1 email address added_::_{count} email addresses added_" : [" 1 adresse mail ajoutée","{count} adresses mail ajoutées","{count} adresses mail ajoutées"], - "Enter your name" : "Saisissez votre nom" + "_1 email address added_::_{count} email addresses added_" : [" 1 adresse mail ajoutée","{count} adresses mail ajoutées","{count} adresses mail ajoutées"] },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ga.js b/apps/files_sharing/l10n/ga.js index c81dde218c8..0178d730a6d 100644 --- a/apps/files_sharing/l10n/ga.js +++ b/apps/files_sharing/l10n/ga.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Cuir ainm", "{ownerDisplayName} shared a folder with you." : "Roinn {ownerDisplayName} fillteán leat.", "To upload files, you need to provide your name first." : "Chun comhaid a uaslódáil, ní mór duit d'ainm a sholáthar ar dtús.", - "Nickname" : "Leasainm", - "Enter your nickname" : "Cuir isteach do leasainm", + "Name" : "Ainm", + "Enter your name" : "Cuir isteach d'ainm", "Share with {userName}" : "Roinn le {userName}", "Share with email {email}" : "Roinn le ríomhphost {email}", "Share with group" : "Roinn leis an ngrúpa", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Comhroinn dáta éaga sábháilte", "You are not allowed to edit link shares that you don't own" : "Níl cead agat scaireanna naisc nach leatsa a chur in eagar", "_1 email address already added_::_{count} email addresses already added_" : ["1 seoladh ríomhphoist curtha leis cheana féin","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana"], - "_1 email address added_::_{count} email addresses added_" : ["Cuireadh 1 seoladh ríomhphoist leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"], - "Enter your name" : "Cuir isteach d'ainm" + "_1 email address added_::_{count} email addresses added_" : ["Cuireadh 1 seoladh ríomhphoist leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"] }, "nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);"); diff --git a/apps/files_sharing/l10n/ga.json b/apps/files_sharing/l10n/ga.json index 0c31f3aa1c1..b3810edc4be 100644 --- a/apps/files_sharing/l10n/ga.json +++ b/apps/files_sharing/l10n/ga.json @@ -261,8 +261,8 @@ "Submit name" : "Cuir ainm", "{ownerDisplayName} shared a folder with you." : "Roinn {ownerDisplayName} fillteán leat.", "To upload files, you need to provide your name first." : "Chun comhaid a uaslódáil, ní mór duit d'ainm a sholáthar ar dtús.", - "Nickname" : "Leasainm", - "Enter your nickname" : "Cuir isteach do leasainm", + "Name" : "Ainm", + "Enter your name" : "Cuir isteach d'ainm", "Share with {userName}" : "Roinn le {userName}", "Share with email {email}" : "Roinn le ríomhphost {email}", "Share with group" : "Roinn leis an ngrúpa", @@ -420,7 +420,6 @@ "Share expire date saved" : "Comhroinn dáta éaga sábháilte", "You are not allowed to edit link shares that you don't own" : "Níl cead agat scaireanna naisc nach leatsa a chur in eagar", "_1 email address already added_::_{count} email addresses already added_" : ["1 seoladh ríomhphoist curtha leis cheana féin","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana"], - "_1 email address added_::_{count} email addresses added_" : ["Cuireadh 1 seoladh ríomhphoist leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"], - "Enter your name" : "Cuir isteach d'ainm" + "_1 email address added_::_{count} email addresses added_" : ["Cuireadh 1 seoladh ríomhphoist leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"] },"pluralForm" :"nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/gl.js b/apps/files_sharing/l10n/gl.js index ce972ff8457..2e20156781c 100644 --- a/apps/files_sharing/l10n/gl.js +++ b/apps/files_sharing/l10n/gl.js @@ -261,8 +261,8 @@ OC.L10N.register( "Submit name" : "Enviar o nome", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} compartiu un cartafol con Vde.", "To upload files, you need to provide your name first." : "Para enviar ficheiros, primeiro debes fornecer o teu nome.", - "Nickname" : "Alcume", - "Enter your nickname" : "Introduza o seu alcume", + "Name" : "Nome", + "Enter your name" : "Introduza o seu nome", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir co correo {email}", "Share with group" : "Compartir co grupo", @@ -420,7 +420,6 @@ OC.L10N.register( "Share expire date saved" : "Gardouse a data de caducidade da compartición", "You are not allowed to edit link shares that you don't own" : "Vde. non ten permiso para editar as ligazóns compartidas das que non é o propietario", "_1 email address already added_::_{count} email addresses already added_" : ["Xa foi engadido 1 enderezo de correo","Xa foron engadidos {count} enderezos de correo"], - "_1 email address added_::_{count} email addresses added_" : ["Foi engadido 1 enderezo de correo","Foron engadidos {count} enderezos de correo"], - "Enter your name" : "Introduza o seu nome" + "_1 email address added_::_{count} email addresses added_" : ["Foi engadido 1 enderezo de correo","Foron engadidos {count} enderezos de correo"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/gl.json b/apps/files_sharing/l10n/gl.json index 5eaee51f40a..54b670b06a0 100644 --- a/apps/files_sharing/l10n/gl.json +++ b/apps/files_sharing/l10n/gl.json @@ -259,8 +259,8 @@ "Submit name" : "Enviar o nome", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} compartiu un cartafol con Vde.", "To upload files, you need to provide your name first." : "Para enviar ficheiros, primeiro debes fornecer o teu nome.", - "Nickname" : "Alcume", - "Enter your nickname" : "Introduza o seu alcume", + "Name" : "Nome", + "Enter your name" : "Introduza o seu nome", "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir co correo {email}", "Share with group" : "Compartir co grupo", @@ -418,7 +418,6 @@ "Share expire date saved" : "Gardouse a data de caducidade da compartición", "You are not allowed to edit link shares that you don't own" : "Vde. non ten permiso para editar as ligazóns compartidas das que non é o propietario", "_1 email address already added_::_{count} email addresses already added_" : ["Xa foi engadido 1 enderezo de correo","Xa foron engadidos {count} enderezos de correo"], - "_1 email address added_::_{count} email addresses added_" : ["Foi engadido 1 enderezo de correo","Foron engadidos {count} enderezos de correo"], - "Enter your name" : "Introduza o seu nome" + "_1 email address added_::_{count} email addresses added_" : ["Foi engadido 1 enderezo de correo","Foron engadidos {count} enderezos de correo"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/hr.js b/apps/files_sharing/l10n/hr.js index e70f4888b84..09e9322fc08 100644 --- a/apps/files_sharing/l10n/hr.js +++ b/apps/files_sharing/l10n/hr.js @@ -149,6 +149,8 @@ OC.L10N.register( "on {server}" : "na {server}", "File drop" : "Povlačenje datoteke", "Terms of service" : "Uvjeti pružanja usluge", + "Name" : "Naziv", + "Enter your name" : "Unesite svoje ime", "Read" : "Čitaj", "Create" : "Stvori", "Edit" : "Uredi", @@ -218,7 +220,6 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Dodavanje javne poveznice u Nextcloud nije uspjelo", "Files" : "Datoteke", "Download all files" : "Preuzmi sve datoteke", - "No recommendations. Start typing." : "Nema preporuka. Započnite unos.", - "Enter your name" : "Unesite svoje ime" + "No recommendations. Start typing." : "Nema preporuka. Započnite unos." }, "nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/hr.json b/apps/files_sharing/l10n/hr.json index c2433861636..ad97ec991a6 100644 --- a/apps/files_sharing/l10n/hr.json +++ b/apps/files_sharing/l10n/hr.json @@ -147,6 +147,8 @@ "on {server}" : "na {server}", "File drop" : "Povlačenje datoteke", "Terms of service" : "Uvjeti pružanja usluge", + "Name" : "Naziv", + "Enter your name" : "Unesite svoje ime", "Read" : "Čitaj", "Create" : "Stvori", "Edit" : "Uredi", @@ -216,7 +218,6 @@ "Failed to add the public link to your Nextcloud" : "Dodavanje javne poveznice u Nextcloud nije uspjelo", "Files" : "Datoteke", "Download all files" : "Preuzmi sve datoteke", - "No recommendations. Start typing." : "Nema preporuka. Započnite unos.", - "Enter your name" : "Unesite svoje ime" + "No recommendations. Start typing." : "Nema preporuka. Započnite unos." },"pluralForm" :"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/hu.js b/apps/files_sharing/l10n/hu.js index d87d3f5b7d9..18da3531948 100644 --- a/apps/files_sharing/l10n/hu.js +++ b/apps/files_sharing/l10n/hu.js @@ -185,6 +185,8 @@ OC.L10N.register( "Note:" : "Megjegyzés:", "File drop" : "Fájllerakat", "Terms of service" : "Szolgáltatási feltételek", + "Name" : "Név", + "Enter your name" : "Adja meg a nevét", "Update share" : "Megosztás frissítése", "Save share" : "Megosztás mentése", "Read" : "Olvasás", @@ -290,7 +292,6 @@ OC.L10N.register( "Download all files" : "Összes fájl letöltése", "Search for share recipients" : "Megosztás résztvevőinek keresése", "No recommendations. Start typing." : "Nincs javaslat. Kezdjen gépelni.", - "Allow download" : "Letöltés engedélyezése", - "Enter your name" : "Adja meg a nevét" + "Allow download" : "Letöltés engedélyezése" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/hu.json b/apps/files_sharing/l10n/hu.json index 08c87a9ec34..524d750ebc4 100644 --- a/apps/files_sharing/l10n/hu.json +++ b/apps/files_sharing/l10n/hu.json @@ -183,6 +183,8 @@ "Note:" : "Megjegyzés:", "File drop" : "Fájllerakat", "Terms of service" : "Szolgáltatási feltételek", + "Name" : "Név", + "Enter your name" : "Adja meg a nevét", "Update share" : "Megosztás frissítése", "Save share" : "Megosztás mentése", "Read" : "Olvasás", @@ -288,7 +290,6 @@ "Download all files" : "Összes fájl letöltése", "Search for share recipients" : "Megosztás résztvevőinek keresése", "No recommendations. Start typing." : "Nincs javaslat. Kezdjen gépelni.", - "Allow download" : "Letöltés engedélyezése", - "Enter your name" : "Adja meg a nevét" + "Allow download" : "Letöltés engedélyezése" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/is.js b/apps/files_sharing/l10n/is.js index ec02083dc00..cf7965eb69c 100644 --- a/apps/files_sharing/l10n/is.js +++ b/apps/files_sharing/l10n/is.js @@ -242,8 +242,8 @@ OC.L10N.register( "Submit name" : "Nafn við innsendingu", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} deildi möppu með þér.", "To upload files, you need to provide your name first." : "Til að senda inn skrár þarftu fyrst að gefa upp nafnið þitt.", - "Nickname" : "Stuttnefni", - "Enter your nickname" : "Settu inn gælunafnið þitt", + "Name" : "Heiti", + "Enter your name" : "Settu inn nafnið þitt", "Share with {userName}" : "Deila með {userName}", "Share with email {email}" : "Deila í tölvupósti með {email}", "Share with group" : "Deila með hópi", @@ -393,7 +393,6 @@ OC.L10N.register( "Share expire date saved" : "Lokagildistími sameignar vistaður", "You are not allowed to edit link shares that you don't own" : "Þú hefur ekki heimild til að breyta tenglum á sameignir sem þú átt ekki.", "_1 email address already added_::_{count} email addresses already added_" : ["1 tölvupóstfangi þegar bætt við","{count} tölvupóstföngum þegar bætt við"], - "_1 email address added_::_{count} email addresses added_" : ["1 tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"], - "Enter your name" : "Settu inn nafnið þitt" + "_1 email address added_::_{count} email addresses added_" : ["1 tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"] }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files_sharing/l10n/is.json b/apps/files_sharing/l10n/is.json index a2440d2dac5..cfdddcc228c 100644 --- a/apps/files_sharing/l10n/is.json +++ b/apps/files_sharing/l10n/is.json @@ -240,8 +240,8 @@ "Submit name" : "Nafn við innsendingu", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} deildi möppu með þér.", "To upload files, you need to provide your name first." : "Til að senda inn skrár þarftu fyrst að gefa upp nafnið þitt.", - "Nickname" : "Stuttnefni", - "Enter your nickname" : "Settu inn gælunafnið þitt", + "Name" : "Heiti", + "Enter your name" : "Settu inn nafnið þitt", "Share with {userName}" : "Deila með {userName}", "Share with email {email}" : "Deila í tölvupósti með {email}", "Share with group" : "Deila með hópi", @@ -391,7 +391,6 @@ "Share expire date saved" : "Lokagildistími sameignar vistaður", "You are not allowed to edit link shares that you don't own" : "Þú hefur ekki heimild til að breyta tenglum á sameignir sem þú átt ekki.", "_1 email address already added_::_{count} email addresses already added_" : ["1 tölvupóstfangi þegar bætt við","{count} tölvupóstföngum þegar bætt við"], - "_1 email address added_::_{count} email addresses added_" : ["1 tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"], - "Enter your name" : "Settu inn nafnið þitt" + "_1 email address added_::_{count} email addresses added_" : ["1 tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"] },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/it.js b/apps/files_sharing/l10n/it.js index 781ed570713..ba41fd120a2 100644 --- a/apps/files_sharing/l10n/it.js +++ b/apps/files_sharing/l10n/it.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Fornisci il nome", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha condiviso una cartella con te.", "To upload files, you need to provide your name first." : "Per caricare file, devi prima fornire il tuo nome.", - "Nickname" : "Soprannome", - "Enter your nickname" : "Inserisci il tuo soprannome", + "Name" : "Nome", + "Enter your name" : "Digita il tuo nome", "Share with {userName}" : "Condividi con {userName}", "Share with email {email}" : "Condividi con l'email {email}", "Share with group" : "Condividi con gruppo", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Data di scadenza della condivisione salvata", "You are not allowed to edit link shares that you don't own" : "Non ti è consentito modificare le condivisioni di collegamenti che non ti appartengono", "_1 email address already added_::_{count} email addresses already added_" : ["1 indirizzo di posta già aggiunto","{count} indirizzi di posta già aggiunti","{count} indirizzi di posta già aggiunti"], - "_1 email address added_::_{count} email addresses added_" : ["1 indirizzo di posta aggiunto","{count} indirizzi di posta aggiunti","{count} indirizzi di posta aggiunti"], - "Enter your name" : "Digita il tuo nome" + "_1 email address added_::_{count} email addresses added_" : ["1 indirizzo di posta aggiunto","{count} indirizzi di posta aggiunti","{count} indirizzi di posta aggiunti"] }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/it.json b/apps/files_sharing/l10n/it.json index 240ffc96d9c..5f190a1b6a7 100644 --- a/apps/files_sharing/l10n/it.json +++ b/apps/files_sharing/l10n/it.json @@ -261,8 +261,8 @@ "Submit name" : "Fornisci il nome", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha condiviso una cartella con te.", "To upload files, you need to provide your name first." : "Per caricare file, devi prima fornire il tuo nome.", - "Nickname" : "Soprannome", - "Enter your nickname" : "Inserisci il tuo soprannome", + "Name" : "Nome", + "Enter your name" : "Digita il tuo nome", "Share with {userName}" : "Condividi con {userName}", "Share with email {email}" : "Condividi con l'email {email}", "Share with group" : "Condividi con gruppo", @@ -420,7 +420,6 @@ "Share expire date saved" : "Data di scadenza della condivisione salvata", "You are not allowed to edit link shares that you don't own" : "Non ti è consentito modificare le condivisioni di collegamenti che non ti appartengono", "_1 email address already added_::_{count} email addresses already added_" : ["1 indirizzo di posta già aggiunto","{count} indirizzi di posta già aggiunti","{count} indirizzi di posta già aggiunti"], - "_1 email address added_::_{count} email addresses added_" : ["1 indirizzo di posta aggiunto","{count} indirizzi di posta aggiunti","{count} indirizzi di posta aggiunti"], - "Enter your name" : "Digita il tuo nome" + "_1 email address added_::_{count} email addresses added_" : ["1 indirizzo di posta aggiunto","{count} indirizzi di posta aggiunti","{count} indirizzi di posta aggiunti"] },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ja.js b/apps/files_sharing/l10n/ja.js index 6c50b3c4952..6b4a65e73cc 100644 --- a/apps/files_sharing/l10n/ja.js +++ b/apps/files_sharing/l10n/ja.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "名前を送信", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName}はあなたとフォルダを共有しました。", "To upload files, you need to provide your name first." : "ファイルをアップロードするには、最初に名前を入力する必要があります。", - "Nickname" : "ニックネーム", - "Enter your nickname" : "あなたのニックネームを入力してください", + "Name" : "名前", + "Enter your name" : "あなたの名前を入力", "Share with {userName}" : "{userName} と共有", "Share with email {email}" : "{email} とメールで共有", "Share with group" : "グループと共有する", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "共有の有効期限が保存されました", "You are not allowed to edit link shares that you don't own" : "あなたが所有していない共有リンクを編集することは許可されていません", "_1 email address already added_::_{count} email addresses already added_" : ["{count} メールアドレスはすでに追加されています"], - "_1 email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"], - "Enter your name" : "あなたの名前を入力" + "_1 email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"] }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/ja.json b/apps/files_sharing/l10n/ja.json index 088ee3777ed..774facc0fbf 100644 --- a/apps/files_sharing/l10n/ja.json +++ b/apps/files_sharing/l10n/ja.json @@ -261,8 +261,8 @@ "Submit name" : "名前を送信", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName}はあなたとフォルダを共有しました。", "To upload files, you need to provide your name first." : "ファイルをアップロードするには、最初に名前を入力する必要があります。", - "Nickname" : "ニックネーム", - "Enter your nickname" : "あなたのニックネームを入力してください", + "Name" : "名前", + "Enter your name" : "あなたの名前を入力", "Share with {userName}" : "{userName} と共有", "Share with email {email}" : "{email} とメールで共有", "Share with group" : "グループと共有する", @@ -420,7 +420,6 @@ "Share expire date saved" : "共有の有効期限が保存されました", "You are not allowed to edit link shares that you don't own" : "あなたが所有していない共有リンクを編集することは許可されていません", "_1 email address already added_::_{count} email addresses already added_" : ["{count} メールアドレスはすでに追加されています"], - "_1 email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"], - "Enter your name" : "あなたの名前を入力" + "_1 email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"] },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ka.js b/apps/files_sharing/l10n/ka.js index b52068defe7..45c1f2f389b 100644 --- a/apps/files_sharing/l10n/ka.js +++ b/apps/files_sharing/l10n/ka.js @@ -165,7 +165,8 @@ OC.L10N.register( "on {server}" : "on {server}", "File drop" : "File drop", "Terms of service" : "Terms of service", - "Nickname" : "Nickname", + "Name" : "სახელი", + "Enter your name" : "Enter your name", "Share with {userName}" : "Share with {userName}", "Share with group" : "Share with group", "Share in conversation" : "Share in conversation", @@ -270,7 +271,6 @@ OC.L10N.register( "Download all files" : "Download all files", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "No recommendations. Start typing.", - "Allow download" : "Allow download", - "Enter your name" : "Enter your name" + "Allow download" : "Allow download" }, "nplurals=2; plural=(n!=1);"); diff --git a/apps/files_sharing/l10n/ka.json b/apps/files_sharing/l10n/ka.json index 88acb94b6cf..ba228c2dd92 100644 --- a/apps/files_sharing/l10n/ka.json +++ b/apps/files_sharing/l10n/ka.json @@ -163,7 +163,8 @@ "on {server}" : "on {server}", "File drop" : "File drop", "Terms of service" : "Terms of service", - "Nickname" : "Nickname", + "Name" : "სახელი", + "Enter your name" : "Enter your name", "Share with {userName}" : "Share with {userName}", "Share with group" : "Share with group", "Share in conversation" : "Share in conversation", @@ -268,7 +269,6 @@ "Download all files" : "Download all files", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "No recommendations. Start typing.", - "Allow download" : "Allow download", - "Enter your name" : "Enter your name" + "Allow download" : "Allow download" },"pluralForm" :"nplurals=2; plural=(n!=1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ko.js b/apps/files_sharing/l10n/ko.js index 7e520f27966..20f273121fc 100644 --- a/apps/files_sharing/l10n/ko.js +++ b/apps/files_sharing/l10n/ko.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "이름 제출", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName}님이 당신에게 폴더를 공유했습니다.", "To upload files, you need to provide your name first." : "파일을 업로드하려면 먼저 당신의 이름을 알려주세요.", - "Nickname" : "별명", - "Enter your nickname" : "당신의 닉네임을 입력하세요.", + "Name" : "이름", + "Enter your name" : "이름을 입력하세요", "Share with {userName}" : "{userName}와(과) 공유", "Share with email {email}" : "{email} 이메일에 공유", "Share with group" : "그룹과 공유", @@ -421,7 +421,6 @@ OC.L10N.register( "Share expire date saved" : "공유 만료일 저장됨", "You are not allowed to edit link shares that you don't own" : "당신이 것이 아닌 링크 공유를 편집할 권한이 없습니다.", "_1 email address already added_::_{count} email addresses already added_" : ["{count}개 이메일 주소가 이미 추가됨"], - "_1 email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소 추가함"], - "Enter your name" : "이름을 입력하세요" + "_1 email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소 추가함"] }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/ko.json b/apps/files_sharing/l10n/ko.json index 5004b77cb55..ae50282cff2 100644 --- a/apps/files_sharing/l10n/ko.json +++ b/apps/files_sharing/l10n/ko.json @@ -261,8 +261,8 @@ "Submit name" : "이름 제출", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName}님이 당신에게 폴더를 공유했습니다.", "To upload files, you need to provide your name first." : "파일을 업로드하려면 먼저 당신의 이름을 알려주세요.", - "Nickname" : "별명", - "Enter your nickname" : "당신의 닉네임을 입력하세요.", + "Name" : "이름", + "Enter your name" : "이름을 입력하세요", "Share with {userName}" : "{userName}와(과) 공유", "Share with email {email}" : "{email} 이메일에 공유", "Share with group" : "그룹과 공유", @@ -419,7 +419,6 @@ "Share expire date saved" : "공유 만료일 저장됨", "You are not allowed to edit link shares that you don't own" : "당신이 것이 아닌 링크 공유를 편집할 권한이 없습니다.", "_1 email address already added_::_{count} email addresses already added_" : ["{count}개 이메일 주소가 이미 추가됨"], - "_1 email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소 추가함"], - "Enter your name" : "이름을 입력하세요" + "_1 email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소 추가함"] },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/lt_LT.js b/apps/files_sharing/l10n/lt_LT.js index c774ef6960f..95014fc608d 100644 --- a/apps/files_sharing/l10n/lt_LT.js +++ b/apps/files_sharing/l10n/lt_LT.js @@ -176,9 +176,10 @@ OC.L10N.register( "Team" : "Komanda", "on {server}" : "serveryje {server}", "Note:" : "Pastaba:", + "File drop" : "Failų įkėlimas", "Terms of service" : "Naudojimosi sąlygos", - "Nickname" : "Slapyvardis", - "Enter your nickname" : "Įveskite savo slapyvardį", + "Name" : "Pavadinimas", + "Enter your name" : "Įveskite savo vardą", "Share with {userName}" : "Bendrinti su {userName}", "Share with email {email}" : "Bendrinti su el. pašto adresu {email}", "Share with group" : "Bendrinti su grupe", @@ -282,7 +283,6 @@ OC.L10N.register( "No recommendations. Start typing." : "Rekomendacijų nėra. Pradėkite rašyti.", "Allow download" : "Leisti atsisiųsti", "_1 email address already added_::_{count} email addresses already added_" : ["Jau pridėtas 1 el. pašto adresas","Jau pridėti {count} el. pašto adresai","Jau pridėta {count} el. pašto adresų","Jau pridėtas {count} el. pašto adresas"], - "_1 email address added_::_{count} email addresses added_" : ["Pridėtas 1 el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"], - "Enter your name" : "Įveskite savo vardą" + "_1 email address added_::_{count} email addresses added_" : ["Pridėtas 1 el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"] }, "nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);"); diff --git a/apps/files_sharing/l10n/lt_LT.json b/apps/files_sharing/l10n/lt_LT.json index 49418ac78bb..bcd33c23678 100644 --- a/apps/files_sharing/l10n/lt_LT.json +++ b/apps/files_sharing/l10n/lt_LT.json @@ -174,9 +174,10 @@ "Team" : "Komanda", "on {server}" : "serveryje {server}", "Note:" : "Pastaba:", + "File drop" : "Failų įkėlimas", "Terms of service" : "Naudojimosi sąlygos", - "Nickname" : "Slapyvardis", - "Enter your nickname" : "Įveskite savo slapyvardį", + "Name" : "Pavadinimas", + "Enter your name" : "Įveskite savo vardą", "Share with {userName}" : "Bendrinti su {userName}", "Share with email {email}" : "Bendrinti su el. pašto adresu {email}", "Share with group" : "Bendrinti su grupe", @@ -280,7 +281,6 @@ "No recommendations. Start typing." : "Rekomendacijų nėra. Pradėkite rašyti.", "Allow download" : "Leisti atsisiųsti", "_1 email address already added_::_{count} email addresses already added_" : ["Jau pridėtas 1 el. pašto adresas","Jau pridėti {count} el. pašto adresai","Jau pridėta {count} el. pašto adresų","Jau pridėtas {count} el. pašto adresas"], - "_1 email address added_::_{count} email addresses added_" : ["Pridėtas 1 el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"], - "Enter your name" : "Įveskite savo vardą" + "_1 email address added_::_{count} email addresses added_" : ["Pridėtas 1 el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"] },"pluralForm" :"nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/mk.js b/apps/files_sharing/l10n/mk.js index c6d5e93a027..ac6d4bf7d8e 100644 --- a/apps/files_sharing/l10n/mk.js +++ b/apps/files_sharing/l10n/mk.js @@ -245,8 +245,8 @@ OC.L10N.register( "Submit name" : "Испрати име", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} сподели папка со вас.", "To upload files, you need to provide your name first." : "За да прикачите датотеки, мора да го наведете вашето име.", - "Nickname" : "Прекар", - "Enter your nickname" : "Внесете го вашиот прекар", + "Name" : "Име", + "Enter your name" : "Внесете го вашето име", "Share with {userName}" : "Сподели со {userName}", "Share with email {email}" : "Сподели со е-пошта {email}", "Share with group" : "Сподели со група", @@ -376,7 +376,6 @@ OC.L10N.register( "Download all files" : "Преземи ги сите датотеки", "Search for share recipients" : "Пребарај за примачи на споделувањето", "No recommendations. Start typing." : "Нема препораки. Започнете со пишување.", - "Allow download" : "Дозволи преземање", - "Enter your name" : "Внесете го вашето име" + "Allow download" : "Дозволи преземање" }, "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/apps/files_sharing/l10n/mk.json b/apps/files_sharing/l10n/mk.json index 99ada8e52f8..7bdcd58bca9 100644 --- a/apps/files_sharing/l10n/mk.json +++ b/apps/files_sharing/l10n/mk.json @@ -243,8 +243,8 @@ "Submit name" : "Испрати име", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} сподели папка со вас.", "To upload files, you need to provide your name first." : "За да прикачите датотеки, мора да го наведете вашето име.", - "Nickname" : "Прекар", - "Enter your nickname" : "Внесете го вашиот прекар", + "Name" : "Име", + "Enter your name" : "Внесете го вашето име", "Share with {userName}" : "Сподели со {userName}", "Share with email {email}" : "Сподели со е-пошта {email}", "Share with group" : "Сподели со група", @@ -374,7 +374,6 @@ "Download all files" : "Преземи ги сите датотеки", "Search for share recipients" : "Пребарај за примачи на споделувањето", "No recommendations. Start typing." : "Нема препораки. Започнете со пишување.", - "Allow download" : "Дозволи преземање", - "Enter your name" : "Внесете го вашето име" + "Allow download" : "Дозволи преземање" },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/nb.js b/apps/files_sharing/l10n/nb.js index 8b97276ab65..3a3c9a895c3 100644 --- a/apps/files_sharing/l10n/nb.js +++ b/apps/files_sharing/l10n/nb.js @@ -246,8 +246,8 @@ OC.L10N.register( "Submit name" : "Send inn navn", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} delte en mappe med deg.", "To upload files, you need to provide your name first." : "For å laste opp filer må du først oppgi navnet ditt.", - "Nickname" : "Kallenavn", - "Enter your nickname" : "Skriv inn et kallenavn", + "Name" : "Navn", + "Enter your name" : "Skriv inn navnet ditt", "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-post {email}", "Share with group" : "Del med gruppe", @@ -376,7 +376,6 @@ OC.L10N.register( "Allow download" : "Tillat nedlasting", "You are not allowed to edit link shares that you don't own" : "Du har ikke lov til å redigere delte lenker du ikke eier", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadresse allerede lagt til","{count} e-postadresser allerede lagt til"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-postadresse lagt til","{count} e-postadresser lagt til"], - "Enter your name" : "Skriv inn navnet ditt" + "_1 email address added_::_{count} email addresses added_" : ["1 e-postadresse lagt til","{count} e-postadresser lagt til"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/nb.json b/apps/files_sharing/l10n/nb.json index 770eec6d1f6..0acbd0f552f 100644 --- a/apps/files_sharing/l10n/nb.json +++ b/apps/files_sharing/l10n/nb.json @@ -244,8 +244,8 @@ "Submit name" : "Send inn navn", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} delte en mappe med deg.", "To upload files, you need to provide your name first." : "For å laste opp filer må du først oppgi navnet ditt.", - "Nickname" : "Kallenavn", - "Enter your nickname" : "Skriv inn et kallenavn", + "Name" : "Navn", + "Enter your name" : "Skriv inn navnet ditt", "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-post {email}", "Share with group" : "Del med gruppe", @@ -374,7 +374,6 @@ "Allow download" : "Tillat nedlasting", "You are not allowed to edit link shares that you don't own" : "Du har ikke lov til å redigere delte lenker du ikke eier", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadresse allerede lagt til","{count} e-postadresser allerede lagt til"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-postadresse lagt til","{count} e-postadresser lagt til"], - "Enter your name" : "Skriv inn navnet ditt" + "_1 email address added_::_{count} email addresses added_" : ["1 e-postadresse lagt til","{count} e-postadresser lagt til"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/nl.js b/apps/files_sharing/l10n/nl.js index 33620e53656..8b6ede69a95 100644 --- a/apps/files_sharing/l10n/nl.js +++ b/apps/files_sharing/l10n/nl.js @@ -231,8 +231,8 @@ OC.L10N.register( "Submit name" : "Naam doorgeven", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} deelde een map met je.", "To upload files, you need to provide your name first." : "Om bestanden te uploaden moet je eerste je naam opgeven.", - "Nickname" : "Bijnaam", - "Enter your nickname" : "Voer je bijnaam in", + "Name" : "Naam", + "Enter your name" : "Geef je naam op", "Share with {userName}" : "Deel met {userName}", "Share with email {email}" : "Deel met e-mail {email}", "Share with group" : "Deel met groep", @@ -365,7 +365,6 @@ OC.L10N.register( "Allow download" : "Downloaden toestaan", "Share expire date saved" : "Share vervaldatum opgeslagen", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-mailadres al toegevoegd","Al {count} e-mailadressen toegevoegd"], - "_1 email address added_::_{count} email addresses added_" : ["1 E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"], - "Enter your name" : "Geef je naam op" + "_1 email address added_::_{count} email addresses added_" : ["1 E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/nl.json b/apps/files_sharing/l10n/nl.json index 987da1eaeed..4531be4c7a4 100644 --- a/apps/files_sharing/l10n/nl.json +++ b/apps/files_sharing/l10n/nl.json @@ -229,8 +229,8 @@ "Submit name" : "Naam doorgeven", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} deelde een map met je.", "To upload files, you need to provide your name first." : "Om bestanden te uploaden moet je eerste je naam opgeven.", - "Nickname" : "Bijnaam", - "Enter your nickname" : "Voer je bijnaam in", + "Name" : "Naam", + "Enter your name" : "Geef je naam op", "Share with {userName}" : "Deel met {userName}", "Share with email {email}" : "Deel met e-mail {email}", "Share with group" : "Deel met groep", @@ -363,7 +363,6 @@ "Allow download" : "Downloaden toestaan", "Share expire date saved" : "Share vervaldatum opgeslagen", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-mailadres al toegevoegd","Al {count} e-mailadressen toegevoegd"], - "_1 email address added_::_{count} email addresses added_" : ["1 E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"], - "Enter your name" : "Geef je naam op" + "_1 email address added_::_{count} email addresses added_" : ["1 E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/pl.js b/apps/files_sharing/l10n/pl.js index 5a4cb2a1c33..5781e3771b8 100644 --- a/apps/files_sharing/l10n/pl.js +++ b/apps/files_sharing/l10n/pl.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Wyślij nazwę", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} udostępnił Ci katalog.", "To upload files, you need to provide your name first." : "Aby przesłać pliki, musisz najpierw podać swoje imię i nazwisko.", - "Nickname" : "Pseudonim", - "Enter your nickname" : "Wpisz swój pseudonim", + "Name" : "Nazwa", + "Enter your name" : "Wpisz swoją nazwę", "Share with {userName}" : "Podziel się z {userName}", "Share with email {email}" : "Udostępnij na e-mail {email}", "Share with group" : "Udostępnij grupie", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Zapisano datę ważności udziału", "You are not allowed to edit link shares that you don't own" : "Nie możesz modyfikować udostępnionych odnośników, których nie jesteś właścicielem", "_1 email address already added_::_{count} email addresses already added_" : ["Dodano już 1 adres e-mail","Dodano już {count} adresy e-mail","Dodano już {count} adresów e-mail","Dodano już {count} adresów e-mail"], - "_1 email address added_::_{count} email addresses added_" : ["Dodano 1 adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"], - "Enter your name" : "Wpisz swoją nazwę" + "_1 email address added_::_{count} email addresses added_" : ["Dodano 1 adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"] }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/apps/files_sharing/l10n/pl.json b/apps/files_sharing/l10n/pl.json index 293f580fd20..a9997c93454 100644 --- a/apps/files_sharing/l10n/pl.json +++ b/apps/files_sharing/l10n/pl.json @@ -261,8 +261,8 @@ "Submit name" : "Wyślij nazwę", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} udostępnił Ci katalog.", "To upload files, you need to provide your name first." : "Aby przesłać pliki, musisz najpierw podać swoje imię i nazwisko.", - "Nickname" : "Pseudonim", - "Enter your nickname" : "Wpisz swój pseudonim", + "Name" : "Nazwa", + "Enter your name" : "Wpisz swoją nazwę", "Share with {userName}" : "Podziel się z {userName}", "Share with email {email}" : "Udostępnij na e-mail {email}", "Share with group" : "Udostępnij grupie", @@ -420,7 +420,6 @@ "Share expire date saved" : "Zapisano datę ważności udziału", "You are not allowed to edit link shares that you don't own" : "Nie możesz modyfikować udostępnionych odnośników, których nie jesteś właścicielem", "_1 email address already added_::_{count} email addresses already added_" : ["Dodano już 1 adres e-mail","Dodano już {count} adresy e-mail","Dodano już {count} adresów e-mail","Dodano już {count} adresów e-mail"], - "_1 email address added_::_{count} email addresses added_" : ["Dodano 1 adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"], - "Enter your name" : "Wpisz swoją nazwę" + "_1 email address added_::_{count} email addresses added_" : ["Dodano 1 adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"] },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/pt_BR.js b/apps/files_sharing/l10n/pt_BR.js index 1115aef4714..73b9746c5e3 100644 --- a/apps/files_sharing/l10n/pt_BR.js +++ b/apps/files_sharing/l10n/pt_BR.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Enviar nome", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} compartilhou uma pasta com você.", "To upload files, you need to provide your name first." : "Para fazer upload de arquivos, você precisa primeiro fornecer seu nome.", - "Nickname" : "Nome", - "Enter your nickname" : "Digite seu nome", + "Name" : "Nome", + "Enter your name" : "Digite seu nome", "Share with {userName}" : "Compartilhe com {userName}", "Share with email {email}" : "Compartilhar com e-mail {email}", "Share with group" : "Compartilhar com grupo", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Data de validade do compartilhamento salva", "You are not allowed to edit link shares that you don't own" : "Você não tem permissão para editar compartilhamentos de links que não são de sua propriedade", "_1 email address already added_::_{count} email addresses already added_" : ["endereço1 email address already added","{count} endereços de e-mail já adicionados","{count} endereços de e-mail já adicionados"], - "_1 email address added_::_{count} email addresses added_" : ["1 endereços de e-mail adicionados","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"], - "Enter your name" : "Digite seu nome" + "_1 email address added_::_{count} email addresses added_" : ["1 endereços de e-mail adicionados","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"] }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/pt_BR.json b/apps/files_sharing/l10n/pt_BR.json index 964787c9c0d..3ce5dab0521 100644 --- a/apps/files_sharing/l10n/pt_BR.json +++ b/apps/files_sharing/l10n/pt_BR.json @@ -261,8 +261,8 @@ "Submit name" : "Enviar nome", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} compartilhou uma pasta com você.", "To upload files, you need to provide your name first." : "Para fazer upload de arquivos, você precisa primeiro fornecer seu nome.", - "Nickname" : "Nome", - "Enter your nickname" : "Digite seu nome", + "Name" : "Nome", + "Enter your name" : "Digite seu nome", "Share with {userName}" : "Compartilhe com {userName}", "Share with email {email}" : "Compartilhar com e-mail {email}", "Share with group" : "Compartilhar com grupo", @@ -420,7 +420,6 @@ "Share expire date saved" : "Data de validade do compartilhamento salva", "You are not allowed to edit link shares that you don't own" : "Você não tem permissão para editar compartilhamentos de links que não são de sua propriedade", "_1 email address already added_::_{count} email addresses already added_" : ["endereço1 email address already added","{count} endereços de e-mail já adicionados","{count} endereços de e-mail já adicionados"], - "_1 email address added_::_{count} email addresses added_" : ["1 endereços de e-mail adicionados","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"], - "Enter your name" : "Digite seu nome" + "_1 email address added_::_{count} email addresses added_" : ["1 endereços de e-mail adicionados","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"] },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ru.js b/apps/files_sharing/l10n/ru.js index 6ee76c29890..ced677044f8 100644 --- a/apps/files_sharing/l10n/ru.js +++ b/apps/files_sharing/l10n/ru.js @@ -255,8 +255,8 @@ OC.L10N.register( "Submit name" : "Отправить имя", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} поделился с вами папкой.", "To upload files, you need to provide your name first." : "Чтобы загрузить файлы, вам необходимо сначала указать свое имя.", - "Nickname" : "Псевдоним", - "Enter your nickname" : "Введите свой никнейм", + "Name" : "Имя", + "Enter your name" : "Введите своё имя", "Share with {userName}" : "Поделиться с {userName}", "Share with email {email}" : "Поделитесь с помощью электронной почты", "Share with group" : "Поделиться с группой", @@ -400,7 +400,6 @@ OC.L10N.register( "No recommendations. Start typing." : "Рекомендации отсутствуют, начните вводить символы", "Allow download" : "Разрешить скачивать", "Share expire date saved" : "Дата истечения общего доступа установлена", - "You are not allowed to edit link shares that you don't own" : "Вам не разрешается редактировать ссылки, которыми вы не владеете", - "Enter your name" : "Введите своё имя" + "You are not allowed to edit link shares that you don't own" : "Вам не разрешается редактировать ссылки, которыми вы не владеете" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files_sharing/l10n/ru.json b/apps/files_sharing/l10n/ru.json index 10f129bbb64..d073020b7a9 100644 --- a/apps/files_sharing/l10n/ru.json +++ b/apps/files_sharing/l10n/ru.json @@ -253,8 +253,8 @@ "Submit name" : "Отправить имя", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} поделился с вами папкой.", "To upload files, you need to provide your name first." : "Чтобы загрузить файлы, вам необходимо сначала указать свое имя.", - "Nickname" : "Псевдоним", - "Enter your nickname" : "Введите свой никнейм", + "Name" : "Имя", + "Enter your name" : "Введите своё имя", "Share with {userName}" : "Поделиться с {userName}", "Share with email {email}" : "Поделитесь с помощью электронной почты", "Share with group" : "Поделиться с группой", @@ -398,7 +398,6 @@ "No recommendations. Start typing." : "Рекомендации отсутствуют, начните вводить символы", "Allow download" : "Разрешить скачивать", "Share expire date saved" : "Дата истечения общего доступа установлена", - "You are not allowed to edit link shares that you don't own" : "Вам не разрешается редактировать ссылки, которыми вы не владеете", - "Enter your name" : "Введите своё имя" + "You are not allowed to edit link shares that you don't own" : "Вам не разрешается редактировать ссылки, которыми вы не владеете" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/sc.js b/apps/files_sharing/l10n/sc.js index 714426425f6..cacc9da26c5 100644 --- a/apps/files_sharing/l10n/sc.js +++ b/apps/files_sharing/l10n/sc.js @@ -154,7 +154,8 @@ OC.L10N.register( "Deck board" : "Tabella in Deck", "on {server}" : "in {server}", "Terms of service" : "Cunditziones de servìtziu", - "Nickname" : "Nùmene", + "Name" : "Nùmene", + "Enter your name" : "Inserta•nche su nùmene tuo", "Update share" : "Agiorna sa cumpartzidura", "Read" : "Leghe", "Create" : "Crea", @@ -232,7 +233,6 @@ OC.L10N.register( "Files" : "Archìvios", "Download all files" : "Iscàrriga totu is archìvios", "Search for share recipients" : "Chirca destinatàrios de cumpartziduras", - "No recommendations. Start typing." : "Peruna racumandatzione. Cumintza a iscrìere.", - "Enter your name" : "Inserta•nche su nùmene tuo" + "No recommendations. Start typing." : "Peruna racumandatzione. Cumintza a iscrìere." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/sc.json b/apps/files_sharing/l10n/sc.json index 1668f0bb308..b830853148d 100644 --- a/apps/files_sharing/l10n/sc.json +++ b/apps/files_sharing/l10n/sc.json @@ -152,7 +152,8 @@ "Deck board" : "Tabella in Deck", "on {server}" : "in {server}", "Terms of service" : "Cunditziones de servìtziu", - "Nickname" : "Nùmene", + "Name" : "Nùmene", + "Enter your name" : "Inserta•nche su nùmene tuo", "Update share" : "Agiorna sa cumpartzidura", "Read" : "Leghe", "Create" : "Crea", @@ -230,7 +231,6 @@ "Files" : "Archìvios", "Download all files" : "Iscàrriga totu is archìvios", "Search for share recipients" : "Chirca destinatàrios de cumpartziduras", - "No recommendations. Start typing." : "Peruna racumandatzione. Cumintza a iscrìere.", - "Enter your name" : "Inserta•nche su nùmene tuo" + "No recommendations. Start typing." : "Peruna racumandatzione. Cumintza a iscrìere." },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/sk.js b/apps/files_sharing/l10n/sk.js index 4981b8da983..33e4d1c3238 100644 --- a/apps/files_sharing/l10n/sk.js +++ b/apps/files_sharing/l10n/sk.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Odoslať meno", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} pre vás zdieľal adresár", "To upload files, you need to provide your name first." : "Pre nahranie súborov, musíte najprv zdať svoje meno.", - "Nickname" : "Prezývka", - "Enter your nickname" : "Zadajte vašu prezývku", + "Name" : "Názov", + "Enter your name" : "Zadajte svoje meno", "Share with {userName}" : "Zdiľať s {userName}", "Share with email {email}" : "Zdieľať s emailom {email}", "Share with group" : "Zdieľať so skupinou", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Dátum skončenia platnosti zdieľania bol uložený", "You are not allowed to edit link shares that you don't own" : "Nemáte povolenie upravovať zdieľania odkazov, ktoré nevlastníte", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adriesa už bola pridaná","{count} e-mailové adriesy už boli pridané","{count} e-mailových adries už bolo pridaných","{count} e-mailových adries už bolo pridaných"], - "_1 email address added_::_{count} email addresses added_" : ["1 pridaná e-mailová adresa","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"], - "Enter your name" : "Zadajte svoje meno" + "_1 email address added_::_{count} email addresses added_" : ["1 pridaná e-mailová adresa","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"] }, "nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);"); diff --git a/apps/files_sharing/l10n/sk.json b/apps/files_sharing/l10n/sk.json index fd67c27d3a9..df7ecb75e7a 100644 --- a/apps/files_sharing/l10n/sk.json +++ b/apps/files_sharing/l10n/sk.json @@ -261,8 +261,8 @@ "Submit name" : "Odoslať meno", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} pre vás zdieľal adresár", "To upload files, you need to provide your name first." : "Pre nahranie súborov, musíte najprv zdať svoje meno.", - "Nickname" : "Prezývka", - "Enter your nickname" : "Zadajte vašu prezývku", + "Name" : "Názov", + "Enter your name" : "Zadajte svoje meno", "Share with {userName}" : "Zdiľať s {userName}", "Share with email {email}" : "Zdieľať s emailom {email}", "Share with group" : "Zdieľať so skupinou", @@ -420,7 +420,6 @@ "Share expire date saved" : "Dátum skončenia platnosti zdieľania bol uložený", "You are not allowed to edit link shares that you don't own" : "Nemáte povolenie upravovať zdieľania odkazov, ktoré nevlastníte", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adriesa už bola pridaná","{count} e-mailové adriesy už boli pridané","{count} e-mailových adries už bolo pridaných","{count} e-mailových adries už bolo pridaných"], - "_1 email address added_::_{count} email addresses added_" : ["1 pridaná e-mailová adresa","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"], - "Enter your name" : "Zadajte svoje meno" + "_1 email address added_::_{count} email addresses added_" : ["1 pridaná e-mailová adresa","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"] },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/sl.js b/apps/files_sharing/l10n/sl.js index 5e306e78801..70b5d192202 100644 --- a/apps/files_sharing/l10n/sl.js +++ b/apps/files_sharing/l10n/sl.js @@ -191,6 +191,8 @@ OC.L10N.register( "Note:" : "Opomba:", "File drop" : "Poteg datotek v mapo", "Terms of service" : "Pogoji uporabe storitve", + "Name" : "Ime podpisnika", + "Enter your name" : "Vpišite ime", "Read" : "Branje", "Create" : "Ustvari", "Edit" : "Uredi", @@ -273,7 +275,6 @@ OC.L10N.register( "Search for share recipients" : "Iskanje prejemnikov mesta souporabe", "No recommendations. Start typing." : "Ni priporočil; začnite vpisovati", "Allow download" : "Dovoli prejem datotek", - "_1 email address already added_::_{count} email addresses already added_" : ["{count} elektronski naslov je že dodan","{count} elektronska naslova sta že dodana","{count} elektronski naslovi so že dodani","{count} elektronskih naslovov je že dodanih"], - "Enter your name" : "Vpišite ime" + "_1 email address already added_::_{count} email addresses already added_" : ["{count} elektronski naslov je že dodan","{count} elektronska naslova sta že dodana","{count} elektronski naslovi so že dodani","{count} elektronskih naslovov je že dodanih"] }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/files_sharing/l10n/sl.json b/apps/files_sharing/l10n/sl.json index 9e27e6672e0..258e1151ea4 100644 --- a/apps/files_sharing/l10n/sl.json +++ b/apps/files_sharing/l10n/sl.json @@ -189,6 +189,8 @@ "Note:" : "Opomba:", "File drop" : "Poteg datotek v mapo", "Terms of service" : "Pogoji uporabe storitve", + "Name" : "Ime podpisnika", + "Enter your name" : "Vpišite ime", "Read" : "Branje", "Create" : "Ustvari", "Edit" : "Uredi", @@ -271,7 +273,6 @@ "Search for share recipients" : "Iskanje prejemnikov mesta souporabe", "No recommendations. Start typing." : "Ni priporočil; začnite vpisovati", "Allow download" : "Dovoli prejem datotek", - "_1 email address already added_::_{count} email addresses already added_" : ["{count} elektronski naslov je že dodan","{count} elektronska naslova sta že dodana","{count} elektronski naslovi so že dodani","{count} elektronskih naslovov je že dodanih"], - "Enter your name" : "Vpišite ime" + "_1 email address already added_::_{count} email addresses already added_" : ["{count} elektronski naslov je že dodan","{count} elektronska naslova sta že dodana","{count} elektronski naslovi so že dodani","{count} elektronskih naslovov je že dodanih"] },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/sr.js b/apps/files_sharing/l10n/sr.js index 9f78549c8c3..3fed266334e 100644 --- a/apps/files_sharing/l10n/sr.js +++ b/apps/files_sharing/l10n/sr.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Поднеси име", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} је са вама поделио фолдер.", "To upload files, you need to provide your name first." : "Да бисте могли да отпремите фајлове, најпре наведите своје име.", - "Nickname" : "Надимак", - "Enter your nickname" : "Унесите свој надимак", + "Name" : "Име", + "Enter your name" : "Унесите Ваше име", "Share with {userName}" : "Подели са {userName}", "Share with email {email}" : "Подели и-мејлом {email}", "Share with group" : "Подели са групом", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Сачуван је датум истека дељења", "You are not allowed to edit link shares that you don't own" : "Није вам дозвољено да уређујете дељења линком која нису ваше власништво", "_1 email address already added_::_{count} email addresses already added_" : ["1 и-мејл адреса је већ додата","{count} и-мејл адресе су већ додате","{count} и-мејл адреса је већ додато"], - "_1 email address added_::_{count} email addresses added_" : ["Додата је 1 и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"], - "Enter your name" : "Унесите Ваше име" + "_1 email address added_::_{count} email addresses added_" : ["Додата је 1 и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"] }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_sharing/l10n/sr.json b/apps/files_sharing/l10n/sr.json index 807dc2053e7..c74220d4377 100644 --- a/apps/files_sharing/l10n/sr.json +++ b/apps/files_sharing/l10n/sr.json @@ -261,8 +261,8 @@ "Submit name" : "Поднеси име", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} је са вама поделио фолдер.", "To upload files, you need to provide your name first." : "Да бисте могли да отпремите фајлове, најпре наведите своје име.", - "Nickname" : "Надимак", - "Enter your nickname" : "Унесите свој надимак", + "Name" : "Име", + "Enter your name" : "Унесите Ваше име", "Share with {userName}" : "Подели са {userName}", "Share with email {email}" : "Подели и-мејлом {email}", "Share with group" : "Подели са групом", @@ -420,7 +420,6 @@ "Share expire date saved" : "Сачуван је датум истека дељења", "You are not allowed to edit link shares that you don't own" : "Није вам дозвољено да уређујете дељења линком која нису ваше власништво", "_1 email address already added_::_{count} email addresses already added_" : ["1 и-мејл адреса је већ додата","{count} и-мејл адресе су већ додате","{count} и-мејл адреса је већ додато"], - "_1 email address added_::_{count} email addresses added_" : ["Додата је 1 и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"], - "Enter your name" : "Унесите Ваше име" + "_1 email address added_::_{count} email addresses added_" : ["Додата је 1 и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"] },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/sv.js b/apps/files_sharing/l10n/sv.js index 869b0c4c7f3..06b5b2a3912 100644 --- a/apps/files_sharing/l10n/sv.js +++ b/apps/files_sharing/l10n/sv.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "Skicka namn", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} delade en mapp med dig.", "To upload files, you need to provide your name first." : "För att ladda upp filer måste du först ange ditt namn.", - "Nickname" : "Smeknamn", - "Enter your nickname" : "Ange ditt smeknamn", + "Name" : "Namn", + "Enter your name" : "Ange ditt namn", "Share with {userName}" : "Dela med {userName}", "Share with email {email}" : "Dela med e-post {email}", "Share with group" : "Dela med grupp", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "Delningens utgångsdatum sparad", "You are not allowed to edit link shares that you don't own" : "Du får inte redigera länkdelningar som du inte äger", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadress som redan har lagts till","{count} e-postadresser som redan har lagts till"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-postadress har lagts till","{count} e-postadresser har lagts till"], - "Enter your name" : "Ange ditt namn" + "_1 email address added_::_{count} email addresses added_" : ["1 e-postadress har lagts till","{count} e-postadresser har lagts till"] }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/sv.json b/apps/files_sharing/l10n/sv.json index ccfd38eb101..afbe5ebf17f 100644 --- a/apps/files_sharing/l10n/sv.json +++ b/apps/files_sharing/l10n/sv.json @@ -261,8 +261,8 @@ "Submit name" : "Skicka namn", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} delade en mapp med dig.", "To upload files, you need to provide your name first." : "För att ladda upp filer måste du först ange ditt namn.", - "Nickname" : "Smeknamn", - "Enter your nickname" : "Ange ditt smeknamn", + "Name" : "Namn", + "Enter your name" : "Ange ditt namn", "Share with {userName}" : "Dela med {userName}", "Share with email {email}" : "Dela med e-post {email}", "Share with group" : "Dela med grupp", @@ -420,7 +420,6 @@ "Share expire date saved" : "Delningens utgångsdatum sparad", "You are not allowed to edit link shares that you don't own" : "Du får inte redigera länkdelningar som du inte äger", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadress som redan har lagts till","{count} e-postadresser som redan har lagts till"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-postadress har lagts till","{count} e-postadresser har lagts till"], - "Enter your name" : "Ange ditt namn" + "_1 email address added_::_{count} email addresses added_" : ["1 e-postadress har lagts till","{count} e-postadresser har lagts till"] },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/tr.js b/apps/files_sharing/l10n/tr.js index faa42e38046..012b1b8fb5c 100644 --- a/apps/files_sharing/l10n/tr.js +++ b/apps/files_sharing/l10n/tr.js @@ -261,8 +261,8 @@ OC.L10N.register( "Submit name" : "Adı gönder", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} sizinle bir klasör paylaştı.", "To upload files, you need to provide your name first." : "Dosyaları yükleyebilmek için önce adınızı yazmalısınız.", - "Nickname" : "Takma ad", - "Enter your nickname" : "Takma adınızı yazın", + "Name" : "Ad", + "Enter your name" : "Adınızı yazın", "Share with {userName}" : "{userName} ile paylaş", "Share with email {email}" : "{email} e-posta adresi ile paylaş", "Share with group" : "Grupla paylaş", @@ -420,7 +420,6 @@ OC.L10N.register( "Share expire date saved" : "Paylaşım geçerlilik süresi kaydedildi", "You are not allowed to edit link shares that you don't own" : "Sahibi olmadığınız bağlantı paylaşımlarını düzenleme izniniz yok", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posta adresi zaten eklenmiş","{count} e-posta adresi zaten eklenmiş"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-posta adresi eklendi","{count} e-posta adresi eklendi"], - "Enter your name" : "Adınızı yazın" + "_1 email address added_::_{count} email addresses added_" : ["1 e-posta adresi eklendi","{count} e-posta adresi eklendi"] }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_sharing/l10n/tr.json b/apps/files_sharing/l10n/tr.json index 42ab3fca918..6bf73ea925e 100644 --- a/apps/files_sharing/l10n/tr.json +++ b/apps/files_sharing/l10n/tr.json @@ -259,8 +259,8 @@ "Submit name" : "Adı gönder", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} sizinle bir klasör paylaştı.", "To upload files, you need to provide your name first." : "Dosyaları yükleyebilmek için önce adınızı yazmalısınız.", - "Nickname" : "Takma ad", - "Enter your nickname" : "Takma adınızı yazın", + "Name" : "Ad", + "Enter your name" : "Adınızı yazın", "Share with {userName}" : "{userName} ile paylaş", "Share with email {email}" : "{email} e-posta adresi ile paylaş", "Share with group" : "Grupla paylaş", @@ -418,7 +418,6 @@ "Share expire date saved" : "Paylaşım geçerlilik süresi kaydedildi", "You are not allowed to edit link shares that you don't own" : "Sahibi olmadığınız bağlantı paylaşımlarını düzenleme izniniz yok", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posta adresi zaten eklenmiş","{count} e-posta adresi zaten eklenmiş"], - "_1 email address added_::_{count} email addresses added_" : ["1 e-posta adresi eklendi","{count} e-posta adresi eklendi"], - "Enter your name" : "Adınızı yazın" + "_1 email address added_::_{count} email addresses added_" : ["1 e-posta adresi eklendi","{count} e-posta adresi eklendi"] },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/ug.js b/apps/files_sharing/l10n/ug.js index 14ae282306b..81d6c3dd094 100644 --- a/apps/files_sharing/l10n/ug.js +++ b/apps/files_sharing/l10n/ug.js @@ -246,8 +246,8 @@ OC.L10N.register( "Submit name" : "ئىسىم يوللاڭ", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ھۆججەت قىسقۇچنى سىز بىلەن ئورتاقلاشتى.", "To upload files, you need to provide your name first." : "ھۆججەتلەرنى يوللاش ئۈچۈن ئالدى بىلەن ئىسمىڭىزنى تەمىنلىشىڭىز كېرەك.", - "Nickname" : "لەقەم", - "Enter your nickname" : "لەقىمىڭىزنى كىرگۈزۈڭ", + "Name" : "ئاتى", + "Enter your name" : "ئىسمىڭىزنى كىرگۈزۈڭ", "Share with {userName}" : "{userName} بىلەن ئورتاقلىشىڭ", "Share with email {email}" : "ئېلېكترونلۇق خەت {email} خەت}", "Share with group" : "گۇرۇپپا بىلەن ئورتاقلىشىش", @@ -381,7 +381,6 @@ OC.L10N.register( "No recommendations. Start typing." : "تەۋسىيە يوق. يېزىشنى باشلاڭ.", "Allow download" : "چۈشۈرۈشكە يول قويۇڭ", "Share expire date saved" : "ئورتاقلىشىش ۋاقتى ساقلاندى", - "You are not allowed to edit link shares that you don't own" : "ئۆزىڭىز ئىگە بولمىغان ئۇلىنىش ھەمبەھىرلىرىنى تەھرىرلىشىڭىزگە رۇخسەت قىلىنمايدۇ", - "Enter your name" : "ئىسمىڭىزنى كىرگۈزۈڭ" + "You are not allowed to edit link shares that you don't own" : "ئۆزىڭىز ئىگە بولمىغان ئۇلىنىش ھەمبەھىرلىرىنى تەھرىرلىشىڭىزگە رۇخسەت قىلىنمايدۇ" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/ug.json b/apps/files_sharing/l10n/ug.json index 41c3bc5e401..1e3c9c55ec4 100644 --- a/apps/files_sharing/l10n/ug.json +++ b/apps/files_sharing/l10n/ug.json @@ -244,8 +244,8 @@ "Submit name" : "ئىسىم يوللاڭ", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ھۆججەت قىسقۇچنى سىز بىلەن ئورتاقلاشتى.", "To upload files, you need to provide your name first." : "ھۆججەتلەرنى يوللاش ئۈچۈن ئالدى بىلەن ئىسمىڭىزنى تەمىنلىشىڭىز كېرەك.", - "Nickname" : "لەقەم", - "Enter your nickname" : "لەقىمىڭىزنى كىرگۈزۈڭ", + "Name" : "ئاتى", + "Enter your name" : "ئىسمىڭىزنى كىرگۈزۈڭ", "Share with {userName}" : "{userName} بىلەن ئورتاقلىشىڭ", "Share with email {email}" : "ئېلېكترونلۇق خەت {email} خەت}", "Share with group" : "گۇرۇپپا بىلەن ئورتاقلىشىش", @@ -379,7 +379,6 @@ "No recommendations. Start typing." : "تەۋسىيە يوق. يېزىشنى باشلاڭ.", "Allow download" : "چۈشۈرۈشكە يول قويۇڭ", "Share expire date saved" : "ئورتاقلىشىش ۋاقتى ساقلاندى", - "You are not allowed to edit link shares that you don't own" : "ئۆزىڭىز ئىگە بولمىغان ئۇلىنىش ھەمبەھىرلىرىنى تەھرىرلىشىڭىزگە رۇخسەت قىلىنمايدۇ", - "Enter your name" : "ئىسمىڭىزنى كىرگۈزۈڭ" + "You are not allowed to edit link shares that you don't own" : "ئۆزىڭىز ئىگە بولمىغان ئۇلىنىش ھەمبەھىرلىرىنى تەھرىرلىشىڭىزگە رۇخسەت قىلىنمايدۇ" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/uk.js b/apps/files_sharing/l10n/uk.js index 6938b3a2a87..c41217776a5 100644 --- a/apps/files_sharing/l10n/uk.js +++ b/apps/files_sharing/l10n/uk.js @@ -262,8 +262,8 @@ OC.L10N.register( "Submit name" : "Надайте ім'я", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} поділив(-ла)ся з вами каталогом.", "To upload files, you need to provide your name first." : "Щоби завантажити файли, спочатку зазначте ваше ім'я.", - "Nickname" : "Прізвисько", - "Enter your nickname" : "Зазначте ваше прізвисько", + "Name" : "Назва", + "Enter your name" : "Зазначте ваше ім'я", "Share with {userName}" : "Поділитися з {userName}", "Share with email {email}" : "Поділитися через ел.пошту {email}", "Share with group" : "Поділитися з групою", @@ -421,7 +421,6 @@ OC.L10N.register( "Share expire date saved" : "Збережено термін доступности спільного ресурсу", "You are not allowed to edit link shares that you don't own" : "У вас відсутні права на редагування спільних ресурсів, якими з вами поділилися через посилання, власником яких ви не є", "_1 email address already added_::_{count} email addresses already added_" : ["Вже додано 1 адресу ел. пошти","Вже додано {count} адреси ел. пошти","Вже додано {count} адрес ел. пошти","Вже додано {count} адрес ел. пошти"], - "_1 email address added_::_{count} email addresses added_" : ["Додано 1 адресу ел. пошти","Додано {count} адреси ел. пошти","Додано {count} адрес ел. пошти","Додано {count} адрес ел. пошти"], - "Enter your name" : "Зазначте ваше ім'я" + "_1 email address added_::_{count} email addresses added_" : ["Додано 1 адресу ел. пошти","Додано {count} адреси ел. пошти","Додано {count} адрес ел. пошти","Додано {count} адрес ел. пошти"] }, "nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);"); diff --git a/apps/files_sharing/l10n/uk.json b/apps/files_sharing/l10n/uk.json index c983e5ef729..5045716043d 100644 --- a/apps/files_sharing/l10n/uk.json +++ b/apps/files_sharing/l10n/uk.json @@ -260,8 +260,8 @@ "Submit name" : "Надайте ім'я", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} поділив(-ла)ся з вами каталогом.", "To upload files, you need to provide your name first." : "Щоби завантажити файли, спочатку зазначте ваше ім'я.", - "Nickname" : "Прізвисько", - "Enter your nickname" : "Зазначте ваше прізвисько", + "Name" : "Назва", + "Enter your name" : "Зазначте ваше ім'я", "Share with {userName}" : "Поділитися з {userName}", "Share with email {email}" : "Поділитися через ел.пошту {email}", "Share with group" : "Поділитися з групою", @@ -419,7 +419,6 @@ "Share expire date saved" : "Збережено термін доступности спільного ресурсу", "You are not allowed to edit link shares that you don't own" : "У вас відсутні права на редагування спільних ресурсів, якими з вами поділилися через посилання, власником яких ви не є", "_1 email address already added_::_{count} email addresses already added_" : ["Вже додано 1 адресу ел. пошти","Вже додано {count} адреси ел. пошти","Вже додано {count} адрес ел. пошти","Вже додано {count} адрес ел. пошти"], - "_1 email address added_::_{count} email addresses added_" : ["Додано 1 адресу ел. пошти","Додано {count} адреси ел. пошти","Додано {count} адрес ел. пошти","Додано {count} адрес ел. пошти"], - "Enter your name" : "Зазначте ваше ім'я" + "_1 email address added_::_{count} email addresses added_" : ["Додано 1 адресу ел. пошти","Додано {count} адреси ел. пошти","Додано {count} адрес ел. пошти","Додано {count} адрес ел. пошти"] },"pluralForm" :"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/vi.js b/apps/files_sharing/l10n/vi.js index 653be42d4be..37413583af9 100644 --- a/apps/files_sharing/l10n/vi.js +++ b/apps/files_sharing/l10n/vi.js @@ -166,6 +166,7 @@ OC.L10N.register( "on {server}" : "trên {server}", "File drop" : "Thả file", "Terms of service" : "Điều khoản dịch vụ", + "Name" : "Tên", "Update share" : "Cập nhật chia sẻ", "Save share" : "Lưu chia sẻ", "Read" : "Đọc", diff --git a/apps/files_sharing/l10n/vi.json b/apps/files_sharing/l10n/vi.json index b3fe5527610..bdcd65e4a6f 100644 --- a/apps/files_sharing/l10n/vi.json +++ b/apps/files_sharing/l10n/vi.json @@ -164,6 +164,7 @@ "on {server}" : "trên {server}", "File drop" : "Thả file", "Terms of service" : "Điều khoản dịch vụ", + "Name" : "Tên", "Update share" : "Cập nhật chia sẻ", "Save share" : "Lưu chia sẻ", "Read" : "Đọc", diff --git a/apps/files_sharing/l10n/zh_CN.js b/apps/files_sharing/l10n/zh_CN.js index b669a4d213f..10fa087e766 100644 --- a/apps/files_sharing/l10n/zh_CN.js +++ b/apps/files_sharing/l10n/zh_CN.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "提交名称", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} 与您分享了一个文件夹。", "To upload files, you need to provide your name first." : "要上传文件,您需要先提供名称。", - "Nickname" : "昵称", - "Enter your nickname" : "输入昵称", + "Name" : "名称", + "Enter your name" : "输入你的名字", "Share with {userName}" : "分享至 {userName}", "Share with email {email}" : "与邮箱 {email} 分享", "Share with group" : "分享至群组", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "共享过期日期已保存", "You are not allowed to edit link shares that you don't own" : "不允许编辑不属于您的链接共享", "_1 email address already added_::_{count} email addresses already added_" : ["{count}个电子邮箱地址已添加"], - "_1 email address added_::_{count} email addresses added_" : ["{count}电子邮箱地址已添加"], - "Enter your name" : "输入你的名字" + "_1 email address added_::_{count} email addresses added_" : ["{count}电子邮箱地址已添加"] }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/zh_CN.json b/apps/files_sharing/l10n/zh_CN.json index 80418e9def9..26b40505ac0 100644 --- a/apps/files_sharing/l10n/zh_CN.json +++ b/apps/files_sharing/l10n/zh_CN.json @@ -261,8 +261,8 @@ "Submit name" : "提交名称", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} 与您分享了一个文件夹。", "To upload files, you need to provide your name first." : "要上传文件,您需要先提供名称。", - "Nickname" : "昵称", - "Enter your nickname" : "输入昵称", + "Name" : "名称", + "Enter your name" : "输入你的名字", "Share with {userName}" : "分享至 {userName}", "Share with email {email}" : "与邮箱 {email} 分享", "Share with group" : "分享至群组", @@ -420,7 +420,6 @@ "Share expire date saved" : "共享过期日期已保存", "You are not allowed to edit link shares that you don't own" : "不允许编辑不属于您的链接共享", "_1 email address already added_::_{count} email addresses already added_" : ["{count}个电子邮箱地址已添加"], - "_1 email address added_::_{count} email addresses added_" : ["{count}电子邮箱地址已添加"], - "Enter your name" : "输入你的名字" + "_1 email address added_::_{count} email addresses added_" : ["{count}电子邮箱地址已添加"] },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/zh_HK.js b/apps/files_sharing/l10n/zh_HK.js index 18275f217eb..e66a30b09bd 100644 --- a/apps/files_sharing/l10n/zh_HK.js +++ b/apps/files_sharing/l10n/zh_HK.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "遞交名字", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} 與您分享了一個資料夾。", "To upload files, you need to provide your name first." : "要上傳檔案,您需要先提供您的姓名。", - "Nickname" : "暱稱", - "Enter your nickname" : "輸入您的暱稱", + "Name" : "名字", + "Enter your name" : "輸入您的名稱", "Share with {userName}" : "與 {userName} 分享", "Share with email {email}" : "與電郵地址 {email} 分享", "Share with group" : "與群組分享", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "已儲存分享過期日期", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的鏈接共享", "_1 email address already added_::_{count} email addresses already added_" : ["已添加 {count} 個電郵地址"], - "_1 email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"], - "Enter your name" : "輸入您的名稱" + "_1 email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"] }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/zh_HK.json b/apps/files_sharing/l10n/zh_HK.json index 215d60c4d0e..5ecda76da0d 100644 --- a/apps/files_sharing/l10n/zh_HK.json +++ b/apps/files_sharing/l10n/zh_HK.json @@ -261,8 +261,8 @@ "Submit name" : "遞交名字", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} 與您分享了一個資料夾。", "To upload files, you need to provide your name first." : "要上傳檔案,您需要先提供您的姓名。", - "Nickname" : "暱稱", - "Enter your nickname" : "輸入您的暱稱", + "Name" : "名字", + "Enter your name" : "輸入您的名稱", "Share with {userName}" : "與 {userName} 分享", "Share with email {email}" : "與電郵地址 {email} 分享", "Share with group" : "與群組分享", @@ -420,7 +420,6 @@ "Share expire date saved" : "已儲存分享過期日期", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的鏈接共享", "_1 email address already added_::_{count} email addresses already added_" : ["已添加 {count} 個電郵地址"], - "_1 email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"], - "Enter your name" : "輸入您的名稱" + "_1 email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"] },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_sharing/l10n/zh_TW.js b/apps/files_sharing/l10n/zh_TW.js index 46374e73879..87ee702d58e 100644 --- a/apps/files_sharing/l10n/zh_TW.js +++ b/apps/files_sharing/l10n/zh_TW.js @@ -263,8 +263,8 @@ OC.L10N.register( "Submit name" : "遞交名稱", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} 與您分享了一個資料夾。", "To upload files, you need to provide your name first." : "要上傳檔案,您必須先提供您的名字。", - "Nickname" : "暱稱", - "Enter your nickname" : "輸入您的暱稱", + "Name" : "名稱", + "Enter your name" : "輸入您的名稱", "Share with {userName}" : "與 {userName} 分享", "Share with email {email}" : "與電子郵件 {email} 分享", "Share with group" : "與群組分享", @@ -422,7 +422,6 @@ OC.L10N.register( "Share expire date saved" : "已儲存分享過期日期", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的連結分享", "_1 email address already added_::_{count} email addresses already added_" : ["已新增 {count} 個電子郵件地址"], - "_1 email address added_::_{count} email addresses added_" : ["已新增 {count} 個電子郵件地址"], - "Enter your name" : "輸入您的名稱" + "_1 email address added_::_{count} email addresses added_" : ["已新增 {count} 個電子郵件地址"] }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/zh_TW.json b/apps/files_sharing/l10n/zh_TW.json index b583d86b731..acbf27f4c22 100644 --- a/apps/files_sharing/l10n/zh_TW.json +++ b/apps/files_sharing/l10n/zh_TW.json @@ -261,8 +261,8 @@ "Submit name" : "遞交名稱", "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} 與您分享了一個資料夾。", "To upload files, you need to provide your name first." : "要上傳檔案,您必須先提供您的名字。", - "Nickname" : "暱稱", - "Enter your nickname" : "輸入您的暱稱", + "Name" : "名稱", + "Enter your name" : "輸入您的名稱", "Share with {userName}" : "與 {userName} 分享", "Share with email {email}" : "與電子郵件 {email} 分享", "Share with group" : "與群組分享", @@ -420,7 +420,6 @@ "Share expire date saved" : "已儲存分享過期日期", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的連結分享", "_1 email address already added_::_{count} email addresses already added_" : ["已新增 {count} 個電子郵件地址"], - "_1 email address added_::_{count} email addresses added_" : ["已新增 {count} 個電子郵件地址"], - "Enter your name" : "輸入您的名稱" + "_1 email address added_::_{count} email addresses added_" : ["已新增 {count} 個電子郵件地址"] },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_sharing/src/components/SharingEntryLink.vue b/apps/files_sharing/src/components/SharingEntryLink.vue index 2c19afd1dca..781626a1ec9 100644 --- a/apps/files_sharing/src/components/SharingEntryLink.vue +++ b/apps/files_sharing/src/components/SharingEntryLink.vue @@ -108,7 +108,8 @@ type="date" :min="dateTomorrow" :max="maxExpirationDateEnforced" - @change="expirationDateChanged($event)"> + @update:model-value="onExpirationChange" + @change="expirationDateChanged"> <template #icon> <IconCalendarBlank :size="20" /> </template> @@ -874,9 +875,9 @@ export default { }, expirationDateChanged(event) { - const date = event.target.value - this.onExpirationChange(date) - this.defaultExpirationDateEnabled = !!date + const value = event?.target?.value + const isValid = !!value && !isNaN(new Date(value).getTime()) + this.defaultExpirationDateEnabled = isValid }, /** diff --git a/apps/files_sharing/src/mixins/SharesMixin.js b/apps/files_sharing/src/mixins/SharesMixin.js index 7d0d0dbb59b..c5bad91314e 100644 --- a/apps/files_sharing/src/mixins/SharesMixin.js +++ b/apps/files_sharing/src/mixins/SharesMixin.js @@ -234,8 +234,13 @@ export default { * @param {Date} date */ onExpirationChange(date) { - const formattedDate = date ? this.formatDateToString(new Date(date)) : '' - this.share.expireDate = formattedDate + if (!date) { + this.share.expireDate = null + this.$set(this.share, 'expireDate', null) + return + } + const parsedDate = (date instanceof Date) ? date : new Date(date) + this.share.expireDate = this.formatDateToString(parsedDate) }, /** diff --git a/apps/files_sharing/src/views/PublicAuthPrompt.vue b/apps/files_sharing/src/views/PublicAuthPrompt.vue index afa1e10ac56..39f5adc4650 100644 --- a/apps/files_sharing/src/views/PublicAuthPrompt.vue +++ b/apps/files_sharing/src/views/PublicAuthPrompt.vue @@ -24,8 +24,8 @@ <NcTextField ref="input" class="public-auth-prompt__input" data-cy-public-auth-prompt-dialog-name - :label="t('files_sharing', 'Nickname')" - :placeholder="t('files_sharing', 'Enter your nickname')" + :label="t('files_sharing', 'Name')" + :placeholder="t('files_sharing', 'Enter your name')" minlength="2" name="name" required diff --git a/apps/files_versions/lib/Listener/FileEventsListener.php b/apps/files_versions/lib/Listener/FileEventsListener.php index 49150f4e726..c581c61b4ae 100644 --- a/apps/files_versions/lib/Listener/FileEventsListener.php +++ b/apps/files_versions/lib/Listener/FileEventsListener.php @@ -196,8 +196,8 @@ class FileEventsListener implements IEventListener { } if ( - $writeHookInfo['versionCreated'] && - $node->getMTime() !== $writeHookInfo['previousNode']->getMTime() + $writeHookInfo['versionCreated'] + && $node->getMTime() !== $writeHookInfo['previousNode']->getMTime() ) { // If a new version was created, insert a version in the DB for the current content. // If both versions have the same mtime, it means the latest version file simply got overrode, @@ -218,6 +218,15 @@ class FileEventsListener implements IEventListener { ], ); } + } catch (DoesNotExistException $e) { + // This happens if the versions app was not enabled while the file was created or updated the last time. + // meaning there is no such revision and we need to create this file. + if ($writeHookInfo['versionCreated']) { + $this->created($node); + } else { + // Normally this should not happen so we re-throw the exception to not hide any potential issues. + throw $e; + } } catch (Exception $e) { $this->logger->error('Failed to update existing version for ' . $node->getPath(), [ 'exception' => $e, diff --git a/apps/files_versions/tests/VersioningTest.php b/apps/files_versions/tests/VersioningTest.php index 13ea133097f..f294390a593 100644 --- a/apps/files_versions/tests/VersioningTest.php +++ b/apps/files_versions/tests/VersioningTest.php @@ -16,9 +16,11 @@ use OC\User\NoUserException; use OCA\Files_Sharing\AppInfo\Application; use OCA\Files_Versions\Db\VersionEntity; use OCA\Files_Versions\Db\VersionsMapper; +use OCA\Files_Versions\Events\VersionRestoredEvent; use OCA\Files_Versions\Storage; use OCA\Files_Versions\Versions\IVersionManager; use OCP\Constants; +use OCP\EventDispatcher\IEventDispatcher; use OCP\Files\IMimeTypeLoader; use OCP\IConfig; use OCP\IUser; @@ -804,8 +806,13 @@ class VersioningTest extends \Test\TestCase { $this->assertEquals('test file', $this->rootView->file_get_contents($filePath)); $info1 = $this->rootView->getFileInfo($filePath); - $params = []; - $this->connectMockHooks('rollback', $params); + $eventDispatcher = Server::get(IEventDispatcher::class); + $eventFired = false; + $eventDispatcher->addListener(VersionRestoredEvent::class, function ($event) use (&$eventFired, $t2) { + $eventFired = true; + $this->assertEquals('/sub/test.txt', $event->getVersion()->getVersionPath()); + $this->assertTrue($event->getVersion()->getRevisionId() > 0); + }); $versionManager = Server::get(IVersionManager::class); $versions = $versionManager->getVersionsForFile($this->user1, $info1); @@ -813,13 +820,8 @@ class VersioningTest extends \Test\TestCase { return $version->getRevisionId() === $t2; }); $this->assertTrue($versionManager->rollback(current($version))); - $expectedParams = [ - 'path' => '/sub/test.txt', - ]; - $this->assertEquals($expectedParams['path'], $params['path']); - $this->assertTrue(array_key_exists('revision', $params)); - $this->assertTrue($params['revision'] > 0); + $this->assertTrue($eventFired, 'VersionRestoredEvent was not fired'); $this->assertEquals('version2', $this->rootView->file_get_contents($filePath)); $info2 = $this->rootView->getFileInfo($filePath); diff --git a/apps/settings/l10n/da.js b/apps/settings/l10n/da.js index 13616085134..bbdd1bea6ac 100644 --- a/apps/settings/l10n/da.js +++ b/apps/settings/l10n/da.js @@ -319,8 +319,8 @@ OC.L10N.register( "Error while checking the temporary PHP path - it was not properly set to a directory. Returned value: %s" : "Fejl under kontrol af den midlertidige PHP sti - den er ikke korrekt sat til en mappe. Returneret værdi: %s", "The PHP function \"disk_free_space\" is disabled, which prevents the check for enough space in the temporary directories." : "PHP funktionen \"disk_free_space\" er deaktiveret, hvilket forhindrer kontrollen af tilstrækkelig plads i de midlertidige mapper.", "Error while checking the available disk space of temporary PHP path or no free disk space returned. Temporary path: %s" : "Fejl under kontrol af den tilgængelige diskplads på midlertidig PHP sti eller ingen ledig diskplads returneret. Midlertidig sti: %s", - "- %.1f GiB available in %s (PHP temporary directory)" : "- %.1f GB tilgængelig i %s (PHP midlertidig mappe)", - "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GB tilgængelig i %s (Nextcloud midlertidig mappe)", + "- %.1f GiB available in %s (PHP temporary directory)" : "- %.1f GiB tilgængelig i %s (PHP midlertidig mappe)", + "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GiB tilgængelig i %s (Nextcloud midlertidig mappe)", "Temporary directory is correctly configured:\n%s" : "Midlertidig mappe er korrekt konfigureret:\n%s", "This instance uses an S3 based object store as primary storage, and has enough space in the temporary directory.\n%s" : "Denne instans bruger et S3-baseret objektlager som primært lager og har nok plads i den midlertidige mappe.\n%s", "This instance uses an S3 based object store as primary storage. The uploaded files are stored temporarily on the server and thus it is recommended to have 50 GiB of free space available in the temp directory of PHP. To improve this please change the temporary directory in the php.ini or make more space available in that path. \nChecking the available space in the temporary path resulted in %.1f GiB instead of the recommended 50 GiB. Path: %s" : "Denne instans bruger et S3-baseret objektlager som primært lager. De uploadede filer gemmes midlertidigt på serveren, og det anbefales derfor at have 50 GiB ledig plads til rådighed i temp-mappen i PHP. For at forbedre dette bedes du ændre den midlertidige mappe i php.ini eller gøre mere plads tilgængelig i den sti.\nKontrol af den tilgængelige plads i den midlertidige sti resulterede i %.1f GB i stedet for den anbefalede 50 GiB. Sti: %s", diff --git a/apps/settings/l10n/da.json b/apps/settings/l10n/da.json index 004f9314b4f..bb14d06a01a 100644 --- a/apps/settings/l10n/da.json +++ b/apps/settings/l10n/da.json @@ -317,8 +317,8 @@ "Error while checking the temporary PHP path - it was not properly set to a directory. Returned value: %s" : "Fejl under kontrol af den midlertidige PHP sti - den er ikke korrekt sat til en mappe. Returneret værdi: %s", "The PHP function \"disk_free_space\" is disabled, which prevents the check for enough space in the temporary directories." : "PHP funktionen \"disk_free_space\" er deaktiveret, hvilket forhindrer kontrollen af tilstrækkelig plads i de midlertidige mapper.", "Error while checking the available disk space of temporary PHP path or no free disk space returned. Temporary path: %s" : "Fejl under kontrol af den tilgængelige diskplads på midlertidig PHP sti eller ingen ledig diskplads returneret. Midlertidig sti: %s", - "- %.1f GiB available in %s (PHP temporary directory)" : "- %.1f GB tilgængelig i %s (PHP midlertidig mappe)", - "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GB tilgængelig i %s (Nextcloud midlertidig mappe)", + "- %.1f GiB available in %s (PHP temporary directory)" : "- %.1f GiB tilgængelig i %s (PHP midlertidig mappe)", + "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GiB tilgængelig i %s (Nextcloud midlertidig mappe)", "Temporary directory is correctly configured:\n%s" : "Midlertidig mappe er korrekt konfigureret:\n%s", "This instance uses an S3 based object store as primary storage, and has enough space in the temporary directory.\n%s" : "Denne instans bruger et S3-baseret objektlager som primært lager og har nok plads i den midlertidige mappe.\n%s", "This instance uses an S3 based object store as primary storage. The uploaded files are stored temporarily on the server and thus it is recommended to have 50 GiB of free space available in the temp directory of PHP. To improve this please change the temporary directory in the php.ini or make more space available in that path. \nChecking the available space in the temporary path resulted in %.1f GiB instead of the recommended 50 GiB. Path: %s" : "Denne instans bruger et S3-baseret objektlager som primært lager. De uploadede filer gemmes midlertidigt på serveren, og det anbefales derfor at have 50 GiB ledig plads til rådighed i temp-mappen i PHP. For at forbedre dette bedes du ændre den midlertidige mappe i php.ini eller gøre mere plads tilgængelig i den sti.\nKontrol af den tilgængelige plads i den midlertidige sti resulterede i %.1f GB i stedet for den anbefalede 50 GiB. Sti: %s", diff --git a/apps/settings/l10n/et_EE.js b/apps/settings/l10n/et_EE.js index 6ca21b9c284..b6514e78142 100644 --- a/apps/settings/l10n/et_EE.js +++ b/apps/settings/l10n/et_EE.js @@ -115,6 +115,7 @@ OC.L10N.register( "The %1$s configuration option must be a valid integer value." : "Seadistusvalik „%1$s“ peab olema korrektne täisarv.", "The logging level is set to debug level. Use debug level only when you have a problem to diagnose, and then reset your log level to a less-verbose level as it outputs a lot of information, and can affect your server performance." : "Logimistase on hetkel seatud veaotsinguks. Kasuta seda vaid siis, kui tõesti tegeled veaotsinguga ning peale seda muuda logimine jälle tavaliseks. Veaotsinguks vajalik logimine on väga väljundirikas ning võib mõjutada serveri jõudlust.", "Logging level configured correctly." : "Logimistase on korrektselt seadistatud", + "Supported" : "Toetatud", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ei tundu olevat süsteemsete keskkonnamuutujate pärimiseks korrektselt seadistatud. Test getenv(\"PATH\") abil tagastab tühja vastuse.", "PHP file size upload limit" : "PHP failide üleslaadimise mahupiir", "The PHP upload_max_filesize is too low. A size of at least %1$s is recommended. Current value: %2$s." : "PHP seadistuse „upload_max_filesize“ väärtus on liiga väike. Meie soovitatud väärtus: %1$s. Praegune väärtus: %2$s.", diff --git a/apps/settings/l10n/et_EE.json b/apps/settings/l10n/et_EE.json index f36788177c4..333f74e8b96 100644 --- a/apps/settings/l10n/et_EE.json +++ b/apps/settings/l10n/et_EE.json @@ -113,6 +113,7 @@ "The %1$s configuration option must be a valid integer value." : "Seadistusvalik „%1$s“ peab olema korrektne täisarv.", "The logging level is set to debug level. Use debug level only when you have a problem to diagnose, and then reset your log level to a less-verbose level as it outputs a lot of information, and can affect your server performance." : "Logimistase on hetkel seatud veaotsinguks. Kasuta seda vaid siis, kui tõesti tegeled veaotsinguga ning peale seda muuda logimine jälle tavaliseks. Veaotsinguks vajalik logimine on väga väljundirikas ning võib mõjutada serveri jõudlust.", "Logging level configured correctly." : "Logimistase on korrektselt seadistatud", + "Supported" : "Toetatud", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ei tundu olevat süsteemsete keskkonnamuutujate pärimiseks korrektselt seadistatud. Test getenv(\"PATH\") abil tagastab tühja vastuse.", "PHP file size upload limit" : "PHP failide üleslaadimise mahupiir", "The PHP upload_max_filesize is too low. A size of at least %1$s is recommended. Current value: %2$s." : "PHP seadistuse „upload_max_filesize“ väärtus on liiga väike. Meie soovitatud väärtus: %1$s. Praegune väärtus: %2$s.", diff --git a/apps/settings/l10n/lt_LT.js b/apps/settings/l10n/lt_LT.js index 520df2cefe3..15fb749d897 100644 --- a/apps/settings/l10n/lt_LT.js +++ b/apps/settings/l10n/lt_LT.js @@ -131,6 +131,7 @@ OC.L10N.register( "PHP modules" : "PHP moduliai", "The PHP OPcache module is not loaded. For better performance it is recommended to load it into your PHP installation." : "PHP OPcache modulis nėra įkeltas. Geresniam našumui rekomenduojame įkelti šį modulį į savo PHP diegimą.", "PHP version" : "PHP versija", + "Valid enterprise license" : "Galiojanti enterprise licencija", "Database version" : "Duomenų bazės versija", "Unknown database platform" : "Nežinoma duomenų bazės platforma", "Architecture" : "Architektūra", diff --git a/apps/settings/l10n/lt_LT.json b/apps/settings/l10n/lt_LT.json index 6c31e607411..8e5c0d29962 100644 --- a/apps/settings/l10n/lt_LT.json +++ b/apps/settings/l10n/lt_LT.json @@ -129,6 +129,7 @@ "PHP modules" : "PHP moduliai", "The PHP OPcache module is not loaded. For better performance it is recommended to load it into your PHP installation." : "PHP OPcache modulis nėra įkeltas. Geresniam našumui rekomenduojame įkelti šį modulį į savo PHP diegimą.", "PHP version" : "PHP versija", + "Valid enterprise license" : "Galiojanti enterprise licencija", "Database version" : "Duomenų bazės versija", "Unknown database platform" : "Nežinoma duomenų bazės platforma", "Architecture" : "Architektūra", diff --git a/apps/settings/l10n/pt_BR.js b/apps/settings/l10n/pt_BR.js index 7732988712a..5f8de27d286 100644 --- a/apps/settings/l10n/pt_BR.js +++ b/apps/settings/l10n/pt_BR.js @@ -56,7 +56,7 @@ OC.L10N.register( "Wrong password" : "Senha incorreta", "Unable to change personal password" : "Não foi possível alterar a senha pessoal", "Saved" : "Salvo", - "No Login supplied" : "Nenhum login fornecido", + "No Login supplied" : "Nenhum Login fornecido", "Unable to change password. Password too long." : "Não foi possível alterar a senha. Senha muito longa.", "Authentication error" : "Erro de autenticação", "Please provide an admin recovery password; otherwise, all account data will be lost." : "Por favor, forneça uma senha de recuperação de administrador; caso contrário, todos os dados da conta serão perdidos.", @@ -71,8 +71,8 @@ OC.L10N.register( "If you received this email, the email configuration seems to be correct." : "Se você recebeu este e-mail, é sinal que a configuração do servidor de e-mail está correta.", "Email could not be sent. Check your mail server log" : "O e-mail não pôde ser enviado. Verifique o log do servidor de e-mail", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Ocorreu um problema ao enviar o e-mail. Por favor, revise suas configurações. (Erro: %s)", - "You need to set your account email before being able to send test emails. Go to %s for that." : "Você precisa definir o e-mail da sua conta antes de poder enviar e-mails de teste. Acesse para fazer isso %s.", - "Recently active" : "Recentemente ativo", + "You need to set your account email before being able to send test emails. Go to %s for that." : "Você precisa definir o e-mail da sua conta antes de poder enviar e-mails de teste. Acesse %s para fazer isso.", + "Recently active" : "Recentemente ativos", "Disabled accounts" : "Contas desativadas", "Invalid account" : "Conta inválida", "Invalid mail address" : "Endereço de e-mail inválido", @@ -123,7 +123,7 @@ OC.L10N.register( "Email server" : "Servidor de e-mail", "Mail Providers" : "Provedores de E-mail", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "O provedor de e-mail permite o envio de e-mails diretamente pela conta de e-mail pessoal do usuário. No momento, essa funcionalidade está limitada a convites de calendário. Ele requer o Nextcloud Mail 4.1 e uma conta de e-mail no Nextcloud Mail que corresponda ao endereço de e-mail do usuário no Nextcloud.", - "Send emails using" : "Envie e-mails via", + "Send emails using" : "Enviar e-mails via", "User's email account" : "Conta de e-mail do usuário", "System email account" : "Conta de e-mail do sistema", "Security & setup checks" : "Verificações de segurança & configuração", @@ -136,9 +136,9 @@ OC.L10N.register( "Configuration key \"%1$s\" contains invalid IP range(s): \"%2$s\"" : "A chave de configuração \"%1$s\" contém um ou mais intervalos de IP inválidos: \"%2$s\"", "Admin IP filtering is correctly configured." : "A filtragem de IP do administrador está configurada corretamente.", "App directories owner" : "Proprietário de diretórios de aplicativos", - "Some app directories are owned by a different user than the web server one. This may be the case if apps have been installed manually. Check the permissions of the following app directories:\n%s" : "Alguns diretórios de aplicativos pertencem a um usuário diferente do servidor web. Este pode ser o caso se os aplicativos tiverem sido instalados manualmente. Verifique as permissões dos seguintes diretórios de aplicativos: \n%s", + "Some app directories are owned by a different user than the web server one. This may be the case if apps have been installed manually. Check the permissions of the following app directories:\n%s" : "Alguns diretórios de aplicativos pertencem a um usuário diferente do usuário do servidor web. Este pode ser o caso se os aplicativos tiverem sido instalados manualmente. Verifique as permissões dos seguintes diretórios de aplicativos: \n%s", "App directories have the correct owner \"%s\"" : "Os diretórios de aplicativos têm o proprietário correto \"%s\"", - "Brute-force Throttle" : "Acelerador de força bruta", + "Brute-force Throttle" : "Limitação de força bruta", "Your remote address could not be determined." : "Seu endereço remoto não pode ser determinado.", "Your remote address was identified as \"%s\" and is brute-force throttled at the moment slowing down the performance of various requests. If the remote address is not your address this can be an indication that a proxy is not configured correctly." : "Seu endereço remoto foi identificado como \"%s\" e está sendo limitado por força bruta no momento, diminuindo o desempenho de diversas solicitações. Se o endereço remoto não for o seu, isso pode ser uma indicação de que um proxy não está configurado corretamente.", "Your remote address \"%s\" is not brute-force throttled." : "Seu endereço remoto \"%s\" não é limitado por força bruta.", @@ -146,12 +146,12 @@ OC.L10N.register( "A background job is pending that checks for administration imported SSL certificates. Please check back later." : "Há um trabalho em segundo plano pendente que verifica os certificados SSL importados para administração. Por favor, verifique novamente mais tarde.", "There are some administration imported SSL certificates present, that are not used anymore with Nextcloud 21. They can be imported on the command line via \"occ security:certificates:import\" command. Their paths inside the data directory are shown below." : "Existem alguns certificados SSL importados de administração presentes, que não são mais usados no Nextcloud 21. Eles podem ser importados na linha de comando via comando \"occ security:certificates:import\". Seus caminhos dentro do diretório de dados são mostrados abaixo.", "Code integrity" : "Integridade de código", - "Integrity checker has been disabled. Integrity cannot be verified." : "O verificador de integridade foi desativado. A integridade não pode ser verificada.", + "Integrity checker has been disabled. Integrity cannot be verified." : "O verificador de integridade foi desativado. Não é possível verificar a integridade.", "No altered files" : "Nenhum arquivo alterado", "Some files have not passed the integrity check. {link1} {link2}" : "Alguns arquivos não passaram na verificação de integridade. {link1} {link2}", "Cron errors" : "Erros do cron", "It was not possible to execute the cron job via CLI. The following technical errors have appeared:\n%s" : "Não foi possível executar o cron job via CLI. Os seguintes erros técnicos apareceram: \n%s", - "The last cron job ran without errors." : "O último trabalho cron foi executado sem erros.", + "The last cron job ran without errors." : "A última execução cron terminou sem erros.", "Cron last run" : "Última execução do cron", "Last background job execution ran %s. Something seems wrong. {link}." : "A última execução de trabalho em segundo plano foi %s. Algo parece errado. {link}.", "Last background job execution ran %s." : "A última execução de trabalho em segundo plano foi %s.", @@ -182,12 +182,12 @@ OC.L10N.register( "Transactional File Locking" : "Bloqueio de Arquivo Transacional", "Transactional File Locking is disabled. This is not a a supported configuraton. It may lead to difficult to isolate problems including file corruption. Please remove the `'filelocking.enabled' => false` configuration entry from your `config.php` to avoid these problems." : "O Bloqueio de Arquivo Transacional está desativado. Esta não é uma configuração suportada. Isso pode dificultar o isolamento de problemas, incluindo corrupção de arquivos. Por favor remova a entrada de configuração `'filelocking.enabled' => false` do seu `config.php` para evitar esses problemas.", "The database is used for transactional file locking. To enhance performance, please configure memcache, if available." : "O banco de dados é usado para bloqueio de arquivos transacionais. Para melhorar o desempenho, configure o memcache, se disponível.", - "Forwarded for headers" : "Encaminhado para cabeçalhos", - "Your \"trusted_proxies\" setting is not correctly set, it should be an array." : "Sua configuração \"trusted_proxies\" não está definida corretamente, deveria ser um arranjo.", + "Forwarded for headers" : "Cabeçalhos Forwarded for", + "Your \"trusted_proxies\" setting is not correctly set, it should be an array." : "Sua configuração \"trusted_proxies\" não está definida corretamente; deveria ser um arranjo.", "Your \"trusted_proxies\" setting is not correctly set, it should be an array of IP addresses - optionally with range in CIDR notation." : "Sua configuração \"trusted_proxies\" não está definida corretamente; deve ser um arranjo de endereços IP - opcionalmente com intervalo na notação CIDR.", - "The reverse proxy header configuration is incorrect. This is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração do cabeçalho do proxy reverso está incorreta. Este é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", + "The reverse proxy header configuration is incorrect. This is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração de cabeçalhos do proxy reverso está incorreta. Isto é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", "Your IP address was resolved as %s" : "Seu endereço IP foi resolvido como %s", - "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração do cabeçalho do proxy reverso está incorreta ou você está acessando Nextcloud de um proxy confiável. Caso contrário, este é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", + "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração de cabeçalhos do proxy reverso está incorreta ou você está acessando Nextcloud de um proxy confiável. Caso contrário, isto é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", "HTTPS access and URLs" : "Acesso HTTPS e URLs", "Accessing site insecurely via HTTP. You are strongly advised to set up your server to require HTTPS instead. Without it some important web functionality like \"copy to clipboard\" or \"service workers\" will not work!" : "Acessando o site de forma insegura via HTTP. É altamente recomendável configurar seu servidor para exigir HTTPS. Sem ele, algumas funcionalidades importantes da web, como \"copiar para a área de transferência\" ou \"service workers\" não funcionarão!", "Accessing site insecurely via HTTP." : "Acessando o site de forma insegura via HTTP.", @@ -211,7 +211,7 @@ OC.L10N.register( "Logging level configured correctly." : "Nível de registro configurado corretamente.", "Maintenance window start" : "Início da janela de manutenção", "Server has no maintenance window start time configured. This means resource intensive daily background jobs will also be executed during your main usage time. We recommend to set it to a time of low usage, so users are less impacted by the load caused from these heavy tasks." : "O servidor não tem horário de início da janela de manutenção configurado. Isso significa que trabalhos diários em segundo plano com uso intensivo de recursos também serão executados durante o tempo de uso principal. Recomendamos configurá-lo para um horário de baixo uso, para que os usuários sejam menos impactados pela carga causada por essas tarefas pesadas.", - "Maintenance window to execute heavy background jobs is between {start}:00 UTC and {end}:00 UTC" : "A janela de manutenção para executar trabalhos pesados em segundo plano ocorre entre {start}:00 UTC e {end}:00 UTC", + "Maintenance window to execute heavy background jobs is between {start}:00 UTC and {end}:00 UTC" : "A janela de manutenção para executar trabalhos pesados em segundo plano é entre {start}:00 UTC e {end}:00 UTC", "Memcache" : "Memcache", "Memcached is configured as distributed cache, but the wrong PHP module (\"memcache\") is installed. Please install the PHP module \"memcached\"." : "O Memcached está configurado como cache distribuído, mas o módulo PHP errado (\"memcache\") está instalado. Por favor, instale o módulo PHP \"memcached\".", "Memcached is configured as distributed cache, but the PHP module \"memcached\" is not installed. Please install the PHP module \"memcached\"." : "O Memcached está configurado como cache distribuído, mas o módulo PHP \"memcached\" não está instalado. Por favor, instale o módulo PHP \"memcached\".", @@ -231,13 +231,13 @@ OC.L10N.register( "OCS provider resolving" : "Resolução do provedor OCS", "Could not check if your web server properly resolves the OCM and OCS provider URLs." : "Não foi possível verificar se o seu servidor web resolve corretamente os URLs do provedor OCM e OCS.", "Your web server is not properly set up to resolve %1$s.\nThis is most likely related to a web server configuration that was not updated to deliver this folder directly.\nPlease compare your configuration against the shipped rewrite rules in \".htaccess\" for Apache or the provided one in the documentation for Nginx.\nOn Nginx those are typically the lines starting with \"location ~\" that need an update." : "Seu servidor web não está configurado corretamente para resolver %1$s. Provavelmente, isso está relacionado a uma configuração do servidor web que não foi atualizada para entregar esta pasta diretamente. Compare sua configuração com as regras de reescrita enviadas em \".htaccess\" para Apache ou com as fornecidas na documentação para Nginx. No Nginx, essas são normalmente as linhas que começam com \"location ~\" que precisam de atualização.", - "Overwrite CLI URL" : "Sobrescrever URL da CLI", + "Overwrite CLI URL" : "Substituir URL da CLI", "The \"overwrite.cli.url\" option in your config.php is correctly set to \"%s\"." : "A opção \"overwrite.cli.url\" em seu config.php está definida corretamente como \"%s\".", "The \"overwrite.cli.url\" option in your config.php is set to \"%s\" which is a correct URL. Suggested URL is \"%s\"." : "A opção \"overwrite.cli.url\" em seu config.php está definida como \"%s\", que é uma URL correta. O URL sugerido é \"%s\".", - "Please make sure to set the \"overwrite.cli.url\" option in your config.php file to the URL that your users mainly use to access this Nextcloud. Suggestion: \"%s\". Otherwise there might be problems with the URL generation via cron. (It is possible though that the suggested URL is not the URL that your users mainly use to access this Nextcloud. Best is to double check this in any case.)" : "Certifique-se de definir a opção \"overwrite.cli.url\" em seu arquivo config.php para o URL que seus usuários usam principalmente para acessar este Nextcloud. Sugestão: \"%s\". Caso contrário, poderá haver problemas com a geração de URL via cron. (No entanto, é possível que o URL sugerido não seja o URL que seus usuários usam principalmente para acessar este Nextcloud. O melhor é verificar isso em qualquer caso.)", + "Please make sure to set the \"overwrite.cli.url\" option in your config.php file to the URL that your users mainly use to access this Nextcloud. Suggestion: \"%s\". Otherwise there might be problems with the URL generation via cron. (It is possible though that the suggested URL is not the URL that your users mainly use to access this Nextcloud. Best is to double check this in any case.)" : "Certifique-se de definir a opção \"overwrite.cli.url\" em seu arquivo config.php para o URL que seus usuários usam principalmente para acessar este Nextcloud. Sugestão: \"%s\". Caso contrário, poderá haver problemas com a geração de URLs via cron. (No entanto, é possível que o URL sugerido não seja o URL que seus usuários usam principalmente para acessar este Nextcloud. De qualquer forma, é melhor verificar isso duas vezes.)", "PHP APCu configuration" : "Configuração PHP APCu", "Your APCu cache has been running full, consider increasing the apc.shm_size php setting." : "Seu cache APCu está cheio. Considere aumentar a configuração do PHP apc.shm_size.", - "Your APCu cache is almost full at %s%%, consider increasing the apc.shm_size php setting." : "Seu cache APCu está quase cheio em %s%%, considere aumentar a configuração php apc.shm_size.", + "Your APCu cache is almost full at %s%%, consider increasing the apc.shm_size php setting." : "Seu cache APCu está quase cheio em %s%%. Considere aumentar a configuração do PHP apc.shm_size.", "PHP default charset" : "Conjunto de caracteres padrão do PHP", "PHP configuration option \"default_charset\" should be UTF-8" : "A opção de configuração do PHP \"default_charset\" deve ser UTF-8", "PHP set_time_limit" : "PHP set_time_limit", @@ -257,7 +257,7 @@ OC.L10N.register( "The PHP memory limit is below the recommended value of %s. Some features or apps - including the Updater - may not function properly." : "O limite de memória do PHP está abaixo do valor recomendado de %s. Alguns recursos ou aplicativos - incluindo o Atualizador - podem não funcionar adequadamente.", "PHP modules" : "Módulos PHP", "increases language translation performance and fixes sorting of non-ASCII characters" : "aumenta o desempenho da tradução de idiomas e corrige a classificação de caracteres não-ASCII", - "for Argon2 for password hashing" : "para Argon2 para hash de senha", + "for Argon2 for password hashing" : "para Argon2 para hashes de senhas", "required for SFTP storage and recommended for WebAuthn performance" : "necessário para o armazenamento SFTP e recomendado para o desempenho do WebAuthn", "for picture rotation in server and metadata extraction in the Photos app" : "para rotação de imagens no servidor e extração de metadados no aplicativo Fotos", "This instance is missing some required PHP modules. It is required to install them: %s." : "Esta instância está faltando alguns módulos PHP obrigatórios. É necessário instalá-los: %s.", @@ -320,7 +320,7 @@ OC.L10N.register( "The PHP function \"disk_free_space\" is disabled, which prevents the check for enough space in the temporary directories." : "A função PHP \"disk_free_space\" está desativada, o que impede a verificação de espaço suficiente nos diretórios temporários.", "Error while checking the available disk space of temporary PHP path or no free disk space returned. Temporary path: %s" : "Erro ao verificar o espaço em disco disponível do caminho PHP temporário ou nenhum espaço livre em disco foi retornado. Caminho temporário: %s", "- %.1f GiB available in %s (PHP temporary directory)" : "- %.1f GiB disponível em %s (diretório temporário do PHP)", - "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GiB disponível em %s (diretório temporário Nextcloud)", + "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GiB disponível em %s (diretório temporário do Nextcloud)", "Temporary directory is correctly configured:\n%s" : "O diretório temporário está configurado corretamente:\n%s", "This instance uses an S3 based object store as primary storage, and has enough space in the temporary directory.\n%s" : "Esta instância usa um armazenamento de objetos baseado em S3 como armazenamento primário e tem espaço suficiente no diretório temporário.\n%s", "This instance uses an S3 based object store as primary storage. The uploaded files are stored temporarily on the server and thus it is recommended to have 50 GiB of free space available in the temp directory of PHP. To improve this please change the temporary directory in the php.ini or make more space available in that path. \nChecking the available space in the temporary path resulted in %.1f GiB instead of the recommended 50 GiB. Path: %s" : "Esta instância usa um armazenamento de objetos baseado em S3 como armazenamento primário. Os arquivos enviados são armazenados temporariamente no servidor e por isso é recomendado ter 50 GiB de espaço livre disponível no diretório temporário do PHP. Para melhorar isso, altere o diretório temporário no php.ini ou disponibilize mais espaço nesse caminho. A verificação do espaço disponível no caminho temporário resultou em %.1f GiB em vez dos 50 GiB recomendados. Caminho: %s", @@ -339,7 +339,7 @@ OC.L10N.register( "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Foto do perfil, nome completo, e-mail, número de telefone, endereço, site, Twitter, organização, função, título, biografia e se seu perfil está ativado", "Nextcloud settings" : "Configurações Nextcloud", "Unified task processing" : "Processamento unificado de tarefas", - "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA podem ser implementadas por diferentes aplicativos. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", + "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA podem ser implementadas por aplicativos diferentes. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", "Task:" : "Tarefa:", "Enable" : "Ativar", "None of your currently installed apps provide Task processing functionality" : "Nenhum dos seus aplicativos instalados atualmente oferece funcionalidade de processamento de tarefas", @@ -466,7 +466,7 @@ OC.L10N.register( "Must exist on the Deploy daemon host prior to installing the ExApp" : "Deve existir no host do daemon do Deploy antes da instalação do ExApp", "Host path" : "Caminho do host", "Container path" : "Caminho do contêiner", - "Read-only" : "somente leitura", + "Read-only" : "Somente leitura", "Remove mount" : "Remover montagem", "New mount" : "Nova montagem", "Enter path to host folder" : "Digite o caminho para a pasta do host", @@ -540,7 +540,7 @@ OC.L10N.register( "Copy login name" : "Copiar nome de login", "Could not copy app password. Please copy it manually." : "Não foi possível copiar a senha do aplicativo. Copie-a manualmente.", "Could not copy login name. Please copy it manually." : "Não foi possível copiar o nome de login. Por favor, copie-o manualmente.", - "New app password" : "Nova senha do aplicativo", + "New app password" : "Nova senha de aplicativo", "Use the credentials below to configure your app or device. For security reasons this password will only be shown once." : "Use as credenciais abaixo para configurar seu aplicativo ou dispositivo. Por motivos de segurança esta senha só será mostrada uma vez.", "Login" : "Login", "Password" : "Senha", @@ -657,7 +657,7 @@ OC.L10N.register( "Your website" : "Seu website", "Invalid value" : "Valor inválido", "Unable to update {property}" : "Não foi possível atualizar {property}", - "No {property} set" : "Nenhum conjunto de {property}", + "No {property} set" : "Nenhum {property} definido", "Change scope level of {property}, current scope is {scope}" : "Alterar o nível de escopo de {property}, escopo atual é {scope}", "Unable to update federation scope of the primary {property}" : "Não foi possível atualizar o escopo da federação do primário {property}", "Unable to update federation scope of additional {property}" : "Não foi possível atualizar o escopo da federação de adicional {property}", @@ -669,10 +669,10 @@ OC.L10N.register( "Reshare" : "Recompartilhar", "Default language" : "Idioma padrão", "Common languages" : "Idiomas comuns", - "Other languages" : "Outros Idiomas", + "Other languages" : "Outros idiomas", "Password change is disabled because the master key is disabled" : "A alteração de senha está desativada porque a chave mestra está desativada", "No accounts" : "Sem contas", - "Loading accounts …" : "Carregando contas...", + "Loading accounts …" : "Carregando contas …", "List of accounts. This list is not fully rendered for performance reasons. The accounts will be rendered as you navigate through the list." : "Lista de contas. Esta lista não foi totalmente renderizada por motivos de desempenho. As contas serão renderizadas conforme você navega pela lista.", "Manager" : "Gerente", "Set line manager" : "Definir gerente de linha", @@ -681,22 +681,22 @@ OC.L10N.register( "Failed to search groups" : "Falha ao pesquisar grupos", "New account" : "Nova conta", "Display name" : "Nome de exibição", - "Either password or email is required" : "É necessário email ou senha", - "Password (required)" : "Password (required)", - "Email (required)" : "Email (required)", + "Either password or email is required" : "É necessário ou e-mail ou senha", + "Password (required)" : "Senha (obrigatória)", + "Email (required)" : "E-mail (obrigatório)", "Email" : "E-mail", "Member of the following groups (required)" : "Membro dos seguintes grupos (obrigatório)", "Member of the following groups" : "Membro dos seguintes grupos", "Set account groups" : "Definir grupos de contas", "Admin of the following groups" : "Administrador dos seguintes grupos", - "Set account as admin for …" : "Definir conta como administrador para…", + "Set account as admin for …" : "Definir conta como administrador para …", "Quota" : "Cota", "Set account quota" : "Definir cota da conta", "Language" : "Idioma", - "Set default language" : "Set default language", + "Set default language" : "Definir idioma padrão", "Add new account" : "Adicionar nova conta", - "_{userCount} account …_::_{userCount} accounts …_" : ["{userCount} contas…","{userCount} contas…","{userCount} contas…"], - "_{userCount} account_::_{userCount} accounts_" : ["{userCount} contas","{userCount} contas","{userCount} contas"], + "_{userCount} account …_::_{userCount} accounts …_" : ["{userCount} conta …","{userCount} contas …","{userCount} contas …"], + "_{userCount} account_::_{userCount} accounts_" : ["{userCount} conta","{userCount} contas","{userCount} contas"], "Total rows summary" : "Resumo total de linhas", "Scroll to load more rows" : "Role para carregar mais linhas", "Password or insufficient permissions message" : "Mensagem de senha ou permissões insuficientes", @@ -712,7 +712,7 @@ OC.L10N.register( "Delete account" : "Excluir conta", "Disconnect all devices and delete local data" : "Desconecte todos os dispositivos e exclua os dados locais", "Disable account" : "Desativar conta", - "Enable account" : "Habilitar conta", + "Enable account" : "Ativar conta", "Resend welcome email" : "Reenviar e-mail de boas-vindas", "In case of lost device or exiting the organization, this can remotely wipe the Nextcloud data from all devices associated with {userid}. Only works if the devices are connected to the internet." : "Em caso de perda do dispositivo ou saída da organização, pode-se limpar remotamente os dados do Nextcloud dos dispositivos associados ao {userid}. Só funciona se estiverem conectados à Internet.", "Remote wipe of devices" : "Limpeza remota de dispositivos", @@ -730,7 +730,7 @@ OC.L10N.register( "Email can't be empty" : "O e-mail não pode estar vazio", "Email was successfully changed" : "O e-mail foi alterado com sucesso", "Welcome mail sent!" : "E-mail de boas-vindas enviado!", - "Loading account …" : "Carregando conta…", + "Loading account …" : "Carregando conta …", "Change display name" : "Alterar nome de exibição", "Set new password" : "Definir nova senha", "You do not have permissions to see the details of this account" : "Você não tem permissão para ver os detalhes desta conta", diff --git a/apps/settings/l10n/pt_BR.json b/apps/settings/l10n/pt_BR.json index 847fd7d7bd4..c3f0dacb073 100644 --- a/apps/settings/l10n/pt_BR.json +++ b/apps/settings/l10n/pt_BR.json @@ -54,7 +54,7 @@ "Wrong password" : "Senha incorreta", "Unable to change personal password" : "Não foi possível alterar a senha pessoal", "Saved" : "Salvo", - "No Login supplied" : "Nenhum login fornecido", + "No Login supplied" : "Nenhum Login fornecido", "Unable to change password. Password too long." : "Não foi possível alterar a senha. Senha muito longa.", "Authentication error" : "Erro de autenticação", "Please provide an admin recovery password; otherwise, all account data will be lost." : "Por favor, forneça uma senha de recuperação de administrador; caso contrário, todos os dados da conta serão perdidos.", @@ -69,8 +69,8 @@ "If you received this email, the email configuration seems to be correct." : "Se você recebeu este e-mail, é sinal que a configuração do servidor de e-mail está correta.", "Email could not be sent. Check your mail server log" : "O e-mail não pôde ser enviado. Verifique o log do servidor de e-mail", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Ocorreu um problema ao enviar o e-mail. Por favor, revise suas configurações. (Erro: %s)", - "You need to set your account email before being able to send test emails. Go to %s for that." : "Você precisa definir o e-mail da sua conta antes de poder enviar e-mails de teste. Acesse para fazer isso %s.", - "Recently active" : "Recentemente ativo", + "You need to set your account email before being able to send test emails. Go to %s for that." : "Você precisa definir o e-mail da sua conta antes de poder enviar e-mails de teste. Acesse %s para fazer isso.", + "Recently active" : "Recentemente ativos", "Disabled accounts" : "Contas desativadas", "Invalid account" : "Conta inválida", "Invalid mail address" : "Endereço de e-mail inválido", @@ -121,7 +121,7 @@ "Email server" : "Servidor de e-mail", "Mail Providers" : "Provedores de E-mail", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "O provedor de e-mail permite o envio de e-mails diretamente pela conta de e-mail pessoal do usuário. No momento, essa funcionalidade está limitada a convites de calendário. Ele requer o Nextcloud Mail 4.1 e uma conta de e-mail no Nextcloud Mail que corresponda ao endereço de e-mail do usuário no Nextcloud.", - "Send emails using" : "Envie e-mails via", + "Send emails using" : "Enviar e-mails via", "User's email account" : "Conta de e-mail do usuário", "System email account" : "Conta de e-mail do sistema", "Security & setup checks" : "Verificações de segurança & configuração", @@ -134,9 +134,9 @@ "Configuration key \"%1$s\" contains invalid IP range(s): \"%2$s\"" : "A chave de configuração \"%1$s\" contém um ou mais intervalos de IP inválidos: \"%2$s\"", "Admin IP filtering is correctly configured." : "A filtragem de IP do administrador está configurada corretamente.", "App directories owner" : "Proprietário de diretórios de aplicativos", - "Some app directories are owned by a different user than the web server one. This may be the case if apps have been installed manually. Check the permissions of the following app directories:\n%s" : "Alguns diretórios de aplicativos pertencem a um usuário diferente do servidor web. Este pode ser o caso se os aplicativos tiverem sido instalados manualmente. Verifique as permissões dos seguintes diretórios de aplicativos: \n%s", + "Some app directories are owned by a different user than the web server one. This may be the case if apps have been installed manually. Check the permissions of the following app directories:\n%s" : "Alguns diretórios de aplicativos pertencem a um usuário diferente do usuário do servidor web. Este pode ser o caso se os aplicativos tiverem sido instalados manualmente. Verifique as permissões dos seguintes diretórios de aplicativos: \n%s", "App directories have the correct owner \"%s\"" : "Os diretórios de aplicativos têm o proprietário correto \"%s\"", - "Brute-force Throttle" : "Acelerador de força bruta", + "Brute-force Throttle" : "Limitação de força bruta", "Your remote address could not be determined." : "Seu endereço remoto não pode ser determinado.", "Your remote address was identified as \"%s\" and is brute-force throttled at the moment slowing down the performance of various requests. If the remote address is not your address this can be an indication that a proxy is not configured correctly." : "Seu endereço remoto foi identificado como \"%s\" e está sendo limitado por força bruta no momento, diminuindo o desempenho de diversas solicitações. Se o endereço remoto não for o seu, isso pode ser uma indicação de que um proxy não está configurado corretamente.", "Your remote address \"%s\" is not brute-force throttled." : "Seu endereço remoto \"%s\" não é limitado por força bruta.", @@ -144,12 +144,12 @@ "A background job is pending that checks for administration imported SSL certificates. Please check back later." : "Há um trabalho em segundo plano pendente que verifica os certificados SSL importados para administração. Por favor, verifique novamente mais tarde.", "There are some administration imported SSL certificates present, that are not used anymore with Nextcloud 21. They can be imported on the command line via \"occ security:certificates:import\" command. Their paths inside the data directory are shown below." : "Existem alguns certificados SSL importados de administração presentes, que não são mais usados no Nextcloud 21. Eles podem ser importados na linha de comando via comando \"occ security:certificates:import\". Seus caminhos dentro do diretório de dados são mostrados abaixo.", "Code integrity" : "Integridade de código", - "Integrity checker has been disabled. Integrity cannot be verified." : "O verificador de integridade foi desativado. A integridade não pode ser verificada.", + "Integrity checker has been disabled. Integrity cannot be verified." : "O verificador de integridade foi desativado. Não é possível verificar a integridade.", "No altered files" : "Nenhum arquivo alterado", "Some files have not passed the integrity check. {link1} {link2}" : "Alguns arquivos não passaram na verificação de integridade. {link1} {link2}", "Cron errors" : "Erros do cron", "It was not possible to execute the cron job via CLI. The following technical errors have appeared:\n%s" : "Não foi possível executar o cron job via CLI. Os seguintes erros técnicos apareceram: \n%s", - "The last cron job ran without errors." : "O último trabalho cron foi executado sem erros.", + "The last cron job ran without errors." : "A última execução cron terminou sem erros.", "Cron last run" : "Última execução do cron", "Last background job execution ran %s. Something seems wrong. {link}." : "A última execução de trabalho em segundo plano foi %s. Algo parece errado. {link}.", "Last background job execution ran %s." : "A última execução de trabalho em segundo plano foi %s.", @@ -180,12 +180,12 @@ "Transactional File Locking" : "Bloqueio de Arquivo Transacional", "Transactional File Locking is disabled. This is not a a supported configuraton. It may lead to difficult to isolate problems including file corruption. Please remove the `'filelocking.enabled' => false` configuration entry from your `config.php` to avoid these problems." : "O Bloqueio de Arquivo Transacional está desativado. Esta não é uma configuração suportada. Isso pode dificultar o isolamento de problemas, incluindo corrupção de arquivos. Por favor remova a entrada de configuração `'filelocking.enabled' => false` do seu `config.php` para evitar esses problemas.", "The database is used for transactional file locking. To enhance performance, please configure memcache, if available." : "O banco de dados é usado para bloqueio de arquivos transacionais. Para melhorar o desempenho, configure o memcache, se disponível.", - "Forwarded for headers" : "Encaminhado para cabeçalhos", - "Your \"trusted_proxies\" setting is not correctly set, it should be an array." : "Sua configuração \"trusted_proxies\" não está definida corretamente, deveria ser um arranjo.", + "Forwarded for headers" : "Cabeçalhos Forwarded for", + "Your \"trusted_proxies\" setting is not correctly set, it should be an array." : "Sua configuração \"trusted_proxies\" não está definida corretamente; deveria ser um arranjo.", "Your \"trusted_proxies\" setting is not correctly set, it should be an array of IP addresses - optionally with range in CIDR notation." : "Sua configuração \"trusted_proxies\" não está definida corretamente; deve ser um arranjo de endereços IP - opcionalmente com intervalo na notação CIDR.", - "The reverse proxy header configuration is incorrect. This is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração do cabeçalho do proxy reverso está incorreta. Este é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", + "The reverse proxy header configuration is incorrect. This is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração de cabeçalhos do proxy reverso está incorreta. Isto é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", "Your IP address was resolved as %s" : "Seu endereço IP foi resolvido como %s", - "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração do cabeçalho do proxy reverso está incorreta ou você está acessando Nextcloud de um proxy confiável. Caso contrário, este é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", + "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud." : "A configuração de cabeçalhos do proxy reverso está incorreta ou você está acessando Nextcloud de um proxy confiável. Caso contrário, isto é um problema de segurança e pode permitir que um invasor falsifique seu endereço IP como visível para o Nextcloud.", "HTTPS access and URLs" : "Acesso HTTPS e URLs", "Accessing site insecurely via HTTP. You are strongly advised to set up your server to require HTTPS instead. Without it some important web functionality like \"copy to clipboard\" or \"service workers\" will not work!" : "Acessando o site de forma insegura via HTTP. É altamente recomendável configurar seu servidor para exigir HTTPS. Sem ele, algumas funcionalidades importantes da web, como \"copiar para a área de transferência\" ou \"service workers\" não funcionarão!", "Accessing site insecurely via HTTP." : "Acessando o site de forma insegura via HTTP.", @@ -209,7 +209,7 @@ "Logging level configured correctly." : "Nível de registro configurado corretamente.", "Maintenance window start" : "Início da janela de manutenção", "Server has no maintenance window start time configured. This means resource intensive daily background jobs will also be executed during your main usage time. We recommend to set it to a time of low usage, so users are less impacted by the load caused from these heavy tasks." : "O servidor não tem horário de início da janela de manutenção configurado. Isso significa que trabalhos diários em segundo plano com uso intensivo de recursos também serão executados durante o tempo de uso principal. Recomendamos configurá-lo para um horário de baixo uso, para que os usuários sejam menos impactados pela carga causada por essas tarefas pesadas.", - "Maintenance window to execute heavy background jobs is between {start}:00 UTC and {end}:00 UTC" : "A janela de manutenção para executar trabalhos pesados em segundo plano ocorre entre {start}:00 UTC e {end}:00 UTC", + "Maintenance window to execute heavy background jobs is between {start}:00 UTC and {end}:00 UTC" : "A janela de manutenção para executar trabalhos pesados em segundo plano é entre {start}:00 UTC e {end}:00 UTC", "Memcache" : "Memcache", "Memcached is configured as distributed cache, but the wrong PHP module (\"memcache\") is installed. Please install the PHP module \"memcached\"." : "O Memcached está configurado como cache distribuído, mas o módulo PHP errado (\"memcache\") está instalado. Por favor, instale o módulo PHP \"memcached\".", "Memcached is configured as distributed cache, but the PHP module \"memcached\" is not installed. Please install the PHP module \"memcached\"." : "O Memcached está configurado como cache distribuído, mas o módulo PHP \"memcached\" não está instalado. Por favor, instale o módulo PHP \"memcached\".", @@ -229,13 +229,13 @@ "OCS provider resolving" : "Resolução do provedor OCS", "Could not check if your web server properly resolves the OCM and OCS provider URLs." : "Não foi possível verificar se o seu servidor web resolve corretamente os URLs do provedor OCM e OCS.", "Your web server is not properly set up to resolve %1$s.\nThis is most likely related to a web server configuration that was not updated to deliver this folder directly.\nPlease compare your configuration against the shipped rewrite rules in \".htaccess\" for Apache or the provided one in the documentation for Nginx.\nOn Nginx those are typically the lines starting with \"location ~\" that need an update." : "Seu servidor web não está configurado corretamente para resolver %1$s. Provavelmente, isso está relacionado a uma configuração do servidor web que não foi atualizada para entregar esta pasta diretamente. Compare sua configuração com as regras de reescrita enviadas em \".htaccess\" para Apache ou com as fornecidas na documentação para Nginx. No Nginx, essas são normalmente as linhas que começam com \"location ~\" que precisam de atualização.", - "Overwrite CLI URL" : "Sobrescrever URL da CLI", + "Overwrite CLI URL" : "Substituir URL da CLI", "The \"overwrite.cli.url\" option in your config.php is correctly set to \"%s\"." : "A opção \"overwrite.cli.url\" em seu config.php está definida corretamente como \"%s\".", "The \"overwrite.cli.url\" option in your config.php is set to \"%s\" which is a correct URL. Suggested URL is \"%s\"." : "A opção \"overwrite.cli.url\" em seu config.php está definida como \"%s\", que é uma URL correta. O URL sugerido é \"%s\".", - "Please make sure to set the \"overwrite.cli.url\" option in your config.php file to the URL that your users mainly use to access this Nextcloud. Suggestion: \"%s\". Otherwise there might be problems with the URL generation via cron. (It is possible though that the suggested URL is not the URL that your users mainly use to access this Nextcloud. Best is to double check this in any case.)" : "Certifique-se de definir a opção \"overwrite.cli.url\" em seu arquivo config.php para o URL que seus usuários usam principalmente para acessar este Nextcloud. Sugestão: \"%s\". Caso contrário, poderá haver problemas com a geração de URL via cron. (No entanto, é possível que o URL sugerido não seja o URL que seus usuários usam principalmente para acessar este Nextcloud. O melhor é verificar isso em qualquer caso.)", + "Please make sure to set the \"overwrite.cli.url\" option in your config.php file to the URL that your users mainly use to access this Nextcloud. Suggestion: \"%s\". Otherwise there might be problems with the URL generation via cron. (It is possible though that the suggested URL is not the URL that your users mainly use to access this Nextcloud. Best is to double check this in any case.)" : "Certifique-se de definir a opção \"overwrite.cli.url\" em seu arquivo config.php para o URL que seus usuários usam principalmente para acessar este Nextcloud. Sugestão: \"%s\". Caso contrário, poderá haver problemas com a geração de URLs via cron. (No entanto, é possível que o URL sugerido não seja o URL que seus usuários usam principalmente para acessar este Nextcloud. De qualquer forma, é melhor verificar isso duas vezes.)", "PHP APCu configuration" : "Configuração PHP APCu", "Your APCu cache has been running full, consider increasing the apc.shm_size php setting." : "Seu cache APCu está cheio. Considere aumentar a configuração do PHP apc.shm_size.", - "Your APCu cache is almost full at %s%%, consider increasing the apc.shm_size php setting." : "Seu cache APCu está quase cheio em %s%%, considere aumentar a configuração php apc.shm_size.", + "Your APCu cache is almost full at %s%%, consider increasing the apc.shm_size php setting." : "Seu cache APCu está quase cheio em %s%%. Considere aumentar a configuração do PHP apc.shm_size.", "PHP default charset" : "Conjunto de caracteres padrão do PHP", "PHP configuration option \"default_charset\" should be UTF-8" : "A opção de configuração do PHP \"default_charset\" deve ser UTF-8", "PHP set_time_limit" : "PHP set_time_limit", @@ -255,7 +255,7 @@ "The PHP memory limit is below the recommended value of %s. Some features or apps - including the Updater - may not function properly." : "O limite de memória do PHP está abaixo do valor recomendado de %s. Alguns recursos ou aplicativos - incluindo o Atualizador - podem não funcionar adequadamente.", "PHP modules" : "Módulos PHP", "increases language translation performance and fixes sorting of non-ASCII characters" : "aumenta o desempenho da tradução de idiomas e corrige a classificação de caracteres não-ASCII", - "for Argon2 for password hashing" : "para Argon2 para hash de senha", + "for Argon2 for password hashing" : "para Argon2 para hashes de senhas", "required for SFTP storage and recommended for WebAuthn performance" : "necessário para o armazenamento SFTP e recomendado para o desempenho do WebAuthn", "for picture rotation in server and metadata extraction in the Photos app" : "para rotação de imagens no servidor e extração de metadados no aplicativo Fotos", "This instance is missing some required PHP modules. It is required to install them: %s." : "Esta instância está faltando alguns módulos PHP obrigatórios. É necessário instalá-los: %s.", @@ -318,7 +318,7 @@ "The PHP function \"disk_free_space\" is disabled, which prevents the check for enough space in the temporary directories." : "A função PHP \"disk_free_space\" está desativada, o que impede a verificação de espaço suficiente nos diretórios temporários.", "Error while checking the available disk space of temporary PHP path or no free disk space returned. Temporary path: %s" : "Erro ao verificar o espaço em disco disponível do caminho PHP temporário ou nenhum espaço livre em disco foi retornado. Caminho temporário: %s", "- %.1f GiB available in %s (PHP temporary directory)" : "- %.1f GiB disponível em %s (diretório temporário do PHP)", - "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GiB disponível em %s (diretório temporário Nextcloud)", + "- %.1f GiB available in %s (Nextcloud temporary directory)" : "- %.1f GiB disponível em %s (diretório temporário do Nextcloud)", "Temporary directory is correctly configured:\n%s" : "O diretório temporário está configurado corretamente:\n%s", "This instance uses an S3 based object store as primary storage, and has enough space in the temporary directory.\n%s" : "Esta instância usa um armazenamento de objetos baseado em S3 como armazenamento primário e tem espaço suficiente no diretório temporário.\n%s", "This instance uses an S3 based object store as primary storage. The uploaded files are stored temporarily on the server and thus it is recommended to have 50 GiB of free space available in the temp directory of PHP. To improve this please change the temporary directory in the php.ini or make more space available in that path. \nChecking the available space in the temporary path resulted in %.1f GiB instead of the recommended 50 GiB. Path: %s" : "Esta instância usa um armazenamento de objetos baseado em S3 como armazenamento primário. Os arquivos enviados são armazenados temporariamente no servidor e por isso é recomendado ter 50 GiB de espaço livre disponível no diretório temporário do PHP. Para melhorar isso, altere o diretório temporário no php.ini ou disponibilize mais espaço nesse caminho. A verificação do espaço disponível no caminho temporário resultou em %.1f GiB em vez dos 50 GiB recomendados. Caminho: %s", @@ -337,7 +337,7 @@ "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Foto do perfil, nome completo, e-mail, número de telefone, endereço, site, Twitter, organização, função, título, biografia e se seu perfil está ativado", "Nextcloud settings" : "Configurações Nextcloud", "Unified task processing" : "Processamento unificado de tarefas", - "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA podem ser implementadas por diferentes aplicativos. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", + "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA podem ser implementadas por aplicativos diferentes. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", "Task:" : "Tarefa:", "Enable" : "Ativar", "None of your currently installed apps provide Task processing functionality" : "Nenhum dos seus aplicativos instalados atualmente oferece funcionalidade de processamento de tarefas", @@ -464,7 +464,7 @@ "Must exist on the Deploy daemon host prior to installing the ExApp" : "Deve existir no host do daemon do Deploy antes da instalação do ExApp", "Host path" : "Caminho do host", "Container path" : "Caminho do contêiner", - "Read-only" : "somente leitura", + "Read-only" : "Somente leitura", "Remove mount" : "Remover montagem", "New mount" : "Nova montagem", "Enter path to host folder" : "Digite o caminho para a pasta do host", @@ -538,7 +538,7 @@ "Copy login name" : "Copiar nome de login", "Could not copy app password. Please copy it manually." : "Não foi possível copiar a senha do aplicativo. Copie-a manualmente.", "Could not copy login name. Please copy it manually." : "Não foi possível copiar o nome de login. Por favor, copie-o manualmente.", - "New app password" : "Nova senha do aplicativo", + "New app password" : "Nova senha de aplicativo", "Use the credentials below to configure your app or device. For security reasons this password will only be shown once." : "Use as credenciais abaixo para configurar seu aplicativo ou dispositivo. Por motivos de segurança esta senha só será mostrada uma vez.", "Login" : "Login", "Password" : "Senha", @@ -655,7 +655,7 @@ "Your website" : "Seu website", "Invalid value" : "Valor inválido", "Unable to update {property}" : "Não foi possível atualizar {property}", - "No {property} set" : "Nenhum conjunto de {property}", + "No {property} set" : "Nenhum {property} definido", "Change scope level of {property}, current scope is {scope}" : "Alterar o nível de escopo de {property}, escopo atual é {scope}", "Unable to update federation scope of the primary {property}" : "Não foi possível atualizar o escopo da federação do primário {property}", "Unable to update federation scope of additional {property}" : "Não foi possível atualizar o escopo da federação de adicional {property}", @@ -667,10 +667,10 @@ "Reshare" : "Recompartilhar", "Default language" : "Idioma padrão", "Common languages" : "Idiomas comuns", - "Other languages" : "Outros Idiomas", + "Other languages" : "Outros idiomas", "Password change is disabled because the master key is disabled" : "A alteração de senha está desativada porque a chave mestra está desativada", "No accounts" : "Sem contas", - "Loading accounts …" : "Carregando contas...", + "Loading accounts …" : "Carregando contas …", "List of accounts. This list is not fully rendered for performance reasons. The accounts will be rendered as you navigate through the list." : "Lista de contas. Esta lista não foi totalmente renderizada por motivos de desempenho. As contas serão renderizadas conforme você navega pela lista.", "Manager" : "Gerente", "Set line manager" : "Definir gerente de linha", @@ -679,22 +679,22 @@ "Failed to search groups" : "Falha ao pesquisar grupos", "New account" : "Nova conta", "Display name" : "Nome de exibição", - "Either password or email is required" : "É necessário email ou senha", - "Password (required)" : "Password (required)", - "Email (required)" : "Email (required)", + "Either password or email is required" : "É necessário ou e-mail ou senha", + "Password (required)" : "Senha (obrigatória)", + "Email (required)" : "E-mail (obrigatório)", "Email" : "E-mail", "Member of the following groups (required)" : "Membro dos seguintes grupos (obrigatório)", "Member of the following groups" : "Membro dos seguintes grupos", "Set account groups" : "Definir grupos de contas", "Admin of the following groups" : "Administrador dos seguintes grupos", - "Set account as admin for …" : "Definir conta como administrador para…", + "Set account as admin for …" : "Definir conta como administrador para …", "Quota" : "Cota", "Set account quota" : "Definir cota da conta", "Language" : "Idioma", - "Set default language" : "Set default language", + "Set default language" : "Definir idioma padrão", "Add new account" : "Adicionar nova conta", - "_{userCount} account …_::_{userCount} accounts …_" : ["{userCount} contas…","{userCount} contas…","{userCount} contas…"], - "_{userCount} account_::_{userCount} accounts_" : ["{userCount} contas","{userCount} contas","{userCount} contas"], + "_{userCount} account …_::_{userCount} accounts …_" : ["{userCount} conta …","{userCount} contas …","{userCount} contas …"], + "_{userCount} account_::_{userCount} accounts_" : ["{userCount} conta","{userCount} contas","{userCount} contas"], "Total rows summary" : "Resumo total de linhas", "Scroll to load more rows" : "Role para carregar mais linhas", "Password or insufficient permissions message" : "Mensagem de senha ou permissões insuficientes", @@ -710,7 +710,7 @@ "Delete account" : "Excluir conta", "Disconnect all devices and delete local data" : "Desconecte todos os dispositivos e exclua os dados locais", "Disable account" : "Desativar conta", - "Enable account" : "Habilitar conta", + "Enable account" : "Ativar conta", "Resend welcome email" : "Reenviar e-mail de boas-vindas", "In case of lost device or exiting the organization, this can remotely wipe the Nextcloud data from all devices associated with {userid}. Only works if the devices are connected to the internet." : "Em caso de perda do dispositivo ou saída da organização, pode-se limpar remotamente os dados do Nextcloud dos dispositivos associados ao {userid}. Só funciona se estiverem conectados à Internet.", "Remote wipe of devices" : "Limpeza remota de dispositivos", @@ -728,7 +728,7 @@ "Email can't be empty" : "O e-mail não pode estar vazio", "Email was successfully changed" : "O e-mail foi alterado com sucesso", "Welcome mail sent!" : "E-mail de boas-vindas enviado!", - "Loading account …" : "Carregando conta…", + "Loading account …" : "Carregando conta …", "Change display name" : "Alterar nome de exibição", "Set new password" : "Definir nova senha", "You do not have permissions to see the details of this account" : "Você não tem permissão para ver os detalhes desta conta", diff --git a/apps/settings/src/store/apps.js b/apps/settings/src/store/apps.js index c58651a3cf5..e0068d3892e 100644 --- a/apps/settings/src/store/apps.js +++ b/apps/settings/src/store/apps.js @@ -5,6 +5,7 @@ import api from './api.js' import Vue from 'vue' +import axios from '@nextcloud/axios' import { generateUrl } from '@nextcloud/router' import { showError, showInfo } from '@nextcloud/dialogs' import { loadState } from '@nextcloud/initial-state' @@ -191,7 +192,7 @@ const actions = { }) // check for server health - return api.get(generateUrl('apps/files/')) + return axios.get(generateUrl('apps/files/')) .then(() => { if (response.data.update_required) { showInfo( diff --git a/apps/sharebymail/l10n/da.js b/apps/sharebymail/l10n/da.js index 3e7874a5b16..fbbb043fa40 100644 --- a/apps/sharebymail/l10n/da.js +++ b/apps/sharebymail/l10n/da.js @@ -16,7 +16,7 @@ OC.L10N.register( "Share by mail" : "Delt med mail", "Sharing %1$s failed, because this item is already shared with the account %2$s" : "Deling af %1$s mislykkedes, fordi dette element allerede er delt med bruger%2$s", "We cannot send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Vi kan ikke sende dig det autogenererede kodeord. Angiv en gyldig e-mailadresse i dine personlige indstillinger og prøv igen.", - "Failed to send share by email. Got an invalid email address" : "Kunne ikke sende del via mail. Har en ugyldig mail adresse", + "Failed to send share by email. Got an invalid email address" : "Kunne ikke sende deling via mail. Fik en ugyldig mail adresse", "Failed to send share by email" : "Kunne ikke sende deling via e-mail", "%1$s shared %2$s with you" : " %1$s delte %2$s med dig", "Note:" : "Bemærkning:", @@ -25,7 +25,7 @@ OC.L10N.register( "Open %s" : "Åbn% s", "%1$s via %2$s" : "%1$s via %2$s", "%1$s shared %2$s with you. You should have already received a separate mail with a link to access it." : "%1$s delte %2$s med dig. Du skulle allerede have modtaget en separat mail med et link til at få adgang til den.", - "Password to access %1$s shared to you by %2$s" : "Adgangskode til adgang til %1$s delt med dig af %2$s", + "Password to access %1$s shared to you by %2$s" : "Adgangskode for adgang til %1$s delt med dig af %2$s", "Password to access %s" : "Adgangskode til adgang %s", "It is protected with the following password:" : "Beskyttet med følgende adgangskode:", "This password will expire at %s" : "Denne adgangskode udløber den %s", @@ -33,7 +33,7 @@ OC.L10N.register( "%1$s shared %2$s with you and wants to add" : " %1$s delte %2$s med dig og ønsker at tilføje", "%s added a note to a file shared with you" : "%s tilføjede en note til en fil delt med dig", "You just shared %1$s with %2$s. The share was already sent to the recipient. Due to the security policies defined by the administrator of %3$s each share needs to be protected by password and it is not allowed to send the password directly to the recipient. Therefore you need to forward the password manually to the recipient." : "Du delte lige %1$s med %2$s. Delingen blev allerede sendt til modtageren. På grund af sikkerhedspolitikkerne defineret af administratoren af %3$s hver deling skal beskyttes med adgangskode, og det er ikke tilladt at sende adgangskoden direkte til modtageren. Derfor skal du sende adgangskoden manuelt til modtageren.", - "Password to access %1$s shared by you with %2$s" : "Adgangskode til adgang til %1$s delt af dig med %2$s", + "Password to access %1$s shared by you with %2$s" : "Adgangskode for adgang til %1$s delt af dig med %2$s", "This is the password:" : "Dette er adgangskoden:", "You can choose a different password at any time in the share dialog." : "Du kan til enhver tid vælge en anden adgangskode i delings dialogen.", "Could not find share" : "Kan ikke finde deling", diff --git a/apps/sharebymail/l10n/da.json b/apps/sharebymail/l10n/da.json index dfee2d72716..be00311c6a4 100644 --- a/apps/sharebymail/l10n/da.json +++ b/apps/sharebymail/l10n/da.json @@ -14,7 +14,7 @@ "Share by mail" : "Delt med mail", "Sharing %1$s failed, because this item is already shared with the account %2$s" : "Deling af %1$s mislykkedes, fordi dette element allerede er delt med bruger%2$s", "We cannot send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Vi kan ikke sende dig det autogenererede kodeord. Angiv en gyldig e-mailadresse i dine personlige indstillinger og prøv igen.", - "Failed to send share by email. Got an invalid email address" : "Kunne ikke sende del via mail. Har en ugyldig mail adresse", + "Failed to send share by email. Got an invalid email address" : "Kunne ikke sende deling via mail. Fik en ugyldig mail adresse", "Failed to send share by email" : "Kunne ikke sende deling via e-mail", "%1$s shared %2$s with you" : " %1$s delte %2$s med dig", "Note:" : "Bemærkning:", @@ -23,7 +23,7 @@ "Open %s" : "Åbn% s", "%1$s via %2$s" : "%1$s via %2$s", "%1$s shared %2$s with you. You should have already received a separate mail with a link to access it." : "%1$s delte %2$s med dig. Du skulle allerede have modtaget en separat mail med et link til at få adgang til den.", - "Password to access %1$s shared to you by %2$s" : "Adgangskode til adgang til %1$s delt med dig af %2$s", + "Password to access %1$s shared to you by %2$s" : "Adgangskode for adgang til %1$s delt med dig af %2$s", "Password to access %s" : "Adgangskode til adgang %s", "It is protected with the following password:" : "Beskyttet med følgende adgangskode:", "This password will expire at %s" : "Denne adgangskode udløber den %s", @@ -31,7 +31,7 @@ "%1$s shared %2$s with you and wants to add" : " %1$s delte %2$s med dig og ønsker at tilføje", "%s added a note to a file shared with you" : "%s tilføjede en note til en fil delt med dig", "You just shared %1$s with %2$s. The share was already sent to the recipient. Due to the security policies defined by the administrator of %3$s each share needs to be protected by password and it is not allowed to send the password directly to the recipient. Therefore you need to forward the password manually to the recipient." : "Du delte lige %1$s med %2$s. Delingen blev allerede sendt til modtageren. På grund af sikkerhedspolitikkerne defineret af administratoren af %3$s hver deling skal beskyttes med adgangskode, og det er ikke tilladt at sende adgangskoden direkte til modtageren. Derfor skal du sende adgangskoden manuelt til modtageren.", - "Password to access %1$s shared by you with %2$s" : "Adgangskode til adgang til %1$s delt af dig med %2$s", + "Password to access %1$s shared by you with %2$s" : "Adgangskode for adgang til %1$s delt af dig med %2$s", "This is the password:" : "Dette er adgangskoden:", "You can choose a different password at any time in the share dialog." : "Du kan til enhver tid vælge en anden adgangskode i delings dialogen.", "Could not find share" : "Kan ikke finde deling", diff --git a/apps/systemtags/appinfo/info.xml b/apps/systemtags/appinfo/info.xml index 0188ad6d90d..40f76c87892 100644 --- a/apps/systemtags/appinfo/info.xml +++ b/apps/systemtags/appinfo/info.xml @@ -25,6 +25,11 @@ <dependencies> <nextcloud min-version="32" max-version="32"/> </dependencies> + <commands> + <command>OCA\SystemTags\Command\Files\Add</command> + <command>OCA\SystemTags\Command\Files\Delete</command> + <command>OCA\SystemTags\Command\Files\DeleteAll</command> + </commands> <settings> <admin>OCA\SystemTags\Settings\Admin</admin> </settings> diff --git a/apps/systemtags/composer/composer/autoload_classmap.php b/apps/systemtags/composer/composer/autoload_classmap.php index e6c60728ff6..450a387cd72 100644 --- a/apps/systemtags/composer/composer/autoload_classmap.php +++ b/apps/systemtags/composer/composer/autoload_classmap.php @@ -12,6 +12,9 @@ return array( 'OCA\\SystemTags\\Activity\\Setting' => $baseDir . '/../lib/Activity/Setting.php', 'OCA\\SystemTags\\AppInfo\\Application' => $baseDir . '/../lib/AppInfo/Application.php', 'OCA\\SystemTags\\Capabilities' => $baseDir . '/../lib/Capabilities.php', + 'OCA\\SystemTags\\Command\\Files\\Add' => $baseDir . '/../lib/Command/Files/Add.php', + 'OCA\\SystemTags\\Command\\Files\\Delete' => $baseDir . '/../lib/Command/Files/Delete.php', + 'OCA\\SystemTags\\Command\\Files\\DeleteAll' => $baseDir . '/../lib/Command/Files/DeleteAll.php', 'OCA\\SystemTags\\Controller\\LastUsedController' => $baseDir . '/../lib/Controller/LastUsedController.php', 'OCA\\SystemTags\\Listeners\\BeforeSabrePubliclyLoadedListener' => $baseDir . '/../lib/Listeners/BeforeSabrePubliclyLoadedListener.php', 'OCA\\SystemTags\\Listeners\\BeforeTemplateRenderedListener' => $baseDir . '/../lib/Listeners/BeforeTemplateRenderedListener.php', diff --git a/apps/systemtags/composer/composer/autoload_static.php b/apps/systemtags/composer/composer/autoload_static.php index 3d61ea1a1c1..a86e63edc53 100644 --- a/apps/systemtags/composer/composer/autoload_static.php +++ b/apps/systemtags/composer/composer/autoload_static.php @@ -27,6 +27,9 @@ class ComposerStaticInitSystemTags 'OCA\\SystemTags\\Activity\\Setting' => __DIR__ . '/..' . '/../lib/Activity/Setting.php', 'OCA\\SystemTags\\AppInfo\\Application' => __DIR__ . '/..' . '/../lib/AppInfo/Application.php', 'OCA\\SystemTags\\Capabilities' => __DIR__ . '/..' . '/../lib/Capabilities.php', + 'OCA\\SystemTags\\Command\\Files\\Add' => __DIR__ . '/..' . '/../lib/Command/Files/Add.php', + 'OCA\\SystemTags\\Command\\Files\\Delete' => __DIR__ . '/..' . '/../lib/Command/Files/Delete.php', + 'OCA\\SystemTags\\Command\\Files\\DeleteAll' => __DIR__ . '/..' . '/../lib/Command/Files/DeleteAll.php', 'OCA\\SystemTags\\Controller\\LastUsedController' => __DIR__ . '/..' . '/../lib/Controller/LastUsedController.php', 'OCA\\SystemTags\\Listeners\\BeforeSabrePubliclyLoadedListener' => __DIR__ . '/..' . '/../lib/Listeners/BeforeSabrePubliclyLoadedListener.php', 'OCA\\SystemTags\\Listeners\\BeforeTemplateRenderedListener' => __DIR__ . '/..' . '/../lib/Listeners/BeforeTemplateRenderedListener.php', diff --git a/apps/systemtags/l10n/lt_LT.js b/apps/systemtags/l10n/lt_LT.js index 293da7d6bfd..f6d1b8b0430 100644 --- a/apps/systemtags/l10n/lt_LT.js +++ b/apps/systemtags/l10n/lt_LT.js @@ -42,6 +42,7 @@ OC.L10N.register( "Public" : "Vieša", "Restricted" : "Apribota", "Invisible" : "Nematoma", + "Created tag" : "Sukurta žyma", "Failed to create tag" : "Nepavyko sukurti žymės", "Updated tag" : "Atnaujinta žymė", "Failed to update tag" : "Nepavyko atnaujinti žymės", @@ -68,6 +69,7 @@ OC.L10N.register( "Failed to select tag" : "Nepavyko pasirinkti žymės", "Loading collaborative tags …" : "Įkeliamos bendradarbiavimo žymės…", "Search or create collaborative tags" : "Ieškoti ar sukurti bendradarbiavimo žymes", + "System tag management" : "Sistemos žymų valdymas", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Bendradarbiavimo žymės yra prieinamos visiems naudotojams. Apribotos žymės yra matomos naudotojams, tačiau naudotojai negali jų priskirinėti. Nematomos žymės yra vidiniam naudojimui, nes naudotojai negali jų nei matyti, nei priskirinėti.", "No tags found" : "Nerasta jokių žymių", "Tags you have created will show up here." : "Čia bus rodomos jūsų sukurtos žymės.", diff --git a/apps/systemtags/l10n/lt_LT.json b/apps/systemtags/l10n/lt_LT.json index 5f5db365187..26e8a32a518 100644 --- a/apps/systemtags/l10n/lt_LT.json +++ b/apps/systemtags/l10n/lt_LT.json @@ -40,6 +40,7 @@ "Public" : "Vieša", "Restricted" : "Apribota", "Invisible" : "Nematoma", + "Created tag" : "Sukurta žyma", "Failed to create tag" : "Nepavyko sukurti žymės", "Updated tag" : "Atnaujinta žymė", "Failed to update tag" : "Nepavyko atnaujinti žymės", @@ -66,6 +67,7 @@ "Failed to select tag" : "Nepavyko pasirinkti žymės", "Loading collaborative tags …" : "Įkeliamos bendradarbiavimo žymės…", "Search or create collaborative tags" : "Ieškoti ar sukurti bendradarbiavimo žymes", + "System tag management" : "Sistemos žymų valdymas", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Bendradarbiavimo žymės yra prieinamos visiems naudotojams. Apribotos žymės yra matomos naudotojams, tačiau naudotojai negali jų priskirinėti. Nematomos žymės yra vidiniam naudojimui, nes naudotojai negali jų nei matyti, nei priskirinėti.", "No tags found" : "Nerasta jokių žymių", "Tags you have created will show up here." : "Čia bus rodomos jūsų sukurtos žymės.", diff --git a/apps/systemtags/lib/Command/Files/Add.php b/apps/systemtags/lib/Command/Files/Add.php new file mode 100644 index 00000000000..237feb748a4 --- /dev/null +++ b/apps/systemtags/lib/Command/Files/Add.php @@ -0,0 +1,90 @@ +<?php + +declare(strict_types = 1); + +/** + * SPDX-FileCopyrightText: Nextcloud GmbH and Nextcloud contributors + * SPDX-License-Identifier: AGPL-3.0-or-later + */ + +namespace OCA\SystemTags\Command\Files; + +use OC\Core\Command\Info\FileUtils; +use OCP\SystemTag\ISystemTagManager; +use OCP\SystemTag\ISystemTagObjectMapper; +use OCP\SystemTag\TagAlreadyExistsException; +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputArgument; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; + +class Add extends Command { + + public function __construct( + private FileUtils $fileUtils, + private ISystemTagManager $systemTagManager, + private ISystemTagObjectMapper $systemTagObjectMapper, + ) { + parent::__construct(); + } + + protected function configure(): void { + $this->setName('tag:files:add') + ->setDescription('Add a system-tag to a file or folder') + ->addArgument('target', InputArgument::REQUIRED, 'file id or path') + ->addArgument('tags', InputArgument::REQUIRED, 'Name of the tag(s) to add, comma separated') + ->addArgument('access', InputArgument::REQUIRED, 'access level of the tag (public, restricted or invisible)'); + } + + public function execute(InputInterface $input, OutputInterface $output): int { + $targetInput = $input->getArgument('target'); + $tagsInput = $input->getArgument('tags'); + + if ($tagsInput === '') { + $output->writeln('<error>`tags` can\'t be empty</error>'); + return 3; + } + + $tagNameArray = explode(',', $tagsInput); + + $access = $input->getArgument('access'); + switch ($access) { + case 'public': + $userVisible = true; + $userAssignable = true; + break; + case 'restricted': + $userVisible = true; + $userAssignable = false; + break; + case 'invisible': + $userVisible = false; + $userAssignable = false; + break; + default: + $output->writeln('<error>`access` property is invalid</error>'); + return 1; + } + + $targetNode = $this->fileUtils->getNode($targetInput); + + if (! $targetNode) { + $output->writeln("<error>file $targetInput not found</error>"); + return 1; + } + + foreach ($tagNameArray as $tagName) { + try { + $tag = $this->systemTagManager->createTag($tagName, $userVisible, $userAssignable); + $output->writeln("<info>$access</info> tag named <info>$tagName</info> created."); + } catch (TagAlreadyExistsException $e) { + $tag = $this->systemTagManager->getTag($tagName, $userVisible, $userAssignable); + } + + $this->systemTagObjectMapper->assignTags((string)$targetNode->getId(), 'files', $tag->getId()); + $output->writeln("<info>$access</info> tag named <info>$tagName</info> added."); + } + + return 0; + } +} diff --git a/apps/systemtags/lib/Command/Files/Delete.php b/apps/systemtags/lib/Command/Files/Delete.php new file mode 100644 index 00000000000..b24135664d7 --- /dev/null +++ b/apps/systemtags/lib/Command/Files/Delete.php @@ -0,0 +1,88 @@ +<?php + +declare(strict_types = 1); + +/** + * SPDX-FileCopyrightText: Nextcloud GmbH and Nextcloud contributors + * SPDX-License-Identifier: AGPL-3.0-or-later + */ + +namespace OCA\SystemTags\Command\Files; + +use OC\Core\Command\Info\FileUtils; +use OCP\SystemTag\ISystemTagManager; +use OCP\SystemTag\ISystemTagObjectMapper; +use OCP\SystemTag\TagNotFoundException; +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputArgument; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; + +class Delete extends Command { + + public function __construct( + private FileUtils $fileUtils, + private ISystemTagManager $systemTagManager, + private ISystemTagObjectMapper $systemTagObjectMapper, + ) { + parent::__construct(); + } + + protected function configure(): void { + $this->setName('tag:files:delete') + ->setDescription('Delete a system-tag from a file or folder') + ->addArgument('target', InputArgument::REQUIRED, 'file id or path') + ->addArgument('tags', InputArgument::REQUIRED, 'Name of the tag(s) to delete, comma separated') + ->addArgument('access', InputArgument::REQUIRED, 'access level of the tag (public, restricted or invisible)'); + } + + public function execute(InputInterface $input, OutputInterface $output): int { + $targetInput = $input->getArgument('target'); + $tagsInput = $input->getArgument('tags'); + + if ($tagsInput === '') { + $output->writeln('<error>`tags` can\'t be empty</error>'); + return 3; + } + + $tagNameArray = explode(',', $tagsInput); + + $access = $input->getArgument('access'); + switch ($access) { + case 'public': + $userVisible = true; + $userAssignable = true; + break; + case 'restricted': + $userVisible = true; + $userAssignable = false; + break; + case 'invisible': + $userVisible = false; + $userAssignable = false; + break; + default: + $output->writeln('<error>`access` property is invalid</error>'); + return 1; + } + + $targetNode = $this->fileUtils->getNode($targetInput); + + if (! $targetNode) { + $output->writeln("<error>file $targetInput not found</error>"); + return 1; + } + + foreach ($tagNameArray as $tagName) { + try { + $tag = $this->systemTagManager->getTag($tagName, $userVisible, $userAssignable); + $this->systemTagObjectMapper->unassignTags((string)$targetNode->getId(), 'files', $tag->getId()); + $output->writeln("<info>$access</info> tag named <info>$tagName</info> removed."); + } catch (TagNotFoundException $e) { + $output->writeln("<info>$access</info> tag named <info>$tagName</info> does not exist!"); + } + } + + return 0; + } +} diff --git a/apps/systemtags/lib/Command/Files/DeleteAll.php b/apps/systemtags/lib/Command/Files/DeleteAll.php new file mode 100644 index 00000000000..59ebb741b88 --- /dev/null +++ b/apps/systemtags/lib/Command/Files/DeleteAll.php @@ -0,0 +1,49 @@ +<?php + +declare(strict_types = 1); + +/** + * SPDX-FileCopyrightText: Nextcloud GmbH and Nextcloud contributors + * SPDX-License-Identifier: AGPL-3.0-or-later + */ + +namespace OCA\SystemTags\Command\Files; + +use OC\Core\Command\Info\FileUtils; +use OCP\SystemTag\ISystemTagObjectMapper; +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputArgument; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; + +class DeleteAll extends Command { + + public function __construct( + private FileUtils $fileUtils, + private ISystemTagObjectMapper $systemTagObjectMapper, + ) { + parent::__construct(); + } + + protected function configure(): void { + $this->setName('tag:files:delete-all') + ->setDescription('Delete all system-tags from a file or folder') + ->addArgument('target', InputArgument::REQUIRED, 'file id or path'); + } + + public function execute(InputInterface $input, OutputInterface $output): int { + $targetInput = $input->getArgument('target'); + $targetNode = $this->fileUtils->getNode($targetInput); + + if (! $targetNode) { + $output->writeln("<error>file $targetInput not found</error>"); + return 1; + } + + $tags = $this->systemTagObjectMapper->getTagIdsForObjects([$targetNode->getId()], 'files'); + $this->systemTagObjectMapper->unassignTags((string)$targetNode->getId(), 'files', $tags[$targetNode->getId()]); + $output->writeln('<info>all tags removed.</info>'); + + return 0; + } +} diff --git a/apps/updatenotification/src/components/UpdateNotification.vue b/apps/updatenotification/src/components/UpdateNotification.vue index 3fc577cab90..3ba6bf5bd69 100644 --- a/apps/updatenotification/src/components/UpdateNotification.vue +++ b/apps/updatenotification/src/components/UpdateNotification.vue @@ -357,10 +357,10 @@ export default { this.missingAppUpdates = data.ocs.data.missing this.isListFetched = true this.appStoreFailed = false - }).catch(({ data }) => { + }).catch(({ response }) => { this.availableAppUpdates = [] this.missingAppUpdates = [] - this.appStoreDisabled = data.ocs.data.appstore_disabled + this.appStoreDisabled = response.data.ocs.data.appstore_disabled this.isListFetched = true this.appStoreFailed = true }) |