diff --git a/.env.example b/.env.example index a0a1b72e6..4dee3b334 100644 --- a/.env.example +++ b/.env.example @@ -37,8 +37,10 @@ MAIL_FROM=bookstack@example.com # SMTP mail options # These settings can be checked using the "Send a Test Email" # feature found in the "Settings > Maintenance" area of the system. +# For more detailed documentation on mail options, refer to: +# https://www.bookstackapp.com/docs/admin/email-webhooks/#email-configuration MAIL_HOST=localhost -MAIL_PORT=1025 +MAIL_PORT=587 MAIL_USERNAME=null MAIL_PASSWORD=null MAIL_ENCRYPTION=null diff --git a/.env.example.complete b/.env.example.complete index 7071846a3..96a3b448f 100644 --- a/.env.example.complete +++ b/.env.example.complete @@ -69,23 +69,19 @@ DB_PASSWORD=database_user_password # certificate itself (Common Name or Subject Alternative Name). MYSQL_ATTR_SSL_CA="/path/to/ca.pem" -# Mail system to use -# Can be 'smtp' or 'sendmail' +# Mail configuration +# Refer to https://www.bookstackapp.com/docs/admin/email-webhooks/#email-configuration MAIL_DRIVER=smtp - -# Mail sending options MAIL_FROM=mail@bookstackapp.com MAIL_FROM_NAME=BookStack -# SMTP mail options MAIL_HOST=localhost -MAIL_PORT=1025 +MAIL_PORT=587 MAIL_USERNAME=null MAIL_PASSWORD=null MAIL_ENCRYPTION=null MAIL_VERIFY_SSL=true -# Command to use when email is sent via sendmail MAIL_SENDMAIL_COMMAND="/usr/sbin/sendmail -bs" # Cache & Session driver to use diff --git a/.github/translators.txt b/.github/translators.txt index cea524bd3..83841050b 100644 --- a/.github/translators.txt +++ b/.github/translators.txt @@ -333,3 +333,12 @@ Patrick Dantas (pa-tiq) :: Portuguese, Brazilian Michal (michalgurcik) :: Slovak Nepomacs :: German Rubens (rubenix) :: Catalan +m4z :: German; German Informal +TheRazvy :: Romanian +Yossi Zilber (lortens) :: Hebrew; Uzbek +desdinova :: French +Ingus Rūķis (ingus.rukis) :: Latvian +Eugene Pershin (SilentEugene) :: Russian +周盛道 (zhoushengdao) :: Chinese Simplified +hamidreza amini (hamidrezaamini2022) :: Persian +Tomislav Kraljević (tomislav.kraljevic) :: Croatian diff --git a/app/Activity/Controllers/CommentController.php b/app/Activity/Controllers/CommentController.php index 9e7491fd7..516bcac75 100644 --- a/app/Activity/Controllers/CommentController.php +++ b/app/Activity/Controllers/CommentController.php @@ -42,6 +42,7 @@ class CommentController extends Controller $comment = $this->commentRepo->create($page, $request->get('text'), $request->get('parent_id')); return view('comments.comment-branch', [ + 'readOnly' => false, 'branch' => [ 'comment' => $comment, 'children' => [], @@ -66,7 +67,7 @@ class CommentController extends Controller $comment = $this->commentRepo->update($comment, $request->get('text')); - return view('comments.comment', ['comment' => $comment]); + return view('comments.comment', ['comment' => $comment, 'readOnly' => false]); } /** diff --git a/app/Activity/Models/Activity.php b/app/Activity/Models/Activity.php index 1fa36e5be..9e4cb7858 100644 --- a/app/Activity/Models/Activity.php +++ b/app/Activity/Models/Activity.php @@ -19,6 +19,8 @@ use Illuminate\Support\Str; * @property string $entity_type * @property int $entity_id * @property int $user_id + * @property Carbon $created_at + * @property Carbon $updated_at */ class Activity extends Model { diff --git a/app/Api/ApiDocsGenerator.php b/app/Api/ApiDocsGenerator.php index f13842328..3cd33ffa5 100644 --- a/app/Api/ApiDocsGenerator.php +++ b/app/Api/ApiDocsGenerator.php @@ -16,8 +16,8 @@ use ReflectionMethod; class ApiDocsGenerator { - protected $reflectionClasses = []; - protected $controllerClasses = []; + protected array $reflectionClasses = []; + protected array $controllerClasses = []; /** * Load the docs form the cache if existing @@ -139,9 +139,10 @@ class ApiDocsGenerator protected function parseDescriptionFromMethodComment(string $comment): string { $matches = []; - preg_match_all('/^\s*?\*\s((?![@\s]).*?)$/m', $comment, $matches); + preg_match_all('/^\s*?\*\s?($|((?![\/@\s]).*?))$/m', $comment, $matches); - return implode(' ', $matches[1] ?? []); + $text = implode(' ', $matches[1] ?? []); + return str_replace(' ', "\n", $text); } /** diff --git a/app/Config/mail.php b/app/Config/mail.php index 87514aa40..6400211e8 100644 --- a/app/Config/mail.php +++ b/app/Config/mail.php @@ -8,6 +8,10 @@ * Do not edit this file unless you're happy to maintain any changes yourself. */ +// Configured mail encryption method. +// STARTTLS should still be attempted, but tls/ssl forces TLS usage. +$mailEncryption = env('MAIL_ENCRYPTION', null); + return [ // Mail driver to use. @@ -27,14 +31,15 @@ return [ 'mailers' => [ 'smtp' => [ 'transport' => 'smtp', + 'scheme' => null, 'host' => env('MAIL_HOST', 'smtp.mailgun.org'), 'port' => env('MAIL_PORT', 587), - 'encryption' => env('MAIL_ENCRYPTION', 'tls'), 'username' => env('MAIL_USERNAME'), 'password' => env('MAIL_PASSWORD'), 'verify_peer' => env('MAIL_VERIFY_SSL', true), 'timeout' => null, 'local_domain' => env('MAIL_EHLO_DOMAIN'), + 'tls_required' => ($mailEncryption === 'tls' || $mailEncryption === 'ssl'), ], 'sendmail' => [ diff --git a/app/Entities/Controllers/BookshelfController.php b/app/Entities/Controllers/BookshelfController.php index d1b752dc2..fcfd37538 100644 --- a/app/Entities/Controllers/BookshelfController.php +++ b/app/Entities/Controllers/BookshelfController.php @@ -30,7 +30,7 @@ class BookshelfController extends Controller } /** - * Display a listing of the book. + * Display a listing of bookshelves. */ public function index(Request $request) { @@ -111,8 +111,9 @@ class BookshelfController extends Controller ]); $sort = $listOptions->getSort(); - $sortedVisibleShelfBooks = $shelf->visibleBooks()->get() - ->sortBy($sort === 'default' ? 'pivot.order' : $sort, SORT_REGULAR, $listOptions->getOrder() === 'desc') + $sortedVisibleShelfBooks = $shelf->visibleBooks() + ->reorder($sort === 'default' ? 'order' : $sort, $listOptions->getOrder()) + ->get() ->values() ->all(); diff --git a/app/Entities/Controllers/PageApiController.php b/app/Entities/Controllers/PageApiController.php index c83126df9..d2947f1bb 100644 --- a/app/Entities/Controllers/PageApiController.php +++ b/app/Entities/Controllers/PageApiController.php @@ -13,8 +13,6 @@ use Illuminate\Http\Request; class PageApiController extends ApiController { - protected PageRepo $pageRepo; - protected $rules = [ 'create' => [ 'book_id' => ['required_without:chapter_id', 'integer'], @@ -36,9 +34,9 @@ class PageApiController extends ApiController ], ]; - public function __construct(PageRepo $pageRepo) - { - $this->pageRepo = $pageRepo; + public function __construct( + protected PageRepo $pageRepo + ) { } /** @@ -86,10 +84,14 @@ class PageApiController extends ApiController /** * View the details of a single page. - * * Pages will always have HTML content. They may have markdown content * if the markdown editor was used to last update the page. * + * The 'html' property is the fully rendered & escaped HTML content that BookStack + * would show on page view, with page includes handled. + * The 'raw_html' property is the direct database stored HTML content, which would be + * what BookStack shows on page edit. + * * See the "Content Security" section of these docs for security considerations when using * the page content returned from this endpoint. */ diff --git a/app/Entities/Controllers/PageController.php b/app/Entities/Controllers/PageController.php index 3187e6486..e96d41bb1 100644 --- a/app/Entities/Controllers/PageController.php +++ b/app/Entities/Controllers/PageController.php @@ -24,16 +24,10 @@ use Throwable; class PageController extends Controller { - protected PageRepo $pageRepo; - protected ReferenceFetcher $referenceFetcher; - - /** - * PageController constructor. - */ - public function __construct(PageRepo $pageRepo, ReferenceFetcher $referenceFetcher) - { - $this->pageRepo = $pageRepo; - $this->referenceFetcher = $referenceFetcher; + public function __construct( + protected PageRepo $pageRepo, + protected ReferenceFetcher $referenceFetcher + ) { } /** diff --git a/app/Entities/Models/Page.php b/app/Entities/Models/Page.php index 40acb9a35..7e2c12c20 100644 --- a/app/Entities/Models/Page.php +++ b/app/Entities/Models/Page.php @@ -139,6 +139,7 @@ class Page extends BookChild { $refreshed = $this->refresh()->unsetRelations()->load(['tags', 'createdBy', 'updatedBy', 'ownedBy']); $refreshed->setHidden(array_diff($refreshed->getHidden(), ['html', 'markdown'])); + $refreshed->setAttribute('raw_html', $refreshed->html); $refreshed->html = (new PageContent($refreshed))->render(); return $refreshed; diff --git a/app/Entities/Tools/PageEditorData.php b/app/Entities/Tools/PageEditorData.php index 2342081bb..3c7c9e2ea 100644 --- a/app/Entities/Tools/PageEditorData.php +++ b/app/Entities/Tools/PageEditorData.php @@ -2,6 +2,7 @@ namespace BookStack\Entities\Tools; +use BookStack\Activity\Tools\CommentTree; use BookStack\Entities\Models\Page; use BookStack\Entities\Repos\PageRepo; use BookStack\Entities\Tools\Markdown\HtmlToMarkdown; @@ -9,19 +10,14 @@ use BookStack\Entities\Tools\Markdown\MarkdownToHtml; class PageEditorData { - protected Page $page; - protected PageRepo $pageRepo; - protected string $requestedEditor; - protected array $viewData; protected array $warnings; - public function __construct(Page $page, PageRepo $pageRepo, string $requestedEditor) - { - $this->page = $page; - $this->pageRepo = $pageRepo; - $this->requestedEditor = $requestedEditor; - + public function __construct( + protected Page $page, + protected PageRepo $pageRepo, + protected string $requestedEditor + ) { $this->viewData = $this->build(); } @@ -69,6 +65,7 @@ class PageEditorData 'draftsEnabled' => $draftsEnabled, 'templates' => $templates, 'editor' => $editorType, + 'comments' => new CommentTree($page), ]; } diff --git a/app/Entities/Tools/PermissionsUpdater.php b/app/Entities/Tools/PermissionsUpdater.php index 324755e4d..9f3b8f952 100644 --- a/app/Entities/Tools/PermissionsUpdater.php +++ b/app/Entities/Tools/PermissionsUpdater.php @@ -55,9 +55,9 @@ class PermissionsUpdater } if (isset($data['fallback_permissions']['inheriting']) && $data['fallback_permissions']['inheriting'] !== true) { - $data = $data['fallback_permissions']; - $data['role_id'] = 0; - $rolePermissionData = $this->formatPermissionsFromApiRequestToEntityPermissions([$data], true); + $fallbackData = $data['fallback_permissions']; + $fallbackData['role_id'] = 0; + $rolePermissionData = $this->formatPermissionsFromApiRequestToEntityPermissions([$fallbackData], true); $entity->permissions()->createMany($rolePermissionData); } diff --git a/app/Exceptions/ApiAuthException.php b/app/Exceptions/ApiAuthException.php index 360370de4..070f7a8df 100644 --- a/app/Exceptions/ApiAuthException.php +++ b/app/Exceptions/ApiAuthException.php @@ -2,6 +2,25 @@ namespace BookStack\Exceptions; -class ApiAuthException extends UnauthorizedException +use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface; + +class ApiAuthException extends \Exception implements HttpExceptionInterface { + protected int $status; + + public function __construct(string $message, int $statusCode = 401) + { + $this->status = $statusCode; + parent::__construct($message, $statusCode); + } + + public function getStatusCode(): int + { + return $this->status; + } + + public function getHeaders(): array + { + return []; + } } diff --git a/app/Exceptions/Handler.php b/app/Exceptions/Handler.php index f2672cf57..36bdf845d 100644 --- a/app/Exceptions/Handler.php +++ b/app/Exceptions/Handler.php @@ -9,7 +9,7 @@ use Illuminate\Foundation\Exceptions\Handler as ExceptionHandler; use Illuminate\Http\JsonResponse; use Illuminate\Http\Request; use Illuminate\Validation\ValidationException; -use Symfony\Component\HttpKernel\Exception\HttpException; +use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface; use Throwable; class Handler extends ExceptionHandler @@ -82,7 +82,7 @@ class Handler extends ExceptionHandler $code = 500; $headers = []; - if ($e instanceof HttpException) { + if ($e instanceof HttpExceptionInterface) { $code = $e->getStatusCode(); $headers = $e->getHeaders(); } @@ -103,10 +103,6 @@ class Handler extends ExceptionHandler $code = $e->status; } - if (method_exists($e, 'getStatus')) { - $code = $e->getStatus(); - } - $responseData['error']['code'] = $code; return new JsonResponse($responseData, $code, $headers); diff --git a/app/Exceptions/JsonDebugException.php b/app/Exceptions/JsonDebugException.php index 8acc19778..1fa52c4a2 100644 --- a/app/Exceptions/JsonDebugException.php +++ b/app/Exceptions/JsonDebugException.php @@ -4,8 +4,9 @@ namespace BookStack\Exceptions; use Exception; use Illuminate\Http\JsonResponse; +use Illuminate\Contracts\Support\Responsable; -class JsonDebugException extends Exception +class JsonDebugException extends Exception implements Responsable { protected array $data; @@ -22,7 +23,7 @@ class JsonDebugException extends Exception * Convert this exception into a response. * We add a manual data conversion to UTF8 to ensure any binary data is presentable as a JSON string. */ - public function render(): JsonResponse + public function toResponse($request): JsonResponse { $cleaned = mb_convert_encoding($this->data, 'UTF-8'); diff --git a/app/Exceptions/NotifyException.php b/app/Exceptions/NotifyException.php index 307916db7..b62b8fde6 100644 --- a/app/Exceptions/NotifyException.php +++ b/app/Exceptions/NotifyException.php @@ -4,29 +4,39 @@ namespace BookStack\Exceptions; use Exception; use Illuminate\Contracts\Support\Responsable; +use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface; -class NotifyException extends Exception implements Responsable +class NotifyException extends Exception implements Responsable, HttpExceptionInterface { public $message; - public $redirectLocation; - protected $status; + public string $redirectLocation; + protected int $status; public function __construct(string $message, string $redirectLocation = '/', int $status = 500) { $this->message = $message; $this->redirectLocation = $redirectLocation; $this->status = $status; + parent::__construct(); } /** - * Get the desired status code for this exception. + * Get the desired HTTP status code for this exception. */ - public function getStatus(): int + public function getStatusCode(): int { return $this->status; } + /** + * Get the desired HTTP headers for this exception. + */ + public function getHeaders(): array + { + return []; + } + /** * Send the response for this type of exception. * @@ -38,7 +48,7 @@ class NotifyException extends Exception implements Responsable // Front-end JSON handling. API-side handling managed via handler. if ($request->wantsJson()) { - return response()->json(['error' => $message], 403); + return response()->json(['error' => $message], $this->getStatusCode()); } if (!empty($message)) { diff --git a/app/Exceptions/PrettyException.php b/app/Exceptions/PrettyException.php index f446442d0..606085231 100644 --- a/app/Exceptions/PrettyException.php +++ b/app/Exceptions/PrettyException.php @@ -4,18 +4,12 @@ namespace BookStack\Exceptions; use Exception; use Illuminate\Contracts\Support\Responsable; +use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface; -class PrettyException extends Exception implements Responsable +class PrettyException extends Exception implements Responsable, HttpExceptionInterface { - /** - * @var ?string - */ - protected $subtitle = null; - - /** - * @var ?string - */ - protected $details = null; + protected ?string $subtitle = null; + protected ?string $details = null; /** * Render a response for when this exception occurs. @@ -24,7 +18,7 @@ class PrettyException extends Exception implements Responsable */ public function toResponse($request) { - $code = ($this->getCode() === 0) ? 500 : $this->getCode(); + $code = $this->getStatusCode(); return response()->view('errors.' . $code, [ 'message' => $this->getMessage(), @@ -46,4 +40,20 @@ class PrettyException extends Exception implements Responsable return $this; } + + /** + * Get the desired HTTP status code for this exception. + */ + public function getStatusCode(): int + { + return ($this->getCode() === 0) ? 500 : $this->getCode(); + } + + /** + * Get the desired HTTP headers for this exception. + */ + public function getHeaders(): array + { + return []; + } } diff --git a/app/Exceptions/UnauthorizedException.php b/app/Exceptions/UnauthorizedException.php deleted file mode 100644 index 5c73ca02c..000000000 --- a/app/Exceptions/UnauthorizedException.php +++ /dev/null @@ -1,16 +0,0 @@ -ensureAuthorizedBySessionOrToken(); - } catch (UnauthorizedException $exception) { - return $this->unauthorisedResponse($exception->getMessage(), $exception->getCode()); - } + $this->ensureAuthorizedBySessionOrToken(); return $next($request); } @@ -28,7 +25,7 @@ class ApiAuthenticate * Ensure the current user can access authenticated API routes, either via existing session * authentication or via API Token authentication. * - * @throws UnauthorizedException + * @throws ApiAuthException */ protected function ensureAuthorizedBySessionOrToken(): void { @@ -58,17 +55,4 @@ class ApiAuthenticate return $hasApiPermission && hasAppAccess(); } - - /** - * Provide a standard API unauthorised response. - */ - protected function unauthorisedResponse(string $message, int $code) - { - return response()->json([ - 'error' => [ - 'code' => $code, - 'message' => $message, - ], - ], $code); - } } diff --git a/app/Permissions/ContentPermissionApiController.php b/app/Permissions/ContentPermissionApiController.php index cd561fdee..23b75db35 100644 --- a/app/Permissions/ContentPermissionApiController.php +++ b/app/Permissions/ContentPermissionApiController.php @@ -38,8 +38,10 @@ class ContentPermissionApiController extends ApiController /** * Read the configured content-level permissions for the item of the given type and ID. + * * 'contentType' should be one of: page, book, chapter, bookshelf. * 'contentId' should be the relevant ID of that item type you'd like to handle permissions for. + * * The permissions shown are those that override the default for just the specified item, they do not show the * full evaluated permission for a role, nor do they reflect permissions inherited from other items in the hierarchy. * Fallback permission values may be `null` when inheriting is active. @@ -57,6 +59,7 @@ class ContentPermissionApiController extends ApiController /** * Update the configured content-level permission overrides for the item of the given type and ID. * 'contentType' should be one of: page, book, chapter, bookshelf. + * * 'contentId' should be the relevant ID of that item type you'd like to handle permissions for. * Providing an empty `role_permissions` array will remove any existing configured role permissions, * so you may want to fetch existing permissions beforehand if just adding/removing a single item. diff --git a/app/Uploads/Controllers/ImageGalleryApiController.php b/app/Uploads/Controllers/ImageGalleryApiController.php index c444ec663..0d35d2905 100644 --- a/app/Uploads/Controllers/ImageGalleryApiController.php +++ b/app/Uploads/Controllers/ImageGalleryApiController.php @@ -52,8 +52,10 @@ class ImageGalleryApiController extends ApiController /** * Create a new image in the system. + * * Since "image" is expected to be a file, this needs to be a 'multipart/form-data' type request. * The provided "uploaded_to" should be an existing page ID in the system. + * * If the "name" parameter is omitted, the filename of the provided image file will be used instead. * The "type" parameter should be 'gallery' for page content images, and 'drawio' should only be used * when the file is a PNG file with diagrams.net image data embedded within. diff --git a/app/Uploads/HttpFetcher.php b/app/Uploads/HttpFetcher.php index 4198bb2a3..fcb4147e9 100644 --- a/app/Uploads/HttpFetcher.php +++ b/app/Uploads/HttpFetcher.php @@ -29,7 +29,8 @@ class HttpFetcher curl_close($ch); if ($err) { - throw new HttpFetchException($err); + $errno = curl_errno($ch); + throw new HttpFetchException($err, $errno); } return $data; diff --git a/app/Uploads/ImageRepo.php b/app/Uploads/ImageRepo.php index cdd5485ac..5507933f3 100644 --- a/app/Uploads/ImageRepo.php +++ b/app/Uploads/ImageRepo.php @@ -177,6 +177,7 @@ class ImageRepo $image->refresh(); $image->updated_by = user()->id; + $image->touch(); $image->save(); $this->imageService->replaceExistingFromUpload($image->path, $image->type, $file); $this->loadThumbs($image, true); diff --git a/app/Uploads/UserAvatars.php b/app/Uploads/UserAvatars.php index 89e88bd19..3cd37812a 100644 --- a/app/Uploads/UserAvatars.php +++ b/app/Uploads/UserAvatars.php @@ -34,7 +34,7 @@ class UserAvatars $user->avatar()->associate($avatar); $user->save(); } catch (Exception $e) { - Log::error('Failed to save user avatar image'); + Log::error('Failed to save user avatar image', ['exception' => $e]); } } @@ -49,7 +49,7 @@ class UserAvatars $user->avatar()->associate($avatar); $user->save(); } catch (Exception $e) { - Log::error('Failed to save user avatar image'); + Log::error('Failed to save user avatar image', ['exception' => $e]); } } @@ -107,14 +107,14 @@ class UserAvatars /** * Gets an image from url and returns it as a string of image data. * - * @throws Exception + * @throws HttpFetchException */ protected function getAvatarImageData(string $url): string { try { $imageData = $this->http->fetch($url); } catch (HttpFetchException $exception) { - throw new Exception(trans('errors.cannot_get_image_from_url', ['url' => $url])); + throw new HttpFetchException(trans('errors.cannot_get_image_from_url', ['url' => $url]), $exception->getCode(), $exception); } return $imageData; diff --git a/app/Users/Controllers/UserApiController.php b/app/Users/Controllers/UserApiController.php index 759aafbd8..880165e1b 100644 --- a/app/Users/Controllers/UserApiController.php +++ b/app/Users/Controllers/UserApiController.php @@ -73,7 +73,7 @@ class UserApiController extends ApiController */ public function list() { - $users = User::query()->select(['*']) + $users = User::query()->select(['users.*']) ->scopes('withLastActivityAt') ->with(['avatar']); diff --git a/app/Users/Queries/RolesAllPaginatedAndSorted.php b/app/Users/Queries/RolesAllPaginatedAndSorted.php index 7fd4048df..c9602ee71 100644 --- a/app/Users/Queries/RolesAllPaginatedAndSorted.php +++ b/app/Users/Queries/RolesAllPaginatedAndSorted.php @@ -15,7 +15,7 @@ class RolesAllPaginatedAndSorted { $sort = $listOptions->getSort(); if ($sort === 'created_at') { - $sort = 'users.created_at'; + $sort = 'roles.created_at'; } $query = Role::query()->select(['*']) diff --git a/composer.json b/composer.json index eba231d44..28bdd5489 100644 --- a/composer.json +++ b/composer.json @@ -49,7 +49,8 @@ "nunomaduro/larastan": "^2.4", "phpunit/phpunit": "^9.5", "squizlabs/php_codesniffer": "^3.7", - "ssddanbrown/asserthtml": "^2.0" + "ssddanbrown/asserthtml": "^2.0", + "ssddanbrown/symfony-mailer": "6.0.x-dev" }, "autoload": { "psr-4": { diff --git a/composer.lock b/composer.lock index 75d8d8a58..3f7567a57 100644 --- a/composer.lock +++ b/composer.lock @@ -4,7 +4,7 @@ "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies", "This file is @generated automatically" ], - "content-hash": "5a066407dfbd1809ffd39114a873333d", + "content-hash": "d010cf625b58a0dc43addda7881ea42f", "packages": [ { "name": "aws/aws-crt-php", @@ -639,16 +639,16 @@ }, { "name": "doctrine/dbal", - "version": "3.6.2", + "version": "3.6.4", "source": { "type": "git", "url": "https://github.com/doctrine/dbal.git", - "reference": "b4bd1cfbd2b916951696d82e57d054394d84864c" + "reference": "19f0dec95edd6a3c3c5ff1d188ea94c6b7fc903f" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/doctrine/dbal/zipball/b4bd1cfbd2b916951696d82e57d054394d84864c", - "reference": "b4bd1cfbd2b916951696d82e57d054394d84864c", + "url": "https://api.github.com/repos/doctrine/dbal/zipball/19f0dec95edd6a3c3c5ff1d188ea94c6b7fc903f", + "reference": "19f0dec95edd6a3c3c5ff1d188ea94c6b7fc903f", "shasum": "" }, "require": { @@ -661,12 +661,12 @@ "psr/log": "^1|^2|^3" }, "require-dev": { - "doctrine/coding-standard": "11.1.0", + "doctrine/coding-standard": "12.0.0", "fig/log-test": "^1", "jetbrains/phpstorm-stubs": "2022.3", - "phpstan/phpstan": "1.10.9", + "phpstan/phpstan": "1.10.14", "phpstan/phpstan-strict-rules": "^1.5", - "phpunit/phpunit": "9.6.6", + "phpunit/phpunit": "9.6.7", "psalm/plugin-phpunit": "0.18.4", "squizlabs/php_codesniffer": "3.7.2", "symfony/cache": "^5.4|^6.0", @@ -731,7 +731,7 @@ ], "support": { "issues": "https://github.com/doctrine/dbal/issues", - "source": "https://github.com/doctrine/dbal/tree/3.6.2" + "source": "https://github.com/doctrine/dbal/tree/3.6.4" }, "funding": [ { @@ -747,29 +747,33 @@ "type": "tidelift" } ], - "time": "2023-04-14T07:25:38+00:00" + "time": "2023-06-15T07:40:12+00:00" }, { "name": "doctrine/deprecations", - "version": "v1.0.0", + "version": "v1.1.1", "source": { "type": "git", "url": "https://github.com/doctrine/deprecations.git", - "reference": "0e2a4f1f8cdfc7a92ec3b01c9334898c806b30de" + "reference": "612a3ee5ab0d5dd97b7cf3874a6efe24325efac3" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/doctrine/deprecations/zipball/0e2a4f1f8cdfc7a92ec3b01c9334898c806b30de", - "reference": "0e2a4f1f8cdfc7a92ec3b01c9334898c806b30de", + "url": "https://api.github.com/repos/doctrine/deprecations/zipball/612a3ee5ab0d5dd97b7cf3874a6efe24325efac3", + "reference": "612a3ee5ab0d5dd97b7cf3874a6efe24325efac3", "shasum": "" }, "require": { - "php": "^7.1|^8.0" + "php": "^7.1 || ^8.0" }, "require-dev": { "doctrine/coding-standard": "^9", - "phpunit/phpunit": "^7.5|^8.5|^9.5", - "psr/log": "^1|^2|^3" + "phpstan/phpstan": "1.4.10 || 1.10.15", + "phpstan/phpstan-phpunit": "^1.0", + "phpunit/phpunit": "^7.5 || ^8.5 || ^9.5", + "psalm/plugin-phpunit": "0.18.4", + "psr/log": "^1 || ^2 || ^3", + "vimeo/psalm": "4.30.0 || 5.12.0" }, "suggest": { "psr/log": "Allows logging deprecations via PSR-3 logger implementation" @@ -788,9 +792,9 @@ "homepage": "https://www.doctrine-project.org/", "support": { "issues": "https://github.com/doctrine/deprecations/issues", - "source": "https://github.com/doctrine/deprecations/tree/v1.0.0" + "source": "https://github.com/doctrine/deprecations/tree/v1.1.1" }, - "time": "2022-05-02T15:47:09+00:00" + "time": "2023-06-03T09:27:29+00:00" }, { "name": "doctrine/event-manager", @@ -886,28 +890,28 @@ }, { "name": "doctrine/inflector", - "version": "2.0.6", + "version": "2.0.8", "source": { "type": "git", "url": "https://github.com/doctrine/inflector.git", - "reference": "d9d313a36c872fd6ee06d9a6cbcf713eaa40f024" + "reference": "f9301a5b2fb1216b2b08f02ba04dc45423db6bff" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/doctrine/inflector/zipball/d9d313a36c872fd6ee06d9a6cbcf713eaa40f024", - "reference": "d9d313a36c872fd6ee06d9a6cbcf713eaa40f024", + "url": "https://api.github.com/repos/doctrine/inflector/zipball/f9301a5b2fb1216b2b08f02ba04dc45423db6bff", + "reference": "f9301a5b2fb1216b2b08f02ba04dc45423db6bff", "shasum": "" }, "require": { "php": "^7.2 || ^8.0" }, "require-dev": { - "doctrine/coding-standard": "^10", + "doctrine/coding-standard": "^11.0", "phpstan/phpstan": "^1.8", "phpstan/phpstan-phpunit": "^1.1", "phpstan/phpstan-strict-rules": "^1.3", "phpunit/phpunit": "^8.5 || ^9.5", - "vimeo/psalm": "^4.25" + "vimeo/psalm": "^4.25 || ^5.4" }, "type": "library", "autoload": { @@ -957,7 +961,7 @@ ], "support": { "issues": "https://github.com/doctrine/inflector/issues", - "source": "https://github.com/doctrine/inflector/tree/2.0.6" + "source": "https://github.com/doctrine/inflector/tree/2.0.8" }, "funding": [ { @@ -973,7 +977,7 @@ "type": "tidelift" } ], - "time": "2022-10-20T09:10:12+00:00" + "time": "2023-06-16T13:40:37+00:00" }, { "name": "doctrine/lexer", @@ -1178,16 +1182,16 @@ }, { "name": "egulias/email-validator", - "version": "3.2.5", + "version": "3.2.6", "source": { "type": "git", "url": "https://github.com/egulias/EmailValidator.git", - "reference": "b531a2311709443320c786feb4519cfaf94af796" + "reference": "e5997fa97e8790cdae03a9cbd5e78e45e3c7bda7" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/egulias/EmailValidator/zipball/b531a2311709443320c786feb4519cfaf94af796", - "reference": "b531a2311709443320c786feb4519cfaf94af796", + "url": "https://api.github.com/repos/egulias/EmailValidator/zipball/e5997fa97e8790cdae03a9cbd5e78e45e3c7bda7", + "reference": "e5997fa97e8790cdae03a9cbd5e78e45e3c7bda7", "shasum": "" }, "require": { @@ -1233,7 +1237,7 @@ ], "support": { "issues": "https://github.com/egulias/EmailValidator/issues", - "source": "https://github.com/egulias/EmailValidator/tree/3.2.5" + "source": "https://github.com/egulias/EmailValidator/tree/3.2.6" }, "funding": [ { @@ -1241,7 +1245,7 @@ "type": "github" } ], - "time": "2023-01-02T17:26:14+00:00" + "time": "2023-06-01T07:04:22+00:00" }, { "name": "fruitcake/php-cors", @@ -1941,16 +1945,16 @@ }, { "name": "laravel/framework", - "version": "v9.52.7", + "version": "v9.52.10", "source": { "type": "git", "url": "https://github.com/laravel/framework.git", - "reference": "675ea868fe36b18c8303e954aac540e6b1caa677" + "reference": "858add225ce88a76c43aec0e7866288321ee0ee9" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/framework/zipball/675ea868fe36b18c8303e954aac540e6b1caa677", - "reference": "675ea868fe36b18c8303e954aac540e6b1caa677", + "url": "https://api.github.com/repos/laravel/framework/zipball/858add225ce88a76c43aec0e7866288321ee0ee9", + "reference": "858add225ce88a76c43aec0e7866288321ee0ee9", "shasum": "" }, "require": { @@ -2135,7 +2139,7 @@ "issues": "https://github.com/laravel/framework/issues", "source": "https://github.com/laravel/framework" }, - "time": "2023-04-25T13:44:05+00:00" + "time": "2023-06-27T13:25:54+00:00" }, { "name": "laravel/serializable-closure", @@ -2199,16 +2203,16 @@ }, { "name": "laravel/socialite", - "version": "v5.6.1", + "version": "v5.6.3", "source": { "type": "git", "url": "https://github.com/laravel/socialite.git", - "reference": "a14a177f2cc71d8add71e2b19e00800e83bdda09" + "reference": "00ea7f8630673ea49304fc8a9fca5a64eb838c7e" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/socialite/zipball/a14a177f2cc71d8add71e2b19e00800e83bdda09", - "reference": "a14a177f2cc71d8add71e2b19e00800e83bdda09", + "url": "https://api.github.com/repos/laravel/socialite/zipball/00ea7f8630673ea49304fc8a9fca5a64eb838c7e", + "reference": "00ea7f8630673ea49304fc8a9fca5a64eb838c7e", "shasum": "" }, "require": { @@ -2223,6 +2227,7 @@ "require-dev": { "mockery/mockery": "^1.0", "orchestra/testbench": "^4.0|^5.0|^6.0|^7.0|^8.0", + "phpstan/phpstan": "^1.10", "phpunit/phpunit": "^8.0|^9.3" }, "type": "library", @@ -2264,7 +2269,7 @@ "issues": "https://github.com/laravel/socialite/issues", "source": "https://github.com/laravel/socialite" }, - "time": "2023-01-20T15:42:35+00:00" + "time": "2023-06-06T13:42:43+00:00" }, { "name": "laravel/tinker", @@ -3259,16 +3264,16 @@ }, { "name": "nesbot/carbon", - "version": "2.66.0", + "version": "2.68.1", "source": { "type": "git", "url": "https://github.com/briannesbitt/Carbon.git", - "reference": "496712849902241f04902033b0441b269effe001" + "reference": "4f991ed2a403c85efbc4f23eb4030063fdbe01da" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/496712849902241f04902033b0441b269effe001", - "reference": "496712849902241f04902033b0441b269effe001", + "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/4f991ed2a403c85efbc4f23eb4030063fdbe01da", + "reference": "4f991ed2a403c85efbc4f23eb4030063fdbe01da", "shasum": "" }, "require": { @@ -3357,7 +3362,7 @@ "type": "tidelift" } ], - "time": "2023-01-29T18:53:47+00:00" + "time": "2023-06-20T18:29:04+00:00" }, { "name": "nette/schema", @@ -3510,16 +3515,16 @@ }, { "name": "nikic/php-parser", - "version": "v4.15.5", + "version": "v4.16.0", "source": { "type": "git", "url": "https://github.com/nikic/PHP-Parser.git", - "reference": "11e2663a5bc9db5d714eedb4277ee300403b4a9e" + "reference": "19526a33fb561ef417e822e85f08a00db4059c17" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nikic/PHP-Parser/zipball/11e2663a5bc9db5d714eedb4277ee300403b4a9e", - "reference": "11e2663a5bc9db5d714eedb4277ee300403b4a9e", + "url": "https://api.github.com/repos/nikic/PHP-Parser/zipball/19526a33fb561ef417e822e85f08a00db4059c17", + "reference": "19526a33fb561ef417e822e85f08a00db4059c17", "shasum": "" }, "require": { @@ -3560,9 +3565,9 @@ ], "support": { "issues": "https://github.com/nikic/PHP-Parser/issues", - "source": "https://github.com/nikic/PHP-Parser/tree/v4.15.5" + "source": "https://github.com/nikic/PHP-Parser/tree/v4.16.0" }, - "time": "2023-05-19T20:20:00+00:00" + "time": "2023-06-25T14:52:30+00:00" }, { "name": "nunomaduro/termwind", @@ -3990,16 +3995,16 @@ }, { "name": "phpseclib/phpseclib", - "version": "3.0.19", + "version": "3.0.20", "source": { "type": "git", "url": "https://github.com/phpseclib/phpseclib.git", - "reference": "cc181005cf548bfd8a4896383bb825d859259f95" + "reference": "543a1da81111a0bfd6ae7bbc2865c5e89ed3fc67" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpseclib/phpseclib/zipball/cc181005cf548bfd8a4896383bb825d859259f95", - "reference": "cc181005cf548bfd8a4896383bb825d859259f95", + "url": "https://api.github.com/repos/phpseclib/phpseclib/zipball/543a1da81111a0bfd6ae7bbc2865c5e89ed3fc67", + "reference": "543a1da81111a0bfd6ae7bbc2865c5e89ed3fc67", "shasum": "" }, "require": { @@ -4080,7 +4085,7 @@ ], "support": { "issues": "https://github.com/phpseclib/phpseclib/issues", - "source": "https://github.com/phpseclib/phpseclib/tree/3.0.19" + "source": "https://github.com/phpseclib/phpseclib/tree/3.0.20" }, "funding": [ { @@ -4096,7 +4101,7 @@ "type": "tidelift" } ], - "time": "2023-03-05T17:13:09+00:00" + "time": "2023-06-13T06:30:34+00:00" }, { "name": "pragmarx/google2fa", @@ -4152,16 +4157,16 @@ }, { "name": "predis/predis", - "version": "v2.1.2", + "version": "v2.2.0", "source": { "type": "git", "url": "https://github.com/predis/predis.git", - "reference": "a77a43913a74f9331f637bb12867eb8e274814e5" + "reference": "33b70b971a32b0d28b4f748b0547593dce316e0d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/predis/predis/zipball/a77a43913a74f9331f637bb12867eb8e274814e5", - "reference": "a77a43913a74f9331f637bb12867eb8e274814e5", + "url": "https://api.github.com/repos/predis/predis/zipball/33b70b971a32b0d28b4f748b0547593dce316e0d", + "reference": "33b70b971a32b0d28b4f748b0547593dce316e0d", "shasum": "" }, "require": { @@ -4172,6 +4177,9 @@ "phpstan/phpstan": "^1.9", "phpunit/phpunit": "^8.0 || ~9.4.4" }, + "suggest": { + "ext-relay": "Faster connection with in-memory caching (>=0.6.2)" + }, "type": "library", "autoload": { "psr-4": { @@ -4198,7 +4206,7 @@ ], "support": { "issues": "https://github.com/predis/predis/issues", - "source": "https://github.com/predis/predis/tree/v2.1.2" + "source": "https://github.com/predis/predis/tree/v2.2.0" }, "funding": [ { @@ -4206,7 +4214,7 @@ "type": "github" } ], - "time": "2023-03-02T18:32:04+00:00" + "time": "2023-06-14T10:37:31+00:00" }, { "name": "psr/cache", @@ -4623,16 +4631,16 @@ }, { "name": "psy/psysh", - "version": "v0.11.17", + "version": "v0.11.18", "source": { "type": "git", "url": "https://github.com/bobthecow/psysh.git", - "reference": "3dc5d4018dabd80bceb8fe1e3191ba8460569f0a" + "reference": "4f00ee9e236fa6a48f4560d1300b9c961a70a7ec" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/bobthecow/psysh/zipball/3dc5d4018dabd80bceb8fe1e3191ba8460569f0a", - "reference": "3dc5d4018dabd80bceb8fe1e3191ba8460569f0a", + "url": "https://api.github.com/repos/bobthecow/psysh/zipball/4f00ee9e236fa6a48f4560d1300b9c961a70a7ec", + "reference": "4f00ee9e236fa6a48f4560d1300b9c961a70a7ec", "shasum": "" }, "require": { @@ -4693,9 +4701,9 @@ ], "support": { "issues": "https://github.com/bobthecow/psysh/issues", - "source": "https://github.com/bobthecow/psysh/tree/v0.11.17" + "source": "https://github.com/bobthecow/psysh/tree/v0.11.18" }, - "time": "2023-05-05T20:02:42+00:00" + "time": "2023-05-23T02:31:11+00:00" }, { "name": "ralouphie/getallheaders", @@ -5419,6 +5427,74 @@ ], "time": "2022-01-24T20:12:20+00:00" }, + { + "name": "ssddanbrown/symfony-mailer", + "version": "6.0.x-dev", + "source": { + "type": "git", + "url": "https://github.com/ssddanbrown/symfony-mailer.git", + "reference": "2219dcdc5f58e4f382ce8f1e6942d16982aa3012" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/ssddanbrown/symfony-mailer/zipball/2219dcdc5f58e4f382ce8f1e6942d16982aa3012", + "reference": "2219dcdc5f58e4f382ce8f1e6942d16982aa3012", + "shasum": "" + }, + "require": { + "egulias/email-validator": "^2.1.10|^3|^4", + "php": ">=8.0.2", + "psr/event-dispatcher": "^1", + "psr/log": "^1|^2|^3", + "symfony/event-dispatcher": "^5.4|^6.0", + "symfony/mime": "^5.4|^6.0", + "symfony/service-contracts": "^1.1|^2|^3" + }, + "conflict": { + "symfony/http-kernel": "<5.4" + }, + "replace": { + "symfony/mailer": "^6.0" + }, + "require-dev": { + "symfony/http-client-contracts": "^1.1|^2|^3", + "symfony/messenger": "^5.4|^6.0" + }, + "default-branch": true, + "type": "library", + "autoload": { + "psr-4": { + "Symfony\\Component\\Mailer\\": "" + }, + "exclude-from-classmap": [ + "/Tests/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Dan Brown", + "homepage": "https://danb.me" + }, + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Helps sending emails", + "homepage": "https://symfony.com", + "support": { + "source": "https://github.com/ssddanbrown/symfony-mailer/tree/6.0" + }, + "time": "2023-07-04T14:10:33+00:00" + }, { "name": "symfony/console", "version": "v6.0.19", @@ -6124,80 +6200,6 @@ ], "time": "2023-02-01T08:22:55+00:00" }, - { - "name": "symfony/mailer", - "version": "v6.0.19", - "source": { - "type": "git", - "url": "https://github.com/symfony/mailer.git", - "reference": "cd60799210c488f545ddde2444dc1aa548322872" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/mailer/zipball/cd60799210c488f545ddde2444dc1aa548322872", - "reference": "cd60799210c488f545ddde2444dc1aa548322872", - "shasum": "" - }, - "require": { - "egulias/email-validator": "^2.1.10|^3|^4", - "php": ">=8.0.2", - "psr/event-dispatcher": "^1", - "psr/log": "^1|^2|^3", - "symfony/event-dispatcher": "^5.4|^6.0", - "symfony/mime": "^5.4|^6.0", - "symfony/service-contracts": "^1.1|^2|^3" - }, - "conflict": { - "symfony/http-kernel": "<5.4" - }, - "require-dev": { - "symfony/http-client-contracts": "^1.1|^2|^3", - "symfony/messenger": "^5.4|^6.0" - }, - "type": "library", - "autoload": { - "psr-4": { - "Symfony\\Component\\Mailer\\": "" - }, - "exclude-from-classmap": [ - "/Tests/" - ] - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Helps sending emails", - "homepage": "https://symfony.com", - "support": { - "source": "https://github.com/symfony/mailer/tree/v6.0.19" - }, - "funding": [ - { - "url": "https://symfony.com/sponsor", - "type": "custom" - }, - { - "url": "https://github.com/fabpot", - "type": "github" - }, - { - "url": "https://tidelift.com/funding/github/packagist/symfony/symfony", - "type": "tidelift" - } - ], - "time": "2023-01-11T11:50:03+00:00" - }, { "name": "symfony/mime", "version": "v6.0.19", @@ -8011,16 +8013,16 @@ }, { "name": "fakerphp/faker", - "version": "v1.22.0", + "version": "v1.23.0", "source": { "type": "git", "url": "https://github.com/FakerPHP/Faker.git", - "reference": "f85772abd508bd04e20bb4b1bbe260a68d0066d2" + "reference": "e3daa170d00fde61ea7719ef47bb09bb8f1d9b01" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/FakerPHP/Faker/zipball/f85772abd508bd04e20bb4b1bbe260a68d0066d2", - "reference": "f85772abd508bd04e20bb4b1bbe260a68d0066d2", + "url": "https://api.github.com/repos/FakerPHP/Faker/zipball/e3daa170d00fde61ea7719ef47bb09bb8f1d9b01", + "reference": "e3daa170d00fde61ea7719ef47bb09bb8f1d9b01", "shasum": "" }, "require": { @@ -8073,9 +8075,9 @@ ], "support": { "issues": "https://github.com/FakerPHP/Faker/issues", - "source": "https://github.com/FakerPHP/Faker/tree/v1.22.0" + "source": "https://github.com/FakerPHP/Faker/tree/v1.23.0" }, - "time": "2023-05-14T12:31:37+00:00" + "time": "2023-06-12T08:44:38+00:00" }, { "name": "filp/whoops", @@ -8269,38 +8271,44 @@ }, { "name": "mockery/mockery", - "version": "1.5.1", + "version": "1.6.2", "source": { "type": "git", "url": "https://github.com/mockery/mockery.git", - "reference": "e92dcc83d5a51851baf5f5591d32cb2b16e3684e" + "reference": "13a7fa2642c76c58fa2806ef7f565344c817a191" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/mockery/mockery/zipball/e92dcc83d5a51851baf5f5591d32cb2b16e3684e", - "reference": "e92dcc83d5a51851baf5f5591d32cb2b16e3684e", + "url": "https://api.github.com/repos/mockery/mockery/zipball/13a7fa2642c76c58fa2806ef7f565344c817a191", + "reference": "13a7fa2642c76c58fa2806ef7f565344c817a191", "shasum": "" }, "require": { "hamcrest/hamcrest-php": "^2.0.1", "lib-pcre": ">=7.0", - "php": "^7.3 || ^8.0" + "php": "^7.4 || ^8.0" }, "conflict": { "phpunit/phpunit": "<8.0" }, "require-dev": { - "phpunit/phpunit": "^8.5 || ^9.3" + "phpunit/phpunit": "^8.5 || ^9.3", + "psalm/plugin-phpunit": "^0.18", + "vimeo/psalm": "^5.9" }, "type": "library", "extra": { "branch-alias": { - "dev-master": "1.4.x-dev" + "dev-main": "1.6.x-dev" } }, "autoload": { - "psr-0": { - "Mockery": "library/" + "files": [ + "library/helpers.php", + "library/Mockery.php" + ], + "psr-4": { + "Mockery\\": "library/Mockery" } }, "notification-url": "https://packagist.org/downloads/", @@ -8335,9 +8343,9 @@ ], "support": { "issues": "https://github.com/mockery/mockery/issues", - "source": "https://github.com/mockery/mockery/tree/1.5.1" + "source": "https://github.com/mockery/mockery/tree/1.6.2" }, - "time": "2022-09-07T15:32:08+00:00" + "time": "2023-06-07T09:07:52+00:00" }, { "name": "myclabs/deep-copy", @@ -8488,16 +8496,16 @@ }, { "name": "nunomaduro/larastan", - "version": "v2.6.0", + "version": "v2.6.3", "source": { "type": "git", "url": "https://github.com/nunomaduro/larastan.git", - "reference": "ccac5b25949576807862cf32ba1fce1769c06c42" + "reference": "73e5be5f5c732212ce6ca77ffd2753a136f36a23" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nunomaduro/larastan/zipball/ccac5b25949576807862cf32ba1fce1769c06c42", - "reference": "ccac5b25949576807862cf32ba1fce1769c06c42", + "url": "https://api.github.com/repos/nunomaduro/larastan/zipball/73e5be5f5c732212ce6ca77ffd2753a136f36a23", + "reference": "73e5be5f5c732212ce6ca77ffd2753a136f36a23", "shasum": "" }, "require": { @@ -8560,7 +8568,7 @@ ], "support": { "issues": "https://github.com/nunomaduro/larastan/issues", - "source": "https://github.com/nunomaduro/larastan/tree/v2.6.0" + "source": "https://github.com/nunomaduro/larastan/tree/v2.6.3" }, "funding": [ { @@ -8580,7 +8588,7 @@ "type": "patreon" } ], - "time": "2023-04-20T12:40:01+00:00" + "time": "2023-06-13T21:39:27+00:00" }, { "name": "phar-io/manifest", @@ -8695,16 +8703,16 @@ }, { "name": "phpmyadmin/sql-parser", - "version": "5.7.0", + "version": "5.8.0", "source": { "type": "git", "url": "https://github.com/phpmyadmin/sql-parser.git", - "reference": "0f5895aab2b6002d00b6831b60983523dea30bff" + "reference": "db1b3069b5dbc220d393d67ff911e0ae76732755" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpmyadmin/sql-parser/zipball/0f5895aab2b6002d00b6831b60983523dea30bff", - "reference": "0f5895aab2b6002d00b6831b60983523dea30bff", + "url": "https://api.github.com/repos/phpmyadmin/sql-parser/zipball/db1b3069b5dbc220d393d67ff911e0ae76732755", + "reference": "db1b3069b5dbc220d393d67ff911e0ae76732755", "shasum": "" }, "require": { @@ -8778,20 +8786,20 @@ "type": "other" } ], - "time": "2023-01-25T10:43:40+00:00" + "time": "2023-06-05T18:19:38+00:00" }, { "name": "phpstan/phpstan", - "version": "1.10.15", + "version": "1.10.23", "source": { "type": "git", "url": "https://github.com/phpstan/phpstan.git", - "reference": "762c4dac4da6f8756eebb80e528c3a47855da9bd" + "reference": "65ab678d1248a8bc6fde456f0d7ff3562a61a4cd" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpstan/phpstan/zipball/762c4dac4da6f8756eebb80e528c3a47855da9bd", - "reference": "762c4dac4da6f8756eebb80e528c3a47855da9bd", + "url": "https://api.github.com/repos/phpstan/phpstan/zipball/65ab678d1248a8bc6fde456f0d7ff3562a61a4cd", + "reference": "65ab678d1248a8bc6fde456f0d7ff3562a61a4cd", "shasum": "" }, "require": { @@ -8840,7 +8848,7 @@ "type": "tidelift" } ], - "time": "2023-05-09T15:28:01+00:00" + "time": "2023-07-04T13:32:44+00:00" }, { "name": "phpunit/php-code-coverage", @@ -9162,16 +9170,16 @@ }, { "name": "phpunit/phpunit", - "version": "9.6.8", + "version": "9.6.9", "source": { "type": "git", "url": "https://github.com/sebastianbergmann/phpunit.git", - "reference": "17d621b3aff84d0c8b62539e269e87d8d5baa76e" + "reference": "a9aceaf20a682aeacf28d582654a1670d8826778" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/17d621b3aff84d0c8b62539e269e87d8d5baa76e", - "reference": "17d621b3aff84d0c8b62539e269e87d8d5baa76e", + "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/a9aceaf20a682aeacf28d582654a1670d8826778", + "reference": "a9aceaf20a682aeacf28d582654a1670d8826778", "shasum": "" }, "require": { @@ -9245,7 +9253,7 @@ "support": { "issues": "https://github.com/sebastianbergmann/phpunit/issues", "security": "https://github.com/sebastianbergmann/phpunit/security/policy", - "source": "https://github.com/sebastianbergmann/phpunit/tree/9.6.8" + "source": "https://github.com/sebastianbergmann/phpunit/tree/9.6.9" }, "funding": [ { @@ -9261,7 +9269,7 @@ "type": "tidelift" } ], - "time": "2023-05-11T05:14:45+00:00" + "time": "2023-06-11T06:13:56+00:00" }, { "name": "sebastian/cli-parser", @@ -10466,7 +10474,9 @@ ], "aliases": [], "minimum-stability": "stable", - "stability-flags": [], + "stability-flags": { + "ssddanbrown/symfony-mailer": 20 + }, "prefer-stable": true, "prefer-lowest": false, "platform": { diff --git a/database/migrations/2023_06_25_181952_remove_bookshelf_create_entity_permissions.php b/database/migrations/2023_06_25_181952_remove_bookshelf_create_entity_permissions.php new file mode 100644 index 000000000..efb65972b --- /dev/null +++ b/database/migrations/2023_06_25_181952_remove_bookshelf_create_entity_permissions.php @@ -0,0 +1,29 @@ +where('entity_type', '=', 'bookshelf') + ->update(['create' => 0]); + } + + /** + * Reverse the migrations. + * + * @return void + */ + public function down() + { + // No structural changes to make, and we cannot know the permissions to re-assign. + } +}; diff --git a/dev/api/responses/books-create.json b/dev/api/responses/books-create.json index ede6fcc8e..12a3e9e9f 100644 --- a/dev/api/responses/books-create.json +++ b/dev/api/responses/books-create.json @@ -1,11 +1,11 @@ { + "id": 15, "name": "My new book", + "slug": "my-new-book", "description": "This is a book created via the API", "created_by": 1, "updated_by": 1, "owned_by": 1, - "slug": "my-new-book", "updated_at": "2020-01-12T14:05:11.000000Z", - "created_at": "2020-01-12T14:05:11.000000Z", - "id": 15 + "created_at": "2020-01-12T14:05:11.000000Z" } \ No newline at end of file diff --git a/dev/api/responses/books-read.json b/dev/api/responses/books-read.json index 8d584f597..3744445d0 100644 --- a/dev/api/responses/books-read.json +++ b/dev/api/responses/books-read.json @@ -7,15 +7,18 @@ "updated_at": "2020-01-12T14:11:51.000000Z", "created_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "updated_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "owned_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "contents": [ { @@ -52,12 +55,12 @@ "template": false, "created_at": "2021-12-19T18:22:11.000000Z", "updated_at": "2022-07-29T13:44:15.000000Z", - "url": "https://example.com/books/my-own-book/page/cool-animals" + "url": "https://example.com/books/my-own-book/page/cool-animals", + "type": "page" } ], "tags": [ { - "id": 13, "name": "Category", "value": "Guide", "order": 0 diff --git a/dev/api/responses/chapters-create.json b/dev/api/responses/chapters-create.json index 81b422c25..4dbc764b1 100644 --- a/dev/api/responses/chapters-create.json +++ b/dev/api/responses/chapters-create.json @@ -1,39 +1,25 @@ { + "id": 74, "book_id": 1, - "priority": 6, + "slug": "my-fantastic-new-chapter", "name": "My fantastic new chapter", "description": "This is a great new chapter that I've created via the API", + "priority": 6, "created_by": 1, "updated_by": 1, "owned_by": 1, - "slug": "my-fantastic-new-chapter", "updated_at": "2020-05-22T22:59:55.000000Z", "created_at": "2020-05-22T22:59:55.000000Z", - "id": 74, - "book": { - "id": 1, - "name": "BookStack User Guide", - "slug": "bookstack-user-guide", - "description": "This is a general guide on using BookStack on a day-to-day basis.", - "created_at": "2019-05-05T21:48:46.000000Z", - "updated_at": "2019-12-11T20:57:31.000000Z", - "created_by": 1, - "updated_by": 1 - }, "tags": [ { "name": "Category", "value": "Top Content", - "order": 0, - "created_at": "2020-05-22T22:59:55.000000Z", - "updated_at": "2020-05-22T22:59:55.000000Z" + "order": 0 }, { "name": "Rating", "value": "Highest", - "order": 0, - "created_at": "2020-05-22T22:59:55.000000Z", - "updated_at": "2020-05-22T22:59:55.000000Z" + "order": 1 } ] } \ No newline at end of file diff --git a/dev/api/responses/chapters-list.json b/dev/api/responses/chapters-list.json index dc6dde100..c3dc98b9c 100644 --- a/dev/api/responses/chapters-list.json +++ b/dev/api/responses/chapters-list.json @@ -11,7 +11,8 @@ "updated_at": "2019-09-28T11:24:23.000000Z", "created_by": 1, "updated_by": 1, - "owned_by": 1 + "owned_by": 1, + "book_slug": "example-book" }, { "id": 2, @@ -24,7 +25,8 @@ "updated_at": "2019-10-17T15:05:34.000000Z", "created_by": 3, "updated_by": 3, - "owned_by": 3 + "owned_by": 3, + "book_slug": "example-book" } ], "total": 40 diff --git a/dev/api/responses/chapters-read.json b/dev/api/responses/chapters-read.json index a51b406c7..5f4de85f1 100644 --- a/dev/api/responses/chapters-read.json +++ b/dev/api/responses/chapters-read.json @@ -9,16 +9,20 @@ "updated_at": "2019-09-28T11:24:23.000000Z", "created_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "updated_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "owned_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, + "book_slug": "example-book", "tags": [ { "name": "Category", @@ -38,9 +42,12 @@ "updated_at": "2019-08-26T14:32:59.000000Z", "created_by": 1, "updated_by": 1, + "owned_by": 1, "draft": false, "revision_count": 2, - "template": false + "template": false, + "editor": "wysiwyg", + "book_slug": "example-book" }, { "id": 7, @@ -53,9 +60,12 @@ "updated_at": "2019-06-06T12:03:04.000000Z", "created_by": 3, "updated_by": 3, + "owned_by": 1, "draft": false, "revision_count": 1, - "template": false + "template": false, + "editor": "wysiwyg", + "book_slug": "example-book" } ] } \ No newline at end of file diff --git a/dev/api/responses/chapters-update.json b/dev/api/responses/chapters-update.json index 9ce88dab2..cc454d740 100644 --- a/dev/api/responses/chapters-update.json +++ b/dev/api/responses/chapters-update.json @@ -10,30 +10,17 @@ "created_by": 1, "updated_by": 1, "owned_by": 1, - "book": { - "id": 1, - "name": "BookStack User Guide", - "slug": "bookstack-user-guide", - "description": "This is a general guide on using BookStack on a day-to-day basis.", - "created_at": "2019-05-05T21:48:46.000000Z", - "updated_at": "2019-12-11T20:57:31.000000Z", - "created_by": 1, - "updated_by": 1 - }, + "book_slug": "bookstack-demo-site", "tags": [ { "name": "Category", "value": "Kinda Good Content", - "order": 0, - "created_at": "2020-05-22T23:07:20.000000Z", - "updated_at": "2020-05-22T23:07:20.000000Z" + "order": 0 }, { "name": "Rating", "value": "Medium", - "order": 0, - "created_at": "2020-05-22T23:07:20.000000Z", - "updated_at": "2020-05-22T23:07:20.000000Z" + "order": 1 } ] } \ No newline at end of file diff --git a/dev/api/responses/pages-create.json b/dev/api/responses/pages-create.json index eeaa5303a..385d5384e 100644 --- a/dev/api/responses/pages-create.json +++ b/dev/api/responses/pages-create.json @@ -5,25 +5,30 @@ "name": "My API Page", "slug": "my-api-page", "html": "
my new API page
", + "raw_html": "my new API page
", "priority": 14, "created_at": "2020-11-28T15:01:39.000000Z", "updated_at": "2020-11-28T15:01:39.000000Z", "created_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "updated_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "owned_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "draft": false, "markdown": "", "revision_count": 1, "template": false, + "editor": "wysiwyg", "tags": [ { "name": "Category", diff --git a/dev/api/responses/pages-list.json b/dev/api/responses/pages-list.json index 2ff4aeb3a..8f95c4985 100644 --- a/dev/api/responses/pages-list.json +++ b/dev/api/responses/pages-list.json @@ -8,12 +8,15 @@ "slug": "how-to-create-page-content", "priority": 0, "draft": false, + "revision_count": 3, "template": false, "created_at": "2019-05-05T21:49:58.000000Z", "updated_at": "2020-07-04T15:50:58.000000Z", "created_by": 1, "updated_by": 1, - "owned_by": 1 + "owned_by": 1, + "editor": "wysiwyg", + "book_slug": "example-book" }, { "id": 2, @@ -23,12 +26,15 @@ "slug": "how-to-use-images", "priority": 2, "draft": false, + "revision_count": 3, "template": false, "created_at": "2019-05-05T21:53:30.000000Z", "updated_at": "2019-06-06T12:03:04.000000Z", "created_by": 1, "updated_by": 1, - "owned_by": 1 + "owned_by": 1, + "editor": "wysiwyg", + "book_slug": "example-book" }, { "id": 3, @@ -38,12 +44,15 @@ "slug": "drawings-via-drawio", "priority": 3, "draft": false, + "revision_count": 3, "template": false, "created_at": "2019-05-05T21:53:49.000000Z", "updated_at": "2019-12-18T21:56:52.000000Z", "created_by": 1, "updated_by": 1, - "owned_by": 1 + "owned_by": 1, + "editor": "wysiwyg", + "book_slug": "example-book" } ], "total": 322 diff --git a/dev/api/responses/pages-read.json b/dev/api/responses/pages-read.json index 9a21cd44c..2f3538964 100644 --- a/dev/api/responses/pages-read.json +++ b/dev/api/responses/pages-read.json @@ -4,26 +4,31 @@ "chapter_id": 0, "name": "A page written in markdown", "slug": "a-page-written-in-markdown", - "html": "This page is written in markdown. BookStack stores the page data in HTML.
\r\nHere's a cute picture of my cat:
\r\n", + "html": "my new API page - Updated
", + "raw_html": "my new API page - Updated
", "priority": 16, "created_at": "2020-11-28T15:10:54.000000Z", "updated_at": "2020-11-28T15:13:03.000000Z", "created_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "updated_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "owned_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "draft": false, "markdown": "", "revision_count": 5, "template": false, + "editor": "wysiwyg", "tags": [ { "name": "Category", diff --git a/dev/api/responses/shelves-create.json b/dev/api/responses/shelves-create.json index 9988c782c..84caf8bdc 100644 --- a/dev/api/responses/shelves-create.json +++ b/dev/api/responses/shelves-create.json @@ -1,11 +1,11 @@ { + "id": 14, "name": "My shelf", + "slug": "my-shelf", "description": "This is my shelf with some books", "created_by": 1, "updated_by": 1, "owned_by": 1, - "slug": "my-shelf", - "updated_at": "2020-04-10T13:24:09.000000Z", "created_at": "2020-04-10T13:24:09.000000Z", - "id": 14 + "updated_at": "2020-04-10T13:24:09.000000Z" } \ No newline at end of file diff --git a/dev/api/responses/shelves-read.json b/dev/api/responses/shelves-read.json index f2afcdac0..802045bd8 100644 --- a/dev/api/responses/shelves-read.json +++ b/dev/api/responses/shelves-read.json @@ -5,21 +5,23 @@ "description": "This is my shelf with some books", "created_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "updated_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "owned_by": { "id": 1, - "name": "Admin" + "name": "Admin", + "slug": "admin" }, "created_at": "2020-04-10T13:24:09.000000Z", "updated_at": "2020-04-10T13:31:04.000000Z", "tags": [ { - "id": 16, "name": "Category", "value": "Guide", "order": 0 @@ -41,17 +43,35 @@ { "id": 5, "name": "Sint explicabo alias sunt.", - "slug": "jbsQrzuaXe" + "slug": "jbsQrzuaXe", + "description": "Hic forum est.", + "created_at": "2020-04-10T13:31:04.000000Z", + "updated_at": "2020-04-10T13:31:04.000000Z", + "created_by": 1, + "updated_by": 1, + "owned_by": 1 }, { "id": 1, "name": "BookStack User Guide", - "slug": "bookstack-user-guide" + "slug": "bookstack-user-guide", + "description": "The Bookstack User Guide Book.", + "created_at": "2020-04-10T15:30:32.000000Z", + "updated_at": "2020-04-13T09:01:04.000000Z", + "created_by": 1, + "updated_by": 2, + "owned_by": 1 }, { "id": 3, "name": "Molestiae doloribus sint velit suscipit dolorem.", - "slug": "H99QxALaoG" + "slug": "H99QxALaoG", + "description": "Lorem ipsum dolor sit amet, consectetur adipiscing elit.", + "created_at": "2020-04-10T13:31:04.000000Z", + "updated_at": "2020-04-10T13:31:04.000000Z", + "created_by": 1, + "updated_by": 1, + "owned_by": 1 } ] } \ No newline at end of file diff --git a/dev/api/responses/users-list.json b/dev/api/responses/users-list.json index e070ee6a6..cbc7fb104 100644 --- a/dev/api/responses/users-list.json +++ b/dev/api/responses/users-list.json @@ -18,7 +18,7 @@ "id": 2, "name": "Benny", "email": "benny@example.com", - "created_at": "2022-01-31T20:39:24.000000Z", + "created_at": "2020-01-15T04:43:11.000000Z", "updated_at": "2021-11-18T17:10:58.000000Z", "external_auth_id": "", "slug": "benny", diff --git a/lang/ar/activities.php b/lang/ar/activities.php index 2587b77fb..cc7a159c6 100644 --- a/lang/ar/activities.php +++ b/lang/ar/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'تمت استعادة الصفحة', 'page_restore_notification' => 'تمت استعادة الصفحة بنجاح', 'page_move' => 'تم نقل الصفحة', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'تم إنشاء فصل', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'تم حذف الفصل', 'chapter_delete_notification' => 'تم حذف الفصل بنجاح', 'chapter_move' => 'تم نقل الفصل', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'تم إنشاء كتاب', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'تم حذف الرف', 'bookshelf_delete_notification' => 'تم حذف الرف بنجاح', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => 'تم إضافة ":name" إلى المفضلة لديك', 'favourite_remove_notification' => 'تم إزالة ":name" من المفضلة لديك', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'تم تكوين طريقة متعددة العوامل بنجاح', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'تمت إزالة طريقة متعددة العوامل بنجاح', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'تم إنشاء webhook', 'webhook_create_notification' => 'تم إنشاء Webhook بنجاح', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'تم حذف Webhook بنجاح', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'تم تحديث المستخدم بنجاح', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'تم إزالة المستخدم بنجاح', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'تم التعليق', 'permissions_update' => 'تحديث الأذونات', diff --git a/lang/ar/common.php b/lang/ar/common.php index 8dcb1dde0..d85c76ed2 100644 --- a/lang/ar/common.php +++ b/lang/ar/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'إلغاء', + 'close' => 'Close', 'confirm' => 'تأكيد', 'back' => 'رجوع', 'save' => 'حفظ', diff --git a/lang/ar/components.php b/lang/ar/components.php index 0305ae95f..b04ba7bc1 100644 --- a/lang/ar/components.php +++ b/lang/ar/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'تحديد صورة', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'عرض الصور المرفوعة لهذه الصفحة', 'image_search_hint' => 'البحث باستخدام اسم الصورة', 'image_uploaded' => 'وقت الرفع :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'المزيد', 'image_image_name' => 'اسم الصورة', 'image_delete_used' => 'هذه الصورة مستخدمة بالصفحات أدناه.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'تم رفع الصورة بنجاح', 'image_update_success' => 'تم تحديث تفاصيل الصورة بنجاح', 'image_delete_success' => 'تم حذف الصورة بنجاح', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'تعديل الشفرة', diff --git a/lang/ar/entities.php b/lang/ar/entities.php index 76c7662f4..1e602c078 100644 --- a/lang/ar/entities.php +++ b/lang/ar/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'حفظ الفصل', 'chapters_move' => 'نقل الفصل', 'chapters_move_named' => 'نقل فصل :chapterName', - 'chapter_move_success' => 'تم نقل الفصل إلى :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'أذونات الفصل', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'الصفحة قيد التعديل', 'pages_edit_draft_save_at' => 'تم خفظ المسودة في ', 'pages_edit_delete_draft' => 'حذف المسودة', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'التخلص من المسودة', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'صفحة ليست في فصل', 'pages_move' => 'نقل الصفحة', - 'pages_move_success' => 'تم نقل الصفحة إلى ":parentName"', 'pages_copy' => 'نسخ الصفحة', 'pages_copy_desination' => 'نسخ مكان الوصول', 'pages_copy_success' => 'تم نسخ الصفحة بنجاح', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'استرجاع', 'pages_revisions_none' => 'لا توجد مراجعات لهذه الصفحة', 'pages_copy_link' => 'نسخ الرابط', - 'pages_edit_content_link' => 'تعديل المحتوى', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'أذونات الصفحة مفعلة', 'pages_initial_revision' => 'نشر مبدئي', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'في آخر :minCount دقيقة/دقائق', 'message' => 'وقت البدء: احرص على عدم الكتابة فوق تحديثات بعضنا البعض!', ], - 'pages_draft_discarded' => 'تم التخلص من المسودة وتحديث المحرر بمحتوى الصفحة الحالي', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'صفحة محددة', 'pages_is_template' => 'قالب الصفحة', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'ضع تعليقاً هنا', 'comment_count' => '{0} لا توجد تعليقات|{1} تعليق واحد|{2} تعليقان[3,*] :count تعليقات', 'comment_save' => 'حفظ التعليق', - 'comment_saving' => 'جار حفظ التعليق...', - 'comment_deleting' => 'جار حذف التعليق...', 'comment_new' => 'تعليق جديد', 'comment_created' => 'تم التعليق :createDiff', 'comment_updated' => 'تم التحديث :updateDiff بواسطة :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'تم حذف التعليق', 'comment_created_success' => 'تمت إضافة التعليق', 'comment_updated_success' => 'تم تحديث التعليق', 'comment_delete_confirm' => 'تأكيد حذف التعليق؟', 'comment_in_reply_to' => 'رداً على :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'هل أنت متأكد من أنك تريد حذف هذه المراجعة؟', 'revision_restore_confirm' => 'هل أنت متأكد من أنك تريد استعادة هذه المراجعة؟ سيتم استبدال محتوى الصفحة الحالية.', - 'revision_delete_success' => 'تم حذف المراجعة', 'revision_cannot_delete_latest' => 'لايمكن حذف آخر مراجعة.', // Copy view diff --git a/lang/ar/errors.php b/lang/ar/errors.php index 3db614310..cf50db0e3 100644 --- a/lang/ar/errors.php +++ b/lang/ar/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'حدث خطأ خلال رفع الصورة', 'image_upload_type_error' => 'صيغة الصورة المرفوعة غير صالحة', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'فشل حفظ المسودة. الرجاء التأكد من وجود اتصال بالإنترنت قبل حفظ الصفحة', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'لا يمكن حذف الصفحة إذا كانت محددة كصفحة رئيسية', // Entities diff --git a/lang/ar/settings.php b/lang/ar/settings.php index ca1b603bb..f0efc18f0 100644 --- a/lang/ar/settings.php +++ b/lang/ar/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'الإعدادات', 'settings_save' => 'حفظ الإعدادات', - 'settings_save_success' => 'تم حفظ الإعدادات', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'تاريخ انتهاء الصلاحية', 'user_api_token_expiry_desc' => 'حدد التاريخ الذي تنتهي فيه صلاحية هذا الرمز. بعد هذا التاريخ ، لن تعمل الطلبات المقدمة باستخدام هذا الرمز. سيؤدي ترك هذا الحقل فارغًا إلى تعيين انتهاء صلاحية لمدة 100 عام في المستقبل.', 'user_api_token_create_secret_message' => 'عقب إنشاء هذا الرمز مباشرة، سيتم إنشاء "مُعرّف الرمز" و "رمز سري" وعرضهما. وسيتم عرض الرمز السري لمرة واحدة فقط ، لذا تأكد من نسخ قيمة هذا الرمز إلى مكان آمن ومضمون قبل المتابعة.', - 'user_api_token_create_success' => 'تم إنشاء رمز الـ API بنجاح', - 'user_api_token_update_success' => 'تم تحديث رمز الـ API بنجاح', 'user_api_token' => 'رمز الـ API', 'user_api_token_id' => 'مُعرّف الرمز', 'user_api_token_id_desc' => 'هذا مُعرّف تم إنشاؤه بواسطة النظام غير قابل للتحرير لهذا الرمز والذي يجب توفيره في طلبات API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'حذف الرمز', 'user_api_token_delete_warning' => 'سيؤدي هذا إلى حذف رمز API المُشار إليه بالكامل باسم \'اسم الرمز\' من النظام.', 'user_api_token_delete_confirm' => 'هل أنت متأكد من أنك تريد حذف رمز API؟', - 'user_api_token_delete_success' => 'تم حذف رمز الـ API بنجاح', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/bg/activities.php b/lang/bg/activities.php index 5f281acb5..0bfbfdf95 100644 --- a/lang/bg/activities.php +++ b/lang/bg/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'възстановена страница', 'page_restore_notification' => 'Страницата е възстановена успешно', 'page_move' => 'преместена страница', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'създадена глава', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'изтрита глава', 'chapter_delete_notification' => 'Успешно изтрита глава', 'chapter_move' => 'преместена глава', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'създадена книга', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" е добавен към любими успешно', 'favourite_remove_notification' => '":name" е премахнат от любими успешно', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Многофакторният метод е конфигуриран успешно', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Многофакторният метод е премахнат успешно', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'създадена уебкука', 'webhook_create_notification' => 'Уебкуката е създадена успешно', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Уебкуката е изтрита успешно', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Потребителят е обновен успешно', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Потребителят е премахнат успешно', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Успешна създадена роля', + 'role_update' => 'updated role', 'role_update_notification' => 'Успешно обновена роля', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Успешно изтрита роля', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'коментирано на', 'permissions_update' => 'обновени права', diff --git a/lang/bg/common.php b/lang/bg/common.php index 7d8db8953..e5b6ae087 100644 --- a/lang/bg/common.php +++ b/lang/bg/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Отказ', + 'close' => 'Close', 'confirm' => 'Потвърждаване', 'back' => 'Назад', 'save' => 'Запис', diff --git a/lang/bg/components.php b/lang/bg/components.php index 1bf9e68fa..24269b09f 100644 --- a/lang/bg/components.php +++ b/lang/bg/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Избор на изображение', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Виж изображенията прикачени към страницата', 'image_search_hint' => 'Търси по име на картина', 'image_uploaded' => 'Качено :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Зареди повече', 'image_image_name' => 'Име на изображението', 'image_delete_used' => 'Това изображение е използвано в страницата по-долу.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Изображението бе качено успешно', 'image_update_success' => 'Данните за изобтажението са обновенни успешно', 'image_delete_success' => 'Изображението е успешно изтрито', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Редактиране на кода', diff --git a/lang/bg/entities.php b/lang/bg/entities.php index 67b3695c0..d6e1362e6 100644 --- a/lang/bg/entities.php +++ b/lang/bg/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Запази глава', 'chapters_move' => 'Премести глава', 'chapters_move_named' => 'Премести глава :chapterName', - 'chapter_move_success' => 'Главата беше преместена в :bookName', 'chapters_copy' => 'Копирай главата', 'chapters_copy_success' => 'Главата е копирана успешно', 'chapters_permissions' => 'Настойки за достъп на главата', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Редактиране на страница', 'pages_edit_draft_save_at' => 'Черновата е запазена в ', 'pages_edit_delete_draft' => 'Изтрий чернова', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Отхвърляне на черновата', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Страницата не принадлежи в никоя глава', 'pages_move' => 'Премести страницата', - 'pages_move_success' => 'Страницата беше преместена в ":parentName"', 'pages_copy' => 'Копиране на страницата', 'pages_copy_desination' => 'Копиране на дестинацията', 'pages_copy_success' => 'Страницата беше успешно копирана', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Възстановяване', 'pages_revisions_none' => 'Тази страница няма ревизии', 'pages_copy_link' => 'Копирай връзката', - 'pages_edit_content_link' => 'Редактиране на съдържанието', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Настройките за достъп до страницата са активни', 'pages_initial_revision' => 'Първо публикуване', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'в последните :minCount минути', 'message' => ':start :time. Внимавайте да не попречите на актуализацията на другия!', ], - 'pages_draft_discarded' => 'Черновата беше отхърлена, Редактора беше обновен с актуалното съдържание на страницата', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Определена страница', 'pages_is_template' => 'Шаблон на страницата', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Напишете коментар', 'comment_count' => '{0} Няма коментари|{1} 1 коментар|[2,*] :count коментара', 'comment_save' => 'Запази коментар', - 'comment_saving' => 'Запазване на коментар...', - 'comment_deleting' => 'Изтриване на коментар...', 'comment_new' => 'Нов коментар', 'comment_created' => 'коментирано :createDiff', 'comment_updated' => 'Актуализирано :updateDiff от :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Коментарът е изтрит', 'comment_created_success' => 'Коментарът е добавен', 'comment_updated_success' => 'Коментарът е обновен', 'comment_delete_confirm' => 'Наистина ли искате да изтриете този коментар?', 'comment_in_reply_to' => 'В отговор на :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Наистина ли искате да изтриете тази версия?', 'revision_restore_confirm' => 'Сигурни ли сте, че искате да изтриете тази версия? Настоящата страница ще бъде заместена.', - 'revision_delete_success' => 'Версията беше изтрита', 'revision_cannot_delete_latest' => 'Не може да изтриете последната версия.', // Copy view diff --git a/lang/bg/errors.php b/lang/bg/errors.php index 4c18a4ad0..cfeb7044d 100644 --- a/lang/bg/errors.php +++ b/lang/bg/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Възникна грешка при качването на изображението', 'image_upload_type_error' => 'Типът на качваното изображение е невалиден', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Неуспешно запазване на черновата. Увери се, че имаш свързаност с интернет преди да запазиш страницата', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Не мога да изтрия страницата, докато е настроена като начална', // Entities diff --git a/lang/bg/settings.php b/lang/bg/settings.php index 94bc5a617..1b97e68e2 100644 --- a/lang/bg/settings.php +++ b/lang/bg/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Настройки', 'settings_save' => 'Запази настройките', - 'settings_save_success' => 'Настройките са записани', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Дата на изтичане', 'user_api_token_expiry_desc' => 'Настрой дата на изтичане на този маркер. След тази дата, заявки направени с този маркер вече няма да работят. Ако оставиш това поле празно, маркерът ще изтече след 100 години.', 'user_api_token_create_secret_message' => 'Веднага след създаването на този маркер ще се генерират и покажат "Номер на маркер" и "Тайна на маркер". Тайната ще бъде показана само веднъж, така че се увери, че си я копирал на сигурно място, преди да продължиш.', - 'user_api_token_create_success' => 'API маркерът е създаден успешно', - 'user_api_token_update_success' => 'API маркерът е редактиран успешно', 'user_api_token' => 'API маркер', 'user_api_token_id' => 'Номер на маркер', 'user_api_token_id_desc' => 'Това е нередактируем, системно генериран идентификатор за този маркер, който ще бъде необходимо да бъде предоставян в API заявките.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Изтрий маркер', 'user_api_token_delete_warning' => 'Това ще изтрие напълно API маркерът с име \':tokenName\' от системата.', 'user_api_token_delete_confirm' => 'Сигурен/на ли си, че искаш да изтриеш този API маркер?', - 'user_api_token_delete_success' => 'API маркерът е изтрит успешно', // Webhooks 'webhooks' => 'Уебкука', diff --git a/lang/bs/activities.php b/lang/bs/activities.php index 735e31480..54c09ec9f 100644 --- a/lang/bs/activities.php +++ b/lang/bs/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'je vratio/la stranicu', 'page_restore_notification' => 'Page successfully restored', 'page_move' => 'je premjestio/la stranicu', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'je kreirao/la poglavlje', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'je izbrisao/la poglavlje', 'chapter_delete_notification' => 'Chapter successfully deleted', 'chapter_move' => 'je premjestio/la poglavlje', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'je kreirao/la knjigu', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" je dodan u tvoje favorite', 'favourite_remove_notification' => '":name" je uklonjen iz tvojih favorita', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'created webhook', 'webhook_create_notification' => 'Webhook successfully created', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook successfully deleted', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'User successfully updated', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'User successfully removed', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'je komentarisao/la na', 'permissions_update' => 'je ažurirao/la dozvole', diff --git a/lang/bs/common.php b/lang/bs/common.php index a1236e230..144b94353 100644 --- a/lang/bs/common.php +++ b/lang/bs/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Otkaži', + 'close' => 'Close', 'confirm' => 'Potvrdi', 'back' => 'Nazad', 'save' => 'Spremi', diff --git a/lang/bs/components.php b/lang/bs/components.php index 191ac027d..2485abb15 100644 --- a/lang/bs/components.php +++ b/lang/bs/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Biraj sliku', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Pogledaj slike prenesene na ovu stranicu', 'image_search_hint' => 'Traži po nazivu slike', 'image_uploaded' => 'Preneseno :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Učitaj još', 'image_image_name' => 'Naziv slike', 'image_delete_used' => 'Ova slika se koristi na stranicama prikazanim ispod.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Slika uspješno učitana', 'image_update_success' => 'Detalji slike uspješno ažurirani', 'image_delete_success' => 'Slika uspješno izbrisana', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Uredi Kod', diff --git a/lang/bs/entities.php b/lang/bs/entities.php index 07b891e02..5b8c92560 100644 --- a/lang/bs/entities.php +++ b/lang/bs/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Spremi poglavlje', 'chapters_move' => 'Premjesti poglavlje', 'chapters_move_named' => 'Premjesti poglavlje :chapterName', - 'chapter_move_success' => 'Poglavlje premješteno u :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Dozvole poglavlja', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editing Page', 'pages_edit_draft_save_at' => 'Draft saved at ', 'pages_edit_delete_draft' => 'Delete Draft', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Discard Draft', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Page is not in a chapter', 'pages_move' => 'Move Page', - 'pages_move_success' => 'Page moved to ":parentName"', 'pages_copy' => 'Copy Page', 'pages_copy_desination' => 'Copy Destination', 'pages_copy_success' => 'Page successfully copied', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Vrati', 'pages_revisions_none' => 'Ova stranica nema promjena', 'pages_copy_link' => 'Iskopiraj link', - 'pages_edit_content_link' => 'Uredi sadržaj', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Dozvole za stranicu su aktivne', 'pages_initial_revision' => 'Prvo izdavanje', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'u posljednjih :minCount minuta', 'message' => ':start :time. Pazite da jedni drugima ne prepišete promjene!', ], - 'pages_draft_discarded' => 'Skica je odbačena, uređivač je ažuriran sa trenutnim sadržajem stranice', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specifična stranica', 'pages_is_template' => 'Predložak stranice', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Leave a comment here', 'comment_count' => '{0} No Comments|{1} 1 Comment|[2,*] :count Comments', 'comment_save' => 'Save Comment', - 'comment_saving' => 'Saving comment...', - 'comment_deleting' => 'Deleting comment...', 'comment_new' => 'New Comment', 'comment_created' => 'commented :createDiff', 'comment_updated' => 'Updated :updateDiff by :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comment deleted', 'comment_created_success' => 'Comment added', 'comment_updated_success' => 'Comment updated', 'comment_delete_confirm' => 'Are you sure you want to delete this comment?', 'comment_in_reply_to' => 'In reply to :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Are you sure you want to delete this revision?', 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.', - 'revision_delete_success' => 'Revision deleted', 'revision_cannot_delete_latest' => 'Cannot delete the latest revision.', // Copy view diff --git a/lang/bs/errors.php b/lang/bs/errors.php index 907a44309..f56708a64 100644 --- a/lang/bs/errors.php +++ b/lang/bs/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Desila se greška prilikom učitavanja slike', 'image_upload_type_error' => 'Vrsta slike koja se učitava je neispravna', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Snimanje skice nije uspjelo. Provjerite da ste povezani na internet prije snimanja ove stranice', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Stranicu nije moguće izbrisati dok se koristi kao početna stranica', // Entities diff --git a/lang/bs/settings.php b/lang/bs/settings.php index 38d817915..c110e8992 100644 --- a/lang/bs/settings.php +++ b/lang/bs/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Settings', 'settings_save' => 'Save Settings', - 'settings_save_success' => 'Settings saved', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Expiry Date', 'user_api_token_expiry_desc' => 'Set a date at which this token expires. After this date, requests made using this token will no longer work. Leaving this field blank will set an expiry 100 years into the future.', 'user_api_token_create_secret_message' => 'Immediately after creating this token a "Token ID" & "Token Secret" will be generated and displayed. The secret will only be shown a single time so be sure to copy the value to somewhere safe and secure before proceeding.', - 'user_api_token_create_success' => 'API token successfully created', - 'user_api_token_update_success' => 'API token successfully updated', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'This is a non-editable system generated identifier for this token which will need to be provided in API requests.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Delete Token', 'user_api_token_delete_warning' => 'This will fully delete this API token with the name \':tokenName\' from the system.', 'user_api_token_delete_confirm' => 'Are you sure you want to delete this API token?', - 'user_api_token_delete_success' => 'API token successfully deleted', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/ca/activities.php b/lang/ca/activities.php index cf360d9b5..677672dac 100644 --- a/lang/ca/activities.php +++ b/lang/ca/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'ha restaurat la pàgina', 'page_restore_notification' => 'Pàgina restaurada correctament', 'page_move' => 'ha mogut la pàgina', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'ha creat el capítol', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'ha suprimit un capítol', 'chapter_delete_notification' => 'Capítol esborrat correctament', 'chapter_move' => 'ha mogut el capítol', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'ha creat el llibre', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" has been added to your favourites', 'favourite_remove_notification' => '":name" has been removed from your favourites', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'created webhook', 'webhook_create_notification' => 'Webhook successfully created', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook successfully deleted', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'User successfully updated', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'User successfully removed', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'ha comentat a', 'permissions_update' => 'ha actualitzat els permisos', diff --git a/lang/ca/common.php b/lang/ca/common.php index 72f0fac58..e9393c940 100644 --- a/lang/ca/common.php +++ b/lang/ca/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancel·la', + 'close' => 'Close', 'confirm' => 'D\'acord', 'back' => 'Enrere', 'save' => 'Desa', diff --git a/lang/ca/components.php b/lang/ca/components.php index fa6578e82..c296c064b 100644 --- a/lang/ca/components.php +++ b/lang/ca/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Selecciona una imatge', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Mostra les imatges pujades a aquesta pàgina', 'image_search_hint' => 'Cerca per nom d\'imatge', 'image_uploaded' => 'Pujada :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Carrega\'n més', 'image_image_name' => 'Nom de la imatge', 'image_delete_used' => 'Aquesta imatge s\'utilitza a les pàgines següents.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Imatge pujada correctament', 'image_update_success' => 'Detalls de la imatge actualitzats correctament', 'image_delete_success' => 'Imatge suprimida correctament', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Edita el codi', diff --git a/lang/ca/entities.php b/lang/ca/entities.php index ec060242f..290e09165 100644 --- a/lang/ca/entities.php +++ b/lang/ca/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Desa el capítol', 'chapters_move' => 'Mou el capítol', 'chapters_move_named' => 'Mou el capítol :chapterName', - 'chapter_move_success' => 'S\'ha mogut el capítol a :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Permisos del capítol', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Esteu editant la pàgina', 'pages_edit_draft_save_at' => 'Esborrany desat ', 'pages_edit_delete_draft' => 'Suprimeix l\'esborrany', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Descarta l\'esborrany', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'La pàgina no pertany a cap capítol', 'pages_move' => 'Mou la pàgina', - 'pages_move_success' => 'S\'ha mogut la pàgina a ":parentName"', 'pages_copy' => 'Copia la pàgina', 'pages_copy_desination' => 'Destinació de la còpia', 'pages_copy_success' => 'Pàgina copiada correctament', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restaura', 'pages_revisions_none' => 'Aquesta pàgina no té cap revisió', 'pages_copy_link' => 'Copia l\'enllaç', - 'pages_edit_content_link' => 'Edita el contingut', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'S\'han activat els permisos de la pàgina', 'pages_initial_revision' => 'Publicació inicial', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'en els darrers :minCount minuts', 'message' => ':start :time. Aneu amb compte de no trepitjar-vos les actualitzacions entre vosaltres!', ], - 'pages_draft_discarded' => 'S\'ha descartat l\'esborrany, l\'editor s\'ha actualitzat amb el contingut actual de la pàgina', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Una pàgina específica', 'pages_is_template' => 'Plantilla de pàgina', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Deixeu un comentari aquí', 'comment_count' => '{0} Sense comentaris|{1} 1 comentari|[2,*] :count comentaris', 'comment_save' => 'Desa el comentari', - 'comment_saving' => 'S\'està desant el comentari...', - 'comment_deleting' => 'S\'està suprimint el comentari...', 'comment_new' => 'Comentari nou', 'comment_created' => 'ha comentat :createDiff', 'comment_updated' => 'Actualitzat :updateDiff per :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comentari suprimit', 'comment_created_success' => 'Comentari afegit', 'comment_updated_success' => 'Comentari actualitzat', 'comment_delete_confirm' => 'Segur que voleu suprimir aquest comentari?', 'comment_in_reply_to' => 'En resposta a :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Segur que voleu suprimir aquesta revisió?', 'revision_restore_confirm' => 'Segur que voleu restaurar aquesta revisió? Se substituirà el contingut de la pàgina actual.', - 'revision_delete_success' => 'S\'ha suprimit la revisió', 'revision_cannot_delete_latest' => 'No es pot suprimir la darrera revisió.', // Copy view diff --git a/lang/ca/errors.php b/lang/ca/errors.php index 2f7112187..5bf33fb69 100644 --- a/lang/ca/errors.php +++ b/lang/ca/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'S\'ha produït un error en pujar la imatge', 'image_upload_type_error' => 'El tipus d\'imatge que heu pujat no és vàlid', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'No s\'ha pogut desar l\'esborrany. Assegureu-vos que tingueu connexió a Internet abans de desar la pàgina', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'No es pot suprimir una pàgina mentre estigui definida com a pàgina d\'inici', // Entities diff --git a/lang/ca/settings.php b/lang/ca/settings.php index 2640198c0..fb67d3fdd 100644 --- a/lang/ca/settings.php +++ b/lang/ca/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Configuració', 'settings_save' => 'Desa la configuració', - 'settings_save_success' => 'S\'ha desat la configuració', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Data de caducitat', 'user_api_token_expiry_desc' => 'Definiu una data en què aquest testimoni caducarà. Després d\'aquesta data, les peticions fetes amb aquest testimoni deixaran de funcionar. Si deixeu aquest camp en blanc, es definirà una caducitat d\'aquí a 100 anys..', 'user_api_token_create_secret_message' => 'Just després de crear aquest testimoni, es generaran i es mostraran un "Identificador del testimoni" i un "Secret del testimoni". El secret només es mostrarà una única vegada, assegureu-vos de copiar-lo a un lloc segur abans de continuar.', - 'user_api_token_create_success' => 'Testimoni d\'API creat correctament', - 'user_api_token_update_success' => 'Testimoni d\'API actualitzat correctament', 'user_api_token' => 'Testimoni d\'API', 'user_api_token_id' => 'Identificador del testimoni', 'user_api_token_id_desc' => 'Aquest identificador és generat pel sistema per a aquest testimoni i no és editable, caldrà que el proporcioneu a les peticions a l\'API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Suprimeix el testimoni', 'user_api_token_delete_warning' => 'Se suprimirà completament del sistema aquest testimoni d\'API amb el nom \':tokenName\'.', 'user_api_token_delete_confirm' => 'Segur que voleu suprimir aquest testimoni d\'API?', - 'user_api_token_delete_success' => 'Testimoni d\'API suprimit correctament', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/cs/activities.php b/lang/cs/activities.php index 50c17e39b..ca33971b0 100644 --- a/lang/cs/activities.php +++ b/lang/cs/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'obnovil/a stránku', 'page_restore_notification' => 'Stránka byla úspěšně obnovena', 'page_move' => 'přesunul/a stránku', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'vytvořil/a kapitolu', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'odstranila/a kapitolu', 'chapter_delete_notification' => 'Kapitola byla úspěšně odstraněna', 'chapter_move' => 'přesunul/a kapitolu', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'vytvořil/a knihu', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'odstranit knihovnu', 'bookshelf_delete_notification' => 'Knihovna byla úspěšně smazána', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" byla přidána do Vašich oblíbených', 'favourite_remove_notification' => '":name" byla odstraněna z Vašich oblíbených', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Vícefaktorová metoda byla úspěšně nakonfigurována', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Vícefaktorová metoda byla úspěšně odstraněna', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'vytvořil/a webhook', 'webhook_create_notification' => 'Webhook byl úspěšně vytvořen', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook byl úspěšně odstraněn', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Uživatel byl úspěšně aktualizován', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Uživatel byl úspěšně odstraněn', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role byla úspěšně vytvořena', + 'role_update' => 'updated role', 'role_update_notification' => 'Role byla úspěšně aktualizována', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role byla odstraněna', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'okomentoval/a', 'permissions_update' => 'oprávnění upravena', diff --git a/lang/cs/common.php b/lang/cs/common.php index 637db2446..c033ca1e5 100644 --- a/lang/cs/common.php +++ b/lang/cs/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Zrušit', + 'close' => 'Close', 'confirm' => 'Potvrdit', 'back' => 'Zpět', 'save' => 'Uložit', diff --git a/lang/cs/components.php b/lang/cs/components.php index 4dffab0b4..cf917407b 100644 --- a/lang/cs/components.php +++ b/lang/cs/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Výběr obrázku', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Zobrazit obrázky nahrané na tuto stránku', 'image_search_hint' => 'Hledat podle názvu obrázku', 'image_uploaded' => 'Nahráno :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Načíst další', 'image_image_name' => 'Název obrázku', 'image_delete_used' => 'Tento obrázek je použit na níže uvedených stránkách.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Obrázek byl nahrán', 'image_update_success' => 'Podrobnosti o obrázku byly aktualizovány', 'image_delete_success' => 'Obrázek byl odstraněn', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Upravit kód', diff --git a/lang/cs/entities.php b/lang/cs/entities.php index aca82c292..1940fd16e 100644 --- a/lang/cs/entities.php +++ b/lang/cs/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Uložit kapitolu', 'chapters_move' => 'Přesunout kapitolu', 'chapters_move_named' => 'Přesunout kapitolu :chapterName', - 'chapter_move_success' => 'Kapitola přesunuta do knihy :bookName', 'chapters_copy' => 'Kopírovat kapitolu', 'chapters_copy_success' => 'Kapitola byla úspěšně zkopírována', 'chapters_permissions' => 'Oprávnění kapitoly', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Úpravy stránky', 'pages_edit_draft_save_at' => 'Koncept uložen v ', 'pages_edit_delete_draft' => 'Odstranit koncept', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Zahodit koncept', 'pages_edit_switch_to_markdown' => 'Přepnout na Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Vytvořený obsah)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Synchronizovat náhled', 'pages_not_in_chapter' => 'Stránka není v kapitole', 'pages_move' => 'Přesunout stránku', - 'pages_move_success' => 'Stránka přesunuta do ":parentName"', 'pages_copy' => 'Kopírovat stránku', 'pages_copy_desination' => 'Cíl kopírování', 'pages_copy_success' => 'Stránka byla zkopírována', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Obnovit', 'pages_revisions_none' => 'Tato stránka nemá žádné revize', 'pages_copy_link' => 'Kopírovat odkaz', - 'pages_edit_content_link' => 'Upravit obsah', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Oprávnění stránky byla aktivována', 'pages_initial_revision' => 'První vydání', 'pages_references_update_revision' => 'Automatická aktualizace interních odkazů', @@ -281,7 +286,8 @@ return [ 'time_b' => 'v posledních minutách (:minCount min.)', 'message' => ':start :time. Dávejte pozor abyste nepřepsali změny ostatním!', ], - 'pages_draft_discarded' => 'Koncept zahozen. Editor nyní obsahuje aktuální verzi stránky.', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Konkrétní stránka', 'pages_is_template' => 'Šablona stránky', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Zde zadejte komentář', 'comment_count' => '{0} Bez komentářů|{1} 1 komentář|[2,4] :count komentáře|[5,*] :count komentářů', 'comment_save' => 'Uložit komentář', - 'comment_saving' => 'Ukládání komentáře...', - 'comment_deleting' => 'Mazání komentáře...', 'comment_new' => 'Nový komentář', 'comment_created' => 'komentováno :createDiff', 'comment_updated' => 'Aktualizováno :updateDiff uživatelem :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Komentář odstraněn', 'comment_created_success' => 'Komentář přidán', 'comment_updated_success' => 'Komentář aktualizován', 'comment_delete_confirm' => 'Opravdu chcete odstranit tento komentář?', 'comment_in_reply_to' => 'Odpověď na :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Opravdu chcete odstranit tuto revizi?', 'revision_restore_confirm' => 'Jste si jisti, že chcete obnovit tuto revizi? Aktuální obsah stránky bude nahrazen.', - 'revision_delete_success' => 'Revize odstraněna', 'revision_cannot_delete_latest' => 'Nelze odstranit poslední revizi.', // Copy view diff --git a/lang/cs/errors.php b/lang/cs/errors.php index 4bc4ab450..670be2274 100644 --- a/lang/cs/errors.php +++ b/lang/cs/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Nastala chyba během nahrávání souboru', 'image_upload_type_error' => 'Typ nahrávaného obrázku je neplatný.', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Data výkresu nelze načíst. Výkresový soubor již nemusí existovat nebo nemusí mít oprávnění k němu přistupovat.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Nepovedlo se uložit koncept. Než stránku uložíte, ujistěte se, že jste připojeni k internetu.', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Nelze odstranit tuto stránku, protože je nastavena jako uvítací stránka', // Entities diff --git a/lang/cs/settings.php b/lang/cs/settings.php index 35c49bf85..28766d7c7 100644 --- a/lang/cs/settings.php +++ b/lang/cs/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Nastavení', 'settings_save' => 'Uložit nastavení', - 'settings_save_success' => 'Nastavení uloženo', 'system_version' => 'Verze systému: ', 'categories' => 'Kategorie', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Platný do', 'user_api_token_expiry_desc' => 'Zadejte datum, kdy platnost tokenu vyprší. Po tomto datu nebudou požadavky, které používají tento token, fungovat. Pokud ponecháte pole prázdné, bude tokenu nastavena platnost na dalších 100 let.', 'user_api_token_create_secret_message' => 'Ihned po vytvoření tokenu Vám bude vygenerován a zobrazen "Token ID" a "Token Secret". Upozorňujeme, že "Token Secret" bude možné zobrazit pouze jednou, ujistěte se, že si jej poznamenáte a uložíte na bezpečné místo před tím, než budete pokračovat dále.', - 'user_api_token_create_success' => 'API Token byl vytvořen', - 'user_api_token_update_success' => 'API Token byl aktualizován', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Toto je neupravitelný systémový identifikátor generovaný pro tento Token, který musí být uveden v API requestu.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Odstranit Token', 'user_api_token_delete_warning' => 'Tímto plně odstraníte tento API Token s názvem \':tokenName\' ze systému.', 'user_api_token_delete_confirm' => 'Opravdu chcete odstranit tento API Token?', - 'user_api_token_delete_success' => 'API Token byl odstraněn', // Webhooks 'webhooks' => 'Webhooky', diff --git a/lang/cy/activities.php b/lang/cy/activities.php index 13e8113a8..9f7dcb9e5 100644 --- a/lang/cy/activities.php +++ b/lang/cy/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'tudalen wedi\'i hadfer', 'page_restore_notification' => 'Cafodd y dudalen ei hadfer yn llwyddiannus', 'page_move' => 'symwyd tudalen', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'pennod creu', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'pennod wedi dileu', 'chapter_delete_notification' => 'Pennod wedi\'i dileu\'n llwyddiannus', 'chapter_move' => 'pennod wedi symud', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'llyfr wedi creu', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => 'Mae ":name" wedi\'i ychwanegu at eich ffefrynnau', 'favourite_remove_notification' => 'Mae ":name" wedi\'i tynnu o\'ch ffefrynnau', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Dull aml-ffactor wedi\'i ffurfweddu\'n llwyddiannus', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Llwyddwyd i ddileu dull aml-ffactor', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'webhook wedi creu', 'webhook_create_notification' => 'Webhook wedi\'i creu\'n llwyddiannus', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook wedi\'i dileu\'n llwyddiannus', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Diweddarwyd y defnyddiwr yn llwyddiannus', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Tynnwyd y defnyddiwr yn llwyddiannus', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'gwnaeth sylwadau ar', 'permissions_update' => 'caniatadau wedi\'u diweddaru', diff --git a/lang/cy/common.php b/lang/cy/common.php index c74dcc907..de7937b2b 100644 --- a/lang/cy/common.php +++ b/lang/cy/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancel', + 'close' => 'Close', 'confirm' => 'Confirm', 'back' => 'Back', 'save' => 'Save', diff --git a/lang/cy/components.php b/lang/cy/components.php index cd5dca251..8a105096b 100644 --- a/lang/cy/components.php +++ b/lang/cy/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Image Select', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'View images uploaded to this page', 'image_search_hint' => 'Search by image name', 'image_uploaded' => 'Uploaded :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Load More', 'image_image_name' => 'Image Name', 'image_delete_used' => 'This image is used in the pages below.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Image uploaded successfully', 'image_update_success' => 'Image details successfully updated', 'image_delete_success' => 'Image successfully deleted', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Edit Code', diff --git a/lang/cy/entities.php b/lang/cy/entities.php index 9614f92fe..8cd7e925f 100644 --- a/lang/cy/entities.php +++ b/lang/cy/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Save Chapter', 'chapters_move' => 'Move Chapter', 'chapters_move_named' => 'Move Chapter :chapterName', - 'chapter_move_success' => 'Chapter moved to :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Chapter Permissions', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editing Page', 'pages_edit_draft_save_at' => 'Draft saved at ', 'pages_edit_delete_draft' => 'Delete Draft', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Discard Draft', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Page is not in a chapter', 'pages_move' => 'Move Page', - 'pages_move_success' => 'Page moved to ":parentName"', 'pages_copy' => 'Copy Page', 'pages_copy_desination' => 'Copy Destination', 'pages_copy_success' => 'Page successfully copied', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restore', 'pages_revisions_none' => 'This page has no revisions', 'pages_copy_link' => 'Copy Link', - 'pages_edit_content_link' => 'Edit Content', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Page Permissions Active', 'pages_initial_revision' => 'Initial publish', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'in the last :minCount minutes', 'message' => ':start :time. Take care not to overwrite each other\'s updates!', ], - 'pages_draft_discarded' => 'Draft discarded, The editor has been updated with the current page content', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specific Page', 'pages_is_template' => 'Page Template', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Leave a comment here', 'comment_count' => '{0} No Comments|{1} 1 Comment|[2,*] :count Comments', 'comment_save' => 'Save Comment', - 'comment_saving' => 'Saving comment...', - 'comment_deleting' => 'Deleting comment...', 'comment_new' => 'New Comment', 'comment_created' => 'commented :createDiff', 'comment_updated' => 'Updated :updateDiff by :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comment deleted', 'comment_created_success' => 'Comment added', 'comment_updated_success' => 'Comment updated', 'comment_delete_confirm' => 'Are you sure you want to delete this comment?', 'comment_in_reply_to' => 'In reply to :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Are you sure you want to delete this revision?', 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.', - 'revision_delete_success' => 'Revision deleted', 'revision_cannot_delete_latest' => 'Cannot delete the latest revision.', // Copy view diff --git a/lang/cy/errors.php b/lang/cy/errors.php index 7d857e798..ebf823dd9 100644 --- a/lang/cy/errors.php +++ b/lang/cy/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Bu gwall wrth uwchlwytho\'r ddelwedd', 'image_upload_type_error' => 'Mae\'r math o ddelwedd sy\'n cael ei huwchlwytho yn annilys', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Wedi methu cadw\'r drafft. Sicrhewch fod gennych gysylltiad rhyngrwyd cyn cadw\'r dudalen hon', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Methu dileu tudalen tra ei bod wedi\'i gosod fel hafan', // Entities diff --git a/lang/cy/settings.php b/lang/cy/settings.php index 38d817915..c110e8992 100644 --- a/lang/cy/settings.php +++ b/lang/cy/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Settings', 'settings_save' => 'Save Settings', - 'settings_save_success' => 'Settings saved', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Expiry Date', 'user_api_token_expiry_desc' => 'Set a date at which this token expires. After this date, requests made using this token will no longer work. Leaving this field blank will set an expiry 100 years into the future.', 'user_api_token_create_secret_message' => 'Immediately after creating this token a "Token ID" & "Token Secret" will be generated and displayed. The secret will only be shown a single time so be sure to copy the value to somewhere safe and secure before proceeding.', - 'user_api_token_create_success' => 'API token successfully created', - 'user_api_token_update_success' => 'API token successfully updated', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'This is a non-editable system generated identifier for this token which will need to be provided in API requests.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Delete Token', 'user_api_token_delete_warning' => 'This will fully delete this API token with the name \':tokenName\' from the system.', 'user_api_token_delete_confirm' => 'Are you sure you want to delete this API token?', - 'user_api_token_delete_success' => 'API token successfully deleted', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/da/activities.php b/lang/da/activities.php index c15486266..f27564132 100644 --- a/lang/da/activities.php +++ b/lang/da/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'gendannede side', 'page_restore_notification' => 'Siden blev gendannet', 'page_move' => 'flyttede side', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'oprettede kapitel', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'slettede kapitel', 'chapter_delete_notification' => 'Kapitel blev slettet', 'chapter_move' => 'flyttede kapitel', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'oprettede bog', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" er blevet tilføjet til dine favoritter', 'favourite_remove_notification' => '":name" er blevet fjernet fra dine favoritter', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-faktor metode konfigureret', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-faktor metode fjernet', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'oprettede webhook', 'webhook_create_notification' => 'Webhooken blev oprettet', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhooken blev slettet', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Brugeren blev opdateret', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Brugeren blev fjernet', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'kommenterede til', 'permissions_update' => 'Tilladelser opdateret', diff --git a/lang/da/common.php b/lang/da/common.php index be8065dc8..157558979 100644 --- a/lang/da/common.php +++ b/lang/da/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Annuller', + 'close' => 'Close', 'confirm' => 'Bekræft', 'back' => 'Tilbage', 'save' => 'Gem', diff --git a/lang/da/components.php b/lang/da/components.php index bac7ec39a..575786765 100644 --- a/lang/da/components.php +++ b/lang/da/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Billedselektion', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Vis billeder uploadet til denne side', 'image_search_hint' => 'Søg efter billednavn', 'image_uploaded' => 'Uploadet :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Indlæse mere', 'image_image_name' => 'Billednavn', 'image_delete_used' => 'Dette billede er brugt på siderne nedenfor.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Foto uploadet', 'image_update_success' => 'Billeddetaljer succesfuldt opdateret', 'image_delete_success' => 'Billede slettet', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Rediger kode', diff --git a/lang/da/entities.php b/lang/da/entities.php index 522fa7d7a..c07cabb26 100644 --- a/lang/da/entities.php +++ b/lang/da/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Gem kapitel', 'chapters_move' => 'Flyt kapitel', 'chapters_move_named' => 'Flyt kapitel :chapterName', - 'chapter_move_success' => 'Kapitel flyttet til :bookName', 'chapters_copy' => 'Kopier Kapitel', 'chapters_copy_success' => 'Kapitlet blev kopieret', 'chapters_permissions' => 'Kapiteltilladelser', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Redigerer side', 'pages_edit_draft_save_at' => 'Kladde gemt ved ', 'pages_edit_delete_draft' => 'Slet kladde', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Kassér kladde', 'pages_edit_switch_to_markdown' => 'Skift til Markdown redigering', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Side er ikke i et kapitel', 'pages_move' => 'Flyt side', - 'pages_move_success' => 'Flyt side til ":parentName"', 'pages_copy' => 'Kopier side', 'pages_copy_desination' => 'Kopier destination', 'pages_copy_success' => 'Side kopieret succesfuldt', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Gendan', 'pages_revisions_none' => 'Denne side har ingen revisioner', 'pages_copy_link' => 'Kopier link', - 'pages_edit_content_link' => 'Redigér indhold', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Aktive sidetilladelser', 'pages_initial_revision' => 'Første udgivelse', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'i de sidste :minCount minutter', 'message' => ':start : time. Pas på ikke at overskrive hinandens opdateringer!', ], - 'pages_draft_discarded' => 'Kladde kasseret, editoren er blevet opdateret med aktuelt sideindhold', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specifik side', 'pages_is_template' => 'Sideskabelon', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Skriv en kommentar her', 'comment_count' => '{0} Ingen kommentarer|{1} 1 Kommentar|[2,*] :count kommentarer', 'comment_save' => 'Gem kommentar', - 'comment_saving' => 'Gemmer kommentar...', - 'comment_deleting' => 'Sletter kommentar...', 'comment_new' => 'Ny kommentar', 'comment_created' => 'kommenteret :createDiff', 'comment_updated' => 'Opdateret :updateDiff af :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Kommentar slettet', 'comment_created_success' => 'Kommentaren er tilføjet', 'comment_updated_success' => 'Kommentaren er opdateret', 'comment_delete_confirm' => 'Er du sikker på, at du vil slette denne kommentar?', 'comment_in_reply_to' => 'Som svar til :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Er du sikker på at du vil slette denne revision?', 'revision_restore_confirm' => 'Er du sikker på at du ønsker at gendanne denne revision? Nuværende sideindhold vil blive erstattet.', - 'revision_delete_success' => 'Revision slettet', 'revision_cannot_delete_latest' => 'Kan ikke slette seneste revision.', // Copy view diff --git a/lang/da/errors.php b/lang/da/errors.php index cc021ef59..8b67f30e8 100644 --- a/lang/da/errors.php +++ b/lang/da/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Der opstod en fejl ved upload af billedet', 'image_upload_type_error' => 'Billedtypen, der uploades, er ugyldig', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Kunne ikke gemme kladde. Tjek at du har internetforbindelse før du gemmer siden', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Kan ikke slette en side der er sat som forside', // Entities diff --git a/lang/da/settings.php b/lang/da/settings.php index ecd12b34d..ebc1f00a2 100644 --- a/lang/da/settings.php +++ b/lang/da/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Indstillinger', 'settings_save' => 'Gem indstillinger', - 'settings_save_success' => 'Indstillingerne blev gemt', 'system_version' => 'Systemversion', 'categories' => 'Kategorier', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Udløbsdato', 'user_api_token_expiry_desc' => 'Indstil en dato, hvorpå denne token udløber. Efter denne dato fungerer anmodninger, der er lavet med denne token, ikke længere. Hvis du lader dette felt være tomt, udløber den 100 år ud i fremtiden.', 'user_api_token_create_secret_message' => 'Umiddelbart efter oprettelse af denne token genereres og vises et "Token-ID" og Token hemmelighed". Hemmeligheden vises kun en gang, så husk at kopiere værdien til et sikkert sted inden du fortsætter.', - 'user_api_token_create_success' => 'API token succesfuldt oprettet', - 'user_api_token_update_success' => 'API token succesfuldt opdateret', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token-ID', 'user_api_token_id_desc' => 'Dette er en ikke-redigerbar systemgenereret identifikator for denne token, som skal sendes i API-anmodninger.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Slet Token', 'user_api_token_delete_warning' => 'Dette vil helt slette API-token\'en med navnet \':tokenName\' fra systemet.', 'user_api_token_delete_confirm' => 'Er du sikker på, at du vil slette denne API-token?', - 'user_api_token_delete_success' => 'API-token slettet', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/de/activities.php b/lang/de/activities.php index e46edc1fd..0582e1b26 100644 --- a/lang/de/activities.php +++ b/lang/de/activities.php @@ -10,11 +10,12 @@ return [ 'page_create_notification' => 'Seite erfolgreich erstellt', 'page_update' => 'aktualisierte Seite', 'page_update_notification' => 'Seite erfolgreich aktualisiert', - 'page_delete' => 'gelöschte Seite', + 'page_delete' => 'hat die Seite gelöscht', 'page_delete_notification' => 'Seite erfolgreich gelöscht', - 'page_restore' => 'wiederhergestellte Seite', + 'page_restore' => 'hat die Seite wiederhergestellt', 'page_restore_notification' => 'Seite erfolgreich wiederhergestellt', 'page_move' => 'Seite verschoben', + 'page_move_notification' => 'Seite erfolgreich verschoben', // Chapters 'chapter_create' => 'erstellte Kapitel', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'löschte Kapitel', 'chapter_delete_notification' => 'Kapitel erfolgreich gelöscht', 'chapter_move' => 'verschob Kapitel', + 'chapter_move_notification' => 'Kapitel erfolgreich verschoben', // Books 'book_create' => 'erstellte Buch', @@ -47,31 +49,67 @@ return [ 'bookshelf_delete' => 'löschte Regal', 'bookshelf_delete_notification' => 'Regal erfolgreich gelöscht', + // Revisions + 'revision_restore' => 'stellte Revision wieder her:', + 'revision_delete' => 'löschte Revision', + 'revision_delete_notification' => 'Revision erfolgreich gelöscht', + // Favourites 'favourite_add_notification' => '":name" wurde zu Ihren Favoriten hinzugefügt', 'favourite_remove_notification' => '":name" wurde aus Ihren Favoriten entfernt', - // MFA + // Auth + 'auth_login' => 'hat sich eingeloggt', + 'auth_register' => 'hat sich als neuer Benutzer registriert', + 'auth_password_reset_request' => 'hat eine Rücksetzung des Benutzerpassworts beantragt', + 'auth_password_reset_update' => 'hat Benutzerpasswort zurückgesetzt', + 'mfa_setup_method' => 'hat MFA-Methode konfiguriert', 'mfa_setup_method_notification' => 'Multi-Faktor-Methode erfolgreich konfiguriert', + 'mfa_remove_method' => 'hat MFA-Methode entfernt', 'mfa_remove_method_notification' => 'Multi-Faktor-Methode erfolgreich entfernt', + // Settings + 'settings_update' => 'hat Einstellungen aktualisiert', + 'settings_update_notification' => 'Einstellungen erfolgreich aktualisiert', + 'maintenance_action_run' => 'hat Wartungsarbeiten ausgeführt', + // Webhooks - 'webhook_create' => 'erstellter Webhook', + 'webhook_create' => 'erstellte Webhook', 'webhook_create_notification' => 'Webhook wurde erfolgreich eingerichtet', - 'webhook_update' => 'aktualisierter Webhook', + 'webhook_update' => 'aktualisierte Webhook', 'webhook_update_notification' => 'Webhook wurde erfolgreich aktualisiert', - 'webhook_delete' => 'gelöschter Webhook', + 'webhook_delete' => 'löschte Webhook', 'webhook_delete_notification' => 'Webhook erfolgreich gelöscht', // Users + 'user_create' => 'hat Benutzer erzeugt:', + 'user_create_notification' => 'Benutzer erfolgreich erstellt', + 'user_update' => 'hat Benutzer aktualisiert:', 'user_update_notification' => 'Benutzer erfolgreich aktualisiert', + 'user_delete' => 'hat Benutzer gelöscht: ', 'user_delete_notification' => 'Benutzer erfolgreich entfernt', + // API Tokens + 'api_token_create' => 'hat API-Token erzeugt:', + 'api_token_create_notification' => 'API-Token erfolgreich erstellt', + 'api_token_update' => 'hat API-Token aktualisiert:', + 'api_token_update_notification' => 'API-Token erfolgreich aktualisiert', + 'api_token_delete' => 'hat API-Token gelöscht:', + 'api_token_delete_notification' => 'API-Token erfolgreich gelöscht', + // Roles + 'role_create' => 'hat Rolle erzeugt', 'role_create_notification' => 'Rolle erfolgreich angelegt', + 'role_update' => 'hat Rolle aktualisiert', 'role_update_notification' => 'Rolle erfolgreich aktualisiert', + 'role_delete' => 'hat Rolle gelöscht', 'role_delete_notification' => 'Rolle erfolgreich gelöscht', + // Recycle Bin + 'recycle_bin_empty' => 'hat den Papierkorb geleert', + 'recycle_bin_restore' => 'aus dem Papierkorb wiederhergestellt', + 'recycle_bin_destroy' => 'aus dem Papierkorb gelöscht', + // Other 'commented_on' => 'hat einen Kommentar hinzugefügt', 'permissions_update' => 'hat die Berechtigungen aktualisiert', diff --git a/lang/de/auth.php b/lang/de/auth.php index c05d98732..505ae0dd5 100644 --- a/lang/de/auth.php +++ b/lang/de/auth.php @@ -28,14 +28,14 @@ return [ 'create_account' => 'Account erstellen', 'already_have_account' => 'Sie haben bereits einen Account?', 'dont_have_account' => 'Sie haben noch keinen Account?', - 'social_login' => 'Mit Sozialem Netzwerk anmelden', - 'social_registration' => 'Mit Sozialem Netzwerk registrieren', + 'social_login' => 'Mit sozialem Netzwerk anmelden', + 'social_registration' => 'Mit sozialem Netzwerk registrieren', 'social_registration_text' => 'Mit einem anderen Dienst registrieren oder anmelden.', 'register_thanks' => 'Vielen Dank für Ihre Registrierung!', - 'register_confirm' => 'Bitte prüfen Sie Ihren Posteingang und bestätigen Sie die Registrierung.', + 'register_confirm' => 'Bitte prüfen Sie Ihren Posteingang und bestätigen Sie die Registrierung, um :appName nutzen zu können.', 'registrations_disabled' => 'Eine Registrierung ist momentan nicht möglich', - 'registration_email_domain_invalid' => 'Sie können sich mit dieser E-Mail-Adresse nicht registrieren', + 'registration_email_domain_invalid' => 'Sie können sich mit dieser E-Mail-Adresse nicht für diese Anwendung registrieren', 'register_success' => 'Vielen Dank für Ihre Registrierung! Die Daten sind gespeichert und Sie sind angemeldet.', // Login auto-initiation @@ -58,25 +58,25 @@ return [ 'email_confirm_greeting' => 'Danke, dass Sie sich für :appName registriert haben!', 'email_confirm_text' => 'Bitte bestätigen Sie Ihre E-Mail-Adresse, indem Sie auf die Schaltfläche klicken:', 'email_confirm_action' => 'E-Mail-Adresse bestätigen', - 'email_confirm_send_error' => 'Leider konnte die für die Registrierung notwendige E-Mail zur Bestätigung Ihrer E-Mail-Adresse nicht versandt werden. Bitte kontaktieren Sie den Systemadministrator!', + 'email_confirm_send_error' => 'Leider konnte die für die Registrierung notwendige E-Mail zur Bestätigung Ihrer E-Mail-Adresse nicht versandt werden. Bitte kontaktieren Sie den Systemadministrator.', 'email_confirm_success' => 'Ihre E-Mail wurde bestätigt! Sie sollten nun in der Lage sein, sich mit dieser E-Mail-Adresse anzumelden.', 'email_confirm_resent' => 'Bestätigungs-E-Mail wurde erneut versendet, bitte überprüfen Sie Ihren Posteingang.', 'email_confirm_thanks' => 'Vielen Dank für das Bestätigen!', - 'email_confirm_thanks_desc' => 'Bitte warten Sie einen Augenblick, während Ihre Bestätigung bearbeitet wird. Wenn Sie nach 3 Sekunden nicht weitergeleitet werden, drücken Sie unten den "Weiter" Link, um fortzufahren.', + 'email_confirm_thanks_desc' => 'Bitte warten Sie einen Augenblick, während Ihre Bestätigung bearbeitet wird. Wenn Sie nach 3 Sekunden nicht weitergeleitet werden, drücken Sie unten den „Weiter“-Link, um fortzufahren.', 'email_not_confirmed' => 'E-Mail-Adresse ist nicht bestätigt', 'email_not_confirmed_text' => 'Ihre E-Mail-Adresse ist bisher nicht bestätigt.', 'email_not_confirmed_click_link' => 'Bitte klicken Sie auf den Link in der E-Mail, die Sie nach der Registrierung erhalten haben.', - 'email_not_confirmed_resend' => 'Wenn Sie die E-Mail nicht erhalten haben, können Sie die Nachricht erneut anfordern. Füllen Sie hierzu bitte das folgende Formular aus:', + 'email_not_confirmed_resend' => 'Wenn Sie die E-Mail nicht erhalten haben, können Sie die Nachricht erneut anfordern. Füllen Sie hierzu bitte das folgende Formular aus.', 'email_not_confirmed_resend_button' => 'Bestätigungs-E-Mail erneut senden', // User Invite - 'user_invite_email_subject' => 'Sie wurden eingeladen :appName beizutreten!', + 'user_invite_email_subject' => 'Sie wurden eingeladen, :appName beizutreten!', 'user_invite_email_greeting' => 'Ein Konto wurde für Sie auf :appName erstellt.', 'user_invite_email_text' => 'Klicken Sie auf die Schaltfläche unten, um ein Passwort festzulegen und Zugriff zu erhalten:', 'user_invite_email_action' => 'Account-Passwort festlegen', 'user_invite_page_welcome' => 'Willkommen bei :appName!', - 'user_invite_page_text' => 'Um die Anmeldung abzuschließen und Zugriff auf :appName zu bekommen muss noch ein Passwort festgelegt werden. Dieses wird in Zukunft für die Anmeldung benötigt.', + 'user_invite_page_text' => 'Um die Anmeldung abzuschließen und Zugriff auf :appName zu bekommen, muss noch ein Passwort festgelegt werden. Dieses wird in Zukunft für die Anmeldung benötigt.', 'user_invite_page_confirm_button' => 'Passwort bestätigen', 'user_invite_success_login' => 'Passwort gesetzt, Sie sollten nun in der Lage sein, sich mit Ihrem Passwort an :appName anzumelden!', @@ -87,31 +87,31 @@ return [ 'mfa_setup_reconfigure' => 'Umkonfigurieren', 'mfa_setup_remove_confirmation' => 'Sind Sie sicher, dass Sie diese Multi-Faktor-Authentifizierungsmethode entfernen möchten?', 'mfa_setup_action' => 'Einrichtung', - 'mfa_backup_codes_usage_limit_warning' => 'Sie haben weniger als 5 Backup-Codes übrig, Bitte erstellen und speichern Sie ein neues Set bevor Sie keine Codes mehr haben, um zu verhindern, dass Sie von Ihrem Konto gesperrt werden.', - 'mfa_option_totp_title' => 'Mobile App', - 'mfa_option_totp_desc' => 'Um Mehrfach-Faktor-Authentifizierung nutzen zu können, benötigen Sie eine mobile Anwendung, die TOTP unterstützt, wie Google Authenticator, Authy oder Microsoft Authenticator.', - 'mfa_option_backup_codes_title' => 'Backup Code', + 'mfa_backup_codes_usage_limit_warning' => 'Sie haben weniger als 5 Backup-Codes übrig, bitte erstellen und speichern Sie ein neues Set, bevor Ihnen die Codes ausgehen, um zu verhindern, dass Sie aus Ihrem Konto ausgesperrt werden.', + 'mfa_option_totp_title' => 'Handy-App', + 'mfa_option_totp_desc' => 'Um Mehrfach-Faktor-Authentifizierung nutzen zu können, benötigen Sie eine Handy-Anwendung, die TOTP unterstützt, wie Google Authenticator, Authy oder Microsoft Authenticator.', + 'mfa_option_backup_codes_title' => 'Backup-Codes', 'mfa_option_backup_codes_desc' => 'Speichern Sie sicher eine Reihe von einmaligen Backup-Codes, die Sie eingeben können, um Ihre Identität zu überprüfen.', 'mfa_gen_confirm_and_enable' => 'Bestätigen und aktivieren', 'mfa_gen_backup_codes_title' => 'Backup-Codes einrichten', - 'mfa_gen_backup_codes_desc' => 'Speichern Sie die folgende Liste der Codes an einem sicheren Ort. Wenn Sie auf das System zugreifen, können Sie einen der Codes als zweiten Authentifizierungsmechanismus verwenden.', - 'mfa_gen_backup_codes_download' => 'Download Codes', + 'mfa_gen_backup_codes_desc' => 'Speichern Sie die folgende Liste von Codes an einem sicheren Ort. Wenn Sie auf das System zugreifen, können Sie einen der Codes als zweiten Authentifizierungsmechanismus verwenden.', + 'mfa_gen_backup_codes_download' => 'Codes herunterladen', 'mfa_gen_backup_codes_usage_warning' => 'Jeder Code kann nur einmal verwendet werden', - 'mfa_gen_totp_title' => 'Mobile App einrichten', - 'mfa_gen_totp_desc' => 'Um Mehrfach-Faktor-Authentifizierung nutzen zu können, benötigen Sie eine mobile Anwendung, die TOTP unterstützt, wie Google Authenticator, Authy oder Microsoft Authenticator.', + 'mfa_gen_totp_title' => 'Handy-App einrichten', + 'mfa_gen_totp_desc' => 'Um Multi-Faktor-Authentifizierung nutzen zu können, benötigen Sie eine Handy-Anwendung, die TOTP unterstützt, wie Google Authenticator, Authy oder Microsoft Authenticator.', 'mfa_gen_totp_scan' => 'Scannen Sie den QR-Code unten mit Ihrer bevorzugten Authentifizierungs-App, um loszulegen.', 'mfa_gen_totp_verify_setup' => 'Setup überprüfen', - 'mfa_gen_totp_verify_setup_desc' => 'Überprüfen Sie, dass alles funktioniert, indem Sie einen Code in Ihrer Authentifizierungs-App in das Eingabefeld unten eingeben:', - 'mfa_gen_totp_provide_code_here' => 'Geben Sie hier Ihre App generierten Code ein', + 'mfa_gen_totp_verify_setup_desc' => 'Überprüfen Sie, dass alles funktioniert, indem Sie einen von Ihrer Authentifizierungs-App generierten Code in das Eingabefeld unten eingeben:', + 'mfa_gen_totp_provide_code_here' => 'Geben Sie hier Ihren App-generierten Code ein', 'mfa_verify_access' => 'Zugriff überprüfen', - 'mfa_verify_access_desc' => 'Ihr Benutzerkonto erfordert, dass Sie Ihre Identität über eine zusätzliche Verifikationsebene bestätigen, bevor Sie den Zugriff gewähren. Überprüfen Sie mit einer Ihrer konfigurierten Methoden, um fortzufahren.', + 'mfa_verify_access_desc' => 'Ihr Benutzerkonto erfordert, dass Sie Ihre Identität über eine zusätzliche Verifikationsebene bestätigen, bevor Sie Zugriff erhalten. Nutzen Sie dazu eine Ihrer konfigurierten Methoden, um fortzufahren.', 'mfa_verify_no_methods' => 'Keine Methoden konfiguriert', - 'mfa_verify_no_methods_desc' => 'Es konnten keine Mehrfach-Faktor-Authentifizierungsmethoden für Ihr Konto gefunden werden. Sie müssen mindestens eine Methode einrichten, bevor Sie Zugriff erhalten.', - 'mfa_verify_use_totp' => 'Mit einer mobilen App verifizieren', + 'mfa_verify_no_methods_desc' => 'Es konnten keine Multi-Faktor-Authentifizierungsmethoden für Ihr Konto gefunden werden. Sie müssen mindestens eine Methode einrichten, bevor Sie Zugriff erhalten.', + 'mfa_verify_use_totp' => 'Mit einer Handy-App verifizieren', 'mfa_verify_use_backup_codes' => 'Mit einem Backup-Code überprüfen', 'mfa_verify_backup_code' => 'Backup-Code', - 'mfa_verify_backup_code_desc' => 'Geben Sie einen Ihrer verbleibenden Backup-Codes unten ein:', + 'mfa_verify_backup_code_desc' => 'Geben Sie unten einen Ihrer verbleibenden Backup-Codes ein:', 'mfa_verify_backup_code_enter_here' => 'Backup-Code hier eingeben', - 'mfa_verify_totp_desc' => 'Geben Sie den Code ein, der mit Ihrer mobilen App generiert wurde:', + 'mfa_verify_totp_desc' => 'Geben Sie den Code ein, der mit Ihrer Handy-App generiert wurde:', 'mfa_setup_login_notification' => 'Multi-Faktor-Methode konfiguriert. Bitte melden Sie sich jetzt erneut mit der konfigurierten Methode an.', ]; diff --git a/lang/de/common.php b/lang/de/common.php index d640fe6a4..6b159aa25 100644 --- a/lang/de/common.php +++ b/lang/de/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Abbrechen', + 'close' => 'Schließen', 'confirm' => 'Bestätigen', 'back' => 'Zurück', 'save' => 'Speichern', @@ -19,7 +20,7 @@ return [ 'description' => 'Beschreibung', 'role' => 'Rolle', 'cover_image' => 'Titelbild', - 'cover_image_description' => 'Das Bild sollte eine Auflösung von 440x250px haben.', + 'cover_image_description' => 'Das Bild sollte eine Auflösung von ca. 440x250px haben.', // Actions 'actions' => 'Aktionen', diff --git a/lang/de/components.php b/lang/de/components.php index 476e1931d..1f4c409af 100644 --- a/lang/de/components.php +++ b/lang/de/components.php @@ -6,27 +6,34 @@ return [ // Image Manager 'image_select' => 'Bild auswählen', + 'image_list' => 'Bilderliste', + 'image_details' => 'Bilddetails', 'image_upload' => 'Bild hochladen', 'image_intro' => 'Hier können Sie die zuvor hochgeladenen Bilder auswählen und verwalten.', - 'image_intro_upload' => 'Laden Sie ein neues Bild hoch, indem Sie eine Bilddatei in dieses Fenster ziehen oder über die Schaltfläche "Bild hochladen" oben klicken.', + 'image_intro_upload' => 'Laden Sie ein neues Bild hoch, indem Sie eine Bilddatei in dieses Fenster ziehen oder auf die Schaltfläche "Bild hochladen" oben klicken.', 'image_all' => 'Alle', 'image_all_title' => 'Alle Bilder anzeigen', 'image_book_title' => 'Zeige alle Bilder, die in dieses Buch hochgeladen wurden', 'image_page_title' => 'Zeige alle Bilder, die auf diese Seite hochgeladen wurden', 'image_search_hint' => 'Nach Bildnamen suchen', 'image_uploaded' => 'Hochgeladen am :uploadedDate', + 'image_uploaded_by' => 'Hochgeladen von :userName', + 'image_uploaded_to' => 'Hochgeladen auf :pageLink', + 'image_updated' => 'Aktualisiert am :updateDate', 'image_load_more' => 'Mehr', 'image_image_name' => 'Bildname', 'image_delete_used' => 'Dieses Bild wird auf den folgenden Seiten benutzt. ', 'image_delete_confirm_text' => 'Möchten Sie dieses Bild wirklich löschen?', 'image_select_image' => 'Bild auswählen', 'image_dropzone' => 'Ziehen Sie Bilder hierher oder klicken Sie hier, um ein Bild auszuwählen', - 'image_dropzone_drop' => 'Ziehe Dateien hierher, um sie hochzuladen', + 'image_dropzone_drop' => 'Ziehen Sie Dateien hierher, um sie hochzuladen', 'images_deleted' => 'Bilder gelöscht', 'image_preview' => 'Bildvorschau', 'image_upload_success' => 'Bild erfolgreich hochgeladen', 'image_update_success' => 'Bilddetails erfolgreich aktualisiert', 'image_delete_success' => 'Bild erfolgreich gelöscht', + 'image_replace' => 'Bild ersetzen', + 'image_replace_success' => 'Bild erfolgreich aktualisiert', // Code Editor 'code_editor' => 'Code editieren', diff --git a/lang/de/entities.php b/lang/de/entities.php index 066623c66..22c44686d 100644 --- a/lang/de/entities.php +++ b/lang/de/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Kapitel speichern', 'chapters_move' => 'Kapitel verschieben', 'chapters_move_named' => 'Kapitel ":chapterName" verschieben', - 'chapter_move_success' => 'Das Kapitel wurde in das Buch ":bookName" verschoben.', 'chapters_copy' => 'Kapitel kopieren', 'chapters_copy_success' => 'Kapitel erfolgreich kopiert', 'chapters_permissions' => 'Kapitel-Berechtigungen', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Seite bearbeiten', 'pages_edit_draft_save_at' => 'Entwurf gespeichert um ', 'pages_edit_delete_draft' => 'Entwurf löschen', + 'pages_edit_delete_draft_confirm' => 'Sind Sie sicher, dass Sie Ihren Entwurf löschen möchten? Alle Ihre Änderungen seit dem letzten vollständigen Speichern gehen verloren und der Editor wird mit dem letzten Speicherzustand aktualisiert, der kein Entwurf ist.', 'pages_edit_discard_draft' => 'Entwurf verwerfen', 'pages_edit_switch_to_markdown' => 'Zum Markdown Editor wechseln', 'pages_edit_switch_to_markdown_clean' => '(gesäuberter Output)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Vorschau synchronisieren', 'pages_not_in_chapter' => 'Seite ist in keinem Kapitel', 'pages_move' => 'Seite verschieben', - 'pages_move_success' => 'Seite nach ":parentName" verschoben', 'pages_copy' => 'Seite kopieren', 'pages_copy_desination' => 'Ziel', 'pages_copy_success' => 'Seite erfolgreich kopiert', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Wiederherstellen', 'pages_revisions_none' => 'Diese Seite hat keine älteren Versionen.', 'pages_copy_link' => 'Link kopieren', - 'pages_edit_content_link' => 'Inhalt bearbeiten', + 'pages_edit_content_link' => 'Im Editor zum Abschnitt springen', + 'pages_pointer_enter_mode' => 'Abschnittsauswahlmodus aktivieren', + 'pages_pointer_label' => 'Abschnittsoptionen der Seite', + 'pages_pointer_permalink' => 'Seitenabschnitt-Permalink', + 'pages_pointer_include_tag' => 'Seitenabschnitts-Include-Tag', + 'pages_pointer_toggle_link' => 'Permalink-Modus, Drücken, um Include-Tag anzuzeigen', + 'pages_pointer_toggle_include' => 'Include-Tag-Modus, Drücken, um Permalink anzuzeigen', 'pages_permissions_active' => 'Seiten-Berechtigungen aktiv', 'pages_initial_revision' => 'Erste Veröffentlichung', 'pages_references_update_revision' => 'Automatische Systemaktualisierung interner Links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'in den letzten :minCount Minuten', 'message' => ':start :time. Achten Sie darauf, keine Änderungen von anderen Benutzern zu überschreiben!', ], - 'pages_draft_discarded' => 'Entwurf verworfen. Der aktuelle Seiteninhalt wurde geladen.', + 'pages_draft_discarded' => 'Entwurf verworfen! Der aktuelle Seiteninhalt wurde geladen', + 'pages_draft_deleted' => 'Entwurf gelöscht. Der aktuelle Seiteninhalt wurde geladen', 'pages_specific' => 'Spezifische Seite', 'pages_is_template' => 'Seitenvorlage', @@ -313,7 +319,7 @@ return [ 'attachments_explain_instant_save' => 'Änderungen werden direkt gespeichert.', 'attachments_upload' => 'Datei hochladen', 'attachments_link' => 'Link hinzufügen', - 'attachments_upload_drop' => 'Alternativ können Sie eine Datei per Drag & Drop hier hochladen, um sie als Anhang hochzuladen.', + 'attachments_upload_drop' => 'Alternativ können Sie eine Datei per Drag & Drop hier als Anhang hochladen.', 'attachments_set_link' => 'Link setzen', 'attachments_delete' => 'Sind Sie sicher, dass Sie diesen Anhang löschen möchten?', 'attachments_dropzone' => 'Ziehe Dateien hierher, um sie hochzuladen', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Geben Sie hier Ihre Kommentare ein (Markdown unterstützt)', 'comment_count' => '{0} Keine Kommentare|{1} 1 Kommentar|[2,*] :count Kommentare', 'comment_save' => 'Kommentar speichern', - 'comment_saving' => 'Kommentar wird gespeichert...', - 'comment_deleting' => 'Kommentar wird gelöscht...', 'comment_new' => 'Neuer Kommentar', 'comment_created' => ':createDiff kommentiert', 'comment_updated' => ':updateDiff aktualisiert von :username', + 'comment_updated_indicator' => 'Aktualisiert', 'comment_deleted_success' => 'Kommentar gelöscht', 'comment_created_success' => 'Kommentar hinzugefügt', 'comment_updated_success' => 'Kommentar aktualisiert', 'comment_delete_confirm' => 'Möchten Sie diesen Kommentar wirklich löschen?', 'comment_in_reply_to' => 'Antwort auf :commentId', + 'comment_editor_explain' => 'Hier sind die Kommentare, die auf dieser Seite hinterlassen wurden. Kommentare können hinzugefügt und verwaltet werden, wenn die gespeicherte Seite angezeigt wird.', // Revision 'revision_delete_confirm' => 'Sind Sie sicher, dass Sie diese Revision löschen wollen?', 'revision_restore_confirm' => 'Sind Sie sicher, dass Sie diese Revision wiederherstellen wollen? Der aktuelle Seiteninhalt wird ersetzt.', - 'revision_delete_success' => 'Revision gelöscht', 'revision_cannot_delete_latest' => 'Die letzte Version kann nicht gelöscht werden.', // Copy view diff --git a/lang/de/errors.php b/lang/de/errors.php index e74d5eb06..1d6c7f422 100644 --- a/lang/de/errors.php +++ b/lang/de/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Beim Hochladen des Bildes trat ein Fehler auf.', 'image_upload_type_error' => 'Der Bildtyp der hochgeladenen Datei ist ungültig.', + 'image_upload_replace_type' => 'Bild-Ersetzungen müssen vom gleichen Typ sein', 'drawing_data_not_found' => 'Zeichnungsdaten konnten nicht geladen werden. Die Zeichnungsdatei existiert möglicherweise nicht mehr oder Sie haben nicht die Berechtigung, darauf zuzugreifen.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Fehler beim Speichern des Entwurfs. Stellen Sie sicher, dass Sie mit dem Internet verbunden sind, bevor Sie den Entwurf dieser Seite speichern.', + 'page_draft_delete_fail' => 'Fehler beim Löschen des Seitenentwurfs und beim Abrufen des gespeicherten Inhalts der aktuellen Seite', 'page_custom_home_deletion' => 'Eine als Startseite gesetzte Seite kann nicht gelöscht werden', // Entities diff --git a/lang/de/settings.php b/lang/de/settings.php index d4346e27a..00c5cde2d 100644 --- a/lang/de/settings.php +++ b/lang/de/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Einstellungen', 'settings_save' => 'Einstellungen speichern', - 'settings_save_success' => 'Einstellungen gespeichert', 'system_version' => 'Systemversion', 'categories' => 'Kategorien', @@ -233,8 +232,6 @@ Hinweis: Benutzer können ihre E-Mail-Adresse nach erfolgreicher Registrierung 'user_api_token_expiry' => 'Ablaufdatum', 'user_api_token_expiry_desc' => 'Legen Sie ein Datum fest, an dem dieser Token abläuft. Nach diesem Datum funktionieren Anfragen, die mit diesem Token gestellt werden, nicht mehr. Wenn Sie dieses Feld leer lassen, wird ein Ablaufdatum von 100 Jahren in der Zukunft festgelegt.', 'user_api_token_create_secret_message' => 'Unmittelbar nach der Erstellung dieses Tokens wird eine "Token ID" & ein "Token Kennwort" generiert und angezeigt. Das Kennwort wird nur ein einziges Mal angezeigt. Stellen Sie also sicher, dass Sie den Inhalt an einen sicheren Ort kopieren, bevor Sie fortfahren.', - 'user_api_token_create_success' => 'API-Token erfolgreich erstellt', - 'user_api_token_update_success' => 'API-Token erfolgreich aktualisiert', 'user_api_token' => 'API-Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Dies ist ein nicht editierbarer, vom System generierter Identifikator für diesen Token, welcher bei API-Anfragen angegeben werden muss.', @@ -245,7 +242,6 @@ Hinweis: Benutzer können ihre E-Mail-Adresse nach erfolgreicher Registrierung 'user_api_token_delete' => 'Lösche Token', 'user_api_token_delete_warning' => 'Dies löscht den API-Token mit dem Namen \':tokenName\' vollständig aus dem System.', 'user_api_token_delete_confirm' => 'Sind Sie sicher, dass Sie diesen API-Token löschen möchten?', - 'user_api_token_delete_success' => 'API-Token erfolgreich gelöscht', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/de_informal/activities.php b/lang/de_informal/activities.php index 01e20f2c9..48fd24315 100644 --- a/lang/de_informal/activities.php +++ b/lang/de_informal/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'stellt Seite wieder her', 'page_restore_notification' => 'Seite erfolgreich wiederhergestellt', 'page_move' => 'verschiebt Seite', + 'page_move_notification' => 'Seite erfolgreich verschoben', // Chapters 'chapter_create' => 'erstellt Kapitel', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'löscht Kapitel', 'chapter_delete_notification' => 'Kapitel erfolgreich gelöscht', 'chapter_move' => 'verschiebt Kapitel', + 'chapter_move_notification' => 'Kapitel erfolgreich verschoben', // Books 'book_create' => 'erstellt Buch', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'Regal gelöscht', 'bookshelf_delete_notification' => 'Regal erfolgreich gelöscht', + // Revisions + 'revision_restore' => 'stellte Revision wieder her:', + 'revision_delete' => 'löschte Revision', + 'revision_delete_notification' => 'Revision erfolgreich gelöscht', + // Favourites 'favourite_add_notification' => '":name" wurde zu deinen Favoriten hinzugefügt', 'favourite_remove_notification' => '":name" wurde aus deinen Favoriten entfernt', - // MFA + // Auth + 'auth_login' => 'hat sich eingeloggt', + 'auth_register' => 'hat sich als neuer Benutzer registriert', + 'auth_password_reset_request' => 'hat eine Rücksetzung des Benutzerpassworts beantragt', + 'auth_password_reset_update' => 'hat Benutzerpasswort zurückgesetzt', + 'mfa_setup_method' => 'hat MFA-Methode konfiguriert', 'mfa_setup_method_notification' => 'Multi-Faktor-Methode erfolgreich konfiguriert', + 'mfa_remove_method' => 'hat MFA-Methode entfernt', 'mfa_remove_method_notification' => 'Multi-Faktor-Methode erfolgreich entfernt', + // Settings + 'settings_update' => 'hat Einstellungen aktualisiert', + 'settings_update_notification' => 'Einstellungen erfolgreich aktualisiert', + 'maintenance_action_run' => 'hat Wartungsarbeiten ausgeführt', + // Webhooks 'webhook_create' => 'erstellter Webhook', 'webhook_create_notification' => 'Webhook erfolgreich eingerichtet', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook erfolgreich gelöscht', // Users + 'user_create' => 'hat Benutzer erzeugt:', + 'user_create_notification' => 'Benutzer erfolgreich erstellt', + 'user_update' => 'hat Benutzer aktualisiert:', 'user_update_notification' => 'Benutzer erfolgreich aktualisiert', + 'user_delete' => 'hat Benutzer gelöscht: ', 'user_delete_notification' => 'Benutzer erfolgreich entfernt', + // API Tokens + 'api_token_create' => 'hat API-Token erzeugt:', + 'api_token_create_notification' => 'API-Token erfolgreich erstellt', + 'api_token_update' => 'hat API-Token aktualisiert:', + 'api_token_update_notification' => 'API-Token erfolgreich aktualisiert', + 'api_token_delete' => 'hat API-Token gelöscht:', + 'api_token_delete_notification' => 'API-Token erfolgreich gelöscht', + // Roles + 'role_create' => 'hat Rolle erzeugt:', 'role_create_notification' => 'Rolle erfolgreich erstellt', + 'role_update' => 'hat Rolle aktualisiert:', 'role_update_notification' => 'Rolle erfolgreich aktualisiert', + 'role_delete' => 'hat Rolle gelöscht:', 'role_delete_notification' => 'Rolle erfolgreich gelöscht', + // Recycle Bin + 'recycle_bin_empty' => 'hat den Papierkorb geleert', + 'recycle_bin_restore' => 'aus dem Papierkorb wiederhergestellt', + 'recycle_bin_destroy' => 'aus dem Papierkorb gelöscht', + // Other 'commented_on' => 'kommentiert', 'permissions_update' => 'aktualisierte Berechtigungen', diff --git a/lang/de_informal/common.php b/lang/de_informal/common.php index 1d53a7da9..fb77aa8c6 100644 --- a/lang/de_informal/common.php +++ b/lang/de_informal/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Abbrechen', + 'close' => 'Schließen', 'confirm' => 'Bestätigen', 'back' => 'Zurück', 'save' => 'Speichern', diff --git a/lang/de_informal/components.php b/lang/de_informal/components.php index 90bdfb720..fc3e61a0c 100644 --- a/lang/de_informal/components.php +++ b/lang/de_informal/components.php @@ -6,15 +6,20 @@ return [ // Image Manager 'image_select' => 'Bild auswählen', + 'image_list' => 'Bilderliste', + 'image_details' => 'Bilddetails', 'image_upload' => 'Bild hochladen', - 'image_intro' => 'Hier können Sie die zuvor hochgeladenen Bilder auswählen und verwalten.', - 'image_intro_upload' => 'Laden Sie ein neues Bild hoch, indem Sie eine Bilddatei in dieses Fenster ziehen oder über die Schaltfläche "Bild hochladen" oben klicken.', + 'image_intro' => 'Hier kannst du die zuvor hochgeladenen Bilder auswählen und verwalten.', + 'image_intro_upload' => 'Lade ein neues Bild hoch, indem du eine Bilddatei in dieses Fenster ziehst oder auf die Schaltfläche "Bild hochladen" oben klickst.', 'image_all' => 'Alle', 'image_all_title' => 'Alle Bilder anzeigen', 'image_book_title' => 'Zeige alle Bilder, die in dieses Buch hochgeladen wurden', 'image_page_title' => 'Zeige alle Bilder, die auf diese Seite hochgeladen wurden', 'image_search_hint' => 'Nach Bildnamen suchen', 'image_uploaded' => 'Hochgeladen am :uploadedDate', + 'image_uploaded_by' => 'Hochgeladen von :userName', + 'image_uploaded_to' => 'Hochgeladen auf :pageLink', + 'image_updated' => 'Aktualisiert am :updateDate', 'image_load_more' => 'Mehr', 'image_image_name' => 'Bildname', 'image_delete_used' => 'Dieses Bild wird auf den folgenden Seiten benutzt.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Bild erfolgreich hochgeladen', 'image_update_success' => 'Bilddetails erfolgreich aktualisiert', 'image_delete_success' => 'Bild erfolgreich gelöscht', + 'image_replace' => 'Bild ersetzen', + 'image_replace_success' => 'Bild erfolgreich aktualisiert', // Code Editor 'code_editor' => 'Code editieren', diff --git a/lang/de_informal/entities.php b/lang/de_informal/entities.php index cf7a5218f..9e6508112 100644 --- a/lang/de_informal/entities.php +++ b/lang/de_informal/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Kapitel speichern', 'chapters_move' => 'Kapitel verschieben', 'chapters_move_named' => 'Kapitel ":chapterName" verschieben', - 'chapter_move_success' => 'Das Kapitel wurde in das Buch ":bookName" verschoben.', 'chapters_copy' => 'Kapitel kopieren', 'chapters_copy_success' => 'Kapitel erfolgreich kopiert', 'chapters_permissions' => 'Kapitel-Berechtigungen', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Seite bearbeiten', 'pages_edit_draft_save_at' => 'Entwurf gespeichert um ', 'pages_edit_delete_draft' => 'Entwurf löschen', + 'pages_edit_delete_draft_confirm' => 'Bist du sicher, dass du deinen Entwurf löschen möchtest? Alle deine Änderungen seit dem letzten vollständigen Speichern gehen verloren und der Editor wird mit dem letzten Speicherzustand aktualisiert, der kein Entwurf ist.', 'pages_edit_discard_draft' => 'Entwurf verwerfen', 'pages_edit_switch_to_markdown' => 'Zum Markdown Editor wechseln', 'pages_edit_switch_to_markdown_clean' => '(Sauberer Inhalt)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Vorschau synchronisieren', 'pages_not_in_chapter' => 'Seite ist in keinem Kapitel', 'pages_move' => 'Seite verschieben', - 'pages_move_success' => 'Seite nach ":parentName" verschoben', 'pages_copy' => 'Seite kopieren', 'pages_copy_desination' => 'Ziel', 'pages_copy_success' => 'Seite erfolgreich kopiert', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Wiederherstellen', 'pages_revisions_none' => 'Diese Seite hat keine älteren Versionen.', 'pages_copy_link' => 'Link kopieren', - 'pages_edit_content_link' => 'Inhalt bearbeiten', + 'pages_edit_content_link' => 'Im Editor zum Abschnitt springen', + 'pages_pointer_enter_mode' => 'Abschnittsauswahlmodus aktivieren', + 'pages_pointer_label' => 'Abschnittsoptionen der Seite', + 'pages_pointer_permalink' => 'Seitenabschnitt-Permalink', + 'pages_pointer_include_tag' => 'Seitenabschnitts-Include-Tag', + 'pages_pointer_toggle_link' => 'Permalink-Modus, Drücken, um Include-Tag anzuzeigen', + 'pages_pointer_toggle_include' => 'Include-Tag-Modus, Drücken, um Permalink anzuzeigen', 'pages_permissions_active' => 'Seiten-Berechtigungen aktiv', 'pages_initial_revision' => 'Erste Veröffentlichung', 'pages_references_update_revision' => 'Automatische Systemaktualisierung interner Links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'in den letzten :minCount Minuten', 'message' => ':start :time. Achte darauf, keine Änderungen von anderen Benutzern zu überschreiben!', ], - 'pages_draft_discarded' => 'Entwurf verworfen. Der aktuelle Seiteninhalt wurde geladen.', + 'pages_draft_discarded' => 'Entwurf verworfen! Der aktuelle Seiteninhalt wurde geladen', + 'pages_draft_deleted' => 'Entwurf gelöscht. Der aktuelle Seiteninhalt wurde geladen', 'pages_specific' => 'Spezifische Seite', 'pages_is_template' => 'Seitenvorlage', @@ -313,7 +319,7 @@ return [ 'attachments_explain_instant_save' => 'Änderungen werden direkt gespeichert.', 'attachments_upload' => 'Datei hochladen', 'attachments_link' => 'Link hinzufügen', - 'attachments_upload_drop' => 'Alternativ können Sie eine Datei per Drag & Drop hier hochladen, um sie als Anhang hochzuladen.', + 'attachments_upload_drop' => 'Alternativ kannst du eine Datei per Drag & Drop hier als Anhang hochladen.', 'attachments_set_link' => 'Link setzen', 'attachments_delete' => 'Bist du sicher, dass du diesen Anhang löschen möchtest?', 'attachments_dropzone' => 'Ziehe Dateien hierher, um sie hochzuladen', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Gib hier deine Kommentare ein (Markdown unterstützt)', 'comment_count' => '{0} Keine Kommentare|{1} 1 Kommentar|[2,*] :count Kommentare', 'comment_save' => 'Kommentar speichern', - 'comment_saving' => 'Kommentar wird gespeichert...', - 'comment_deleting' => 'Kommentar wird gelöscht...', 'comment_new' => 'Neuer Kommentar', 'comment_created' => ':createDiff kommentiert', 'comment_updated' => ':updateDiff aktualisiert von :username', + 'comment_updated_indicator' => 'Aktualisiert', 'comment_deleted_success' => 'Kommentar gelöscht', 'comment_created_success' => 'Kommentar hinzugefügt', 'comment_updated_success' => 'Kommentar aktualisiert', 'comment_delete_confirm' => 'Möchtst du diesen Kommentar wirklich löschen?', 'comment_in_reply_to' => 'Antwort auf :commentId', + 'comment_editor_explain' => 'Hier sind die Kommentare, die auf dieser Seite hinterlassen wurden. Kommentare können hinzugefügt und verwaltet werden, wenn die gespeicherte Seite angezeigt wird.', // Revision 'revision_delete_confirm' => 'Bist du sicher, dass du diese Revision löschen möchtest?', 'revision_restore_confirm' => 'Bist du sicher, dass du diese Revision wiederherstellen willst? Der aktuelle Seiteninhalt wird ersetzt.', - 'revision_delete_success' => 'Revision gelöscht', 'revision_cannot_delete_latest' => 'Die letzte Version kann nicht gelöscht werden.', // Copy view diff --git a/lang/de_informal/errors.php b/lang/de_informal/errors.php index 2b3b2536c..3d4d6dee5 100644 --- a/lang/de_informal/errors.php +++ b/lang/de_informal/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Beim Hochladen des Bildes trat ein Fehler auf.', 'image_upload_type_error' => 'Der Bildtyp der hochgeladenen Datei ist ungültig.', + 'image_upload_replace_type' => 'Bild-Ersetzungen müssen vom gleichen Typ sein', 'drawing_data_not_found' => 'Zeichnungsdaten konnten nicht geladen werden. Die Zeichnungsdatei existiert möglicherweise nicht mehr oder du hast nicht die Berechtigung, darauf zuzugreifen.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Fehler beim Speichern des Entwurfs. Stelle sicher, dass du mit dem Internet verbunden bist, bevor du den Entwurf dieser Seite speicherst.', + 'page_draft_delete_fail' => 'Fehler beim Löschen des Seitenentwurfs und beim Abrufen des gespeicherten Inhalts der aktuellen Seite', 'page_custom_home_deletion' => 'Eine als Startseite gesetzte Seite kann nicht gelöscht werden.', // Entities diff --git a/lang/de_informal/settings.php b/lang/de_informal/settings.php index 4ab178404..f9e3f438e 100644 --- a/lang/de_informal/settings.php +++ b/lang/de_informal/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Einstellungen', 'settings_save' => 'Einstellungen speichern', - 'settings_save_success' => 'Einstellungen gespeichert', 'system_version' => 'Systemversion', 'categories' => 'Kategorien', @@ -233,8 +232,6 @@ Hinweis: Benutzer können ihre E-Mail Adresse nach erfolgreicher Registrierung 'user_api_token_expiry' => 'Ablaufdatum', 'user_api_token_expiry_desc' => 'Lege ein Datum fest, zu dem dieser Token abläuft. Nach diesem Datum funktionieren Anfragen, die mit diesem Token gestellt werden, nicht mehr. Wenn du dieses Feld leer lässt, wird ein Ablaufdatum von 100 Jahren in der Zukunft festgelegt.', 'user_api_token_create_secret_message' => 'Unmittelbar nach der Erstellung dieses Tokens wird eine "Token ID" & ein "Token Kennwort" generiert und angezeigt. Das Kennwort wird nur ein einziges Mal angezeigt. Stelle also sicher, dass du den Inhalt an einen sicheren Ort kopierst, bevor du fortfährst.', - 'user_api_token_create_success' => 'API-Token erfolgreich erstellt', - 'user_api_token_update_success' => 'API-Token erfolgreich aktualisiert', 'user_api_token' => 'API-Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Dies ist ein nicht editierbarer, vom System generierter Identifikator für diesen Token, welcher bei API-Anfragen angegeben werden muss.', @@ -245,7 +242,6 @@ Hinweis: Benutzer können ihre E-Mail Adresse nach erfolgreicher Registrierung 'user_api_token_delete' => 'Lösche Token', 'user_api_token_delete_warning' => 'Dies löscht den API-Token mit dem Namen \':tokenName\' vollständig aus dem System.', 'user_api_token_delete_confirm' => 'Bist du sicher, dass du diesen API-Token löschen möchtest?', - 'user_api_token_delete_success' => 'API-Token erfolgreich gelöscht', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/el/activities.php b/lang/el/activities.php index 86671ca8c..b90448f01 100644 --- a/lang/el/activities.php +++ b/lang/el/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'αποκατεστημένη σελίδα', 'page_restore_notification' => 'Η σελίδα αποκαταστάθηκε με επιτυχία', 'page_move' => 'Η σελίδα μετακινήθηκε', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'δημιουργήθηκε κεφάλαιο', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'διαγραμμένο κεφάλαιο', 'chapter_delete_notification' => 'Το κεφάλαιο διαγράφηκε επιτυχώς', 'chapter_move' => 'το κεφάλαιο μετακινήθηκε', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'το βιβλίο δημιουργήθηκε', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'διαγραμμένο ράφι', 'bookshelf_delete_notification' => 'Το ράφι ενημερώθηκε επιτυχώς', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" προστέθηκε στα αγαπημένα σας', 'favourite_remove_notification' => '":name" προστέθηκε στα αγαπημένα σας', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Η μέθοδος πολλαπλών παραγόντων διαμορφώθηκε επιτυχώς', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Η μέθοδος πολλαπλών παραγόντων καταργήθηκε με επιτυχία', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'Το webhook δημιουργήθηκε', 'webhook_create_notification' => 'Το Webhook δημιουργήθηκε με επιτυχία', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Το Webhook διαγράφηκε επιτυχώς', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Ο Χρήστης ενημερώθηκε με επιτυχία', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Ο Χρήστης αφαιρέθηκε επιτυχώς', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Ο Ρόλος δημιουργήθηκε με επιτυχία', + 'role_update' => 'updated role', 'role_update_notification' => 'Ο Ρόλος ενημερώθηκε με επιτυχία', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Ο Ρόλος διαγράφηκε επιτυχώς', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'σχολίασε', 'permissions_update' => 'ενημερωμένα δικαιώματα', diff --git a/lang/el/common.php b/lang/el/common.php index 0b4970a12..45bcb85f1 100644 --- a/lang/el/common.php +++ b/lang/el/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Ακύρωση', + 'close' => 'Close', 'confirm' => 'Οκ', 'back' => 'Πίσω', 'save' => 'Αποθήκευση', diff --git a/lang/el/components.php b/lang/el/components.php index 5ec24a049..851575474 100644 --- a/lang/el/components.php +++ b/lang/el/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Επιλογή εικόνας', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Προβολή εικόνων που έχουν δημοσιευτεί σε αυτήν τη σελίδα', 'image_search_hint' => 'Αναζήτηση με όνομα εικόνας', 'image_uploaded' => 'Μεταφορτώθηκε :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Φόρτωσε περισσότερα', 'image_image_name' => 'Όνομα εικόνας', 'image_delete_used' => 'Αυτή η εικόνα χρησιμοποιείται στις παρακάτω σελίδες.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Η εικόνα μεταφορτώθηκε με επιτυχία', 'image_update_success' => 'Τα στοιχεία της εικόνας ενημερώθηκαν με επιτυχία', 'image_delete_success' => 'Η εικόνα διαγράφηκε επιτυχώς', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Επεξεργασία κώδικα', diff --git a/lang/el/entities.php b/lang/el/entities.php index ae626bef8..d840ec951 100644 --- a/lang/el/entities.php +++ b/lang/el/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Αποθήκευση Κεφαλαίου', 'chapters_move' => 'Μετακίνηση Κεφαλαίου', 'chapters_move_named' => 'Μετακίνηση Κεφαλαίου :chapterName', - 'chapter_move_success' => 'Το κεφάλαιο μεταφέρθηκε στο:bookName', 'chapters_copy' => 'Αντιγραφή Κεφαλαίου', 'chapters_copy_success' => 'Το κεφάλαιο αντιγράφηκε επιτυχώς', 'chapters_permissions' => 'Δικαιώματα Κεφαλαίου', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Επεξεργασία Σελίδας', 'pages_edit_draft_save_at' => 'Το προσχέδιο αποθηκεύτηκε στις ', 'pages_edit_delete_draft' => 'Διαγραφή Προσχεδίου', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Απόρριψη Προσχεδίου', 'pages_edit_switch_to_markdown' => 'Μετάβαση στον Επεξεργαστή Markdown', 'pages_edit_switch_to_markdown_clean' => '(Καθαρισμός Περιεχομένου)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Συγχρονισμός προεπισκόπησης', 'pages_not_in_chapter' => 'Η σελίδα δεν είναι σε κεφάλαιο', 'pages_move' => 'Μετακίνηση Σελίδας', - 'pages_move_success' => 'Η σελίδα μετακινήθηκε στο ":parentName"', 'pages_copy' => 'Αντιγραφή Σελίδας', 'pages_copy_desination' => 'Αντιγραφή Προορισμού', 'pages_copy_success' => 'Η σελίδα αντιγράφηκε επιτυχώς', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Επαναφορά', 'pages_revisions_none' => 'Αυτή η σελίδα δεν έχει αναθεωρήσεις', 'pages_copy_link' => 'Αντιγραφή Συνδέσμου', - 'pages_edit_content_link' => 'Επεξεργασία Περιεχομένου', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Ενεργά Δικαιώματα Σελίδας', 'pages_initial_revision' => 'Αρχική δημοσίευση', 'pages_references_update_revision' => 'Αυτόματη ενημέρωση του συστήματος των εσωτερικών συνδέσμων', @@ -281,7 +286,8 @@ return [ 'time_b' => 'τα τελευταία :mint λεπτά', 'message' => ':start :time. Προσέξτε να μην αντικαταστήσετε ο ένας τις ενημερώσεις του άλλου!', ], - 'pages_draft_discarded' => 'Το προσχέδιο απορρίφθηκε, ο επεξεργαστής ενημερώθηκε με το τρέχον περιεχόμενο της σελίδας', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Συγκεκριμένη Σελίδα', 'pages_is_template' => 'Πρότυπο σελίδας', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Αφήστε ένα σχόλιο εδώ', 'comment_count' => '{0} Κανένα Σχόλιο |{1} 1 Σχόλιο |[2,*] :count Σχόλια', 'comment_save' => 'Αποθήκευση Σχολίου', - 'comment_saving' => 'Αποθήκευση σχολίου...', - 'comment_deleting' => 'Διαγραφή σχολίου...', 'comment_new' => 'Νέο Σχόλιο', 'comment_created' => 'σχολίασε :createDiff', 'comment_updated' => 'Ενημερώθηκε :updateDiff από :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Σχόλιο διαγράφηκε', 'comment_created_success' => 'Το σχόλιο προστέθηκε', 'comment_updated_success' => 'Το σχόλιο ενημερώθηκε', 'comment_delete_confirm' => 'Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το σχόλιο;', 'comment_in_reply_to' => 'Σε απάντηση στο :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την αναθεώρηση;', 'revision_restore_confirm' => 'Είστε βέβαιοι ότι θέλετε να επαναφέρετε αυτή την αναθεώρηση; Τα τρέχοντα περιεχόμενα της σελίδας θα αντικατασταθούν.', - 'revision_delete_success' => 'Η Αναθεώρηση διαγράφηκε', 'revision_cannot_delete_latest' => 'Δεν είναι δυνατή η διαγραφή της τελευταίας αναθεώρησης.', // Copy view diff --git a/lang/el/errors.php b/lang/el/errors.php index d4edfcb61..a30a44ebe 100644 --- a/lang/el/errors.php +++ b/lang/el/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Παρουσιάστηκε σφάλμα κατά το ανέβασμα της εικόνας.', 'image_upload_type_error' => 'Ο τύπος εικόνας που μεταφορτώθηκε δεν είναι έγκυρος', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Δεν ήταν δυνατή η φόρτωση δεδομένων σχεδίασης. Το αρχείο σχεδίασης ενδέχεται να μην υπάρχει πλέον ή ενδέχεται να μην έχετε άδεια πρόσβασης σε αυτά.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Αποτυχία αποθήκευσης προσχέδιου. Βεβαιωθείτε ότι έχετε σύνδεση στο διαδίκτυο πριν την αποθήκευση αυτής της σελίδας', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Δεν μπορεί να διαγραφεί μια σελίδα ενώ έχει οριστεί ως αρχική σελίδα', // Entities diff --git a/lang/el/settings.php b/lang/el/settings.php index 3fe5c1fa7..080d2cddb 100644 --- a/lang/el/settings.php +++ b/lang/el/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Ρυθμίσεις', 'settings_save' => 'Αποθήκευση ρυθμίσεων', - 'settings_save_success' => 'Οι ρυθμίσεις αποθηκεύτηκαν', 'system_version' => 'Έκδοση εφαρμογής', 'categories' => 'Κατηγορίες', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Ημερομηνία λήξης', 'user_api_token_expiry_desc' => 'Ορίστε μια ημερομηνία κατά την οποία λήγει αυτό το διακριτικό. Μετά από αυτήν την ημερομηνία, τα αιτήματα που γίνονται με αυτό το διακριτικό δεν θα λειτουργούν πλέον. Αν αφήσετε αυτό το πεδίο κενό, θα οριστεί η λήξη 100 χρόνια στο μέλλον.', 'user_api_token_create_secret_message' => 'Αμέσως μετά τη δημιουργία αυτού του διακριτικού θα δημιουργηθεί και θα εμφανιστεί ένα "Token ID" & "Token Secret". Το μυστικό(Token Secret) θα εμφανιστεί μόνο μία φορά, επομένως φροντίστε να αντιγράψετε την τιμή σε κάποιο ασφαλές μέρος πριν συνεχίσετε.', - 'user_api_token_create_success' => 'Το διακριτικό API δημιουργήθηκε με επιτυχία', - 'user_api_token_update_success' => 'Το διακριτικό API ενημερώθηκε με επιτυχία', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Αυτό είναι ένα μη επεξεργάσιμο αναγνωριστικό που δημιουργείται από το σύστημα για αυτό το διακριτικό, το οποίο θα πρέπει να παρέχεται σε αιτήματα API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Διαγραφή Διακριτικού', 'user_api_token_delete_warning' => 'Αυτό θα διαγράψει πλήρως αυτό το διακριτικό API με το όνομα \':tokenName\' από το σύστημα.', 'user_api_token_delete_confirm' => 'Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το διακριτικό API;', - 'user_api_token_delete_success' => 'Το διακριτικό API διαγράφηκε με επιτυχία', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/en/entities.php b/lang/en/entities.php index 5a148e1a2..8cd7e925f 100644 --- a/lang/en/entities.php +++ b/lang/en/entities.php @@ -371,6 +371,7 @@ return [ 'comment_updated_success' => 'Comment updated', 'comment_delete_confirm' => 'Are you sure you want to delete this comment?', 'comment_in_reply_to' => 'In reply to :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Are you sure you want to delete this revision?', diff --git a/lang/es/activities.php b/lang/es/activities.php index 51fa00da8..420e30791 100644 --- a/lang/es/activities.php +++ b/lang/es/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'página restaurada', 'page_restore_notification' => 'Página restaurada correctamente', 'page_move' => 'página movida', + 'page_move_notification' => 'Página movida correctamente', // Chapters 'chapter_create' => 'capítulo creado', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'capítulo eliminado', 'chapter_delete_notification' => 'Capítulo eliminado correctamente', 'chapter_move' => 'capítulo movido', + 'chapter_move_notification' => 'Capítulo movido correctamente', // Books 'book_create' => 'libro creado', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'estante eliminado', 'bookshelf_delete_notification' => 'Estante eliminado correctamente', + // Revisions + 'revision_restore' => 'revisión restaurada', + 'revision_delete' => 'revisión eliminada', + 'revision_delete_notification' => 'Revisión eliminada correctamente', + // Favourites 'favourite_add_notification' => '".name" ha sido añadido a sus favoritos', 'favourite_remove_notification' => '".name" ha sido eliminado de sus favoritos', - // MFA + // Auth + 'auth_login' => 'conectado', + 'auth_register' => 'registrado como nuevo usuario', + 'auth_password_reset_request' => 'solicitado cambio de contraseña de usuario', + 'auth_password_reset_update' => 'restablecer contraseña de usuario', + 'mfa_setup_method' => 'método MFA configurado', 'mfa_setup_method_notification' => 'Método de Autenticación en Dos Pasos configurado correctamente', + 'mfa_remove_method' => 'método MFA eliminado', 'mfa_remove_method_notification' => 'Método de Autenticación en Dos Pasos eliminado correctamente', + // Settings + 'settings_update' => 'ajustes actualizados', + 'settings_update_notification' => 'Configuración actualizada correctamente', + 'maintenance_action_run' => 'ejecutada acción de mantenimiento', + // Webhooks 'webhook_create' => 'webhook creado', 'webhook_create_notification' => 'Webhook creado correctamente', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook eliminado correctamente', // Users + 'user_create' => 'usuario creado', + 'user_create_notification' => 'Usuario creado correctamente', + 'user_update' => 'usuario actualizado', 'user_update_notification' => 'Usuario actualizado correctamente', + 'user_delete' => 'usuario eliminado', 'user_delete_notification' => 'Usuario eliminado correctamente', + // API Tokens + 'api_token_create' => 'token de api creado', + 'api_token_create_notification' => 'Token API creado correctamente', + 'api_token_update' => 'token de api actualizado', + 'api_token_update_notification' => 'Token API actualizado correctamente', + 'api_token_delete' => 'token de api borrado', + 'api_token_delete_notification' => 'Token API borrado correctamente', + // Roles + 'role_create' => 'rol creado', 'role_create_notification' => 'Rol creado correctamente', + 'role_update' => 'rol actualizado', 'role_update_notification' => 'Rol actualizado correctamente', + 'role_delete' => 'rol borrado', 'role_delete_notification' => 'Rol eliminado correctamente', + // Recycle Bin + 'recycle_bin_empty' => 'papelera de reciclaje vaciada', + 'recycle_bin_restore' => 'restaurado de la papelera de reciclaje', + 'recycle_bin_destroy' => 'eliminado de la papelera de reciclaje', + // Other 'commented_on' => 'comentada el', 'permissions_update' => 'permisos actualizados', diff --git a/lang/es/common.php b/lang/es/common.php index c80a856cf..a0cb5ae4c 100644 --- a/lang/es/common.php +++ b/lang/es/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancelar', + 'close' => 'Cerrar', 'confirm' => 'Confirmar', 'back' => 'Atrás', 'save' => 'Guardar', diff --git a/lang/es/components.php b/lang/es/components.php index 753ddc953..2874092cf 100644 --- a/lang/es/components.php +++ b/lang/es/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Seleccionar Imagen', + 'image_list' => 'Lista de imágenes', + 'image_details' => 'Detalles de la imagen', 'image_upload' => 'Subir imagen', 'image_intro' => 'Aquí puede seleccionar y administrar las imágenes que se han subido previamente al sistema.', 'image_intro_upload' => 'Suba una nueva imagen arrastrando un archivo de imagen en esta ventana, o usando el botón "Subir imagen" de arriba.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Ver las imágenes subidas a esta página', 'image_search_hint' => 'Buscar por nombre de imagen', 'image_uploaded' => 'Subido el :uploadedDate', + 'image_uploaded_by' => 'Subida por :userName', + 'image_uploaded_to' => 'Subida a :pageLink', + 'image_updated' => 'Actualizado :updateDate', 'image_load_more' => 'Cargar más', 'image_image_name' => 'Nombre de imagen', 'image_delete_used' => 'Esta imagen está siendo utilizada en las páginas mostradas a continuación.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Imagen subida éxitosamente', 'image_update_success' => 'Detalles de la imagen actualizados exitosamente', 'image_delete_success' => 'Imagen borrada exitosamente', + 'image_replace' => 'Sustituir imagen', + 'image_replace_success' => 'Imagen actualizada correctamente', // Code Editor 'code_editor' => 'Editar Código', diff --git a/lang/es/entities.php b/lang/es/entities.php index 0d9da9305..aa6a7946d 100644 --- a/lang/es/entities.php +++ b/lang/es/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Guardar capítulo', 'chapters_move' => 'Mover capítulo', 'chapters_move_named' => 'Mover Capítulo :chapterName', - 'chapter_move_success' => 'Capítulo movido a :bookName', 'chapters_copy' => 'Copiar Capítulo', 'chapters_copy_success' => 'Capítulo copiado correctamente', 'chapters_permissions' => 'Permisos de capítulo', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editando página', 'pages_edit_draft_save_at' => 'Borrador guardado ', 'pages_edit_delete_draft' => 'Borrar borrador', + 'pages_edit_delete_draft_confirm' => '¿Estás seguro de que deseas eliminar tus borradores de la página? Todos tus cambios, desde el último guardado completo, se perderán y el editor se actualizará con el estado de guardado de la última página.', 'pages_edit_discard_draft' => 'Descartar borrador', 'pages_edit_switch_to_markdown' => 'Cambiar a Editor Markdown', 'pages_edit_switch_to_markdown_clean' => '(Limpiar Contenido)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sincronizar desplazamiento de vista previa', 'pages_not_in_chapter' => 'La página no está en un capítulo', 'pages_move' => 'Mover página', - 'pages_move_success' => 'Página movida a ":parentName"', 'pages_copy' => 'Copiar página', 'pages_copy_desination' => 'Destino de la copia', 'pages_copy_success' => 'Página copiada a correctamente', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restaurar', 'pages_revisions_none' => 'Esta página no tiene revisiones', 'pages_copy_link' => 'Copiar Enlace', - 'pages_edit_content_link' => 'Contenido editado', + 'pages_edit_content_link' => 'Ir a la sección en el editor', + 'pages_pointer_enter_mode' => 'Modo de selección de sección', + 'pages_pointer_label' => 'Opciones de sección de página', + 'pages_pointer_permalink' => 'Sección de enlace permanente de página', + 'pages_pointer_include_tag' => 'Sección de página incluyendo etiqueta', + 'pages_pointer_toggle_link' => 'Modo de enlace permanente, presiona para mostrar la etiqueta', + 'pages_pointer_toggle_include' => 'Modo de etiqueta, presiona para mostrar enlace permanente', 'pages_permissions_active' => 'Permisos de página activos', 'pages_initial_revision' => 'Publicación inicial', 'pages_references_update_revision' => 'Actualización automática de enlaces internos', @@ -281,7 +286,8 @@ return [ 'time_b' => 'en los últimos :minCount minutos', 'message' => ':start :time. ¡Ten cuidado de no sobreescribir los cambios del otro usuario!', ], - 'pages_draft_discarded' => 'Borrador descartado, el editor ha sido actualizado con el contenido de la página actual', + 'pages_draft_discarded' => '¡Borrador descartado! El editor ha sido actualizado con el contenido de la página actual', + 'pages_draft_deleted' => '¡Borrador eliminado! El editor ha sido actualizado con el contenido actual de la página', 'pages_specific' => 'Página específica', 'pages_is_template' => 'Página es plantilla', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Introduzca su comentario aquí', 'comment_count' => '{0} Sin Comentarios|{1} 1 Comentario|[2,*] :count Comentarios', 'comment_save' => 'Guardar comentario', - 'comment_saving' => 'Guardando comentario...', - 'comment_deleting' => 'Borrando comentario...', 'comment_new' => 'Nuevo Comentario', 'comment_created' => 'comentado :createDiff', 'comment_updated' => 'Actualizado :updateDiff por :username', + 'comment_updated_indicator' => 'Actualizado', 'comment_deleted_success' => 'Comentario borrado', 'comment_created_success' => 'Comentario añadido', 'comment_updated_success' => 'Comentario actualizado', 'comment_delete_confirm' => '¿Está seguro de que quiere borrar este comentario?', 'comment_in_reply_to' => 'En respuesta a :commentId', + 'comment_editor_explain' => 'Estos son los comentarios que se han escrito en esta página. Los comentarios se pueden añadir y administrar cuando se ve la página guardada.', // Revision 'revision_delete_confirm' => '¿Está seguro de que desea eliminar esta revisión?', 'revision_restore_confirm' => '¿Está seguro de que desea restaurar esta revisión? El contenido actual de la página será reemplazado.', - 'revision_delete_success' => 'Revisión eliminada', 'revision_cannot_delete_latest' => 'No se puede eliminar la última revisión.', // Copy view diff --git a/lang/es/errors.php b/lang/es/errors.php index 4080cca87..e0006937b 100644 --- a/lang/es/errors.php +++ b/lang/es/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Ha ocurrido un error al subir la imagen', 'image_upload_type_error' => 'El tipo de imagen que se quiere subir no es válido', + 'image_upload_replace_type' => 'Las imágenes para sustituir deben ser del mismo tipo', 'drawing_data_not_found' => 'No se han podido cargar los datos del dibujo. Puede que el archivo de dibujo ya no exista o que no tenga permiso para acceder a él.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Fallo al guardar borrador. Asegúrese de que tiene conexión a Internet antes de guardar este borrador', + 'page_draft_delete_fail' => 'Error al eliminar el borrador de la página y obtener el último contenido guardado', 'page_custom_home_deletion' => 'No se puede borrar una página mientras esté configurada como página de inicio', // Entities diff --git a/lang/es/settings.php b/lang/es/settings.php index d195863ae..4ffc7dd1e 100644 --- a/lang/es/settings.php +++ b/lang/es/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Ajustes', 'settings_save' => 'Guardar ajustes', - 'settings_save_success' => 'Ajustes guardados', 'system_version' => 'Versión de BookStack', 'categories' => 'Categorías', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Fecha de expiración', 'user_api_token_expiry_desc' => 'Establece una fecha en la que este token expira. Después de esta fecha, las solicitudes realizadas usando este token ya no funcionarán. Dejar este campo en blanco fijará un vencimiento de 100 años en el futuro.', 'user_api_token_create_secret_message' => 'Inmediatamente después de crear este token se generarán y mostrarán sus correspondientes "Token ID" y "Token Secret". El "Token Secret" sólo se mostrará una vez, así que asegúrese de copiar el valor a un lugar seguro antes de proceder.', - 'user_api_token_create_success' => 'Token API creado correctamente', - 'user_api_token_update_success' => 'Token API actualizado correctamente', 'user_api_token' => 'Token API', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Este es un identificador no editable generado por el sistema y único para este token que necesitará ser proporcionado en solicitudes de API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Borrar token', 'user_api_token_delete_warning' => 'Esto eliminará completamente este token API con el nombre \':tokenName\' del sistema.', 'user_api_token_delete_confirm' => '¿Está seguro de que desea borrar este API token?', - 'user_api_token_delete_success' => 'Token API borrado correctamente', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/es_AR/activities.php b/lang/es_AR/activities.php index d6ec1a51f..f54e0075a 100644 --- a/lang/es_AR/activities.php +++ b/lang/es_AR/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'página restaurada', 'page_restore_notification' => 'Página restaurada correctamente', 'page_move' => 'página movida', + 'page_move_notification' => 'Página movida correctamente', // Chapters 'chapter_create' => 'capítulo creado', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'capítulo borrado', 'chapter_delete_notification' => 'Capítulo eliminado correctamente', 'chapter_move' => 'capítulo movido', + 'chapter_move_notification' => 'Capítulo movido correctamente', // Books 'book_create' => 'libro creado', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'estante eliminado', 'bookshelf_delete_notification' => 'Estante eliminado correctamente', + // Revisions + 'revision_restore' => 'revisión restaurada', + 'revision_delete' => 'revisión eliminada', + 'revision_delete_notification' => 'Revisión eliminada correctamente', + // Favourites 'favourite_add_notification' => '".name" se añadió a sus favoritos', 'favourite_remove_notification' => '".name" se eliminó de sus favoritos', - // MFA + // Auth + 'auth_login' => 'sesión iniciada', + 'auth_register' => 'registrado como usuario nuevo', + 'auth_password_reset_request' => 'cambio de contraseña de usuario solicitado', + 'auth_password_reset_update' => 'restablecer contraseña de usuario', + 'mfa_setup_method' => 'método MFA configurado', 'mfa_setup_method_notification' => 'Método de autenticación de múltiples factores configurado satisfactoriamente', + 'mfa_remove_method' => 'método MFA eliminado', 'mfa_remove_method_notification' => 'Método de autenticación de múltiples factores eliminado satisfactoriamente', + // Settings + 'settings_update' => 'ajustes actualizados', + 'settings_update_notification' => 'Configuraciones actualizadas correctamente', + 'maintenance_action_run' => 'ejecutar acción de mantenimiento', + // Webhooks 'webhook_create' => 'webhook creado', 'webhook_create_notification' => 'Webhook creado correctamente', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook eliminado correctamente', // Users + 'user_create' => 'usuario creado', + 'user_create_notification' => 'Usuario creado correctamente', + 'user_update' => 'usuario actualizado', 'user_update_notification' => 'Usuario actualizado correctamente', + 'user_delete' => 'usuario eliminado', 'user_delete_notification' => 'El usuario fue eliminado correctamente', + // API Tokens + 'api_token_create' => 'token de API creado', + 'api_token_create_notification' => 'Token de API creado correctamente', + 'api_token_update' => 'token de API actualizado', + 'api_token_update_notification' => 'Token de API actualizado correctamente', + 'api_token_delete' => 'token de API eliminado', + 'api_token_delete_notification' => 'Token de API eliminado correctamente', + // Roles + 'role_create' => 'rol creado', 'role_create_notification' => 'Rol creado correctamente', + 'role_update' => 'rol actualizado', 'role_update_notification' => 'Rol actualizado correctamente', + 'role_delete' => 'rol eliminado', 'role_delete_notification' => 'Rol eliminado correctamente', + // Recycle Bin + 'recycle_bin_empty' => 'papelera de reciclaje vaciada', + 'recycle_bin_restore' => 'restaurado desde la papelera de reciclaje', + 'recycle_bin_destroy' => 'eliminado de la papelera de reciclaje', + // Other 'commented_on' => 'comentado', 'permissions_update' => 'permisos actualizados', diff --git a/lang/es_AR/common.php b/lang/es_AR/common.php index 9815db28f..a298a7a1d 100644 --- a/lang/es_AR/common.php +++ b/lang/es_AR/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancelar', + 'close' => 'Cerrar', 'confirm' => 'Confirmar', 'back' => 'Atrás', 'save' => 'Guardar', diff --git a/lang/es_AR/components.php b/lang/es_AR/components.php index 3577afed3..39d428147 100644 --- a/lang/es_AR/components.php +++ b/lang/es_AR/components.php @@ -6,15 +6,20 @@ return [ // Image Manager 'image_select' => 'Seleccionar Imagen', + 'image_list' => 'Lista de imágenes', + 'image_details' => 'Detalles de la imagen', 'image_upload' => 'Subir imagen', - 'image_intro' => 'Aquí puede seleccionar y administrar las imágenes que se han subido previamente al sistema.', - 'image_intro_upload' => 'Suba una nueva imagen arrastrando un archivo de imagen en esta ventana, o usando el botón "Subir imagen" de arriba.', + 'image_intro' => 'Aquí puede seleccionar y administrar las imágenes que previamente se subieron al sistema.', + 'image_intro_upload' => 'Suba una nueva imagen arrastrando un archivo de imagen a esta ventana, o usando el botón "Subir imagen" de arriba.', 'image_all' => 'Todo', 'image_all_title' => 'Ver todas las imágenes', 'image_book_title' => 'Ver las imágenes subidas a este libro', 'image_page_title' => 'Ver las imágenes subidas a esta página', 'image_search_hint' => 'Buscar por nombre de imagen', 'image_uploaded' => 'Subido el :uploadedDate', + 'image_uploaded_by' => 'Subida por :userName', + 'image_uploaded_to' => 'Subida a :pageLink', + 'image_updated' => 'Actualizada :updateDate', 'image_load_more' => 'Cargar más', 'image_image_name' => 'Nombre de imagen', 'image_delete_used' => 'Esta imagen esta siendo utilizada en las páginas a continuación.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Imagen subida éxitosamente', 'image_update_success' => 'Detalles de la imagen actualizados exitosamente', 'image_delete_success' => 'Imagen borrada exitosamente', + 'image_replace' => 'Reemplazar imagen', + 'image_replace_success' => 'Imagen actualizada correctamente', // Code Editor 'code_editor' => 'Editar Código', diff --git a/lang/es_AR/entities.php b/lang/es_AR/entities.php index b44e7dec6..3d2ed45b4 100644 --- a/lang/es_AR/entities.php +++ b/lang/es_AR/entities.php @@ -141,7 +141,7 @@ return [ 'books_search_this' => 'Buscar en este libro', 'books_navigation' => 'Navegación de libro', 'books_sort' => 'Organizar contenido de libro', - 'books_sort_desc' => 'Mueve capítulos y páginas dentro de un libro para reorganizar su contenido. Se pueden añadir otros libros lo que permite mover fácilmente capítulos y páginas entre libros.', + 'books_sort_desc' => 'Mueva capítulos y páginas dentro de un libro para reorganizar su contenido. Se pueden añadir otros libros, lo que permite mover fácilmente capítulos y páginas entre libros.', 'books_sort_named' => 'Organizar libro :bookName', 'books_sort_name' => 'Organizar por nombre', 'books_sort_created' => 'Organizar por fecha de creación', @@ -150,13 +150,13 @@ return [ 'books_sort_chapters_last' => 'Capítulos al final', 'books_sort_show_other' => 'Mostrar otros libros', 'books_sort_save' => 'Guardar nuevo orden', - 'books_sort_show_other_desc' => 'Añada otros libros aquí para incluirlos en la ordenación, y permita una fácil reorganización entre libros.', + 'books_sort_show_other_desc' => 'Añada aquí otros libros para incluirlos en la ordenación, y permita una fácil reorganización entre libros.', 'books_sort_move_up' => 'Subir', 'books_sort_move_down' => 'Bajar', 'books_sort_move_prev_book' => 'Mover al libro anterior', - 'books_sort_move_next_book' => 'Mover al siguiente libro', + 'books_sort_move_next_book' => 'Mover al libro siguiente', 'books_sort_move_prev_chapter' => 'Mover al capítulo anterior', - 'books_sort_move_next_chapter' => 'Mover al siguiente capítulo', + 'books_sort_move_next_chapter' => 'Mover al capítulo siguiente', 'books_sort_move_book_start' => 'Mover al inicio del libro', 'books_sort_move_book_end' => 'Mover al final del libro', 'books_sort_move_before_chapter' => 'Mover a antes del capítulo', @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Guardar capítulo', 'chapters_move' => 'Mover capítulo', 'chapters_move_named' => 'Mover Capítulo :chapterName', - 'chapter_move_success' => 'Capítulo movido a :bookName', 'chapters_copy' => 'Copiar Capítulo', 'chapters_copy_success' => 'Capítulo copiado correctamente', 'chapters_permissions' => 'Permisos de capítulo', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editando página', 'pages_edit_draft_save_at' => 'Borrador guardado el ', 'pages_edit_delete_draft' => 'Borrar borrador', + 'pages_edit_delete_draft_confirm' => '¡Está seguro que quiere eliminar los cambios realizados en el borrador? Se perderán todos los cambios hechos desde el último guardado completo y el editor se actualizará con el último estado de la página que se haya guardado.', 'pages_edit_discard_draft' => 'Descartar borrador', 'pages_edit_switch_to_markdown' => 'Cambiar a Editor Markdown', 'pages_edit_switch_to_markdown_clean' => '(Limpiar Contenido)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sincronizar desplazamiento de vista previa', 'pages_not_in_chapter' => 'La página no esá en el capítulo', 'pages_move' => 'Mover página', - 'pages_move_success' => 'Página movida a ":parentName"', 'pages_copy' => 'Copiar página', 'pages_copy_desination' => 'Destino de la copia', 'pages_copy_success' => 'Página copiada con éxito', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restaurar', 'pages_revisions_none' => 'Esta página no tiene revisiones', 'pages_copy_link' => 'Copiar enlace', - 'pages_edit_content_link' => 'Contenido editado', + 'pages_edit_content_link' => 'Ir a la sección en el editor', + 'pages_pointer_enter_mode' => 'Modo de selección de sección', + 'pages_pointer_label' => 'Opciones de sección de página', + 'pages_pointer_permalink' => 'Sección de enlace permanente de página', + 'pages_pointer_include_tag' => 'Incluir Etiqueta a Sección de Página', + 'pages_pointer_toggle_link' => 'Modo de enlace permanente, presiona para mostrar la etiqueta', + 'pages_pointer_toggle_include' => 'Modo de etiqueta, presiona para mostrar enlace permanente', 'pages_permissions_active' => 'Permisos de página activos', 'pages_initial_revision' => 'Publicación inicial', 'pages_references_update_revision' => 'Actualización automática de enlaces internos', @@ -281,7 +286,8 @@ return [ 'time_b' => 'en los últimos :minCount minutos', 'message' => ':start :time. Ten cuidado de no sobreescribir los cambios del otro usuario', ], - 'pages_draft_discarded' => 'Borrador descartado, el editor ha sido actualizado con el contenido de la página actual', + 'pages_draft_discarded' => '¡Borrador descartado! El editor se actualizó con el contenido actual de la página', + 'pages_draft_deleted' => '¡Borrador eliminado! El editor se actualizó con el contenido actual de la página', 'pages_specific' => 'Página Específica', 'pages_is_template' => 'Plantilla de Página', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'DEjar un comentario aquí', 'comment_count' => '{0} Sin Comentarios|{1} 1 Comentario|[2,*] :count Comentarios', 'comment_save' => 'Guardar comentario', - 'comment_saving' => 'Guardando comentario...', - 'comment_deleting' => 'Borrando comentario...', 'comment_new' => 'Nuevo comentario', 'comment_created' => 'comentado :createDiff', 'comment_updated' => 'Actualizado :updateDiff por :username', + 'comment_updated_indicator' => 'Actualizado', 'comment_deleted_success' => 'Comentario borrado', 'comment_created_success' => 'Comentario agregado', 'comment_updated_success' => 'Comentario actualizado', 'comment_delete_confirm' => '¿Está seguro que quiere borrar este comentario?', 'comment_in_reply_to' => 'En respuesta a :commentId', + 'comment_editor_explain' => 'Estos son los comentarios que se escribieron en esta página. Los comentarios se pueden añadir y administrar cuando se visualiza la página guardada.', // Revision 'revision_delete_confirm' => '¿Está seguro de que quiere eliminar esta revisión?', 'revision_restore_confirm' => '¿Está seguro de que quiere restaurar esta revisión? Se reemplazará el contenido de la página actual.', - 'revision_delete_success' => 'Revisión eliminada', 'revision_cannot_delete_latest' => 'No se puede eliminar la última revisión.', // Copy view diff --git a/lang/es_AR/errors.php b/lang/es_AR/errors.php index 5eadf9784..fce1913c6 100644 --- a/lang/es_AR/errors.php +++ b/lang/es_AR/errors.php @@ -49,14 +49,16 @@ return [ // Drawing & Images 'image_upload_error' => 'Ha ocurrido un error al subir la imagen', 'image_upload_type_error' => 'El tipo de imagen subida es inválido.', - 'drawing_data_not_found' => 'No se han podido cargar los datos del dibujo. Puede que el archivo de dibujo ya no exista o que no tenga permiso para acceder a él.', + 'image_upload_replace_type' => 'Los reemplazos de archivos de imágenes deben ser del mismo tipo', + 'drawing_data_not_found' => 'No se pudieron cargar los datos del dibujo. Es probable que el archivo de dibujo ya no exista o que no tenga permiso para acceder a él.', // Attachments 'attachment_not_found' => 'No se encuentra el objeto adjunto', - 'attachment_upload_error' => 'Ha ocurrido un error al subir el archivo adjunto', + 'attachment_upload_error' => 'Ocurrió un error al subir el archivo adjunto', // Pages 'page_draft_autosave_fail' => 'Fallo al guardar borrador. Asegurese de que tiene conexión a Internet antes de guardar este borrador', + 'page_draft_delete_fail' => 'Error al eliminar el borrador de la página y obtener el último contenido guardado', 'page_custom_home_deletion' => 'No se puede eliminar una página cuando está configurada como página de inicio', // Entities diff --git a/lang/es_AR/settings.php b/lang/es_AR/settings.php index 7fc214c13..a9a9ac9cc 100644 --- a/lang/es_AR/settings.php +++ b/lang/es_AR/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Ajustes', 'settings_save' => 'Guardar ajustes', - 'settings_save_success' => 'Ajustes guardados', 'system_version' => 'Versión del Sistema', 'categories' => 'Categorías', @@ -33,9 +32,9 @@ return [ 'app_custom_html_desc' => 'Cualquier contenido agregado aquí será agregado al final de la sección de cada página. Esto es útil para sobreescribir estilos o agregar código para analíticas.', 'app_custom_html_disabled_notice' => 'El contenido personailzado para la cabecera HTML está deshabilitado en esta configuración para garantizar que cualquier cambio importante se pueda revertir.', 'app_logo' => 'Logo de la aplicación', - 'app_logo_desc' => 'Se utiliza en la cabecera de la aplicación, entre otras áreas. Esta imagen debe ser de 86px de altura. Las imágenes grandes serán reducidas en tamaño.', + 'app_logo_desc' => 'Esto se utiliza en la cabecera de la aplicación, entre otras áreas. La imagen debe ser de 86px de altura. Se reducirá el tamaño de las imágenes grandes.', 'app_icon' => 'Icono de la aplicación', - 'app_icon_desc' => 'Se utiliza para las pestañas del navegador y los accesos directos. Debería ser una imagen PNG cuadrada de 256px.', + 'app_icon_desc' => 'Este ícono se utiliza para las pestañas del navegador y los accesos directos. Debería ser una imagen cuadrada de 256px en formato PNG.', 'app_homepage' => 'Página de inicio de la Aplicación', 'app_homepage_desc' => 'Seleccione una página de inicio para mostrar en lugar de la vista por defecto. Se ignoran los permisos de página para las páginas seleccionadas.', 'app_homepage_select' => 'Seleccione una página', @@ -50,11 +49,11 @@ return [ // Color settings 'color_scheme' => 'Esquema de color de la aplicación', - 'color_scheme_desc' => 'Establece los colores a usar en la interfaz de BookStack. Los colores pueden configurarse por separado para que los modos oscuros y claros se ajusten mejor al tema y garanticen la legibilidad.', - 'ui_colors_desc' => 'Establece el color principal y el color de los enlaces para BookStack. El color principal se utiliza principalmente para la cabecera, botones y decoraciones de la interfaz. El color de los enlaces se utiliza para enlaces y acciones de texto, tanto dentro del contenido escrito como en la interfaz de Bookstack.', + 'color_scheme_desc' => 'Establece los colores a usar en la interfaz de la aplicación. Los colores pueden configurar por separado para que los modos oscuros y claros se ajusten mejor al tema y garanticen la legibilidad.', + 'ui_colors_desc' => 'Establece el color principal y el color por defecto de los enlaces de la aplicación. El color principal se usa principalmente para la cabecera, botones y decoraciones de la interfaz. El color por defecto de los enlaces se utiliza para enlaces y acciones de texto, tanto dentro del contenido escrito como en la interfaz de la aplicación.', 'app_color' => 'Color principal', - 'link_color' => 'Color de enlaces por defecto', - 'content_colors_desc' => 'Establece los colores para todos los elementos en la jerarquía de la organización de la página. Se recomienda elegir colores con un brillo similar al predeterminado para mayor legibilidad.', + 'link_color' => 'Color por defecto de los enlaces', + 'content_colors_desc' => 'Establece los colores para todos los elementos en la jerarquía de organización de la página. Se recomienda elegir colores con un brillo similar al predeterminado para mayor legibilidad.', 'bookshelf_color' => 'Color del estante', 'book_color' => 'Color del libro', 'chapter_color' => 'Color del capítulo', @@ -233,8 +232,6 @@ return [ 'user_api_token_expiry' => 'Fecha de expiración', 'user_api_token_expiry_desc' => 'Establece una fecha en la que este token expira. Después de esta fecha, las solicitudes realizadas usando este token ya no funcionarán. Dejar este campo en blanco fijará un vencimiento de 100 años en el futuro.', 'user_api_token_create_secret_message' => 'Luego de crear este token, inmediatamente se generará y mostrará el "Token ID" y el "Token Secret" correspondientes. El "Token Secret" se mostrará por única vez, asegúrese de copiar el valor a un lugar seguro antes de continuar.', - 'user_api_token_create_success' => 'Token API creado correctamente', - 'user_api_token_update_success' => 'Token API actualizado correctamente', 'user_api_token' => 'Token API', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Este es un identificador no editable generado por el sistema y único para este token que necesitará ser proporcionado en solicitudes de API.', @@ -245,12 +242,11 @@ return [ 'user_api_token_delete' => 'Borrar token', 'user_api_token_delete_warning' => 'Esto eliminará completamente este token API con el nombre \':tokenName\' del sistema.', 'user_api_token_delete_confirm' => '¿Está seguro de que desea borrar este API token?', - 'user_api_token_delete_success' => 'Token API borrado correctamente', // Webhooks 'webhooks' => 'Webhooks', 'webhooks_index_desc' => 'Los Webhooks son una forma de enviar datos a URLs externas cuando ciertas acciones y eventos ocurren dentro del sistema, lo que permite la integración basada en eventos con plataformas externas como mensajería o sistemas de notificación.', - 'webhooks_x_trigger_events' => ':count disparador de eventos|:count disparadores de eventos', + 'webhooks_x_trigger_events' => ':count evento disparador|:count eventos disparadores', 'webhooks_create' => 'Crear nuevo Webhook', 'webhooks_none_created' => 'No hay webhooks creados.', 'webhooks_edit' => 'Editar Webhook', diff --git a/lang/et/activities.php b/lang/et/activities.php index edec4e03f..453e630bc 100644 --- a/lang/et/activities.php +++ b/lang/et/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'taastas lehe', 'page_restore_notification' => 'Leht on taastatud', 'page_move' => 'liigutas lehte', + 'page_move_notification' => 'Leht on liigutatud', // Chapters 'chapter_create' => 'lisas peatüki', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'kustutas peatüki', 'chapter_delete_notification' => 'Peatükk on kustutatud', 'chapter_move' => 'liigutas peatükki', + 'chapter_move_notification' => 'Peatükk on liigutatud', // Books 'book_create' => 'lisas raamatu', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'kustutas riiuli', 'bookshelf_delete_notification' => 'Riiul on kustutatud', + // Revisions + 'revision_restore' => 'taastas redaktsiooni', + 'revision_delete' => 'kustutas redaktsiooni', + 'revision_delete_notification' => 'Redaktsioon on kustutatud', + // Favourites 'favourite_add_notification' => '":name" lisati su lemmikute hulka', 'favourite_remove_notification' => '":name" eemaldati su lemmikute hulgast', - // MFA + // Auth + 'auth_login' => 'logis sisse', + 'auth_register' => 'registreerus uue kasutajana', + 'auth_password_reset_request' => 'soovis parooli lähtestamist', + 'auth_password_reset_update' => 'lähtestas kasutaja parooli', + 'mfa_setup_method' => 'seadistas mitmeastmelise autentimise meetodi', 'mfa_setup_method_notification' => 'Mitmeastmeline autentimine seadistatud', + 'mfa_remove_method' => 'eemaldas mitmeastmelise autentimise meetodi', 'mfa_remove_method_notification' => 'Mitmeastmeline autentimine eemaldatud', + // Settings + 'settings_update' => 'uuendas seadeid', + 'settings_update_notification' => 'Seaded uuendatud', + 'maintenance_action_run' => 'käivitas hooldustegevuse', + // Webhooks 'webhook_create' => 'lisas veebihaagi', 'webhook_create_notification' => 'Veebihaak on lisatud', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Veebihaak on kustutatud', // Users + 'user_create' => 'lisas kasutaja', + 'user_create_notification' => 'Kasutaja on lisatud', + 'user_update' => 'muutis kasutajat', 'user_update_notification' => 'Kasutaja on muudetud', + 'user_delete' => 'kustutas kasutaja', 'user_delete_notification' => 'Kasutaja on kustutatud', + // API Tokens + 'api_token_create' => 'lisas API tunnuse', + 'api_token_create_notification' => 'API tunnus on lisatud', + 'api_token_update' => 'muutis API tunnust', + 'api_token_update_notification' => 'API tunnus on muudetud', + 'api_token_delete' => 'kustutas API tunnuse', + 'api_token_delete_notification' => 'API tunnus on kustutatud', + // Roles + 'role_create' => 'lisas rolli', 'role_create_notification' => 'Roll on lisatud', + 'role_update' => 'muutis rolli', 'role_update_notification' => 'Roll on muudetud', + 'role_delete' => 'kustutas rolli', 'role_delete_notification' => 'Roll on kustutatud', + // Recycle Bin + 'recycle_bin_empty' => 'tühjendas prügikasti', + 'recycle_bin_restore' => 'taastas prügikastist', + 'recycle_bin_destroy' => 'eemaldas prügikastist', + // Other 'commented_on' => 'kommenteeris lehte', 'permissions_update' => 'muutis õiguseid', diff --git a/lang/et/common.php b/lang/et/common.php index f5f7f982f..41a5ca39b 100644 --- a/lang/et/common.php +++ b/lang/et/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Tühista', + 'close' => 'Sulge', 'confirm' => 'Kinnita', 'back' => 'Tagasi', 'save' => 'Salvesta', diff --git a/lang/et/components.php b/lang/et/components.php index 7771c495a..bf44c00f4 100644 --- a/lang/et/components.php +++ b/lang/et/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Pildifaili valik', + 'image_list' => 'Pildifailide nimekiri', + 'image_details' => 'Pildi andmed', 'image_upload' => 'Laadi pilt üles', 'image_intro' => 'Siin saad valida ja hallata pilte, mis on eelnevalt süsteemi üles laaditud.', 'image_intro_upload' => 'Laadi uus pilt üles pildifaili sellesse aknasse lohistades või ülal "Laadi pilt üles" nupu abil.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Vaata sellele lehele laaditud pildifaile', 'image_search_hint' => 'Otsi pildifaili nime järgi', 'image_uploaded' => 'Üles laaditud :uploadedDate', + 'image_uploaded_by' => 'Lisatud :userName poolt', + 'image_uploaded_to' => 'Lisatud lehele :pageLink', + 'image_updated' => 'Lisatud :updateDate', 'image_load_more' => 'Lae rohkem', 'image_image_name' => 'Pildifaili nimi', 'image_delete_used' => 'Seda pildifaili kasutavad järgmised lehed.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Pildifail üles laaditud', 'image_update_success' => 'Pildifaili andmed muudetud', 'image_delete_success' => 'Pildifail kustutatud', + 'image_replace' => 'Asenda pilt', + 'image_replace_success' => 'Pildifail on uuendatud', // Code Editor 'code_editor' => 'Muuda koodi', diff --git a/lang/et/entities.php b/lang/et/entities.php index 580e13cdb..1a237857b 100644 --- a/lang/et/entities.php +++ b/lang/et/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Salvesta peatükk', 'chapters_move' => 'Liiguta peatükk', 'chapters_move_named' => 'Liiguta peatükk :chapterName', - 'chapter_move_success' => 'Peatükk liigutatud raamatusse :bookName', 'chapters_copy' => 'Kopeeri peatükk', 'chapters_copy_success' => 'Peatükk on kopeeritud', 'chapters_permissions' => 'Peatüki õigused', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Lehe muutmine', 'pages_edit_draft_save_at' => 'Mustand salvestatud ', 'pages_edit_delete_draft' => 'Kustuta mustand', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Loobu mustandist', 'pages_edit_switch_to_markdown' => 'Kasuta Markdown redaktorit', 'pages_edit_switch_to_markdown_clean' => '(Puhas sisu)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sünkrooni eelvaate kerimine', 'pages_not_in_chapter' => 'Leht ei kuulu peatüki alla', 'pages_move' => 'Liiguta leht', - 'pages_move_success' => 'Leht liigutatud ":parentName" alla', 'pages_copy' => 'Kopeeri leht', 'pages_copy_desination' => 'Kopeerimise sihtpunkt', 'pages_copy_success' => 'Leht on kopeeritud', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Taasta', 'pages_revisions_none' => 'Sellel lehel ei ole redaktsioone', 'pages_copy_link' => 'Kopeeri link', - 'pages_edit_content_link' => 'Muuda sisu', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Lehe õigused on aktiivsed', 'pages_initial_revision' => 'Esimene redaktsioon', 'pages_references_update_revision' => 'Seesmiste linkide automaatne uuendamine', @@ -281,7 +286,8 @@ return [ 'time_b' => 'viimase :minCount minuti jooksul', 'message' => ':start :time. Ärge teineteise muudatusi üle kirjutage!', ], - 'pages_draft_discarded' => 'Mustand ära visatud, redaktorisse laeti lehe värske sisu', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Spetsiifiline leht', 'pages_is_template' => 'Lehe mall', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Jäta siia kommentaar', 'comment_count' => '{0} Kommentaare pole|{1} 1 kommentaar|[2,*] :count kommentaari', 'comment_save' => 'Salvesta kommentaar', - 'comment_saving' => 'Kommentaari salvestamine...', - 'comment_deleting' => 'Kommentaari kustutamine...', 'comment_new' => 'Uus kommentaar', 'comment_created' => 'kommenteeris :createDiff', 'comment_updated' => 'Muudetud :updateDiff :username poolt', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Kommentaar kustutatud', 'comment_created_success' => 'Kommentaar lisatud', 'comment_updated_success' => 'Kommentaar muudetud', 'comment_delete_confirm' => 'Kas oled kindel, et soovid selle kommentaari kustutada?', 'comment_in_reply_to' => 'Vastus kommentaarile :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Kas oled kindel, et soovid selle redaktsiooni kustutada?', 'revision_restore_confirm' => 'Kas oled kindel, et soovid selle redaktsiooni taastada? Lehe praegune sisu asendatakse.', - 'revision_delete_success' => 'Redaktsioon kustutatud', 'revision_cannot_delete_latest' => 'Kõige viimast redaktsiooni ei saa kustutada.', // Copy view diff --git a/lang/et/errors.php b/lang/et/errors.php index a6e17716a..e7b45bfa9 100644 --- a/lang/et/errors.php +++ b/lang/et/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Pildi üleslaadimisel tekkis viga', 'image_upload_type_error' => 'Pildifaili tüüp ei ole korrektne', + 'image_upload_replace_type' => 'Pildifaili asendused peavad olema sama tüüpi', 'drawing_data_not_found' => 'Joonise andmeid ei õnnestunud laadida. Joonist ei pruugi enam eksisteerida, või sul puuduvad õigused selle vaatamiseks.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Mustandi salvestamine ebaõnnestus. Kontrolli oma internetiühendust', + 'page_draft_delete_fail' => 'Mustandi kustutamine ja lehe salvestatud seisu laadimine ebaõnnestus', 'page_custom_home_deletion' => 'Ei saa kustutada lehte, mis on määratud avaleheks', // Entities diff --git a/lang/et/settings.php b/lang/et/settings.php index ea93b64d8..2e00daa77 100644 --- a/lang/et/settings.php +++ b/lang/et/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Seaded', 'settings_save' => 'Salvesta seaded', - 'settings_save_success' => 'Seaded salvestatud', 'system_version' => 'Süsteemi versioon', 'categories' => 'Kategooriad', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Kehtiv kuni', 'user_api_token_expiry_desc' => 'Määra kuupäev, millal see tunnus aegub. Pärast seda kuupäeva ei saa selle tunnusega enam päringuid teha. Välja tühjaks jätmine määrab aegumiskuupäeva 100 aastat tulevikku.', 'user_api_token_create_secret_message' => 'Kohe pärast selle tunnuse loomist genereeritakse ja kuvatakse tunnuse ID ja salajane võti. Võtit kuvatakse ainult ühe korra, seega kopeeri selle väärtus enne jätkamist turvalisse kohta.', - 'user_api_token_create_success' => 'API tunnus on lisatud', - 'user_api_token_update_success' => 'API tunnus on muudetud', 'user_api_token' => 'API tunnus', 'user_api_token_id' => 'Tunnuse ID', 'user_api_token_id_desc' => 'See on API tunnuse süsteemne mittemuudetav identifikaator, mis tuleb API päringutele kaasa panna.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Kustuta tunnus', 'user_api_token_delete_warning' => 'See kustutab API tunnuse nimega \':tokenName\' süsteemist.', 'user_api_token_delete_confirm' => 'Kas oled kindel, et soovid selle API tunnuse kustutada?', - 'user_api_token_delete_success' => 'API tunnus on kustutatud', // Webhooks 'webhooks' => 'Veebihaagid', diff --git a/lang/eu/activities.php b/lang/eu/activities.php index b3884187b..afdef0d4c 100644 --- a/lang/eu/activities.php +++ b/lang/eu/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'leheneratu orria', 'page_restore_notification' => 'Dokumentua behar bezala leheneratuta', 'page_move' => 'mugitu orrialdea', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'kapitulua sortu', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'kapitulua ezabatu', 'chapter_delete_notification' => 'Kapitulua egoki ezabatua', 'chapter_move' => 'kapitulua mugituta', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'liburua sortuta', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'apalategia ezabatua', 'bookshelf_delete_notification' => 'Apalategia egoki ezabatua', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" zure gogoetara gehitua izan da', 'favourite_remove_notification' => '":name" zure gogokoetatik ezabatua izan da', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'sortu webhook', 'webhook_create_notification' => 'Webhook egoki sortua', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook egoki ezabatua', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Erabiltzailea egoki eguneratua', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Erabiltzailea egoki ezabatua', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'iruzkinak', 'permissions_update' => 'eguneratu baimenak', diff --git a/lang/eu/common.php b/lang/eu/common.php index e3c3a40fc..c43039ca5 100644 --- a/lang/eu/common.php +++ b/lang/eu/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Ezeztatu', + 'close' => 'Close', 'confirm' => 'Berretsi', 'back' => 'Itzuli', 'save' => 'Gorde', diff --git a/lang/eu/components.php b/lang/eu/components.php index e44a4143b..b1f66add1 100644 --- a/lang/eu/components.php +++ b/lang/eu/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Irudia aukeratu', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Orrialde honetan igotako irudiak ikusi', 'image_search_hint' => 'Izenarekin bilatu', 'image_uploaded' => 'Igoera data :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Kargatu gehiago', 'image_image_name' => 'Irudiaren izena', 'image_delete_used' => 'Irudi hau honako orrialdetan erabili da.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Irudia zuzen eguneratu da', 'image_update_success' => 'Irudiaren xehetasunak egioki eguneratu dira', 'image_delete_success' => 'Irudia ondo ezabatu da', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Kodea editatu', diff --git a/lang/eu/entities.php b/lang/eu/entities.php index cc733365f..0b744a7f9 100644 --- a/lang/eu/entities.php +++ b/lang/eu/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Kapitulua gorde', 'chapters_move' => 'Kapitulua mugitu', 'chapters_move_named' => ':chapterName kapitulua mugitu', - 'chapter_move_success' => ':bookName liburura mugitu da kapitulua', 'chapters_copy' => 'Kapitulua kopiatu', 'chapters_copy_success' => 'Kapitulua egoki kopiatua', 'chapters_permissions' => 'Kapitulu baimenak', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editatu orrialdea', 'pages_edit_draft_save_at' => 'Draft saved at ', 'pages_edit_delete_draft' => 'Ezabatu zirriborroa', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Baztertu zirriborroa', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Page is not in a chapter', 'pages_move' => 'Move Page', - 'pages_move_success' => 'Page moved to ":parentName"', 'pages_copy' => 'Copy Page', 'pages_copy_desination' => 'Copy Destination', 'pages_copy_success' => 'Page successfully copied', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Berreskuratu', 'pages_revisions_none' => 'This page has no revisions', 'pages_copy_link' => 'Copy Link', - 'pages_edit_content_link' => 'Editatu edukia', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Page Permissions Active', 'pages_initial_revision' => 'Initial publish', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'in the last :minCount minutes', 'message' => ':start :time. Take care not to overwrite each other\'s updates!', ], - 'pages_draft_discarded' => 'Draft discarded, The editor has been updated with the current page content', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specific Page', 'pages_is_template' => 'Orrialde txantiloia', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Utzi iruzkin bat hemen', 'comment_count' => '{0} No Comments|{1} 1 Comment|[2,*] :count Comments', 'comment_save' => 'Iruzkina gorde', - 'comment_saving' => 'Saving comment...', - 'comment_deleting' => 'Deleting comment...', 'comment_new' => 'Iruzkin berria', 'comment_created' => 'commented :createDiff', 'comment_updated' => 'Updated :updateDiff by :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comment deleted', 'comment_created_success' => 'Iruzkina gehituta', 'comment_updated_success' => 'Iruzkina gehituta', 'comment_delete_confirm' => 'Ziur zaude iruzkin hau ezabatu nahi duzula?', 'comment_in_reply_to' => 'In reply to :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Ziur zaude hau ezabatu nahi duzula?', 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.', - 'revision_delete_success' => 'Revision deleted', 'revision_cannot_delete_latest' => 'Cannot delete the latest revision.', // Copy view diff --git a/lang/eu/errors.php b/lang/eu/errors.php index 09dd6bdf3..289785a36 100644 --- a/lang/eu/errors.php +++ b/lang/eu/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Errorea gertatu da irudia igotzerakoan', 'image_upload_type_error' => 'The image type being uploaded is invalid', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Failed to save draft. Ensure you have internet connection before saving this page', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Cannot delete a page while it is set as a homepage', // Entities diff --git a/lang/eu/settings.php b/lang/eu/settings.php index 41f0331c1..f8d255897 100644 --- a/lang/eu/settings.php +++ b/lang/eu/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Ezarpenak', 'settings_save' => 'Gorde aldaketak', - 'settings_save_success' => 'Aldaketak gordeta', 'system_version' => 'Sistema bertsioa', 'categories' => 'Kategoriak', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Iraungitze data', 'user_api_token_expiry_desc' => 'Set a date at which this token expires. After this date, requests made using this token will no longer work. Leaving this field blank will set an expiry 100 years into the future.', 'user_api_token_create_secret_message' => 'Immediately after creating this token a "Token ID" & "Token Secret" will be generated and displayed. The secret will only be shown a single time so be sure to copy the value to somewhere safe and secure before proceeding.', - 'user_api_token_create_success' => 'API token successfully created', - 'user_api_token_update_success' => 'API token successfully updated', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'This is a non-editable system generated identifier for this token which will need to be provided in API requests.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Delete Token', 'user_api_token_delete_warning' => 'This will fully delete this API token with the name \':tokenName\' from the system.', 'user_api_token_delete_confirm' => 'Are you sure you want to delete this API token?', - 'user_api_token_delete_success' => 'API token successfully deleted', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/fa/activities.php b/lang/fa/activities.php index 2e61cce8d..453a6cbd7 100644 --- a/lang/fa/activities.php +++ b/lang/fa/activities.php @@ -6,7 +6,7 @@ return [ // Pages - 'page_create' => 'ایجاد صفحه', + 'page_create' => 'تاریخ ایجاد', 'page_create_notification' => 'صفحه با موفقیت ایجاد شد', 'page_update' => 'به روزرسانی صفحه', 'page_update_notification' => 'صفحه با موفقیت به روزرسانی شد', @@ -15,6 +15,7 @@ return [ 'page_restore' => 'بازیابی صفحه', 'page_restore_notification' => 'صفحه با موفقیت بازیابی شد', 'page_move' => 'انتقال صفحه', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'ایجاد فصل', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'حذف فصل', 'chapter_delete_notification' => 'فصل با موفقیت حذف شد', 'chapter_move' => 'انتقال فصل', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'ایجاد کتاب', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'قفسه حذف شده', 'bookshelf_delete_notification' => 'قفسه کتاب با موفقیت حذف شد', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" به علاقه مندی های شما اضافه شد', 'favourite_remove_notification' => '":name" از علاقه مندی های شما حذف شد', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'روش چند فاکتوری با موفقیت پیکربندی شد', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'روش چند فاکتوری با موفقیت حذف شد', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'ایجاد وب هوک', 'webhook_create_notification' => 'وب هوک با موفقیت ایجاد شد', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'وب هوک با موفقیت حذف شد', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'کاربر با موفقیت به روز شد', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'کاربر با موفقیت حذف شد', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'نقش با موفقیت ایجاد شد', + 'role_update' => 'updated role', 'role_update_notification' => 'نقش با موفقیت به روز شد', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'نقش با موفقیت حذف شد', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'ثبت دیدگاه', 'permissions_update' => 'به روزرسانی مجوزها', diff --git a/lang/fa/common.php b/lang/fa/common.php index 2cdca7342..a3bb039ab 100644 --- a/lang/fa/common.php +++ b/lang/fa/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'لغو', + 'close' => 'Close', 'confirm' => 'تایید', 'back' => 'بازگشت', 'save' => 'ذخیره', diff --git a/lang/fa/components.php b/lang/fa/components.php index 6aab79bb6..f041e9e19 100644 --- a/lang/fa/components.php +++ b/lang/fa/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'انتخاب تصویر', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'تصاویر بارگذاری شده در این صفحه را مشاهده کنید', 'image_search_hint' => 'جستجو بر اساس نام تصویر', 'image_uploaded' => 'بارگذاری شده :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'بارگذاری بیشتر', 'image_image_name' => 'نام تصویر', 'image_delete_used' => 'این تصویر در صفحات زیر استفاده شده است.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'تصویر با موفقیت بارگذاری شد', 'image_update_success' => 'جزئیات تصویر با موفقیت به روز شد', 'image_delete_success' => 'تصویر با موفقیت حذف شد', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'ویرایش کد', diff --git a/lang/fa/entities.php b/lang/fa/entities.php index 4d6fde9da..0709ff3d9 100644 --- a/lang/fa/entities.php +++ b/lang/fa/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'ذخیره فصل', 'chapters_move' => 'انتقال فصل', 'chapters_move_named' => 'انتقال فصل :chapterName', - 'chapter_move_success' => 'فصل به :bookName منتقل شد', 'chapters_copy' => 'کپی فصل', 'chapters_copy_success' => 'فصل با موفقیت کپی شد', 'chapters_permissions' => 'مجوزهای فصل', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'در حال ویرایش صفحه', 'pages_edit_draft_save_at' => 'پیش نویس ذخیره شده در', 'pages_edit_delete_draft' => 'حذف پیش نویس', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'دور انداختن پیش نویس', 'pages_edit_switch_to_markdown' => 'به ویرایشگر Markdown بروید', 'pages_edit_switch_to_markdown_clean' => '(مطالب تمیز)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'هماهنگ سازی اسکرول پیش نمایش', 'pages_not_in_chapter' => 'صفحه در یک فصل نیست', 'pages_move' => 'انتقال صفحه', - 'pages_move_success' => 'صفحه به ":parentName" منتقل شد', 'pages_copy' => 'کپی صفحه', 'pages_copy_desination' => 'مقصد را کپی کنید', 'pages_copy_success' => 'صفحه با موفقیت کپی شد', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'بازگرداندن', 'pages_revisions_none' => 'این صفحه هیچ ویرایشی ندارد', 'pages_copy_link' => 'کپی لینک', - 'pages_edit_content_link' => 'ویرایش محتوا', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'مجوزهای صفحه فعال است', 'pages_initial_revision' => 'انتشار اولیه', 'pages_references_update_revision' => 'بهروزرسانی خودکار لینکهای داخلی سیستم', @@ -281,7 +286,8 @@ return [ 'time_b' => 'در آخرین دقیقه :minCount', 'message' => ':start :time. مراقب باشید به روز رسانی های یکدیگر را بازنویسی نکنید!', ], - 'pages_draft_discarded' => 'پیش نویس حذف شد، ویرایشگر با محتوای صفحه فعلی به روز شده است', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'صفحه خاص', 'pages_is_template' => 'الگوی صفحه', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'اینجا نظر بدهید', 'comment_count' => '{0} بدون نظر|{1} 1 نظر|[2,*] :count نظرات', 'comment_save' => 'ذخیره نظر', - 'comment_saving' => 'در حال ذخیره نظر...', - 'comment_deleting' => 'در حال حذف نظر...', 'comment_new' => 'نظر جدید', 'comment_created' => ':createDiff نظر داد', 'comment_updated' => 'به روز رسانی :updateDiff توسط :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'نظر حذف شد', 'comment_created_success' => 'نظر اضافه شد', 'comment_updated_success' => 'نظر به روز شد', 'comment_delete_confirm' => 'آیا مطمئن هستید که می خواهید این نظر را حذف کنید؟', 'comment_in_reply_to' => 'در پاسخ به :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'آیا مطمئن هستید که می خواهید این ویرایش را حذف کنید؟', 'revision_restore_confirm' => 'آیا مطمئن هستید که می خواهید این ویرایش را بازیابی کنید؟ محتوای صفحه فعلی جایگزین خواهد شد.', - 'revision_delete_success' => 'ویرایش حذف شد', 'revision_cannot_delete_latest' => 'نمی توان آخرین نسخه را حذف کرد.', // Copy view diff --git a/lang/fa/errors.php b/lang/fa/errors.php index bb31ff5cd..fed47cf56 100644 --- a/lang/fa/errors.php +++ b/lang/fa/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'هنگام آپلود تصویر خطایی روی داد', 'image_upload_type_error' => 'نوع تصویر در حال آپلود نامعتبر است', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'داده های طرح قابل بارگذاری نیستند. ممکن است فایل طرح دیگر وجود نداشته باشد یا شما به آن دسترسی نداشته باشید.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'پیش نویس ذخیره نشد. قبل از ذخیره این صفحه مطمئن شوید که به اینترنت متصل هستید', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'وقتی صفحه ای به عنوان صفحه اصلی تنظیم شده است، نمی توان آن را حذف کرد', // Entities diff --git a/lang/fa/settings.php b/lang/fa/settings.php index 7c8bb76f7..7afbe11fc 100644 --- a/lang/fa/settings.php +++ b/lang/fa/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'تنظیمات', 'settings_save' => 'تنظیمات را ذخیره کن', - 'settings_save_success' => 'تنظیمات ذخیره شد', 'system_version' => 'نسخه سیستم', 'categories' => 'دسته بندی ها', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'تاریخ انقضا', 'user_api_token_expiry_desc' => 'تاریخی را تعیین کنید که در آن این توکن منقضی شود. پس از این تاریخ، درخواستهایی که با استفاده از این رمز انجام میشوند دیگر کار نمیکنند. خالی گذاشتن این فیلد باعث انقضای 100 سال آینده می شود.', 'user_api_token_create_secret_message' => 'بلافاصله پس از ایجاد این توکن یک "شناسه رمز" و "رمز رمز" تولید و نمایش داده می شود. راز فقط یک بار نشان داده میشود، بنابراین قبل از ادامه، حتماً مقدار را در جایی امن و مطمئن کپی کنید.', - 'user_api_token_create_success' => 'توکن API با موفقیت ایجاد شد', - 'user_api_token_update_success' => 'توکن API با موفقیت به روز شد', 'user_api_token' => 'توکن API', 'user_api_token_id' => 'شناسه توکن', 'user_api_token_id_desc' => 'این یک شناسه غیرقابل ویرایش است که برای این نشانه ایجاد شده است که باید در درخواستهای API ارائه شود.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'توکن را حذف کنید', 'user_api_token_delete_warning' => 'با این کار این نشانه API با نام \':tokenName\' به طور کامل از سیستم حذف می شود.', 'user_api_token_delete_confirm' => 'آیا مطمئن هستید که می خواهید این نشانه API را حذف کنید؟', - 'user_api_token_delete_success' => 'توکن API با موفقیت حذف شد', // Webhooks 'webhooks' => 'وبهوکها', diff --git a/lang/fr/activities.php b/lang/fr/activities.php index 885ff45b9..4ccaeb745 100644 --- a/lang/fr/activities.php +++ b/lang/fr/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'a restauré la page', 'page_restore_notification' => 'Page restaurée avec succès', 'page_move' => 'a déplacé la page', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'a créé le chapitre', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'a supprimé le chapitre', 'chapter_delete_notification' => 'Chapitre supprimé avec succès', 'chapter_move' => 'a déplacé le chapitre', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'a créé un livre', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'étagère supprimée', 'bookshelf_delete_notification' => 'Étagère supprimée avec succès', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" a été ajouté dans vos favoris', 'favourite_remove_notification' => '":name" a été supprimé de vos favoris', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Méthode multi-facteurs configurée avec succès', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Méthode multi-facteurs supprimée avec succès', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'Créer un Webhook', 'webhook_create_notification' => 'Webhook créé avec succès', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook supprimé avec succès', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Utilisateur mis à jour avec succès', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Utilisateur supprimé avec succès', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Rôle créé avec succès', + 'role_update' => 'updated role', 'role_update_notification' => 'Rôle mis à jour avec succès', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Rôle supprimé avec succès', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'a commenté', 'permissions_update' => 'a mis à jour les autorisations sur', diff --git a/lang/fr/common.php b/lang/fr/common.php index 486b78eb6..a7b7cd94d 100644 --- a/lang/fr/common.php +++ b/lang/fr/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Annuler', + 'close' => 'Fermer', 'confirm' => 'Confirmer', 'back' => 'Retour', 'save' => 'Enregistrer', diff --git a/lang/fr/components.php b/lang/fr/components.php index 4fb4c4113..98f388433 100644 --- a/lang/fr/components.php +++ b/lang/fr/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Sélectionner une image', + 'image_list' => 'Liste d\'images', + 'image_details' => 'Détails de l’Image', 'image_upload' => 'Téléverser une image', 'image_intro' => 'Ici, vous pouvez sélectionner et gérer les images qui ont été précédemment téléversées sur le système.', 'image_intro_upload' => 'Téléversez une nouvelle image en glissant un fichier image dans cette fenêtre, ou en utilisant le bouton "Téléverser une image" ci-dessus.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Voir les images ajoutées à cette page', 'image_search_hint' => 'Rechercher par nom d\'image', 'image_uploaded' => 'Ajoutée le :uploadedDate', + 'image_uploaded_by' => 'Ajouté par :userName', + 'image_uploaded_to' => 'Téléversé vers :pagelink', + 'image_updated' => 'Mis à jour le :updateDate', 'image_load_more' => 'Charger plus', 'image_image_name' => 'Nom de l\'image', 'image_delete_used' => 'Cette image est utilisée dans les pages ci-dessous.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Image ajoutée avec succès', 'image_update_success' => 'Détails de l\'image mis à jour', 'image_delete_success' => 'Image supprimée avec succès', + 'image_replace' => 'Remplacer l\'image', + 'image_replace_success' => 'Image mise à jour avec succès', // Code Editor 'code_editor' => 'Éditer le code', diff --git a/lang/fr/entities.php b/lang/fr/entities.php index 2fb803baf..a8019c189 100644 --- a/lang/fr/entities.php +++ b/lang/fr/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Enregistrer le chapitre', 'chapters_move' => 'Déplacer le chapitre', 'chapters_move_named' => 'Déplacer le chapitre :chapterName', - 'chapter_move_success' => 'Chapitre déplacé dans :bookName', 'chapters_copy' => 'Copier le chapitre', 'chapters_copy_success' => 'Chapitre copié avec succès', 'chapters_permissions' => 'Permissions du chapitre', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Modification de la page', 'pages_edit_draft_save_at' => 'Brouillon enregistré le ', 'pages_edit_delete_draft' => 'Supprimer le brouillon', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Jeter le brouillon', 'pages_edit_switch_to_markdown' => 'Basculer vers l\'éditeur Markdown', 'pages_edit_switch_to_markdown_clean' => '(Contenu nettoyé)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Défilement prévisualisation', 'pages_not_in_chapter' => 'La page n\'est pas dans un chapitre', 'pages_move' => 'Déplacer la page', - 'pages_move_success' => 'Page déplacée à ":parentName"', 'pages_copy' => 'Copier la page', 'pages_copy_desination' => 'Destination de la copie', 'pages_copy_success' => 'Page copiée avec succès', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restaurer', 'pages_revisions_none' => 'Cette page n\'a aucune révision', 'pages_copy_link' => 'Copier le lien', - 'pages_edit_content_link' => 'Modifier le contenu', + 'pages_edit_content_link' => 'Aller à la section dans l\'éditeur', + 'pages_pointer_enter_mode' => 'Entrer en mode de sélection de section', + 'pages_pointer_label' => 'Options de section de page', + 'pages_pointer_permalink' => 'Lien permanent de la section de page', + 'pages_pointer_include_tag' => 'Balise d\'inclusion de la section de page', + 'pages_pointer_toggle_link' => 'Mode Lien Permanent, Cliquer pour afficher la balise d\'inclusion', + 'pages_pointer_toggle_include' => 'Mode balise d\'inclusion, cliquer pour afficher le lien permanent', 'pages_permissions_active' => 'Permissions de page actives', 'pages_initial_revision' => 'Publication initiale', 'pages_references_update_revision' => 'Mise à jour automatique des liens internes', @@ -281,7 +286,8 @@ return [ 'time_b' => 'dans les :minCount dernières minutes', 'message' => ':start :time. Attention à ne pas écraser les mises à jour de quelqu\'un d\'autre !', ], - 'pages_draft_discarded' => 'Brouillon écarté, la page est dans sa version actuelle.', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Page spécifique', 'pages_is_template' => 'Modèle de page', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Entrez vos commentaires ici', 'comment_count' => '{0} Pas de commentaires|{1} Un commentaire|[2,*] :count commentaires', 'comment_save' => 'Enregistrer le commentaire', - 'comment_saving' => 'Enregistrement du commentaire…', - 'comment_deleting' => 'Suppression du commentaire…', 'comment_new' => 'Nouveau commentaire', 'comment_created' => 'commenté :createDiff', 'comment_updated' => 'Mis à jour :updateDiff par :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Commentaire supprimé', 'comment_created_success' => 'Commentaire ajouté', 'comment_updated_success' => 'Commentaire mis à jour', 'comment_delete_confirm' => 'Êtes-vous sûr de vouloir supprimer ce commentaire ?', 'comment_in_reply_to' => 'En réponse à :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Êtes-vous sûr de vouloir supprimer cette révision ?', 'revision_restore_confirm' => 'Êtes-vous sûr de vouloir restaurer cette révision ? Le contenu courant de la page va être remplacé.', - 'revision_delete_success' => 'Révision supprimée', 'revision_cannot_delete_latest' => 'Impossible de supprimer la dernière révision.', // Copy view diff --git a/lang/fr/errors.php b/lang/fr/errors.php index ade5b6563..8a18949b0 100644 --- a/lang/fr/errors.php +++ b/lang/fr/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Une erreur est survenue pendant l\'envoi de l\'image', 'image_upload_type_error' => 'Le format de l\'image envoyée n\'est pas valide', + 'image_upload_replace_type' => 'Le fichier image doit être remplacé par une image du même type', 'drawing_data_not_found' => 'Les données de dessin n\'ont pas pu être chargées. Le fichier de dessin peut ne plus exister ou vous n\'avez pas la permission d\'y accéder.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Le brouillon n\'a pas pu être enregistré. Vérifiez votre connexion internet', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Impossible de supprimer une page définie comme page d\'accueil', // Entities diff --git a/lang/fr/settings.php b/lang/fr/settings.php index 8b13d4211..fb486301b 100644 --- a/lang/fr/settings.php +++ b/lang/fr/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Préférences', 'settings_save' => 'Enregistrer les préférences', - 'settings_save_success' => 'Préférences enregistrées', 'system_version' => 'Version du système', 'categories' => 'Catégories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Date d\'expiration', 'user_api_token_expiry_desc' => 'Définissez une date à laquelle ce jeton expire. Après cette date, les demandes effectuées à l\'aide de ce jeton ne fonctionneront plus. Le fait de laisser ce champ vide entraînera une expiration dans 100 ans.', 'user_api_token_create_secret_message' => 'Immédiatement après la création de ce jeton, un "ID de jeton" "et" Secret de jeton "sera généré et affiché. Le secret ne sera affiché qu\'une seule fois, alors assurez-vous de copier la valeur dans un endroit sûr et sécurisé avant de continuer.', - 'user_api_token_create_success' => 'Le jeton API a été créé avec succès', - 'user_api_token_update_success' => 'Le jeton API a été mis à jour avec succès', 'user_api_token' => 'Jeton API', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Il s\'agit d\'un identifiant généré par le système non modifiable pour ce jeton qui devra être fourni dans les demandes d\'API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Supprimer le jeton', 'user_api_token_delete_warning' => 'Cela supprimera complètement le jeton d\'API avec le nom \':tokenName\'.', 'user_api_token_delete_confirm' => 'Souhaitez-vous vraiment effacer ce jeton API ?', - 'user_api_token_delete_success' => 'Le jeton API a été supprimé avec succès', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/he/activities.php b/lang/he/activities.php index c86822ed2..3bf0a4be3 100644 --- a/lang/he/activities.php +++ b/lang/he/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'דף שוחזר', 'page_restore_notification' => 'הדף שוחזר בהצלחה', 'page_move' => 'דף הועבר', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'פרק נוצר', @@ -24,55 +25,92 @@ return [ 'chapter_delete' => 'פרק נמחק', 'chapter_delete_notification' => 'הפרק נמחק בהצלחה', 'chapter_move' => 'פרק הועבר', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'ספר נוצר', 'book_create_notification' => 'ספר נוצר בהצלחה', - 'book_create_from_chapter' => 'converted chapter to book', - 'book_create_from_chapter_notification' => 'Chapter successfully converted to a book', + 'book_create_from_chapter' => 'המר פרק לספר', + 'book_create_from_chapter_notification' => 'הפרק הומר בהצלחה לספר', 'book_update' => 'ספר הועדכן', 'book_update_notification' => 'ספר התעדכן בהצלחה', 'book_delete' => 'ספר נמחק', 'book_delete_notification' => 'ספר נמחק בהצלחה', - 'book_sort' => 'sorted book', - 'book_sort_notification' => 'Book successfully re-sorted', + 'book_sort' => 'ספר ממויין', + 'book_sort_notification' => 'ספר מויין מחדש בהצלחה', // Bookshelves - 'bookshelf_create' => 'created shelf', - 'bookshelf_create_notification' => 'Shelf successfully created', - 'bookshelf_create_from_book' => 'converted book to shelf', + 'bookshelf_create' => 'מדף נוצר', + 'bookshelf_create_notification' => 'המדף נוצר בהצלחה', + 'bookshelf_create_from_book' => 'המר ספר למדף', 'bookshelf_create_from_book_notification' => 'הספר הוסב בהצלחה למדף', - 'bookshelf_update' => 'updated shelf', - 'bookshelf_update_notification' => 'Shelf successfully updated', - 'bookshelf_delete' => 'deleted shelf', - 'bookshelf_delete_notification' => 'Shelf successfully deleted', + 'bookshelf_update' => 'מדף עודכן', + 'bookshelf_update_notification' => 'מדף עודכן בהצלחה', + 'bookshelf_delete' => 'מדף שנמחק', + 'bookshelf_delete_notification' => 'מדף נמחק בהצלחה', + + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', // Favourites 'favourite_add_notification' => '":name" has been added to your favourites', 'favourite_remove_notification' => '":name" has been removed from your favourites', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'created webhook', - 'webhook_create_notification' => 'Webhook successfully created', + 'webhook_create_notification' => 'Webhook נוצר בהצלחה', 'webhook_update' => 'updated webhook', 'webhook_update_notification' => 'Webhook successfully updated', 'webhook_delete' => 'deleted webhook', 'webhook_delete_notification' => 'Webhook successfully deleted', // Users - 'user_update_notification' => 'User successfully updated', - 'user_delete_notification' => 'User successfully removed', + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', + 'user_update_notification' => 'משתמש עודכן בהצלחה', + 'user_delete' => 'deleted user', + 'user_delete_notification' => 'משתמש הוסר בהצלחה', + + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', // Roles - 'role_create_notification' => 'Role successfully created', - 'role_update_notification' => 'Role successfully updated', - 'role_delete_notification' => 'Role successfully deleted', + 'role_create' => 'created role', + 'role_create_notification' => 'תפקיד נוצר בהצלחה', + 'role_update' => 'updated role', + 'role_update_notification' => 'תפקיד עודכן בהצלחה', + 'role_delete' => 'deleted role', + 'role_delete_notification' => 'תפקיד נמחק בהצלחה', + + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', // Other - 'commented_on' => 'commented on', - 'permissions_update' => 'updated permissions', + 'commented_on' => 'הגיב/ה על', + 'permissions_update' => 'הרשאות עודכנו', ]; diff --git a/lang/he/auth.php b/lang/he/auth.php index 50dc2e470..4e303a2eb 100644 --- a/lang/he/auth.php +++ b/lang/he/auth.php @@ -39,9 +39,9 @@ return [ 'register_success' => 'תודה על הרשמתך! ניתן כעת להתחבר', // Login auto-initiation - 'auto_init_starting' => 'Attempting Login', - 'auto_init_starting_desc' => 'We\'re contacting your authentication system to start the login process. If there\'s no progress after 5 seconds you can try clicking the link below.', - 'auto_init_start_link' => 'Proceed with authentication', + 'auto_init_starting' => 'ניסיון התחברות', + 'auto_init_starting_desc' => 'אנחנו יוצרים קשר עם מערכת האימות שלך להתחלת תהליך ההתחברות. במידה ולאחר 5 שניות לא בוצעה התחברות יש ללחוץ על הקישור מטה.', + 'auto_init_start_link' => 'המשך עם האימות', // Password Reset 'reset_password' => 'איפוס סיסמא', @@ -59,10 +59,10 @@ return [ 'email_confirm_text' => 'יש לאמת את כתובת המייל של על ידי לחיצה על הכפור למטה:', 'email_confirm_action' => 'אמת כתובת אי-מייל', 'email_confirm_send_error' => 'נדרש אימות אי-מייל אך שליחת האי-מייל אליך נכשלה. יש ליצור קשר עם מנהל המערכת כדי לוודא שאכן ניתן לשלוח מיילים.', - 'email_confirm_success' => 'Your email has been confirmed! You should now be able to login using this email address.', + 'email_confirm_success' => 'כתובת המייל שלך אומתה! כעת תוכל/י להתחבר באמצעות כתובת מייל זו.', 'email_confirm_resent' => 'אימות נשלח לאי-מייל שלך, יש לבדוק בתיבת הדואר הנכנס', - 'email_confirm_thanks' => 'Thanks for confirming!', - 'email_confirm_thanks_desc' => 'Please wait a moment while your confirmation is handled. If you are not redirected after 3 seconds press the "Continue" link below to proceed.', + 'email_confirm_thanks' => 'תודה על האישור!', + 'email_confirm_thanks_desc' => 'בבקשה המתן בזמן שהאישוך שלך מטופל. במידה ולא הופנתה לאחר 3 שניות לחץ על "המשך" מטה בכדי להמשיך.', 'email_not_confirmed' => 'כתובת המייל לא אומתה', 'email_not_confirmed_text' => 'כתובת המייל שלך טרם אומתה', @@ -73,24 +73,24 @@ return [ // User Invite 'user_invite_email_subject' => 'הוזמנת להצטרף ל:appName!', 'user_invite_email_greeting' => 'An account has been created for you on :appName.', - 'user_invite_email_text' => 'Click the button below to set an account password and gain access:', + 'user_invite_email_text' => 'לחץ על הכפתור מטה בכדי להגדיר סיסמת משתמש ולקבל גישה:', 'user_invite_email_action' => 'הגדר סיסמה לחשבון', 'user_invite_page_welcome' => 'Welcome to :appName!', 'user_invite_page_text' => 'To finalise your account and gain access you need to set a password which will be used to log-in to :appName on future visits.', - 'user_invite_page_confirm_button' => 'Confirm Password', + 'user_invite_page_confirm_button' => 'אימות סיסמא', 'user_invite_success_login' => 'Password set, you should now be able to login using your set password to access :appName!', // Multi-factor Authentication - 'mfa_setup' => 'Setup Multi-Factor Authentication', - 'mfa_setup_desc' => 'Setup multi-factor authentication as an extra layer of security for your user account.', - 'mfa_setup_configured' => 'Already configured', - 'mfa_setup_reconfigure' => 'Reconfigure', + 'mfa_setup' => 'הגדר אימות רב-שלבי', + 'mfa_setup_desc' => 'הגדר אימות רב-שלבי כשכבת אבטחה נוספת עבור החשבון שלך.', + 'mfa_setup_configured' => 'כבר הוגדר', + 'mfa_setup_reconfigure' => 'הגדר מחדש', 'mfa_setup_remove_confirmation' => 'Are you sure you want to remove this multi-factor authentication method?', 'mfa_setup_action' => 'Setup', - 'mfa_backup_codes_usage_limit_warning' => 'You have less than 5 backup codes remaining, Please generate and store a new set before you run out of codes to prevent being locked out of your account.', - 'mfa_option_totp_title' => 'Mobile App', - 'mfa_option_totp_desc' => 'To use multi-factor authentication you\'ll need a mobile application that supports TOTP such as Google Authenticator, Authy or Microsoft Authenticator.', - 'mfa_option_backup_codes_title' => 'Backup Codes', + 'mfa_backup_codes_usage_limit_warning' => 'נשאר לך פחות מ 5 קודי גיבוי, בבקשה חולל ואחסן סט חדש לפני שיגמרו לך הקודים בכדי למנוע נעילה מחוץ לחשבון שלך.', + 'mfa_option_totp_title' => 'אפליקציה לנייד', + 'mfa_option_totp_desc' => 'בכדי להשתמש באימות רב-שלבי תצטרך אפליקציית מובייל תומכת TOTP כמו Google Authenticator, Authy או Microsoft Authenticator.', + 'mfa_option_backup_codes_title' => 'קודי גיבוי', 'mfa_option_backup_codes_desc' => 'Securely store a set of one-time-use backup codes which you can enter to verify your identity.', 'mfa_gen_confirm_and_enable' => 'Confirm and Enable', 'mfa_gen_backup_codes_title' => 'Backup Codes Setup', diff --git a/lang/he/common.php b/lang/he/common.php index fa7319719..b44d98028 100644 --- a/lang/he/common.php +++ b/lang/he/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'ביטול', + 'close' => 'Close', 'confirm' => 'אישור', 'back' => 'אחורה', 'save' => 'שמור', diff --git a/lang/he/components.php b/lang/he/components.php index f0b0da3fd..4095264b7 100644 --- a/lang/he/components.php +++ b/lang/he/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'בחירת תמונה', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'הצג תמונות שהועלו לדף זה', 'image_search_hint' => 'חפש תמונה לפי שם', 'image_uploaded' => 'הועלה :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'טען עוד', 'image_image_name' => 'שם התמונה', 'image_delete_used' => 'תמונה זו בשימוש בדפים שמתחת', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'התמונה עלתה בהצלחה', 'image_update_success' => 'פרטי התמונה עודכנו בהצלחה', 'image_delete_success' => 'התמונה נמחקה בהצלחה', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'ערוך קוד', diff --git a/lang/he/entities.php b/lang/he/entities.php index cd1807513..2222bf0bb 100644 --- a/lang/he/entities.php +++ b/lang/he/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'שמור פרק', 'chapters_move' => 'העבר פרק', 'chapters_move_named' => 'העבר פרק :chapterName', - 'chapter_move_success' => 'הפרק הועבר אל :bookName', 'chapters_copy' => 'העתק פרק', 'chapters_copy_success' => 'פרק הועתק בהצלחה', 'chapters_permissions' => 'הרשאות פרק', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'עריכת דף', 'pages_edit_draft_save_at' => 'טיוטה נשמרה ב ', 'pages_edit_delete_draft' => 'מחק טיוטה', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'התעלם מהטיוטה', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'דף אינו חלק מפרק', 'pages_move' => 'העבר דף', - 'pages_move_success' => 'הדף הועבר אל ":parentName"', 'pages_copy' => 'העתק דף', 'pages_copy_desination' => 'העתק יעד', 'pages_copy_success' => 'הדף הועתק בהצלחה', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'שחזר', 'pages_revisions_none' => 'לדף זה אין נוסחים', 'pages_copy_link' => 'העתק קישור', - 'pages_edit_content_link' => 'ערוך תוכן', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'הרשאות דף פעילות', 'pages_initial_revision' => 'פרסום ראשוני', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'ב :minCount דקות האחרונות', 'message' => ':start :time. יש לשים לב לא לדרוס שינויים של משתמשים אחרים!', ], - 'pages_draft_discarded' => 'הסקיצה נמחקה, העורך עודכן עם תוכן הדף העכשוי', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'דף ספציפי', 'pages_is_template' => 'תבנית דף', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'השאר תגובה כאן', 'comment_count' => '{0} אין תגובות|{1} 1 תגובה|[2,*] :count תגובות', 'comment_save' => 'שמור תגובה', - 'comment_saving' => 'שומר תגובה...', - 'comment_deleting' => 'מוחק תגובה...', 'comment_new' => 'תגובה חדשה', 'comment_created' => 'הוגב :createDiff', 'comment_updated' => 'עודכן :updateDiff על ידי :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'התגובה נמחקה', 'comment_created_success' => 'התגובה נוספה', 'comment_updated_success' => 'התגובה עודכנה', 'comment_delete_confirm' => 'האם ברצונך למחוק תגובה זו?', 'comment_in_reply_to' => 'בתגובה ל :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'האם ברצונך למחוק נוסח זה?', 'revision_restore_confirm' => 'האם ברצונך לשחזר נוסח זה? תוכן הדף הנוכחי יעודכן לנוסח זה.', - 'revision_delete_success' => 'נוסח נמחק', 'revision_cannot_delete_latest' => 'לא ניתן למחוק את הנוסח האחרון', // Copy view diff --git a/lang/he/errors.php b/lang/he/errors.php index 36a7df46f..6c133d860 100644 --- a/lang/he/errors.php +++ b/lang/he/errors.php @@ -14,16 +14,16 @@ return [ 'email_confirmation_invalid' => 'מפתח האימות אינו תקין או שכבר נעשה בו שימוש, אנא נסה להרשם שנית', 'email_confirmation_expired' => 'מפתח האימות פג-תוקף, מייל אימות חדש נשלח שוב.', 'email_confirmation_awaiting' => 'The email address for the account in use needs to be confirmed', - 'ldap_fail_anonymous' => 'LDAP access failed using anonymous bind', + 'ldap_fail_anonymous' => 'גישת LDAP נדחתה בעת השימוש ב bind אנונימי', 'ldap_fail_authed' => 'LDAP access failed using given dn & password details', - 'ldap_extension_not_installed' => 'LDAP PHP extension not installed', + 'ldap_extension_not_installed' => 'הרחבת LDAP עבור PHP לא מותקנת', 'ldap_cannot_connect' => 'Cannot connect to ldap server, Initial connection failed', 'saml_already_logged_in' => 'כבר מחובר', 'saml_user_not_registered' => 'The user :name is not registered and automatic registration is disabled', 'saml_no_email_address' => 'Could not find an email address, for this user, in the data provided by the external authentication system', 'saml_invalid_response_id' => 'The request from the external authentication system is not recognised by a process started by this application. Navigating back after a login could cause this issue.', 'saml_fail_authed' => 'Login using :system failed, system did not provide successful authorization', - 'oidc_already_logged_in' => 'Already logged in', + 'oidc_already_logged_in' => 'כבר מחובר', 'oidc_user_not_registered' => 'The user :name is not registered and automatic registration is disabled', 'oidc_no_email_address' => 'Could not find an email address, for this user, in the data provided by the external authentication system', 'oidc_fail_authed' => 'Login using :system failed, system did not provide successful authorization', @@ -37,7 +37,7 @@ return [ 'social_account_register_instructions' => 'אם אין ברשותך חשבון, תוכל להרשם באמצעות :socialAccount', 'social_driver_not_found' => 'Social driver not found', 'social_driver_not_configured' => 'הגדרות ה :socialAccount אינן מוגדרות כראוי', - 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.', + 'invite_token_expired' => 'לינק ההזמנה פג. אתה יכול לנסות לאפס את סיסמת החשבון שלך במקום.', // System 'path_not_writable' => 'לא ניתן להעלות את :filePath אנא ודא שניתן לכתוב למיקום זה', @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'התרחשה שגיאה במהלך העלאת התמונה', 'image_upload_type_error' => 'התמונה שהועלתה אינה תקינה', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,11 +58,12 @@ return [ // Pages 'page_draft_autosave_fail' => 'שגיאה בשמירת הטיוטה. אנא ודא כי חיבור האינטרנט תקין לפני שמירת דף זה.', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'לא ניתן למחוק דף אשר מוגדר כדף הבית', // Entities 'entity_not_found' => 'פריט לא נמצא', - 'bookshelf_not_found' => 'Shelf not found', + 'bookshelf_not_found' => 'מדף לא נמצא', 'book_not_found' => 'ספר לא נמצא', 'page_not_found' => 'דף לא נמצא', 'chapter_not_found' => 'פרק לא נמצא', @@ -89,10 +91,10 @@ return [ // Error pages '404_page_not_found' => 'דף לא קיים', 'sorry_page_not_found' => 'מצטערים, הדף שחיפשת אינו קיים', - 'sorry_page_not_found_permission_warning' => 'If you expected this page to exist, you might not have permission to view it.', - 'image_not_found' => 'Image Not Found', - 'image_not_found_subtitle' => 'Sorry, The image file you were looking for could not be found.', - 'image_not_found_details' => 'If you expected this image to exist it might have been deleted.', + 'sorry_page_not_found_permission_warning' => 'במידה וציפיתי שדף זה יהיה קיים, ייתכן וחסרות לך ההרשאות לראותו.', + 'image_not_found' => 'תמונה לא נמצאה', + 'image_not_found_subtitle' => 'מצטערים, לא היה ניתן למצוא את קובץ התמונה שחיפשת.', + 'image_not_found_details' => 'במידה וציפית שתמונה זאת תהיה קיימת ייתכן והיא כבר נמחקה.', 'return_home' => 'בחזרה לדף הבית', 'error_occurred' => 'התרחשה שגיאה', 'app_down' => ':appName כרגע אינו זמין', diff --git a/lang/he/settings.php b/lang/he/settings.php index b38e34980..2fe468ac5 100644 --- a/lang/he/settings.php +++ b/lang/he/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'הגדרות', 'settings_save' => 'שמור הגדרות', - 'settings_save_success' => 'ההגדרות נשמרו', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'תאריך תפוגה', 'user_api_token_expiry_desc' => 'הגדירו תאריך בו יפוג תוקף אסימון זה. לאחר תאריך זה, בקשות שיעשו באמצעות אסימון זה לא יעבדו יותר. במידה ושדה זה יושאר ריק, תאריך התפוגה יוגדר לבעוד 100 שנים.', 'user_api_token_create_secret_message' => 'מיד לאחר יצירת אסימון זה, יווצרו ויוצגו "ID אסימון" ו"סוד אסימון". הסוד יוצג פעם אחת בלבד, לכן וודאו להעתיק את הערך למקום שמור ובטוח לפני שתמשיכו הלאה.', - 'user_api_token_create_success' => 'אסימון API נוצר בהצלחה', - 'user_api_token_update_success' => 'אסימון API עודכן בהצלחה', 'user_api_token' => 'אסימון API', 'user_api_token_id' => 'ID האסימון', 'user_api_token_id_desc' => 'זהו מזהה בלתי ניתן לעריכה לאסימון זה הנוצר על ידי המערכת, אשר יסופק בבקשות API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'מחק אסימון', 'user_api_token_delete_warning' => 'פעולה זו תמחק לחלוטין את אסימון ה-API בשם \':tokenName\' מהמערכת.', 'user_api_token_delete_confirm' => 'האם אתם בטוחים שאתם מעוניינים למחוק אסימון API זה?', - 'user_api_token_delete_success' => 'אסימון API נמחק בהצלחה', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/hr/activities.php b/lang/hr/activities.php index e00cb11a9..25d333892 100644 --- a/lang/hr/activities.php +++ b/lang/hr/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'obnovljena stranica', 'page_restore_notification' => 'Stranica je uspješno obnovljena', 'page_move' => 'premještena stranica', + 'page_move_notification' => 'Stranica je uspješno premještene', // Chapters 'chapter_create' => 'stvoreno poglavlje', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'izbrisano poglavlje', 'chapter_delete_notification' => 'Poglavlje je uspješno izbrisano', 'chapter_move' => 'premiješteno poglavlje', + 'chapter_move_notification' => 'Poglavlje je uspješno premješteno', // Books 'book_create' => 'stvorena knjiga', @@ -38,39 +40,75 @@ return [ 'book_sort_notification' => 'Knjiga je uspješno razvrstana', // Bookshelves - 'bookshelf_create' => 'created shelf', - 'bookshelf_create_notification' => 'Shelf successfully created', - 'bookshelf_create_from_book' => 'converted book to shelf', + 'bookshelf_create' => 'kreirana polica', + 'bookshelf_create_notification' => 'Polica uspješno kreirana', + 'bookshelf_create_from_book' => 'pretvorena knjiga u policu', 'bookshelf_create_from_book_notification' => 'Poglavlje je uspješno pretvoreno u knjigu', - 'bookshelf_update' => 'updated shelf', - 'bookshelf_update_notification' => 'Shelf successfully updated', - 'bookshelf_delete' => 'deleted shelf', - 'bookshelf_delete_notification' => 'Shelf successfully deleted', + 'bookshelf_update' => 'ažurirana polica', + 'bookshelf_update_notification' => 'Polica je uspješno ažurirana', + 'bookshelf_delete' => 'izbrisana polica', + 'bookshelf_delete_notification' => 'Polica je uspješno izbrisana', + + // Revisions + 'revision_restore' => 'obnovljena revizija', + 'revision_delete' => 'izbrisana revizija', + 'revision_delete_notification' => 'Revizija uspješno obrisana', // Favourites 'favourite_add_notification' => '".ime" će biti dodano u tvoje favorite', 'favourite_remove_notification' => '".ime" je uspješno maknuta iz tvojih favorita', - // MFA + // Auth + 'auth_login' => 'prijavljen', + 'auth_register' => 'registriran kao novi korisnik', + 'auth_password_reset_request' => 'zahtjev za resetiranje korisničke lozinke', + 'auth_password_reset_update' => 'resetiraj korisničku lozinku', + 'mfa_setup_method' => 'konfiguriran MFA način', 'mfa_setup_method_notification' => 'Metoda više-čimbenika je uspješno konfigurirana', + 'mfa_remove_method' => 'uklonjen MFA način', 'mfa_remove_method_notification' => 'Metoda više-čimbenika je uspješno izbrisana', + // Settings + 'settings_update' => 'ažurirane postavke', + 'settings_update_notification' => 'Postavke uspješno ažurirane', + 'maintenance_action_run' => 'izvršena akcija održavanja', + // Webhooks - 'webhook_create' => 'web knjiga je kreirana', - 'webhook_create_notification' => 'Web knjiga je uspješno kreirana', - 'webhook_update' => 'web knjiga je ažurirana', - 'webhook_update_notification' => 'Web knjiga je uspješno ažurirana', - 'webhook_delete' => 'web knjiga je izbrisana', - 'webhook_delete_notification' => 'Web knjga je uspješno izbrisana', + 'webhook_create' => 'web-dojavnik je kreiran', + 'webhook_create_notification' => 'Web-dojavnik je uspješno kreiran', + 'webhook_update' => 'web-dojavnik je ažuriran', + 'webhook_update_notification' => 'Web- dojavnik je uspješno ažuriran', + 'webhook_delete' => 'web- dojavnik izbrisan', + 'webhook_delete_notification' => 'Web-dojavnik je uspješno izbrisan', // Users + 'user_create' => 'kreirani korisnik', + 'user_create_notification' => 'Korisnik je uspješno kreiran', + 'user_update' => 'ažurirani korisnik', 'user_update_notification' => 'Korisnik je uspješno ažuriran', + 'user_delete' => 'izbrisani korisnik', 'user_delete_notification' => 'Korisnik je uspješno uklonjen', + // API Tokens + 'api_token_create' => 'kreirani API token', + 'api_token_create_notification' => 'API token uspješno kreiran', + 'api_token_update' => 'ažurirani API token', + 'api_token_update_notification' => 'API token uspješno ažuriran', + 'api_token_delete' => 'obrisan API token', + 'api_token_delete_notification' => 'API token uspješno izbrisan', + // Roles - 'role_create_notification' => 'Role successfully created', - 'role_update_notification' => 'Role successfully updated', - 'role_delete_notification' => 'Role successfully deleted', + 'role_create' => 'kreirana uloga', + 'role_create_notification' => 'Uloga uspješno stvorena', + 'role_update' => 'ažurirana uloga', + 'role_update_notification' => 'Uloga uspješno ažurirana', + 'role_delete' => 'izbrisana uloga', + 'role_delete_notification' => 'Uloga je uspješno izbrisana', + + // Recycle Bin + 'recycle_bin_empty' => 'koš za smeće ispražnjen', + 'recycle_bin_restore' => 'reciklirano iz koša za smeće', + 'recycle_bin_destroy' => 'uklonjeno iz koša za smeće', // Other 'commented_on' => 'komentirano', diff --git a/lang/hr/auth.php b/lang/hr/auth.php index ca0b99661..f77853c43 100644 --- a/lang/hr/auth.php +++ b/lang/hr/auth.php @@ -28,8 +28,8 @@ return [ 'create_account' => 'Stvori račun', 'already_have_account' => 'Imate li već račun?', 'dont_have_account' => 'Nemate račun?', - 'social_login' => 'Social Login', - 'social_registration' => 'Social Registration', + 'social_login' => 'Mrežna Prijava', + 'social_registration' => 'Mrežna Registracija', 'social_registration_text' => 'Prijavite se putem drugih servisa.', 'register_thanks' => 'Zahvaljujemo na registraciji!', @@ -39,9 +39,9 @@ return [ 'register_success' => 'Hvala na prijavi! Sada ste registrirani i prijavljeni.', // Login auto-initiation - 'auto_init_starting' => 'Attempting Login', - 'auto_init_starting_desc' => 'We\'re contacting your authentication system to start the login process. If there\'s no progress after 5 seconds you can try clicking the link below.', - 'auto_init_start_link' => 'Proceed with authentication', + 'auto_init_starting' => 'Pokušaj Prijave', + 'auto_init_starting_desc' => 'Kontaktiramo vaš sustav za autentifikaciju kako bismo započeli postupak prijave. Ako ne postoji napredak nakon 5 sekundi, možete pokušati kliknuti donju poveznicu.', + 'auto_init_start_link' => 'Nastavite s autentifikacijom', // Password Reset 'reset_password' => 'Promijenite lozinku', @@ -59,10 +59,10 @@ return [ 'email_confirm_text' => 'Molimo potvrdite svoju e-mail adresu klikom na donji gumb.', 'email_confirm_action' => 'Potvrdi Email', 'email_confirm_send_error' => 'Potvrda e-mail adrese je obavezna, ali sustav ne može poslati e-mail. Javite se administratoru kako bi provjerio vaš e-mail.', - 'email_confirm_success' => 'Your email has been confirmed! You should now be able to login using this email address.', + 'email_confirm_success' => 'Vaša e-pošta je potvrđena! Sada biste se trebali moći prijaviti koristeći danu e-poštu.', 'email_confirm_resent' => 'Ponovno je poslana potvrda. Molimo, provjerite svoj inbox.', - 'email_confirm_thanks' => 'Thanks for confirming!', - 'email_confirm_thanks_desc' => 'Please wait a moment while your confirmation is handled. If you are not redirected after 3 seconds press the "Continue" link below to proceed.', + 'email_confirm_thanks' => 'Zahvaljujemo na potvrdi!', + 'email_confirm_thanks_desc' => 'Molimo pričekajte trenutak dok se obrađuje vaša potvrda. Ako ne budete preusmjereni nakon 3 sekunde, pritisnite "Nastavi" poveznicu ispod kako biste nastavili.', 'email_not_confirmed' => 'E-mail adresa nije potvrđena.', 'email_not_confirmed_text' => 'Vaša e-mail adresa još nije potvrđena.', @@ -78,40 +78,40 @@ return [ 'user_invite_page_welcome' => 'Dobrodošli u :appName!', 'user_invite_page_text' => 'Da biste postavili račun i dobili pristup trebate unijeti lozinku kojom ćete se ubuduće prijaviti na :appName.', 'user_invite_page_confirm_button' => 'Potvrdite lozinku', - 'user_invite_success_login' => 'Password set, you should now be able to login using your set password to access :appName!', + 'user_invite_success_login' => 'Lozinka je postavljena, sada biste se trebali moći prijaviti koristeći postavljenu lozinku kako biste pristupili aplikaciji :appName!', // Multi-factor Authentication - 'mfa_setup' => 'Setup Multi-Factor Authentication', - 'mfa_setup_desc' => 'Setup multi-factor authentication as an extra layer of security for your user account.', - 'mfa_setup_configured' => 'Already configured', - 'mfa_setup_reconfigure' => 'Reconfigure', - 'mfa_setup_remove_confirmation' => 'Are you sure you want to remove this multi-factor authentication method?', - 'mfa_setup_action' => 'Setup', - 'mfa_backup_codes_usage_limit_warning' => 'You have less than 5 backup codes remaining, Please generate and store a new set before you run out of codes to prevent being locked out of your account.', - 'mfa_option_totp_title' => 'Mobile App', - 'mfa_option_totp_desc' => 'To use multi-factor authentication you\'ll need a mobile application that supports TOTP such as Google Authenticator, Authy or Microsoft Authenticator.', - 'mfa_option_backup_codes_title' => 'Backup Codes', - 'mfa_option_backup_codes_desc' => 'Securely store a set of one-time-use backup codes which you can enter to verify your identity.', - 'mfa_gen_confirm_and_enable' => 'Confirm and Enable', - 'mfa_gen_backup_codes_title' => 'Backup Codes Setup', - 'mfa_gen_backup_codes_desc' => 'Store the below list of codes in a safe place. When accessing the system you\'ll be able to use one of the codes as a second authentication mechanism.', - 'mfa_gen_backup_codes_download' => 'Download Codes', - 'mfa_gen_backup_codes_usage_warning' => 'Each code can only be used once', - 'mfa_gen_totp_title' => 'Mobile App Setup', - 'mfa_gen_totp_desc' => 'To use multi-factor authentication you\'ll need a mobile application that supports TOTP such as Google Authenticator, Authy or Microsoft Authenticator.', - 'mfa_gen_totp_scan' => 'Scan the QR code below using your preferred authentication app to get started.', - 'mfa_gen_totp_verify_setup' => 'Verify Setup', - 'mfa_gen_totp_verify_setup_desc' => 'Verify that all is working by entering a code, generated within your authentication app, in the input box below:', - 'mfa_gen_totp_provide_code_here' => 'Provide your app generated code here', - 'mfa_verify_access' => 'Verify Access', - 'mfa_verify_access_desc' => 'Your user account requires you to confirm your identity via an additional level of verification before you\'re granted access. Verify using one of your configured methods to continue.', - 'mfa_verify_no_methods' => 'No Methods Configured', - 'mfa_verify_no_methods_desc' => 'No multi-factor authentication methods could be found for your account. You\'ll need to set up at least one method before you gain access.', - 'mfa_verify_use_totp' => 'Verify using a mobile app', - 'mfa_verify_use_backup_codes' => 'Verify using a backup code', - 'mfa_verify_backup_code' => 'Backup Code', - 'mfa_verify_backup_code_desc' => 'Enter one of your remaining backup codes below:', - 'mfa_verify_backup_code_enter_here' => 'Enter backup code here', - 'mfa_verify_totp_desc' => 'Enter the code, generated using your mobile app, below:', - 'mfa_setup_login_notification' => 'Multi-factor method configured, Please now login again using the configured method.', + 'mfa_setup' => 'Postavite Višestruku Autentifikaciju', + 'mfa_setup_desc' => 'Postavite višestruku provjeru autentičnosti kao dodatni sloj sigurnosti za svoj korisnički račun.', + 'mfa_setup_configured' => 'Već postavljeno', + 'mfa_setup_reconfigure' => 'Ponovno postavite', + 'mfa_setup_remove_confirmation' => 'Jeste li sigurni da želite ukloniti ovu metodu višestruke provjere autentičnosti?', + 'mfa_setup_action' => 'Postavke', + 'mfa_backup_codes_usage_limit_warning' => 'Imate manje od 5 preostalih rezervnih kodova. Molimo generirajte i pohranite novi set prije nego što vam kodovi ponestanu kako biste izbjegli blokadu pristupa vašem računu.', + 'mfa_option_totp_title' => 'Mobilna Aplikacija', + 'mfa_option_totp_desc' => 'Da biste koristili višestruku provjeru autentičnosti, trebat će vam mobilna aplikacija koja podržava TOTP (Time-Based One-Time Password) kao što su Google Authenticator, Authy ili Microsoft Authenticator.', + 'mfa_option_backup_codes_title' => 'Rezervni Kodovi', + 'mfa_option_backup_codes_desc' => 'Sigurno pohranite set jednokratnih rezervnih kodova koje možete unijeti kako biste potvrdili svoj identitet.', + 'mfa_gen_confirm_and_enable' => 'Potvrdi i Omogući', + 'mfa_gen_backup_codes_title' => 'Postavke Rezervnih Kodova', + 'mfa_gen_backup_codes_desc' => 'Spremite sljedeći popis kodova na sigurno mjesto. Prilikom pristupa sustavu, moći ćete koristiti jedan od ovih kodova kao drugi mehanizam autentifikacije.', + 'mfa_gen_backup_codes_download' => 'Preuzmi Kodove', + 'mfa_gen_backup_codes_usage_warning' => 'Pojedinačni kod se može koristiti samo jednom', + 'mfa_gen_totp_title' => 'Postavka Mobilne Aplikacije', + 'mfa_gen_totp_desc' => 'Da biste koristili višestruku provjeru autentičnosti, trebat će vam mobilna aplikacija koja podržava TOTP (Time-Based One-Time Password) kao što su Google Authenticator, Authy ili Microsoft Authenticator.', + 'mfa_gen_totp_scan' => 'Skenirajte QR kod u nastavku koristeći svoju preferiranu aplikaciju za autentifikaciju kako biste započeli.', + 'mfa_gen_totp_verify_setup' => 'Potvrdite Postavke', + 'mfa_gen_totp_verify_setup_desc' => 'Potvrdite da sve radi unosom koda koji je generiran unutar vaše aplikacije za autentifikaciju u donje polje za unos:', + 'mfa_gen_totp_provide_code_here' => 'Dostavite generirani kod ovdje', + 'mfa_verify_access' => 'Potvrdite Pristup', + 'mfa_verify_access_desc' => 'Vaš korisnički račun zahtijeva potvrdu vašeg identiteta putem dodatne razine provjere prije nego vam se omogući pristup. Molimo potvrdite korištenjem jedne od konfiguriranih metoda kako biste nastavili.', + 'mfa_verify_no_methods' => 'Nema Postavljenih Metoda', + 'mfa_verify_no_methods_desc' => 'Nisu pronađene metode višestruke provjere autentičnosti za vaš korisnički račun. Morat ćete postaviti barem jednu metodu prije nego dobijete pristup.', + 'mfa_verify_use_totp' => 'Potvrda korištenjem mobilne aplikacije', + 'mfa_verify_use_backup_codes' => 'Potvrda korištenjem rezervnog koda', + 'mfa_verify_backup_code' => 'Rezervni Kod', + 'mfa_verify_backup_code_desc' => 'Unesite jedan od preostalih rezervnih kodova u nastavku:', + 'mfa_verify_backup_code_enter_here' => 'Ovdje unesite rezervni kod', + 'mfa_verify_totp_desc' => 'Unesite kod generiran pomoću vaše mobilne aplikacije u nastavku:', + 'mfa_setup_login_notification' => 'Višestruka metoda autentifikacije konfigurirana. Molimo prijavite se ponovno koristeći konfiguriranu metodu.', ]; diff --git a/lang/hr/common.php b/lang/hr/common.php index 1527c4c5a..9321a69fd 100644 --- a/lang/hr/common.php +++ b/lang/hr/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Odustani', + 'close' => 'Zatvori', 'confirm' => 'Potvrdi', 'back' => 'Natrag', 'save' => 'Spremi', @@ -25,7 +26,7 @@ return [ 'actions' => 'Aktivnost', 'view' => 'Pogled', 'view_all' => 'Pogledaj sve', - 'new' => 'New', + 'new' => 'Novi', 'create' => 'Stvori', 'update' => 'Ažuriraj', 'edit' => 'Uredi', @@ -40,16 +41,16 @@ return [ 'reset' => 'Ponovno postavi', 'remove' => 'Ukloni', 'add' => 'Dodaj', - 'configure' => 'Configure', + 'configure' => 'Konfiguriraj', 'fullscreen' => 'Cijeli zaslon', - 'favourite' => 'Favourite', - 'unfavourite' => 'Unfavourite', - 'next' => 'Next', - 'previous' => 'Previous', - 'filter_active' => 'Active Filter:', - 'filter_clear' => 'Clear Filter', - 'download' => 'Download', - 'open_in_tab' => 'Open in Tab', + 'favourite' => 'Favorit', + 'unfavourite' => 'Ukloni iz favorita', + 'next' => 'Dalje', + 'previous' => 'Prethodno', + 'filter_active' => 'Aktivni Filter:', + 'filter_clear' => 'Poništi Filter', + 'download' => 'Preuzmi', + 'open_in_tab' => 'Otvori u Kartici', // Sort Options 'sort_options' => 'Razvrstaj opcije', @@ -59,36 +60,36 @@ return [ 'sort_name' => 'Ime', 'sort_default' => 'Zadano', 'sort_created_at' => 'Datum', - 'sort_updated_at' => 'Ažuriraj datum', + 'sort_updated_at' => 'Datum Ažuriranja', // Misc 'deleted_user' => 'Izbrisani korisnik', 'no_activity' => 'Nema aktivnosti za pregled', 'no_items' => 'Nedostupno', 'back_to_top' => 'Natrag na vrh', - 'skip_to_main_content' => 'Skip to main content', + 'skip_to_main_content' => 'Preskoči na glavni sadržaj', 'toggle_details' => 'Prebaci detalje', 'toggle_thumbnails' => 'Uključi minijature', 'details' => 'Detalji', 'grid_view' => 'Prikaz rešetke', 'list_view' => 'Prikaz popisa', 'default' => 'Zadano', - 'breadcrumb' => 'Breadcrumb', + 'breadcrumb' => 'Putokaz', 'status' => 'Status', - 'status_active' => 'Active', - 'status_inactive' => 'Inactive', - 'never' => 'Never', - 'none' => 'None', + 'status_active' => 'Aktivno', + 'status_inactive' => 'Neaktivno', + 'never' => 'Nikada', + 'none' => 'Ništa', // Header - 'homepage' => 'Homepage', + 'homepage' => 'Naslovna Stranica', 'header_menu_expand' => 'Proširi izbornik', 'profile_menu' => 'Profil', 'view_profile' => 'Vidi profil', 'edit_profile' => 'Uredite profil', 'dark_mode' => 'Tamni način', 'light_mode' => 'Svijetli način', - 'global_search' => 'Global Search', + 'global_search' => 'Globalno Pretraživanje', // Layout tabs 'tab_info' => 'Info', diff --git a/lang/hr/components.php b/lang/hr/components.php index a1cb1139f..ba02a5bd7 100644 --- a/lang/hr/components.php +++ b/lang/hr/components.php @@ -6,27 +6,34 @@ return [ // Image Manager 'image_select' => 'Odabir slike', - 'image_upload' => 'Upload Image', - 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', - 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', + 'image_list' => 'Popis Slika', + 'image_details' => 'Detalji Slike', + 'image_upload' => 'Učitaj Sliku', + 'image_intro' => 'Ovdje možete odabrati i upravljati slikama koje su prethodno prenesene u sustav.', + 'image_intro_upload' => 'Prenesite novu sliku povlačenjem slikovne datoteke u ovaj prozor ili koristite gumb "Učitaj sliku" iznad.', 'image_all' => 'Sve', 'image_all_title' => 'Vidi sve slike', 'image_book_title' => 'Vidi slike dodane ovoj knjizi', 'image_page_title' => 'Vidi slike dodane ovoj stranici', 'image_search_hint' => 'Pretraži pomoću imena slike', 'image_uploaded' => 'Učitano :uploadedDate', + 'image_uploaded_by' => 'Učitao/la :userName', + 'image_uploaded_to' => 'Učitano na :pageLink', + 'image_updated' => 'Ažurirano: :updateDate', 'image_load_more' => 'Učitaj više', 'image_image_name' => 'Ime slike', 'image_delete_used' => 'Ova slika korištena je na donjoj stranici.', 'image_delete_confirm_text' => 'Jeste li sigurni da želite obrisati sliku?', 'image_select_image' => 'Odaberi sliku', 'image_dropzone' => 'Prebacite sliku ili kliknite ovdje za prijenos', - 'image_dropzone_drop' => 'Drop images here to upload', + 'image_dropzone_drop' => 'Ovdje spustite slike za učitavanje', 'images_deleted' => 'Obrisane slike', 'image_preview' => 'Pregled slike', 'image_upload_success' => 'Slika je uspješno dodana', 'image_update_success' => 'Detalji slike su uspješno ažurirani', 'image_delete_success' => 'Slika je obrisana', + 'image_replace' => 'Zamijeni Sliku', + 'image_replace_success' => 'Datiteka slike je uspješno ažurirana', // Code Editor 'code_editor' => 'Uredi kod', diff --git a/lang/hr/editor.php b/lang/hr/editor.php index 670c1c5e1..8e49c58d8 100644 --- a/lang/hr/editor.php +++ b/lang/hr/editor.php @@ -7,27 +7,27 @@ */ return [ // General editor terms - 'general' => 'General', - 'advanced' => 'Advanced', + 'general' => 'Općenito', + 'advanced' => 'Napredno', 'none' => 'None', - 'cancel' => 'Cancel', - 'save' => 'Save', - 'close' => 'Close', - 'undo' => 'Undo', - 'redo' => 'Redo', - 'left' => 'Left', - 'center' => 'Center', - 'right' => 'Right', - 'top' => 'Top', - 'middle' => 'Middle', - 'bottom' => 'Bottom', - 'width' => 'Width', - 'height' => 'Height', - 'More' => 'More', - 'select' => 'Select...', + 'cancel' => 'Otkaži', + 'save' => 'Spremi', + 'close' => 'Zatvori', + 'undo' => 'Poništi', + 'redo' => 'Ponovi', + 'left' => 'Lijevo', + 'center' => 'Centar', + 'right' => 'Desno', + 'top' => 'Vrh', + 'middle' => 'Sredina', + 'bottom' => 'Dno', + 'width' => 'Širina', + 'height' => 'Visina', + 'More' => 'Više', + 'select' => 'Odaberi...', // Toolbar - 'formats' => 'Formats', + 'formats' => 'Formati', 'header_large' => 'Large Header', 'header_medium' => 'Medium Header', 'header_small' => 'Small Header', diff --git a/lang/hr/entities.php b/lang/hr/entities.php index fab7a6cc7..0fb9da207 100644 --- a/lang/hr/entities.php +++ b/lang/hr/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Spremi poglavlje', 'chapters_move' => 'Premjesti poglavlje', 'chapters_move_named' => 'Premjesti poglavlje :chapterName', - 'chapter_move_success' => 'Poglavlje premješteno u :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Dopuštenja za poglavlje', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Uređivanje stranice', 'pages_edit_draft_save_at' => 'Nacrt spremljen kao', 'pages_edit_delete_draft' => 'Izbriši nacrt', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Odbaci nacrt', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Stranica nije u poglavlju', 'pages_move' => 'Premjesti stranicu', - 'pages_move_success' => 'Stranica premještena u ":parentName"', 'pages_copy' => 'Kopiraj stranicu', 'pages_copy_desination' => 'Kopiraj odredište', 'pages_copy_success' => 'Stranica je uspješno kopirana', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Vrati', 'pages_revisions_none' => 'Ova stranica nema revizija', 'pages_copy_link' => 'Kopiraj poveznicu', - 'pages_edit_content_link' => 'Uredi sadržaj', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Aktivna dopuštenja stranice', 'pages_initial_revision' => 'Početno objavljivanje', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'u zadnjih :minCount minuta', 'message' => ':start :time. Pripazite na uzajamna ažuriranja!', ], - 'pages_draft_discarded' => 'Nacrt je odbijen jer je uređivač ažurirao postoječi sadržaj', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Predlošci stranice', 'pages_is_template' => 'Predložak stranice', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Komentar ostavi ovdje', 'comment_count' => '{0} Nema komentara|{1} 1 Komentar|[2,*] :count Komentara', 'comment_save' => 'Spremi komentar', - 'comment_saving' => 'Spremanje komentara', - 'comment_deleting' => 'Brisanje komentara', 'comment_new' => 'Novi komentar', 'comment_created' => 'komentirano :createDiff', 'comment_updated' => 'Ažurirano :updateDiff od :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Izbrisani komentar', 'comment_created_success' => 'Dodani komentar', 'comment_updated_success' => 'Ažurirani komentar', 'comment_delete_confirm' => 'Jeste li sigurni da želite izbrisati ovaj komentar?', 'comment_in_reply_to' => 'Odgovor na :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Jeste li sigurni da želite izbrisati ovaj ispravak?', 'revision_restore_confirm' => 'Jeste li sigurni da želite vratiti ovaj ispravak? Trenutni sadržaj će biti zamijenjen.', - 'revision_delete_success' => 'Izbrisani ispravak', 'revision_cannot_delete_latest' => 'Posljednji ispravak se ne može izbrisati.', // Copy view diff --git a/lang/hr/errors.php b/lang/hr/errors.php index 706c92dfe..401f8989d 100644 --- a/lang/hr/errors.php +++ b/lang/hr/errors.php @@ -23,12 +23,12 @@ return [ 'saml_no_email_address' => 'Nismo pronašli email adresu za ovog korisnika u vanjskim sustavima', 'saml_invalid_response_id' => 'Sustav za autentifikaciju nije prepoznat. Ovaj problem možda je nastao zbog vraćanja nakon prijave.', 'saml_fail_authed' => 'Prijava pomoću :system nije uspjela zbog neuspješne autorizacije', - 'oidc_already_logged_in' => 'Already logged in', - 'oidc_user_not_registered' => 'The user :name is not registered and automatic registration is disabled', - 'oidc_no_email_address' => 'Could not find an email address, for this user, in the data provided by the external authentication system', - 'oidc_fail_authed' => 'Login using :system failed, system did not provide successful authorization', + 'oidc_already_logged_in' => 'Već ste prijavljeni', + 'oidc_user_not_registered' => 'Korisnik :name nije registriran i automatska registracija je onemogućena', + 'oidc_no_email_address' => 'Nije moguće pronaći adresu e-pošte za ovog korisnika u podacima koje pruža vanjski sustav za autentifikaciju', + 'oidc_fail_authed' => 'Prijavljivanje putem :system nije uspjelo. Sustav nije uspješno odobrio autorizaciju', 'social_no_action_defined' => 'Nije definirana nijedna radnja', - 'social_login_bad_response' => "Error received during :socialAccount login: \n:error", + 'social_login_bad_response' => "Greška primljena prilikom prijave putem :socialAccount: :error", 'social_account_in_use' => 'Ovaj :socialAccount račun se već koristi. Pokušajte se prijaviti pomoću :socialAccount računa.', 'social_account_email_in_use' => 'Ovaj mail :email se već koristi. Ako već imate naš račun možete se prijaviti pomoću :socialAccount računa u postavkama vašeg profila.', 'social_account_existing' => 'Ovaj :socialAccount je već dodan u vaš profil.', @@ -49,19 +49,21 @@ return [ // Drawing & Images 'image_upload_error' => 'Problem s prenosom slike', 'image_upload_type_error' => 'Nepodržani format slike', - 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', + 'image_upload_replace_type' => 'Zamjene slikovnih datoteka moraju biti iste vrste', + 'drawing_data_not_found' => 'Podaci o crtežu se ne mogu učitati. Datoteka crteža možda više ne postoji ili nemate dozvolu za pristupanje istoj.', // Attachments 'attachment_not_found' => 'Prilozi nisu pronađeni', - 'attachment_upload_error' => 'An error occurred uploading the attachment file', + 'attachment_upload_error' => 'Došlo je do pogreške prilikom prijenosa datoteke privitka', // Pages 'page_draft_autosave_fail' => 'Problem sa spremanjem nacrta. Osigurajte stabilnu internetsku vezu.', + 'page_draft_delete_fail' => 'Nije uspjelo brisanje privremene verzije stranice i dohvaćanje trenutno spremljenog sadržaja stranice', 'page_custom_home_deletion' => 'Stranica označena kao naslovnica ne može se izbrisati', // Entities 'entity_not_found' => 'Nije pronađeno', - 'bookshelf_not_found' => 'Shelf not found', + 'bookshelf_not_found' => 'Polica nije pronađena', 'book_not_found' => 'Knjiga nije pronađena', 'page_not_found' => 'Stranica nije pronađena', 'chapter_not_found' => 'Poglavlje nije pronađeno', @@ -90,9 +92,9 @@ return [ '404_page_not_found' => 'Stranica nije pronađena', 'sorry_page_not_found' => 'Žao nam je, stranica koju tražite nije pronađena.', 'sorry_page_not_found_permission_warning' => 'Ako smatrate da ova stranica još postoji, ali je ne vidite, moguće je da nemate omogućen pristup.', - 'image_not_found' => 'Image Not Found', - 'image_not_found_subtitle' => 'Sorry, The image file you were looking for could not be found.', - 'image_not_found_details' => 'If you expected this image to exist it might have been deleted.', + 'image_not_found' => 'Slika Nije Pronađena', + 'image_not_found_subtitle' => 'Žao nam je, slikovna datoteka koju tražite nije pronađena.', + 'image_not_found_details' => 'Ako ste očekivali da ova slika postoji, moguće je da je izbrisana.', 'return_home' => 'Povratak na početno', 'error_occurred' => 'Došlo je do pogreške', 'app_down' => ':appName trenutno nije dostupna', diff --git a/lang/hr/settings.php b/lang/hr/settings.php index a68a630d3..d573b8673 100644 --- a/lang/hr/settings.php +++ b/lang/hr/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Postavke', 'settings_save' => 'Spremi postavke', - 'settings_save_success' => 'Postavke spremljene', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Datum isteka', 'user_api_token_expiry_desc' => 'Postavite datum kada token istječe. Ostavljanjem ovog polja praznim automatski se postavlja dugoročno razdoblje.', 'user_api_token_create_secret_message' => 'Odmah nakon kreiranja tokena prikazat će se "Token ID" i "Token Secret". To će se prikazati samo jednom i zato preporučujemo da ga spremite na sigurno.', - 'user_api_token_create_success' => 'API token uspješno kreiran', - 'user_api_token_update_success' => 'API token uspješno ažuriran', 'user_api_token' => 'API token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Ovaj sistemski generiran identifikator ne može se uređivati i bit će potreban pri API zahtjevima.', @@ -244,33 +241,32 @@ return [ 'user_api_token_delete' => 'Izbriši token', 'user_api_token_delete_warning' => 'Ovo će potpuno izbrisati API token naziva \':tokenName\' iz našeg sustava.', 'user_api_token_delete_confirm' => 'Jeste li sigurni da želite izbrisati ovaj API token?', - 'user_api_token_delete_success' => 'API token uspješno izbrisan', // Webhooks - 'webhooks' => 'Webhooks', - 'webhooks_index_desc' => 'Webhooks are a way to send data to external URLs when certain actions and events occur within the system which allows event-based integration with external platforms such as messaging or notification systems.', + 'webhooks' => 'Web-dojavnici', + 'webhooks_index_desc' => 'Web-dojavnici su način slanja podataka na vanjske URL-ove kada se određene radnje i događaji dogode unutar sustava, omogućujući integraciju temeljenu na događajima s vanjskim platformama poput sustava za slanje poruka ili obavijesti.', 'webhooks_x_trigger_events' => ':count trigger event|:count trigger events', - 'webhooks_create' => 'Create New Webhook', - 'webhooks_none_created' => 'No webhooks have yet been created.', - 'webhooks_edit' => 'Edit Webhook', - 'webhooks_save' => 'Save Webhook', - 'webhooks_details' => 'Webhook Details', - 'webhooks_details_desc' => 'Provide a user friendly name and a POST endpoint as a location for the webhook data to be sent to.', - 'webhooks_events' => 'Webhook Events', + 'webhooks_create' => 'Kreiraj Novi Web-dojavnik', + 'webhooks_none_created' => 'Nijedan web-dojavnik nije još kreiran.', + 'webhooks_edit' => 'Uredi Web-dojavnik', + 'webhooks_save' => 'Spasi Web-dojavnik', + 'webhooks_details' => 'Detalji Web-dojavnika', + 'webhooks_details_desc' => 'Navedite korisnički prijateljsko ime i POST krajnju točku kao lokaciju na koju će se slati podaci web-dojavnika.', + 'webhooks_events' => 'Događaji Web-dojavnika', 'webhooks_events_desc' => 'Select all the events that should trigger this webhook to be called.', 'webhooks_events_warning' => 'Keep in mind that these events will be triggered for all selected events, even if custom permissions are applied. Ensure that use of this webhook won\'t expose confidential content.', 'webhooks_events_all' => 'All system events', - 'webhooks_name' => 'Webhook Name', + 'webhooks_name' => 'Naziv Web-dojavnika', 'webhooks_timeout' => 'Webhook Request Timeout (Seconds)', 'webhooks_endpoint' => 'Webhook Endpoint', - 'webhooks_active' => 'Webhook Active', + 'webhooks_active' => 'Web-dojavnik Aktivan', 'webhook_events_table_header' => 'Events', - 'webhooks_delete' => 'Delete Webhook', + 'webhooks_delete' => 'Izbriši Web-dojavnik', 'webhooks_delete_warning' => 'This will fully delete this webhook, with the name \':webhookName\', from the system.', 'webhooks_delete_confirm' => 'Are you sure you want to delete this webhook?', 'webhooks_format_example' => 'Webhook Format Example', 'webhooks_format_example_desc' => 'Webhook data is sent as a POST request to the configured endpoint as JSON following the format below. The "related_item" and "url" properties are optional and will depend on the type of event triggered.', - 'webhooks_status' => 'Webhook Status', + 'webhooks_status' => 'Status Web-dojavnika', 'webhooks_last_called' => 'Last Called:', 'webhooks_last_errored' => 'Last Errored:', 'webhooks_last_error_message' => 'Last Error Message:', diff --git a/lang/hr/validation.php b/lang/hr/validation.php index ad2eaa4e4..95263ff07 100644 --- a/lang/hr/validation.php +++ b/lang/hr/validation.php @@ -15,7 +15,7 @@ return [ 'alpha_dash' => ':attribute može sadržavati samo slova, brojeve, crtice i donje crtice.', 'alpha_num' => ':attribute može sadržavati samo slova i brojeve.', 'array' => ':attribute mora biti niz.', - 'backup_codes' => 'The provided code is not valid or has already been used.', + 'backup_codes' => 'Navedeni kod nije valjan ili je već korišten.', 'before' => ':attribute mora biti prije :date.', 'between' => [ 'numeric' => ':attribute mora biti između :min i :max.', @@ -32,7 +32,7 @@ return [ 'digits_between' => ':attribute mora biti između :min i :max znamenki.', 'email' => ':attribute mora biti valjana email adresa.', 'ends_with' => ':attribute mora završiti s :values', - 'file' => 'The :attribute must be provided as a valid file.', + 'file' => 'Polje :attribute mora biti priloženo kao valjana datoteka.', 'filled' => ':attribute polje je obavezno.', 'gt' => [ 'numeric' => ':attribute mora biti veći od :value.', @@ -100,7 +100,7 @@ return [ ], 'string' => ':attribute mora biti niz.', 'timezone' => ':attribute mora biti valjan.', - 'totp' => 'The provided code is not valid or has expired.', + 'totp' => 'Navedeni kod nije valjan ili je istekao.', 'unique' => ':attribute se već koristi.', 'url' => 'Format :attribute nije valjan.', 'uploaded' => 'Datoteka se ne može prenijeti. Server možda ne prihvaća datoteke te veličine.', diff --git a/lang/hu/activities.php b/lang/hu/activities.php index 9fe95db99..6d63a4902 100644 --- a/lang/hu/activities.php +++ b/lang/hu/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'visszaállította az oldalt:', 'page_restore_notification' => 'Oldal sikeresen visszaállítva', 'page_move' => 'áthelyezte az oldalt:', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'létrehozta a fejezetet:', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'törölte a fejezetet:', 'chapter_delete_notification' => 'Fejezet sikeresen törölve', 'chapter_move' => 'áthelyezte a fejezetet:', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'létrehozott egy könyvet:', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" has been added to your favourites', 'favourite_remove_notification' => '":name" has been removed from your favourites', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'created webhook', 'webhook_create_notification' => 'Webhook sikeresen létrehozva', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook successfully deleted', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Felhasználó sikeresen frissítve', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Felhasználó sikeresen eltávolítva', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'megjegyzést fűzött hozzá:', 'permissions_update' => 'updated permissions', diff --git a/lang/hu/common.php b/lang/hu/common.php index 07a76681f..2967cacee 100644 --- a/lang/hu/common.php +++ b/lang/hu/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Mégsem', + 'close' => 'Close', 'confirm' => 'Megerősítés', 'back' => 'Vissza', 'save' => 'Mentés', diff --git a/lang/hu/components.php b/lang/hu/components.php index 9b9eca6d5..1c20b5faa 100644 --- a/lang/hu/components.php +++ b/lang/hu/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Kép kiválasztása', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Az oldalra feltöltött képek megtekintése', 'image_search_hint' => 'Keresés kép neve alapján', 'image_uploaded' => 'Feltöltve ekkor: :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Több betöltése', 'image_image_name' => 'Kép neve', 'image_delete_used' => 'Ez a kép a lenti oldalakon van használatban.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Kép sikeresen feltöltve', 'image_update_success' => 'Kép részletei sikeresen frissítve', 'image_delete_success' => 'Kép sikeresen törölve', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Kód szerkesztése', diff --git a/lang/hu/entities.php b/lang/hu/entities.php index 8407e9e94..2097ce8ea 100644 --- a/lang/hu/entities.php +++ b/lang/hu/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Fejezet mentése', 'chapters_move' => 'Fejezet áthelyezése', 'chapters_move_named' => ':chapterName fejezet áthelyezése', - 'chapter_move_success' => 'Fejezet áthelyezve :bookName könyvbe', 'chapters_copy' => 'Fejezet másolása', 'chapters_copy_success' => 'Fejezet sikeresen lemásolva', 'chapters_permissions' => 'Fejezet jogosultságok', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Oldal szerkesztése', 'pages_edit_draft_save_at' => 'Vázlat elmentve:', 'pages_edit_delete_draft' => 'Vázlat törlése', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Vázlat elvetése', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Az oldal nincs fejezetben', 'pages_move' => 'Oldal áthelyezése', - 'pages_move_success' => 'Oldal áthelyezve ide: ":parentName"', 'pages_copy' => 'Oldal másolása', 'pages_copy_desination' => 'Másolás célja', 'pages_copy_success' => 'Oldal sikeresen lemásolva', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Visszaállítás', 'pages_revisions_none' => 'Ennek az oldalnak nincsenek változatai', 'pages_copy_link' => 'Hivatkozás másolása', - 'pages_edit_content_link' => 'Tartalom szerkesztése', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Oldal jogosultságok aktívak', 'pages_initial_revision' => 'Kezdeti közzététel', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'az utolsó :minCount percben', 'message' => ':start :time. Ügyeljen arra, hogy ne írjuk felül egymás frissítéseit!', ], - 'pages_draft_discarded' => 'Vázlat elvetve, a szerkesztő frissítve lesz az oldal aktuális tartalmával', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Egy bizonyos oldal', 'pages_is_template' => 'Oldalsablon', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Megjegyzés írása', 'comment_count' => '{0} Nincs megjegyzés|{1} 1 megjegyzés|[2,*] :count megjegyzés', 'comment_save' => 'Megjegyzés mentése', - 'comment_saving' => 'Megjegyzés mentése...', - 'comment_deleting' => 'Megjegyzés törlése...', 'comment_new' => 'Új megjegyzés', 'comment_created' => 'megjegyzést fűzött hozzá :createDiff', 'comment_updated' => 'Frissítve :updateDiff :username által', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Megjegyzés törölve', 'comment_created_success' => 'Megjegyzés hozzáadva', 'comment_updated_success' => 'Megjegyzés frissítve', 'comment_delete_confirm' => 'Biztosan törölhető ez a megjegyzés?', 'comment_in_reply_to' => 'Válasz erre: :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Biztosan törölhető ez a változat?', 'revision_restore_confirm' => 'Biztosan visszaállítható ez a változat? A oldal jelenlegi tartalma le lesz cserélve.', - 'revision_delete_success' => 'Változat törölve', 'revision_cannot_delete_latest' => 'A legutolsó változat nem törölhető.', // Copy view diff --git a/lang/hu/errors.php b/lang/hu/errors.php index bb697e337..87f4b32e7 100644 --- a/lang/hu/errors.php +++ b/lang/hu/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Hiba történt a kép feltöltése közben', 'image_upload_type_error' => 'A feltöltött kép típusa érvénytelen', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Nem sikerült a vázlat mentése. Mentés előtt meg kell róla győződni, hogy van internetkapcsolat', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Nem lehet oldalt törölni ha kezdőlapnak van beállítva', // Entities diff --git a/lang/hu/settings.php b/lang/hu/settings.php index 0d41bd755..d81f30b34 100644 --- a/lang/hu/settings.php +++ b/lang/hu/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Beállítások', 'settings_save' => 'Beállítások mentése', - 'settings_save_success' => 'Beállítások elmentve', 'system_version' => 'Rendszerverzió', 'categories' => 'Kategóriák', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Lejárati dátum', 'user_api_token_expiry_desc' => 'Dátum megadása ameddig a vezérjel érvényes. Ez után a dátum után az ezzel a vezérjellel történő kérések nem fognak működni. Üresen hagyva a lejárati idő 100 évre lesz beállítva.', 'user_api_token_create_secret_message' => 'Immediately after creating this token a "Token ID" & "Token Secret" will be generated and displayed. The secret will only be shown a single time so be sure to copy the value to somewhere safe and secure before proceeding.', - 'user_api_token_create_success' => 'API vezérjel sikeresen létrehozva', - 'user_api_token_update_success' => 'API vezérjel sikeresen frissítve', 'user_api_token' => 'API vezérjel', 'user_api_token_id' => 'Vezérjel azonosító', 'user_api_token_id_desc' => 'Ez egy nem szerkeszthető, a rendszer által létrehozott azonosító ehhez a vezérjelhez amire API kérésekben lehet szükség.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Vezérjel törlése', 'user_api_token_delete_warning' => '\':tokenName\' nevű API vezérjel teljesen törölve lesz a rendszerből.', 'user_api_token_delete_confirm' => 'Biztosan törölhető ez az API vezérjel?', - 'user_api_token_delete_success' => 'API vezérjel sikeresen törölve', // Webhooks 'webhooks' => 'Webhook-ok', diff --git a/lang/id/activities.php b/lang/id/activities.php index 9ead91fe6..22169db55 100644 --- a/lang/id/activities.php +++ b/lang/id/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'halaman telah dipulihkan', 'page_restore_notification' => 'Halaman berhasil dipulihkan', 'page_move' => 'halaman dipindahkan', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'membuat bab', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'hapus bab', 'chapter_delete_notification' => 'Bab berhasil dihapus', 'chapter_move' => 'bab dipindahkan', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'membuat buku', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'menghapus rak', 'bookshelf_delete_notification' => 'Rak berhasil dihapus', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" telah ditambahkan ke favorit Anda', 'favourite_remove_notification' => '":name" telah dihapus dari favorit Anda', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Metode multi-faktor sukses dikonfigurasi', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Metode multi-faktor sukses dihapus', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'membuat webhook', 'webhook_create_notification' => 'Webhook berhasil dibuat', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook berhasil dihapus', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Pengguna berhasil diperbarui', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Pengguna berhasil dihapus', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Peran berhasil dibuat', + 'role_update' => 'updated role', 'role_update_notification' => 'Peran berhasil diperbarui', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Peran berhasil dihapus', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'berkomentar pada', 'permissions_update' => 'izin diperbarui', diff --git a/lang/id/common.php b/lang/id/common.php index c6e1fa8b1..2f749972b 100644 --- a/lang/id/common.php +++ b/lang/id/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Batal', + 'close' => 'Close', 'confirm' => 'Konfirmasi', 'back' => 'Kembali', 'save' => 'Simpan', diff --git a/lang/id/components.php b/lang/id/components.php index d2ff7cd4e..4c411f1b1 100644 --- a/lang/id/components.php +++ b/lang/id/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Pilih Gambar', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Lihat gambar yang diunggah ke halaman ini', 'image_search_hint' => 'Cari berdasarkan nama gambar', 'image_uploaded' => 'Diunggah :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Muat lebih banyak', 'image_image_name' => 'Muat lebih banyak', 'image_delete_used' => 'Gambar ini digunakan untuk halaman dibawah ini.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Gambar berhasil diunggah', 'image_update_success' => 'Detail gambar berhasil diperbarui', 'image_delete_success' => 'Gambar berhasil dihapus', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Edit Kode', diff --git a/lang/id/entities.php b/lang/id/entities.php index 8b517198a..49ae1ba11 100644 --- a/lang/id/entities.php +++ b/lang/id/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Simpan Bab', 'chapters_move' => 'Pindahkan Bab', 'chapters_move_named' => 'Pindahkan Bab :chapterName', - 'chapter_move_success' => 'Bab dipindahkan ke :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Izin Bab', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Mengedit Draf', 'pages_edit_draft_save_at' => 'Draf disimpan pada ', 'pages_edit_delete_draft' => 'Hapus Draf', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Buang Draf', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Halaman tidak dalam satu bab', 'pages_move' => 'Pindahkan Halaman', - 'pages_move_success' => 'Halaman dipindahkan ke ":parentName"', 'pages_copy' => 'Salin Halaman', 'pages_copy_desination' => 'Salin Tujuan', 'pages_copy_success' => 'Halaman berhasil disalin', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Mengembalikan', 'pages_revisions_none' => 'Halaman ini tidak memiliki revisi', 'pages_copy_link' => 'Salin tautan', - 'pages_edit_content_link' => 'Sunting Konten', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Izin Halaman Aktif', 'pages_initial_revision' => 'Penerbitan awal', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'di akhir :minCount menit', 'message' => ':start :time. Berhati-hatilah untuk tidak menimpa pembaruan satu sama lain!', ], - 'pages_draft_discarded' => 'Konsep dibuang, Penyunting telah diperbarui dengan konten halaman saat ini', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Halaman Tertentu', 'pages_is_template' => 'Template Halaman', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Tinggalkan komentar disini', 'comment_count' => '{0} Tidak ada komentar |{1} 1 Komentar |[2,*] :count Komentar', 'comment_save' => 'Simpan Komentar', - 'comment_saving' => 'Menyimpan Komentar...', - 'comment_deleting' => 'Menghapus Komentar...', 'comment_new' => 'Komentar Baru', 'comment_created' => 'dikomentari oleh :createDiff', 'comment_updated' => 'Diperbarui :updateDiff oleh :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Komentar telah dihapus', 'comment_created_success' => 'Komentar telah di tambahkan', 'comment_updated_success' => 'Komentar Telah diperbaharui', 'comment_delete_confirm' => 'Anda yakin ingin menghapus komentar ini?', 'comment_in_reply_to' => 'Sebagai balasan untuk :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Anda yakin ingin menghapus revisi ini?', 'revision_restore_confirm' => 'Apakah Anda yakin ingin memulihkan revisi ini? Konten halaman saat ini akan diganti.', - 'revision_delete_success' => 'Revisi dihapus', 'revision_cannot_delete_latest' => 'Tidak dapat menghapus revisi terakhir.', // Copy view diff --git a/lang/id/errors.php b/lang/id/errors.php index 4bfd60a7e..83d300888 100644 --- a/lang/id/errors.php +++ b/lang/id/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Terjadi kesalahan saat mengunggah gambar', 'image_upload_type_error' => 'Jenis gambar yang diunggah tidak valid', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Gagal menyimpan draf. Pastikan Anda memiliki koneksi internet sebelum menyimpan halaman ini', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Tidak dapat menghapus sebuah halaman saat diatur sebagai sebuah halaman beranda', // Entities diff --git a/lang/id/settings.php b/lang/id/settings.php index f131eed4b..85d3ceef0 100644 --- a/lang/id/settings.php +++ b/lang/id/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Pengaturan', 'settings_save' => 'Simpan Pengaturan', - 'settings_save_success' => 'Pengaturan disimpan', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Tanggal kadaluarsa', 'user_api_token_expiry_desc' => 'Setel tanggal token ini kedaluwarsa. Setelah tanggal ini, permintaan yang dibuat menggunakan token ini tidak akan berfungsi lagi. Mengosongkan bidang ini akan menetapkan masa berlaku 100 tahun ke depan.', 'user_api_token_create_secret_message' => 'Segera setelah membuat token ini, "Token ID" & "Token Secret" akan dibuat dan ditampilkan. Rahasianya hanya akan ditampilkan satu kali jadi pastikan untuk menyalin nilainya ke tempat yang aman dan terlindungi sebelum melanjutkan.', - 'user_api_token_create_success' => 'Token API berhasil dibuat', - 'user_api_token_update_success' => 'Token API berhasil diperbarui', 'user_api_token' => 'Token API', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Ini adalah sebuah pengenal yang dihasilkan oleh sistem yang tidak dapat disunting untuk token ini yang perlu untuk disediakan dalam permintaan API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Hapus Token', 'user_api_token_delete_warning' => 'Ini akan sepenuhnya menghapus token API ini dengan nama \': tokenName\' dari sistem.', 'user_api_token_delete_confirm' => 'Anda yakin ingin menghapus token API ini?', - 'user_api_token_delete_success' => 'Token API berhasil dihapus', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/it/activities.php b/lang/it/activities.php index adb512f3b..f5fc6d8a5 100644 --- a/lang/it/activities.php +++ b/lang/it/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'ha ripristinato la pagina', 'page_restore_notification' => 'Pagina ripristinata con successo', 'page_move' => 'ha mosso la pagina', + 'page_move_notification' => 'Pagina spostata con successo', // Chapters 'chapter_create' => 'ha creato il capitolo', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'ha eliminato il capitolo', 'chapter_delete_notification' => 'Capitolo eliminato con successo', 'chapter_move' => 'ha spostato il capitolo', + 'chapter_move_notification' => 'Capitolo spostato con successo', // Books 'book_create' => 'ha creato il libro', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'Iibreria eliminata', 'bookshelf_delete_notification' => 'Libreria eliminata con successo', + // Revisions + 'revision_restore' => 'revisione ripristinata', + 'revision_delete' => 'revisione eliminata', + 'revision_delete_notification' => 'Revisione eliminata con successo', + // Favourites 'favourite_add_notification' => '":name" è stato aggiunto ai tuoi preferiti', 'favourite_remove_notification' => '":name" è stato rimosso dai tuoi preferiti', - // MFA + // Auth + 'auth_login' => 'connesso', + 'auth_register' => 'registrato come nuovo utente', + 'auth_password_reset_request' => 'richiesta di reimpostazione della password utente', + 'auth_password_reset_update' => 'reimposta password utente', + 'mfa_setup_method' => 'metodo MFA configurato', 'mfa_setup_method_notification' => 'Metodo multi-fattore impostato con successo', + 'mfa_remove_method' => 'metodo MFA rimosso', 'mfa_remove_method_notification' => 'Metodo multi-fattore rimosso con successo', + // Settings + 'settings_update' => 'impostazioni aggiornate', + 'settings_update_notification' => 'Impostazioni aggiornate con successo', + 'maintenance_action_run' => 'eseguita azione di manutenzione', + // Webhooks 'webhook_create' => 'webhook creato', 'webhook_create_notification' => 'Webhook creato con successo', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook eliminato con successo', // Users + 'user_create' => 'utente creato', + 'user_create_notification' => 'Utente creato con successo', + 'user_update' => 'utente aggiornato', 'user_update_notification' => 'Utente aggiornato con successo', + 'user_delete' => 'utente eliminato', 'user_delete_notification' => 'Utente rimosso con successo', + // API Tokens + 'api_token_create' => 'token api creato', + 'api_token_create_notification' => 'Token API creato con successo', + 'api_token_update' => 'token api aggiornato', + 'api_token_update_notification' => 'Token API aggiornato correttamente', + 'api_token_delete' => 'token api eliminato', + 'api_token_delete_notification' => 'Token API eliminato con successo', + // Roles + 'role_create' => 'creato ruolo', 'role_create_notification' => 'Ruolo creato con successo', + 'role_update' => 'aggiornato ruolo', 'role_update_notification' => 'Ruolo aggiornato con successo', + 'role_delete' => 'eliminato ruolo', 'role_delete_notification' => 'Ruolo eliminato con successo', + // Recycle Bin + 'recycle_bin_empty' => 'cestino svuotato', + 'recycle_bin_restore' => 'ripristinato dal cestino', + 'recycle_bin_destroy' => 'rimosso dal cestino', + // Other 'commented_on' => 'ha commentato in', 'permissions_update' => 'autorizzazioni aggiornate', diff --git a/lang/it/common.php b/lang/it/common.php index a63fcd718..6a7af0b1e 100644 --- a/lang/it/common.php +++ b/lang/it/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Annulla', + 'close' => 'Chiudi', 'confirm' => 'Conferma', 'back' => 'Indietro', 'save' => 'Salva', diff --git a/lang/it/components.php b/lang/it/components.php index 882213bb1..6d288c232 100644 --- a/lang/it/components.php +++ b/lang/it/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Selezione Immagine', + 'image_list' => 'Elenco Immagini', + 'image_details' => 'Dettagli Immagine', 'image_upload' => 'Carica Immagine', 'image_intro' => 'Qui è possibile selezionare e gestire le immagini che sono state precedentemente caricate nel sistema.', 'image_intro_upload' => 'Carica una nuova immagine trascinando un file immagine in questa finestra oppure utilizzando il pulsante "Carica immagine" in alto.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Visualizza immagini caricate in questa pagina', 'image_search_hint' => 'Cerca immagine per nome', 'image_uploaded' => 'Caricato :uploadedDate', + 'image_uploaded_by' => 'Caricato da :userName', + 'image_uploaded_to' => 'Caricato su :pageLink', + 'image_updated' => 'Aggiornato il :updateDate', 'image_load_more' => 'Carica Altre', 'image_image_name' => 'Nome Immagine', 'image_delete_used' => 'Questa immagine è usata nelle pagine elencate.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Immagine caricata correttamente', 'image_update_success' => 'Dettagli immagine aggiornati correttamente', 'image_delete_success' => 'Immagine eliminata correttamente', + 'image_replace' => 'Sostituisci Immagine', + 'image_replace_success' => 'File immagine aggiornato con successo', // Code Editor 'code_editor' => 'Modifica Codice', diff --git a/lang/it/entities.php b/lang/it/entities.php index 07f7bbda1..f53afe87f 100644 --- a/lang/it/entities.php +++ b/lang/it/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Salva Capitolo', 'chapters_move' => 'Muovi Capitolo', 'chapters_move_named' => 'Muovi il capitolo :chapterName', - 'chapter_move_success' => 'Capitolo mosso in :bookName', 'chapters_copy' => 'Copia Capitolo', 'chapters_copy_success' => 'Capitolo copiato con successo', 'chapters_permissions' => 'Permessi Capitolo', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Modifica Pagina', 'pages_edit_draft_save_at' => 'Bozza salvata alle ', 'pages_edit_delete_draft' => 'Elimina Bozza', + 'pages_edit_delete_draft_confirm' => 'Si è sicuri di voler eliminare le modifiche alla pagina bozza? Tutte le modifiche apportate dall\'ultimo salvataggio completo andranno perse e l\'editor verrà aggiornato con l\'ultimo stato di salvataggio della pagina non in bozza.', 'pages_edit_discard_draft' => 'Scarta Bozza', 'pages_edit_switch_to_markdown' => 'Passa all\'editor Markdown', 'pages_edit_switch_to_markdown_clean' => '(Contenuto Chiaro)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sincronizza scorrimento anteprima', 'pages_not_in_chapter' => 'La pagina non è in un capitolo', 'pages_move' => 'Muovi Pagina', - 'pages_move_success' => 'Pagina mossa in ":parentName"', 'pages_copy' => 'Copia Pagina', 'pages_copy_desination' => 'Copia Destinazione', 'pages_copy_success' => 'Pagina copiata correttamente', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Ripristina', 'pages_revisions_none' => 'Questa pagina non ha versioni', 'pages_copy_link' => 'Copia Link', - 'pages_edit_content_link' => 'Modifica contenuto', + 'pages_edit_content_link' => 'Vai alla sezione nell\'editor', + 'pages_pointer_enter_mode' => 'Accedi alla modalità di selezione della sezione', + 'pages_pointer_label' => 'Opzioni Sezione Pagina', + 'pages_pointer_permalink' => 'Permalink Sezione Pagina', + 'pages_pointer_include_tag' => 'Sezione Pagina Includi Tag', + 'pages_pointer_toggle_link' => 'Modalità Permalink, Premi per mostrare il tag includi', + 'pages_pointer_toggle_include' => 'Modo includi tag, premi per mostrare permalink', 'pages_permissions_active' => 'Permessi Pagina Attivi', 'pages_initial_revision' => 'Pubblicazione iniziale', 'pages_references_update_revision' => 'Aggiornamento automatico di sistema dei collegamenti interni', @@ -281,7 +286,8 @@ return [ 'time_b' => 'negli ultimi :minCount minuti', 'message' => ':start :time. Assicurati di non sovrascrivere le modifiche degli altri!', ], - 'pages_draft_discarded' => 'Bozza scartata, l\'editor è stato aggiornato con il contenuto corrente della pagina', + 'pages_draft_discarded' => 'Bozza scartata! L\'editor è stato aggiornato con il contenuto della pagina corrente', + 'pages_draft_deleted' => 'Bozza eliminata! L\'editor è stato aggiornato con il contenuto della pagina corrente', 'pages_specific' => 'Pagina Specifica', 'pages_is_template' => 'Template Pagina', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Scrivi un commento', 'comment_count' => '{0} Nessun Commento|{1} 1 Commento|[2,*] :count Commenti', 'comment_save' => 'Salva Commento', - 'comment_saving' => 'Salvataggio commento...', - 'comment_deleting' => 'Eliminazione commento...', 'comment_new' => 'Nuovo Commento', 'comment_created' => 'ha commentato :createDiff', 'comment_updated' => 'Aggiornato :updateDiff da :username', + 'comment_updated_indicator' => 'Aggiornato', 'comment_deleted_success' => 'Commento eliminato', 'comment_created_success' => 'Commento aggiunto', 'comment_updated_success' => 'Commento aggiornato', 'comment_delete_confirm' => 'Sei sicuro di voler elminare questo commento?', 'comment_in_reply_to' => 'In risposta a :commentId', + 'comment_editor_explain' => 'Ecco i commenti che sono stati lasciati in questa pagina. I commenti possono essere aggiunti e gestiti quando si visualizza la pagina salvata.', // Revision 'revision_delete_confirm' => 'Sei sicuro di voler eliminare questa revisione?', 'revision_restore_confirm' => 'Sei sicuro di voler ripristinare questa revisione? Il contenuto della pagina verrà rimpiazzato.', - 'revision_delete_success' => 'Revisione cancellata', 'revision_cannot_delete_latest' => 'Impossibile eliminare l\'ultima revisione.', // Copy view diff --git a/lang/it/errors.php b/lang/it/errors.php index ad3e5f8cf..5418beb14 100644 --- a/lang/it/errors.php +++ b/lang/it/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'C\'è stato un errore caricando l\'immagine', 'image_upload_type_error' => 'Il tipo di immagine caricata non è valido', + 'image_upload_replace_type' => 'Le sostituzioni di file immagine devono essere dello stesso tipo', 'drawing_data_not_found' => 'Non è stato possibile caricare i dati del disegno. È possibile che il file del disegno non esista più o che non si abbia il permesso di accedervi.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Impossibile salvare la bozza. Controlla di essere connesso ad internet prima di salvare questa pagina', + 'page_draft_delete_fail' => 'Impossibile eliminare la bozza di pagina e recuperare i contenuti salvati nella pagina corrente', 'page_custom_home_deletion' => 'Impossibile eliminare una pagina quando è impostata come homepage', // Entities diff --git a/lang/it/settings.php b/lang/it/settings.php index 962a14c2f..47599bce2 100644 --- a/lang/it/settings.php +++ b/lang/it/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Impostazioni', 'settings_save' => 'Salva Impostazioni', - 'settings_save_success' => 'Impostazioni salvate', 'system_version' => 'Versione Del Sistema', 'categories' => 'Categorie', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Data di scadenza', 'user_api_token_expiry_desc' => 'Imposta una data di scadenza per questo token. Dopo questa data, le richieste che utilizzeranno questo token non funzioneranno più. Lasciando questo campo vuoto si imposterà la scadenza tra 100 anni.', 'user_api_token_create_secret_message' => 'Immediatamente dopo aver creato questo token, un "Token ID" e un "Segreto Token" saranno generati e mostrati. Il segreto verrà mostrato unicamente questa volta, assicurati, quindi, di copiare il valore in un posto sicuro prima di procedere.', - 'user_api_token_create_success' => 'Token API creato correttamente', - 'user_api_token_update_success' => 'Token API aggiornato correttamente', 'user_api_token' => 'Token API', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Questo è un identificativo non modificabile generato dal sistema per questo token e che sarà necessario fornire per le richieste tramite API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Elimina Token', 'user_api_token_delete_warning' => 'Questa operazione eliminerà irreversibilmente dal sistema il token API denominato \':tokenName\'.', 'user_api_token_delete_confirm' => 'Sei sicuri di voler eliminare questo token API?', - 'user_api_token_delete_success' => 'Token API eliminato correttamente', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/ja/activities.php b/lang/ja/activities.php index 05b08b9a1..32bf60c37 100644 --- a/lang/ja/activities.php +++ b/lang/ja/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'がページを復元:', 'page_restore_notification' => 'ページを復元しました', 'page_move' => 'がページを移動:', + 'page_move_notification' => 'ページを移動しました', // Chapters 'chapter_create' => 'がチャプターを作成:', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'がチャプターを削除:', 'chapter_delete_notification' => 'チャプターを削除しました', 'chapter_move' => 'がチャプターを移動:', + 'chapter_move_notification' => 'チャプタを移動しました', // Books 'book_create' => 'がブックを作成:', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'が本棚を削除:', 'bookshelf_delete_notification' => '本棚を削除しました', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'リビジョンを削除しました', + // Favourites 'favourite_add_notification' => '":name"がお気に入りに追加されました', 'favourite_remove_notification' => '":name"がお気に入りから削除されました', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => '多要素認証を設定しました', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => '多要素認証を解除しました', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => '設定を更新しました', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'がWebhookを作成:', 'webhook_create_notification' => 'Webhookを作成しました', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhookを削除しました', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'ユーザーを作成しました', + 'user_update' => 'updated user', 'user_update_notification' => 'ユーザーを更新しました', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'ユーザーを削除しました', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'APIトークンを作成しました', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'APIトークンを更新しました', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'APIトークンを削除しました', + // Roles + 'role_create' => 'created role', 'role_create_notification' => '役割を作成しました', + 'role_update' => 'updated role', 'role_update_notification' => '役割を更新しました', + 'role_delete' => 'deleted role', 'role_delete_notification' => '役割を削除しました', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'がコメント:', 'permissions_update' => 'が権限を更新:', diff --git a/lang/ja/common.php b/lang/ja/common.php index bc3c8befe..bff79ea81 100644 --- a/lang/ja/common.php +++ b/lang/ja/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'キャンセル', + 'close' => '閉じる', 'confirm' => '確認', 'back' => '戻る', 'save' => '保存', diff --git a/lang/ja/components.php b/lang/ja/components.php index f492c7414..3e0a41eb3 100644 --- a/lang/ja/components.php +++ b/lang/ja/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => '画像を選択', + 'image_list' => '画像リスト', + 'image_details' => '画像詳細', 'image_upload' => '画像をアップロード', 'image_intro' => 'ここでは、システムに以前アップロードされた画像を選択して管理できます。', 'image_intro_upload' => 'このウィンドウに画像ファイルをドラッグするか、上の「画像をアップロード」ボタンを使用して新しい画像をアップロードします。', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'このページにアップロードされた画像を表示', 'image_search_hint' => '画像名で検索', 'image_uploaded' => 'アップロード日時: :uploadedDate', + 'image_uploaded_by' => 'アップロードユーザ: :userName', + 'image_uploaded_to' => 'アップロード先: :pageLink', + 'image_updated' => '更新日時: :updateDate', 'image_load_more' => 'さらに読み込む', 'image_image_name' => '画像名', 'image_delete_used' => 'この画像は以下のページで利用されています。', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => '画像がアップロードされました', 'image_update_success' => '画像が更新されました', 'image_delete_success' => '画像が削除されました', + 'image_replace' => '画像の差し替え', + 'image_replace_success' => '画像を更新しました', // Code Editor 'code_editor' => 'コードを編集する', diff --git a/lang/ja/entities.php b/lang/ja/entities.php index 599d1835d..3baa40354 100644 --- a/lang/ja/entities.php +++ b/lang/ja/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'チャプターを保存', 'chapters_move' => 'チャプターを移動', 'chapters_move_named' => 'チャプター「:chapterName」を移動', - 'chapter_move_success' => 'チャプターを「:bookName」に移動しました', 'chapters_copy' => 'チャプターをコピー', 'chapters_copy_success' => 'チャプターが正常にコピーされました', 'chapters_permissions' => 'チャプター権限', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'ページを編集中', 'pages_edit_draft_save_at' => '下書きを保存済み: ', 'pages_edit_delete_draft' => '下書きを削除', + 'pages_edit_delete_draft_confirm' => '本当にページの下書変更を削除しますか? 最後の完全な保存以降の変更はすべて失われ、エディタは保存された最新のページ内容に復元されます。', 'pages_edit_discard_draft' => '下書きを破棄', 'pages_edit_switch_to_markdown' => 'Markdownエディタに切り替え', 'pages_edit_switch_to_markdown_clean' => '(クリーンなコンテンツ)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'プレビューとスクロールを同期', 'pages_not_in_chapter' => 'チャプターが設定されていません', 'pages_move' => 'ページを移動', - 'pages_move_success' => 'ページを ":parentName" へ移動しました', 'pages_copy' => 'ページをコピー', 'pages_copy_desination' => 'コピー先', 'pages_copy_success' => 'ページが正常にコピーされました', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => '復元', 'pages_revisions_none' => 'このページにはリビジョンがありません', 'pages_copy_link' => 'リンクをコピー', - 'pages_edit_content_link' => 'コンテンツの編集', + 'pages_edit_content_link' => 'エディタのセクションへ移動', + 'pages_pointer_enter_mode' => 'セクション選択モードに入る', + 'pages_pointer_label' => 'ページセクションのオプションポップアップ', + 'pages_pointer_permalink' => 'ページセクションのパーマリンク', + 'pages_pointer_include_tag' => 'ページセクションのインクルードタグ', + 'pages_pointer_toggle_link' => 'パーマリンクモード。押下するとインクルードタグを表示', + 'pages_pointer_toggle_include' => 'インクルードタグモード。押下するとパーマリンクを表示', 'pages_permissions_active' => 'ページの権限は有効です', 'pages_initial_revision' => '初回の公開', 'pages_references_update_revision' => '内部リンクのシステム自動更新', @@ -281,7 +286,8 @@ return [ 'time_b' => ':minCount分前に保存されました', 'message' => ':start :time. 他のユーザによる更新を上書きしないよう注意してください。', ], - 'pages_draft_discarded' => '下書きが破棄されました。エディタは現在の内容へ復元されています。', + 'pages_draft_discarded' => '下書きは破棄されました。エディタは現在のページ内容へ復元されています。', + 'pages_draft_deleted' => '下書きを削除しました。エディタは現在のページ内容へ復元されています。', 'pages_specific' => '特定のページ', 'pages_is_template' => 'ページテンプレート', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'コメントを記入してください', 'comment_count' => '{0} コメントはありません|[1,*] コメント:count件', 'comment_save' => 'コメントを保存', - 'comment_saving' => 'コメントを保存中...', - 'comment_deleting' => 'コメントを削除中...', 'comment_new' => '新規コメント作成', 'comment_created' => 'コメントを作成しました :createDiff', 'comment_updated' => ':username により更新しました :updateDiff', + 'comment_updated_indicator' => '編集済み', 'comment_deleted_success' => 'コメントを削除しました', 'comment_created_success' => 'コメントを追加しました', 'comment_updated_success' => 'コメントを更新しました', 'comment_delete_confirm' => '本当にこのコメントを削除しますか?', 'comment_in_reply_to' => ':commentIdへ返信', + 'comment_editor_explain' => 'ここにはページに付けられたコメントを表示します。 コメントの追加と管理は保存されたページの表示時に行うことができます。', // Revision 'revision_delete_confirm' => 'このリビジョンを削除しますか?', 'revision_restore_confirm' => 'このリビジョンを復元してよろしいですか?現在のページの内容が置換されます。', - 'revision_delete_success' => 'リビジョンを削除しました', 'revision_cannot_delete_latest' => '最新のリビジョンを削除できません。', // Copy view diff --git a/lang/ja/errors.php b/lang/ja/errors.php index fe6126fdc..3e454c30e 100644 --- a/lang/ja/errors.php +++ b/lang/ja/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => '画像アップロード時にエラーが発生しました。', 'image_upload_type_error' => 'アップロード中の画像の種類が無効です', + 'image_upload_replace_type' => '画像ファイルの置き換えは同じ種類でなければなりません', 'drawing_data_not_found' => '描画データを読み込めませんでした。描画ファイルが存在しないか、アクセス権限がありません。', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => '下書きの保存に失敗しました。インターネットへ接続してください。', + 'page_draft_delete_fail' => '下書きページの削除および現在ページ内容の取得に失敗しました。', 'page_custom_home_deletion' => 'ホームページに設定されているページは削除できません', // Entities diff --git a/lang/ja/settings.php b/lang/ja/settings.php index eeaa55a70..c0536771e 100644 --- a/lang/ja/settings.php +++ b/lang/ja/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => '設定', 'settings_save' => '設定を保存', - 'settings_save_success' => '設定を保存しました', 'system_version' => 'システムバージョン', 'categories' => 'カテゴリー', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => '有効期限', 'user_api_token_expiry_desc' => 'このトークンの有効期限が切れる日付を設定します。この日付を過ぎると、このトークンを使用したリクエストは機能しなくなります。このフィールドを空白のままにすると、100年先に有効期限が設定されます。', 'user_api_token_create_secret_message' => 'このトークンを作成するとすぐに、「トークンID」と「トークンシークレット」が生成されて表示されます。シークレットは一度しか表示されないため、続行する前に必ず値を安全な場所にコピーしてください。', - 'user_api_token_create_success' => 'APIトークンが正常に作成されました', - 'user_api_token_update_success' => 'APIトークンが正常に更新されました', 'user_api_token' => 'APIトークン', 'user_api_token_id' => 'トークンID', 'user_api_token_id_desc' => 'これは、システムが生成した編集不可能なトークンの識別子で、APIリクエストで提供する必要があります。', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'トークンを削除', 'user_api_token_delete_warning' => 'これにより、このAPIトークン「:tokenName」がシステムから完全に削除されます。', 'user_api_token_delete_confirm' => 'このAPIトークンを削除してもよろしいですか?', - 'user_api_token_delete_success' => 'APIトークンが正常に削除されました', // Webhooks 'webhooks' => 'Webhook', diff --git a/lang/ka/activities.php b/lang/ka/activities.php index e89b8eab2..e71a490de 100644 --- a/lang/ka/activities.php +++ b/lang/ka/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'restored page', 'page_restore_notification' => 'Page successfully restored', 'page_move' => 'moved page', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'created chapter', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'deleted chapter', 'chapter_delete_notification' => 'Chapter successfully deleted', 'chapter_move' => 'moved chapter', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'created book', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" has been added to your favourites', 'favourite_remove_notification' => '":name" has been removed from your favourites', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'created webhook', 'webhook_create_notification' => 'Webhook successfully created', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook successfully deleted', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'User successfully updated', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'User successfully removed', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'commented on', 'permissions_update' => 'updated permissions', diff --git a/lang/ka/common.php b/lang/ka/common.php index c74dcc907..de7937b2b 100644 --- a/lang/ka/common.php +++ b/lang/ka/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancel', + 'close' => 'Close', 'confirm' => 'Confirm', 'back' => 'Back', 'save' => 'Save', diff --git a/lang/ka/components.php b/lang/ka/components.php index cd5dca251..8a105096b 100644 --- a/lang/ka/components.php +++ b/lang/ka/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Image Select', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'View images uploaded to this page', 'image_search_hint' => 'Search by image name', 'image_uploaded' => 'Uploaded :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Load More', 'image_image_name' => 'Image Name', 'image_delete_used' => 'This image is used in the pages below.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Image uploaded successfully', 'image_update_success' => 'Image details successfully updated', 'image_delete_success' => 'Image successfully deleted', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Edit Code', diff --git a/lang/ka/entities.php b/lang/ka/entities.php index 9614f92fe..8cd7e925f 100644 --- a/lang/ka/entities.php +++ b/lang/ka/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Save Chapter', 'chapters_move' => 'Move Chapter', 'chapters_move_named' => 'Move Chapter :chapterName', - 'chapter_move_success' => 'Chapter moved to :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Chapter Permissions', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editing Page', 'pages_edit_draft_save_at' => 'Draft saved at ', 'pages_edit_delete_draft' => 'Delete Draft', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Discard Draft', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Page is not in a chapter', 'pages_move' => 'Move Page', - 'pages_move_success' => 'Page moved to ":parentName"', 'pages_copy' => 'Copy Page', 'pages_copy_desination' => 'Copy Destination', 'pages_copy_success' => 'Page successfully copied', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restore', 'pages_revisions_none' => 'This page has no revisions', 'pages_copy_link' => 'Copy Link', - 'pages_edit_content_link' => 'Edit Content', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Page Permissions Active', 'pages_initial_revision' => 'Initial publish', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'in the last :minCount minutes', 'message' => ':start :time. Take care not to overwrite each other\'s updates!', ], - 'pages_draft_discarded' => 'Draft discarded, The editor has been updated with the current page content', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specific Page', 'pages_is_template' => 'Page Template', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Leave a comment here', 'comment_count' => '{0} No Comments|{1} 1 Comment|[2,*] :count Comments', 'comment_save' => 'Save Comment', - 'comment_saving' => 'Saving comment...', - 'comment_deleting' => 'Deleting comment...', 'comment_new' => 'New Comment', 'comment_created' => 'commented :createDiff', 'comment_updated' => 'Updated :updateDiff by :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comment deleted', 'comment_created_success' => 'Comment added', 'comment_updated_success' => 'Comment updated', 'comment_delete_confirm' => 'Are you sure you want to delete this comment?', 'comment_in_reply_to' => 'In reply to :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Are you sure you want to delete this revision?', 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.', - 'revision_delete_success' => 'Revision deleted', 'revision_cannot_delete_latest' => 'Cannot delete the latest revision.', // Copy view diff --git a/lang/ka/errors.php b/lang/ka/errors.php index 6991f96e4..23c326f9e 100644 --- a/lang/ka/errors.php +++ b/lang/ka/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'An error occurred uploading the image', 'image_upload_type_error' => 'The image type being uploaded is invalid', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Failed to save draft. Ensure you have internet connection before saving this page', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Cannot delete a page while it is set as a homepage', // Entities diff --git a/lang/ka/settings.php b/lang/ka/settings.php index 38d817915..c110e8992 100644 --- a/lang/ka/settings.php +++ b/lang/ka/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Settings', 'settings_save' => 'Save Settings', - 'settings_save_success' => 'Settings saved', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Expiry Date', 'user_api_token_expiry_desc' => 'Set a date at which this token expires. After this date, requests made using this token will no longer work. Leaving this field blank will set an expiry 100 years into the future.', 'user_api_token_create_secret_message' => 'Immediately after creating this token a "Token ID" & "Token Secret" will be generated and displayed. The secret will only be shown a single time so be sure to copy the value to somewhere safe and secure before proceeding.', - 'user_api_token_create_success' => 'API token successfully created', - 'user_api_token_update_success' => 'API token successfully updated', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'This is a non-editable system generated identifier for this token which will need to be provided in API requests.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Delete Token', 'user_api_token_delete_warning' => 'This will fully delete this API token with the name \':tokenName\' from the system.', 'user_api_token_delete_confirm' => 'Are you sure you want to delete this API token?', - 'user_api_token_delete_success' => 'API token successfully deleted', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/ko/activities.php b/lang/ko/activities.php index d5dedfa15..b5ebe79f6 100644 --- a/lang/ko/activities.php +++ b/lang/ko/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => '문서 복원', 'page_restore_notification' => '페이지가 복원되었습니다', 'page_move' => '문서 이동', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => '챕터 만들기', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => '삭제된 챕터', 'chapter_delete_notification' => '챕터 삭제함', 'chapter_move' => '챕터 이동된', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => '책자 만들기', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => '선반 삭제', 'bookshelf_delete_notification' => '책꽃이가 삭제되었습니다.', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" 북마크에 추가함', 'favourite_remove_notification' => '":name" 북마크에서 삭제함', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => '다중 인증 설정함', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => '다중 인증 해제함', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => '웹 훅 만들기', 'webhook_create_notification' => '웹 훅 생성함', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => '웹 훅 삭제함', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => '사용자가 업데이트되었습니다', + 'user_delete' => 'deleted user', 'user_delete_notification' => '사용자가 삭제되었습니다', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => '역할이 생성되었습니다', + 'role_update' => 'updated role', 'role_update_notification' => '역할이 수정되었습니다', + 'role_delete' => 'deleted role', 'role_delete_notification' => '역할이 삭제되었습니다', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => '댓글 쓰기', 'permissions_update' => '권한 수정함', diff --git a/lang/ko/common.php b/lang/ko/common.php index c7b831d32..2ffa65d1e 100644 --- a/lang/ko/common.php +++ b/lang/ko/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => '취소', + 'close' => 'Close', 'confirm' => '확인', 'back' => '뒤로', 'save' => '저장', diff --git a/lang/ko/components.php b/lang/ko/components.php index 8787df415..ca4569976 100644 --- a/lang/ko/components.php +++ b/lang/ko/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => '이미지 선택', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => '이 문서에서 쓰고 있는 이미지', 'image_search_hint' => '이미지 이름 검색', 'image_uploaded' => '올림 :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => '더 로드하기', 'image_image_name' => '이미지 이름', 'image_delete_used' => '이 이미지는 다음 문서들이 쓰고 있습니다.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => '이미지 올림', 'image_update_success' => '이미지 정보 수정함', 'image_delete_success' => '이미지 삭제함', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => '코드 수정', diff --git a/lang/ko/entities.php b/lang/ko/entities.php index ef0f304f3..ebb9ab199 100644 --- a/lang/ko/entities.php +++ b/lang/ko/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => '저장', 'chapters_move' => '챕터 이동하기', 'chapters_move_named' => ':chapterName 이동하기', - 'chapter_move_success' => ':bookName(으)로 옮김', 'chapters_copy' => '챕터 복사하기', 'chapters_copy_success' => '챕터 복사함', 'chapters_permissions' => '챕터 권한', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => '문서 수정', 'pages_edit_draft_save_at' => '보관함: ', 'pages_edit_delete_draft' => '초안 삭제', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => '폐기', 'pages_edit_switch_to_markdown' => '마크다운 편집기로 전환', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => '챕터에 있는 문서가 아닙니다.', 'pages_move' => '문서 이동하기', - 'pages_move_success' => ':parentName(으)로 옮김', 'pages_copy' => '문서 복제', 'pages_copy_desination' => '복제할 위치', 'pages_copy_success' => '복제함', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => '복원', 'pages_revisions_none' => '수정본이 없습니다.', 'pages_copy_link' => '주소 복사', - 'pages_edit_content_link' => '수정', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => '문서 권한 허용함', 'pages_initial_revision' => '처음 판본', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => '(:minCount분 전)', 'message' => ':start :time. 다른 사용자의 수정본을 덮어쓰지 않도록 주의하세요.', ], - 'pages_draft_discarded' => '초안 문서를 지웠습니다. 에디터에 현재 판본이 나타납니다.', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => '특정한 문서', 'pages_is_template' => '템플릿', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => '이곳에 댓글을 쓰세요...', 'comment_count' => '{0} 댓글 없음|{1} 댓글 1개|[2,*] 댓글 :count개', 'comment_save' => '등록', - 'comment_saving' => '저장하는 중...', - 'comment_deleting' => '삭제하는 중...', 'comment_new' => '새로운 댓글', 'comment_created' => '댓글 등록함 :createDiff', 'comment_updated' => ':username(이)가 댓글 수정함 :updateDiff', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => '댓글 지움', 'comment_created_success' => '댓글 등록함', 'comment_updated_success' => '댓글 수정함', 'comment_delete_confirm' => '이 댓글을 지울 건가요?', 'comment_in_reply_to' => ':commentId(을)를 향한 답글', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => '이 수정본을 지울 건가요?', 'revision_restore_confirm' => '이 수정본을 되돌릴 건가요? 현재 판본을 바꿉니다.', - 'revision_delete_success' => '수정본 지움', 'revision_cannot_delete_latest' => '현재 판본은 지울 수 없습니다.', // Copy view diff --git a/lang/ko/errors.php b/lang/ko/errors.php index bfe96a297..03f0bb15d 100644 --- a/lang/ko/errors.php +++ b/lang/ko/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => '이미지를 올리다 문제가 생겼습니다.', 'image_upload_type_error' => '유효하지 않은 이미지 형식입니다.', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => '초안 문서를 유실했습니다. 인터넷 연결 상태를 확인하세요.', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => '처음 페이지는 지울 수 없습니다.', // Entities diff --git a/lang/ko/settings.php b/lang/ko/settings.php index 9c6bcdb21..e6a08bb27 100644 --- a/lang/ko/settings.php +++ b/lang/ko/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => '설정', 'settings_save' => '적용', - 'settings_save_success' => '설정 적용함', 'system_version' => '시스템 버전', 'categories' => '카테고리', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => '만료일', 'user_api_token_expiry_desc' => '이 날짜 이후에 이 토큰이 만든 요청은 작동하지 않습니다. 공백은 만료일을 100년 후로 둡니다.', 'user_api_token_create_secret_message' => '토큰을 만든 직후 "Token ID"와 "Token Secret"이 한 번만 표시되므로 안전한 장소에 보관하세요.', - 'user_api_token_create_success' => 'API 토큰을 만들었습니다.', - 'user_api_token_update_success' => 'API 토큰을 갱신했습니다.', 'user_api_token' => 'API 토큰', 'user_api_token_id' => '토큰 ID', 'user_api_token_id_desc' => '토큰이 API 요청 시 제공해야 할 식별자입니다. 편집 불가능한 시스템이 생성합니다.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => '토큰 삭제', 'user_api_token_delete_warning' => '\':tokenName\'을 시스템에서 삭제합니다.', 'user_api_token_delete_confirm' => '이 API 토큰을 지울 건가요?', - 'user_api_token_delete_success' => '토큰 삭제함', // Webhooks 'webhooks' => '웹 훅', diff --git a/lang/lt/activities.php b/lang/lt/activities.php index a0d4e9d8a..d06bbfe1d 100644 --- a/lang/lt/activities.php +++ b/lang/lt/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'atkurtas puslapis', 'page_restore_notification' => 'Page successfully restored', 'page_move' => 'perkeltas puslapis', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'sukurtas skyrius', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'ištrintas skyrius', 'chapter_delete_notification' => 'Chapter successfully deleted', 'chapter_move' => 'perkeltas skyrius', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'sukurta knyga', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" has been added to your favourites', 'favourite_remove_notification' => '":name" has been removed from your favourites', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'created webhook', 'webhook_create_notification' => 'Webhook successfully created', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook successfully deleted', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'User successfully updated', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'User successfully removed', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'pakomentavo', 'permissions_update' => 'atnaujinti leidimai', diff --git a/lang/lt/common.php b/lang/lt/common.php index d2ec44d90..ebe6eced2 100644 --- a/lang/lt/common.php +++ b/lang/lt/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Atšaukti', + 'close' => 'Close', 'confirm' => 'Patvirtinti', 'back' => 'Grįžti', 'save' => 'Išsaugoti', diff --git a/lang/lt/components.php b/lang/lt/components.php index 3f23ded6e..8521bdec7 100644 --- a/lang/lt/components.php +++ b/lang/lt/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Nuotraukų pasirinkimas', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Peržiūrėti nuotraukas, įkeltas į šį puslapį', 'image_search_hint' => 'Ieškoti pagal nuotraukos pavadinimą', 'image_uploaded' => 'Įkelta :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Rodyti daugiau', 'image_image_name' => 'Nuotraukos pavadinimas', 'image_delete_used' => 'Ši nuotrauka yra naudojama puslapyje žemiau.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Nuotrauka įkelta sėkmingai', 'image_update_success' => 'Nuotraukos detalės sėkmingai atnaujintos', 'image_delete_success' => 'Nuotrauka sėkmingai ištrinti', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Redaguoti kodą', diff --git a/lang/lt/entities.php b/lang/lt/entities.php index 99533019a..de554279e 100644 --- a/lang/lt/entities.php +++ b/lang/lt/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Išsaugoti skyrių', 'chapters_move' => 'Perkelti skyrių', 'chapters_move_named' => 'Perkelti skyrių :chapterName', - 'chapter_move_success' => 'Skyrius perkeltas į :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Skyriaus leidimai', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Redaguojamas puslapis', 'pages_edit_draft_save_at' => 'Juodraštis išsaugotas', 'pages_edit_delete_draft' => 'Ištrinti juodraštį', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Išmesti juodraštį', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Puslapio nėra skyriuje', 'pages_move' => 'Perkelti puslapį', - 'pages_move_success' => 'Puslapis perkeltas į ":parentName"', 'pages_copy' => 'Nukopijuoti puslapį', 'pages_copy_desination' => 'Nukopijuoti tikslą', 'pages_copy_success' => 'Puslapis sėkmingai nukopijuotas', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Atkurti', 'pages_revisions_none' => 'Šis puslapis neturi peržiūrų', 'pages_copy_link' => 'Kopijuoti nuorodą', - 'pages_edit_content_link' => 'Redaguoti turinį', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Puslapio leidimai aktyvūs', 'pages_initial_revision' => 'Pradinis skelbimas', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'paskutinėmis :minCount minutėmis', 'message' => ':start :time. Pasistenkite neperrašyti vienas kito atnaujinimų!', ], - 'pages_draft_discarded' => 'Juodraštis atmestas, redaguotojas atnaujintas dabartinis puslapio turinys', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specifinis puslapis', 'pages_is_template' => 'Puslapio šablonas', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Palikite komentarą čia', 'comment_count' => '{0} Nėra komentarų|{1} 1 komentaras|[2,*] :count komentarai', 'comment_save' => 'Išsaugoti komentarą', - 'comment_saving' => 'Komentaras išsaugojamas...', - 'comment_deleting' => 'Komentaras ištrinamas...', 'comment_new' => 'Naujas komentaras', 'comment_created' => 'Pakomentuota :createDiff', 'comment_updated' => 'Atnaujinta :updateDiff pagal :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Komentaras ištrintas', 'comment_created_success' => 'Komentaras pridėtas', 'comment_updated_success' => 'Komentaras atnaujintas', 'comment_delete_confirm' => 'Esate tikri, kad norite ištrinti šį komentarą?', 'comment_in_reply_to' => 'Atsakydamas į :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Esate tikri, kad norite ištrinti šią peržiūrą?', 'revision_restore_confirm' => 'Esate tikri, kad norite atkurti šią peržiūrą? Dabartinis puslapio turinys bus pakeistas.', - 'revision_delete_success' => 'Peržiūra ištrinta', 'revision_cannot_delete_latest' => 'Negalima išrinti vėliausios peržiūros', // Copy view diff --git a/lang/lt/errors.php b/lang/lt/errors.php index c36313abd..5bba03cc2 100644 --- a/lang/lt/errors.php +++ b/lang/lt/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Įvyko klaida įkeliant vaizdą', 'image_upload_type_error' => 'Vaizdo tipas, kurį norima įkelti, yra neteisingas', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Juodraščio išsaugoti nepavyko. Įsitikinkite, jog turite interneto ryšį prieš išsaugant šį paslapį.', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Negalima ištrinti šio puslapio, kol jis yra nustatytas kaip pagrindinis puslapis', // Entities diff --git a/lang/lt/settings.php b/lang/lt/settings.php index fddea6150..690e1c8d0 100644 --- a/lang/lt/settings.php +++ b/lang/lt/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Nustatymai', 'settings_save' => 'Išsaugoti nustatymus', - 'settings_save_success' => 'Nustatymai išsaugoti', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Galiojimo laikas', 'user_api_token_expiry_desc' => 'Nustatykite datą kada šis prieigos raktas baigs galioti. Po šios datos, prašymai, atlikti naudojant šį prieigos raktą daugiau nebeveiks. Jeigu šį laukelį paliksite tuščią, galiojimo laikas bus nustatytas 100 metų į ateitį.', 'user_api_token_create_secret_message' => 'Iš karto sukūrus šį prieigos raktą, bus sukurtas ir rodomas "Priegos rakto ID" ir "Prieigos rakto slėpinys". Prieigos rakto slėpinys bus rodomas tik vieną kartą, todėl būtinai nukopijuokite jį kur nors saugioje vietoje.', - 'user_api_token_create_success' => 'API sąsajos prieigos raktas sėkmingai sukurtas', - 'user_api_token_update_success' => 'API sąsajos prieigos raktas sėkmingai atnaujintas', 'user_api_token' => 'API sąsajos prieigos raktas', 'user_api_token_id' => 'Prieigos rakto ID', 'user_api_token_id_desc' => 'Tai neredaguojamas sistemos sugeneruotas identifikatorius šiam prieigos raktui, kurį reikės pateikti API užklausose.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Ištrinti prieigos raktą', 'user_api_token_delete_warning' => 'Tai pilnai ištrins šį API sąsajos prieigos raktą pavadinimu \':tokenName\' iš sistemos.', 'user_api_token_delete_confirm' => 'Ar esate tikri, jog norite ištrinti šį API sąsajos prieigos raktą?', - 'user_api_token_delete_success' => 'API sąsajos prieigos raktas sėkmingai ištrintas', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/lv/activities.php b/lang/lv/activities.php index 1b81baf44..dc6206d56 100644 --- a/lang/lv/activities.php +++ b/lang/lv/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'atjaunoja lapu', 'page_restore_notification' => 'Lapa veiksmīgi atjaunota', 'page_move' => 'pārvietoja lapu', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'izveidoja nodaļu', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'izdzēsa nodaļu', 'chapter_delete_notification' => 'Nodaļa veiksmīgi dzēsta', 'chapter_move' => 'pārvietoja nodaļu', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'izveidoja grāmatu', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'izdzēsa plauktu', 'bookshelf_delete_notification' => 'Plaukts veiksmīgi dzēsts', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" ir pievienots jūsu favorītiem', 'favourite_remove_notification' => '":name" ir izņemts no jūsu favorītiem', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => '2FA funkcija aktivizēta', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => '2FA funkcija noņemta', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'izveidoja webhook', 'webhook_create_notification' => 'Webhook veiksmīgi izveidots', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook veiksmīgi izdzēsts', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Lietotājs veiksmīgi atjaunināts', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Lietotājs veiksmīgi dzēsts', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Loma veiksmīgi izveidota', + 'role_update' => 'updated role', 'role_update_notification' => 'Loma veiksmīgi atjaunināta', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Loma veiksmīgi dzēsta', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'komentēts', 'permissions_update' => 'atjaunoja atļaujas', diff --git a/lang/lv/common.php b/lang/lv/common.php index a63410366..27ea89de0 100644 --- a/lang/lv/common.php +++ b/lang/lv/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Atcelt', + 'close' => 'Aizvērt', 'confirm' => 'Apstiprināt', 'back' => 'Atpakaļ', 'save' => 'Saglabāt', diff --git a/lang/lv/components.php b/lang/lv/components.php index ac3b068ae..686206259 100644 --- a/lang/lv/components.php +++ b/lang/lv/components.php @@ -6,7 +6,9 @@ return [ // Image Manager 'image_select' => 'Attēla izvēle', - 'image_upload' => 'Upload Image', + 'image_list' => 'Attēlu saraksts', + 'image_details' => 'Attēla dati', + 'image_upload' => 'Augšuplādēt attēlu', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', 'image_all' => 'Visi', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Apskatīt augšupielādētos attēlus šajā lapā', 'image_search_hint' => 'Meklēt pēc attēla vārda', 'image_uploaded' => 'Augšupielādēts :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Ielādēt vairāk', 'image_image_name' => 'Attēla nosaukums', 'image_delete_used' => 'Šis attēls ir ievietots zemāk redzamajās lapās.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Attēls ir veiksmīgi augšupielādēts', 'image_update_success' => 'Attēlā informācija ir veiksmīgi atjunināta', 'image_delete_success' => 'Attēls veiksmīgi dzēsts', + 'image_replace' => 'Nomainīt bildi', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Rediģēt kodu', diff --git a/lang/lv/entities.php b/lang/lv/entities.php index 01fd83b69..ba5880b81 100644 --- a/lang/lv/entities.php +++ b/lang/lv/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Saglabāt nodaļu', 'chapters_move' => 'Pārvietot nodaļu', 'chapters_move_named' => 'Pārvietot nodaļu :chapterName', - 'chapter_move_success' => 'Nodaļa pārviedota uz :bookName', 'chapters_copy' => 'Kopēt nodaļu', 'chapters_copy_success' => 'Nodaļa veiksmīgi nokopēta', 'chapters_permissions' => 'Nodaļas atļaujas', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Labo lapu', 'pages_edit_draft_save_at' => 'Melnraksts saglabāts ', 'pages_edit_delete_draft' => 'Dzēst melnrakstu', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Atmest malnrakstu', 'pages_edit_switch_to_markdown' => 'Pārslēgties uz Markdown redaktoru', 'pages_edit_switch_to_markdown_clean' => '(Iztīrītais saturs)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Lapa nav nodaļā', 'pages_move' => 'Pārvietot lapu', - 'pages_move_success' => 'Lapa pārvietota uz ":parentName"', 'pages_copy' => 'Kopēt lapu', 'pages_copy_desination' => 'Kopijas mērķa vieta', 'pages_copy_success' => 'Lapa veiksmīgi nokopēta', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Atjaunot', 'pages_revisions_none' => 'Šai lapai nav revīziju', 'pages_copy_link' => 'Kopēt saiti', - 'pages_edit_content_link' => 'Labot saturu', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Lapas atļaujas ir aktīvas', 'pages_initial_revision' => 'Sākotnējā publikācija', 'pages_references_update_revision' => 'Automātiska iekšējo saišu atjaunināšana', @@ -281,7 +286,8 @@ return [ 'time_b' => 'pēdējās :minCount minūtēs', 'message' => ':start :time. Esat uzmanīgi, lai neaizstātu viens otra izmaiņas!', ], - 'pages_draft_discarded' => 'Melnraksts ir atcelts, redaktors ir atjaunināts ar pašreizējo lapas saturu', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Konkrēta lapa', 'pages_is_template' => 'Lapas šablons', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Pievieno komentāru', 'comment_count' => '{0} Nav komentāru |{1} 1 Komentārs|[2,*] :count Komentāri', 'comment_save' => 'Saglabāt komentāru', - 'comment_saving' => 'Saglabā komentāru...', - 'comment_deleting' => 'Dzēš komentāru...', 'comment_new' => 'Jauns komentārs', 'comment_created' => 'komentējis :createDiff', 'comment_updated' => ':username atjauninājis pirms :updateDiff', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Komentārs ir dzēsts', 'comment_created_success' => 'Komentārs ir pievienots', 'comment_updated_success' => 'Komentārs ir atjaunināts', 'comment_delete_confirm' => 'Vai esat pārliecināts, ka vēlaties dzēst šo komentāru?', 'comment_in_reply_to' => 'Atbildēt uz :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Vai esat pārliecināts, ka vēlaties dzēst šo revīziju?', 'revision_restore_confirm' => 'Vai tiešām vēlaties atjaunot šo revīziju? Pašreizējais lapas saturs tiks aizvietots.', - 'revision_delete_success' => 'Revīzija dzēsta', 'revision_cannot_delete_latest' => 'Nevar dzēst pašreizējo revīziju.', // Copy view diff --git a/lang/lv/errors.php b/lang/lv/errors.php index 655405681..bcab6f474 100644 --- a/lang/lv/errors.php +++ b/lang/lv/errors.php @@ -49,14 +49,16 @@ return [ // Drawing & Images 'image_upload_error' => 'Radās kļūda augšupielādējot attēlu', 'image_upload_type_error' => 'Ielādējamā attēla tips nav derīgs', + 'image_upload_replace_type' => 'Aizvietojot attēlu tipiem ir jābūt vienādiem', 'drawing_data_not_found' => 'Attēla datus nevarēja ielādēt. Attēla fails, iespējams, vairs neeksistē, vai arī jums varētu nebūt piekļuves tiesības tam.', // Attachments 'attachment_not_found' => 'Pielikums nav atrasts', - 'attachment_upload_error' => 'An error occurred uploading the attachment file', + 'attachment_upload_error' => 'Radās kļūda augšupielādējot pievienoto failu', // Pages 'page_draft_autosave_fail' => 'Neizdevās saglabāt uzmetumu. Pārliecinieties, ka jūsu interneta pieslēgums ir aktīvs pirms saglabājiet šo lapu', + 'page_draft_delete_fail' => 'Neizdevās izdzēst lapas melnrakstu un iegūt pašreizējās lapas saglabāto saturu', 'page_custom_home_deletion' => 'Nav iespējams izdzēst lapu kamēr tā ir uzstādīta kā sākumlapa', // Entities diff --git a/lang/lv/preferences.php b/lang/lv/preferences.php index e9a47461b..7a2f3efb1 100644 --- a/lang/lv/preferences.php +++ b/lang/lv/preferences.php @@ -5,14 +5,14 @@ */ return [ - 'shortcuts' => 'Shortcuts', + 'shortcuts' => 'Saīsnes', 'shortcuts_interface' => 'Interface Keyboard Shortcuts', 'shortcuts_toggle_desc' => 'Here you can enable or disable keyboard system interface shortcuts, used for navigation and actions.', 'shortcuts_customize_desc' => 'You can customize each of the shortcuts below. Just press your desired key combination after selecting the input for a shortcut.', - 'shortcuts_toggle_label' => 'Keyboard shortcuts enabled', - 'shortcuts_section_navigation' => 'Navigation', + 'shortcuts_toggle_label' => 'Klaviatūras saīsnes ieslēgtas', + 'shortcuts_section_navigation' => 'Navigācija', 'shortcuts_section_actions' => 'Common Actions', - 'shortcuts_save' => 'Save Shortcuts', + 'shortcuts_save' => 'Saglabāt saīsnes', 'shortcuts_overlay_desc' => 'Note: When shortcuts are enabled a helper overlay is available via pressing "?" which will highlight the available shortcuts for actions currently visible on the screen.', - 'shortcuts_update_success' => 'Shortcut preferences have been updated!', + 'shortcuts_update_success' => 'Saīsņu uzstādījumi ir saglabāt!', ]; \ No newline at end of file diff --git a/lang/lv/settings.php b/lang/lv/settings.php index 3d89c88c7..0f099e4c8 100644 --- a/lang/lv/settings.php +++ b/lang/lv/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Iestatījumi', 'settings_save' => 'Saglabāt iestatījumus', - 'settings_save_success' => 'Iestatījumi saglabāti', 'system_version' => 'Sistēmas versija', 'categories' => 'Kategorijas', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Derīgs līdz', 'user_api_token_expiry_desc' => 'Uzstādiet datumu, kad beidzas žetona derīguma termiņš. Pieprasījumi, kas veikti pēc šī datuma ar šo žetonu vairs nedarbosies. Atstājot lauku tukšu, tiks uzstādīts derīguma termiņš 100 gadu nākotnē.', 'user_api_token_create_secret_message' => 'Uzreiz pēc žetona izveidošanas tiks parādīts žetona ID un žetona noslēpums. Šis noslēpums tiks attēlots tikai vienreiz, tāpēc pārliecinieties, ka tā vērtība ir nokopēta uz kādu citu drošu vietu pirms turpināšanas.', - 'user_api_token_create_success' => 'API žetons veiksmīgi izveidots', - 'user_api_token_update_success' => 'API žetons veiksmīgi atjaunināts', 'user_api_token' => 'API žetons', 'user_api_token_id' => 'Žetona ID', 'user_api_token_id_desc' => 'Šis ir neizmaināms sistēmas ģenerēts identifikators šim žetonam, kas būs jānorāda API pieprasījumos.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Dzēst žetonu', 'user_api_token_delete_warning' => 'Šī darbība pilnībā izdzēsīs API žetonu \':tokenName\' no sistēmas.', 'user_api_token_delete_confirm' => 'Vai tiešām vēlaties dzēst šo API žetonu?', - 'user_api_token_delete_success' => 'API žetons veiksmīgi dzēsts', // Webhooks 'webhooks' => 'Webhook', diff --git a/lang/nb/activities.php b/lang/nb/activities.php index bbbdf8940..0e8f2e746 100644 --- a/lang/nb/activities.php +++ b/lang/nb/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'gjenopprettet side', 'page_restore_notification' => 'Siden ble gjenopprettet', 'page_move' => 'flyttet side', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'opprettet kapittel', @@ -25,6 +26,7 @@ return [ 'chapter_delete_notification' => 'Kapittelet ble slettet', 'chapter_move' => 'flyttet kapittel ', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'opprettet bok', @@ -48,14 +50,30 @@ return [ 'bookshelf_delete' => 'slettet hylle', 'bookshelf_delete_notification' => 'Hyllen ble slettet', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '«:name» ble lagt til i dine favoritter', 'favourite_remove_notification' => '«:name» ble fjernet fra dine favoritter', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Flerfaktor-metoden ble konfigurert', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Flerfaktor-metoden ble fjernet', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'opprettet webhook', 'webhook_create_notification' => 'Webhook ble opprettet', @@ -65,14 +83,34 @@ return [ 'webhook_delete_notification' => 'Webhook ble slettet', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Brukeren ble oppdatert', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Brukeren ble fjernet', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Rollen ble opprettet', + 'role_update' => 'updated role', 'role_update_notification' => 'Rollen ble oppdatert', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Rollen ble fjernet', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'kommenterte på', 'permissions_update' => 'oppdaterte tilganger', diff --git a/lang/nb/common.php b/lang/nb/common.php index 2c8ccf6ec..93495a354 100644 --- a/lang/nb/common.php +++ b/lang/nb/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Avbryt', + 'close' => 'Lukk', 'confirm' => 'Bekreft', 'back' => 'Tilbake', 'save' => 'Lagre', diff --git a/lang/nb/components.php b/lang/nb/components.php index 7bc031319..38521c6b0 100644 --- a/lang/nb/components.php +++ b/lang/nb/components.php @@ -6,27 +6,34 @@ return [ // Image Manager 'image_select' => 'Velg bilde', - 'image_upload' => 'Upload Image', - 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', - 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', + 'image_list' => 'Bilde liste', + 'image_details' => 'Bildedetaljer', + 'image_upload' => 'Last opp bilde', + 'image_intro' => 'Her kan du velge og behandle bilder som tidligere har blitt lastet opp til systemet.', + 'image_intro_upload' => 'Last opp et nytt bilde ved å dra et bilde i dette vinduet, eller ved å bruke knappen "Last opp bilde" ovenfor.', 'image_all' => 'Alle', 'image_all_title' => 'Vis alle bilder', 'image_book_title' => 'Vis bilder som er lastet opp i denne boken', 'image_page_title' => 'Vis bilder lastet opp til denne siden', 'image_search_hint' => 'Søk på bilder etter navn', 'image_uploaded' => 'Opplastet :uploadedDate', + 'image_uploaded_by' => 'Lastet opp av :userName', + 'image_uploaded_to' => 'Lastet opp til :pageLink', + 'image_updated' => 'Oppdatert :updateDate', 'image_load_more' => 'Last in flere', 'image_image_name' => 'Bildenavn', 'image_delete_used' => 'Dette bildet er brukt på sidene nedenfor.', 'image_delete_confirm_text' => 'Vil du slette dette bildet?', 'image_select_image' => 'Velg bilde', 'image_dropzone' => 'Dra og slipp eller trykk her for å laste opp bilder', - 'image_dropzone_drop' => 'Drop images here to upload', + 'image_dropzone_drop' => 'Slipp bilder her for å laste opp', 'images_deleted' => 'Bilder slettet', 'image_preview' => 'Hurtigvisning av bilder', 'image_upload_success' => 'Bilde ble lastet opp', 'image_update_success' => 'Bildedetaljer ble oppdatert', 'image_delete_success' => 'Bilde ble slettet', + 'image_replace' => 'Erstatt bilde', + 'image_replace_success' => 'Bildefil ble oppdatert', // Code Editor 'code_editor' => 'Endre kode', diff --git a/lang/nb/entities.php b/lang/nb/entities.php index 62c46f49c..7c62a7b44 100644 --- a/lang/nb/entities.php +++ b/lang/nb/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Lagre kapittel', 'chapters_move' => 'Flytt kapittel', 'chapters_move_named' => 'Flytt :chapterName (kapittel)', - 'chapter_move_success' => 'Kapittelet ble flyttet til :bookName (bok)', 'chapters_copy' => 'Kopiér kapittel', 'chapters_copy_success' => 'Kapitelet ble kopiert', 'chapters_permissions' => 'Kapitteltilganger', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Redigerer side', 'pages_edit_draft_save_at' => 'Sist lagret ', 'pages_edit_delete_draft' => 'Slett utkast', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Tilbakestill endring', 'pages_edit_switch_to_markdown' => 'Bytt til Markdown tekstredigering', 'pages_edit_switch_to_markdown_clean' => '(Renset innhold)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Synkroniser forhåndsvisningsrulle', 'pages_not_in_chapter' => 'Siden tilhører ingen kapittel', 'pages_move' => 'Flytt side', - 'pages_move_success' => 'Siden ble flyttet til «:parentName»', 'pages_copy' => 'Kopiér side', 'pages_copy_desination' => 'Destinasjon', 'pages_copy_success' => 'Siden ble flyttet', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Gjenopprett', 'pages_revisions_none' => 'Denne siden har ingen revisjoner', 'pages_copy_link' => 'Kopier lenke', - 'pages_edit_content_link' => 'Endre innhold', + 'pages_edit_content_link' => 'Hopp til seksjonen i tekstbehandleren', + 'pages_pointer_enter_mode' => 'Gå til seksjonen velg modus', + 'pages_pointer_label' => 'Sidens seksjon alternativer', + 'pages_pointer_permalink' => 'Sideseksjons permalenke', + 'pages_pointer_include_tag' => 'Sideseksjonen inkluderer Tag', + 'pages_pointer_toggle_link' => 'Permalenke modus, trykk for å vise inkluderer tag', + 'pages_pointer_toggle_include' => 'Inkluder tag-modus, trykk for å vise permalenke', 'pages_permissions_active' => 'Sidetilganger er aktive', 'pages_initial_revision' => 'Første publisering', 'pages_references_update_revision' => 'Automatisk oppdatering av interne lenker', @@ -281,7 +286,8 @@ return [ 'time_b' => 'i løpet av de siste :minCount minuttene', 'message' => ':start :time. Prøv å ikke overskriv hverandres endringer!', ], - 'pages_draft_discarded' => 'Forkastet, viser nå siste endringer fra siden slik den er lagret.', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Bestemt side', 'pages_is_template' => 'Sidemal', @@ -313,10 +319,10 @@ return [ 'attachments_explain_instant_save' => 'Endringer her blir lagret med en gang.', 'attachments_upload' => 'Last opp vedlegg', 'attachments_link' => 'Fest lenke', - 'attachments_upload_drop' => 'Alternatively you can drag and drop a file here to upload it as an attachment.', + 'attachments_upload_drop' => 'Alternativt kan du dra og slippe en fil her for å laste den opp som et vedlegg.', 'attachments_set_link' => 'Angi lenke', 'attachments_delete' => 'Er du sikker på at du vil fjerne vedlegget?', - 'attachments_dropzone' => 'Drop files here to upload', + 'attachments_dropzone' => 'Slipp filer her for å laste opp', 'attachments_no_files' => 'Ingen vedlegg er lastet opp', 'attachments_explain_link' => 'Du kan feste lenker til denne. Det kan være henvisning til andre sider, bøker etc. eller lenker fra nettet.', 'attachments_link_name' => 'Lenkenavn', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Skriv en kommentar her', 'comment_count' => '{0} Ingen kommentarer|{1} 1 kommentar|[2,*] :count kommentarer', 'comment_save' => 'Publiser kommentar', - 'comment_saving' => 'Publiserer ...', - 'comment_deleting' => 'Fjerner...', 'comment_new' => 'Ny kommentar', 'comment_created' => 'kommenterte :createDiff', 'comment_updated' => 'Oppdatert :updateDiff av :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Kommentar fjernet', 'comment_created_success' => 'Kommentar skrevet', 'comment_updated_success' => 'Kommentar endret', 'comment_delete_confirm' => 'Er du sikker på at du vil fjerne kommentaren?', 'comment_in_reply_to' => 'Som svar til :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Vil du slette revisjonen?', 'revision_restore_confirm' => 'Vil du gjenopprette revisjonen? Innholdet på siden vil bli overskrevet med denne revisjonen.', - 'revision_delete_success' => 'Revisjonen ble slettet', 'revision_cannot_delete_latest' => 'CKan ikke slette siste revisjon.', // Copy view diff --git a/lang/nb/errors.php b/lang/nb/errors.php index 0f017567a..09a34a298 100644 --- a/lang/nb/errors.php +++ b/lang/nb/errors.php @@ -49,14 +49,16 @@ return [ // Drawing & Images 'image_upload_error' => 'Bildet kunne ikke lastes opp, forsøk igjen.', 'image_upload_type_error' => 'Bildeformatet støttes ikke, forsøk med et annet format.', + 'image_upload_replace_type' => 'Bildeerstatning må være av samme type', 'drawing_data_not_found' => 'Tegningsdata kunne ikke lastes. Det er mulig at tegningsfilen ikke finnes lenger, eller du har ikke rettigheter til å få tilgang til den.', // Attachments 'attachment_not_found' => 'Vedlegget ble ikke funnet', - 'attachment_upload_error' => 'An error occurred uploading the attachment file', + 'attachment_upload_error' => 'En feil har oppstått ved opplasting av vedleggsfil', // Pages 'page_draft_autosave_fail' => 'Kunne ikke lagre utkastet, forsikre deg om at du er tilkoblet tjeneren (Har du nettilgang?)', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Kan ikke slette en side som er satt som forside.', // Entities diff --git a/lang/nb/settings.php b/lang/nb/settings.php index 913078626..d4d8b1803 100644 --- a/lang/nb/settings.php +++ b/lang/nb/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Innstillinger', 'settings_save' => 'Lagre innstillinger', - 'settings_save_success' => 'Innstillinger lagret', 'system_version' => 'System versjon', 'categories' => 'Kategorier', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Utløpsdato', 'user_api_token_expiry_desc' => 'Angi en dato da denne nøkkelen utløper. Etter denne datoen vil forespørsler som er gjort med denne nøkkelen ikke lenger fungere. Å la dette feltet stå tomt vil sette utløpsdato 100 år inn i fremtiden.', 'user_api_token_create_secret_message' => 'Umiddelbart etter å ha opprettet denne nøkkelen vil en identifikator og hemmelighet bli generert og vist. Hemmeligheten vil bare vises en gang, så husk å kopiere verdien til et trygt sted før du fortsetter.', - 'user_api_token_create_success' => 'API-nøkkel ble opprettet', - 'user_api_token_update_success' => 'API-nøkkel ble oppdatert', 'user_api_token' => 'API-nøkkel', 'user_api_token_id' => 'Identifikator', 'user_api_token_id_desc' => 'Dette er en ikke-redigerbar systemgenerert identifikator for denne nøkkelen som må oppgis i API-forespørsler.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Slett nøkkel', 'user_api_token_delete_warning' => 'Dette vil slette API-nøkkelen \':tokenName\' fra systemet.', 'user_api_token_delete_confirm' => 'Sikker på at du vil slette nøkkelen?', - 'user_api_token_delete_success' => 'API-nøkkelen ble slettet', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/nl/activities.php b/lang/nl/activities.php index 29a2482c6..1b0680b7a 100644 --- a/lang/nl/activities.php +++ b/lang/nl/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'herstelde pagina', 'page_restore_notification' => 'Pagina succesvol hersteld', 'page_move' => 'verplaatste pagina', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'maakte hoofdstuk', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'verwijderde hoofdstuk', 'chapter_delete_notification' => 'Hoofdstuk succesvol verwijderd', 'chapter_move' => 'verplaatste hoofdstuk', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'maakte boek', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'heeft boekenplank verwijderd', 'bookshelf_delete_notification' => 'Boekenplank is succesvol verwijderd', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" is toegevoegd aan je favorieten', 'favourite_remove_notification' => '":name" is verwijderd uit je favorieten', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Meervoudige verificatie methode is succesvol geconfigureerd', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Meervoudige verificatie methode is succesvol verwijderd', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'webhook aangemaakt', 'webhook_create_notification' => 'Webhook succesvol aangemaakt', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook succesvol verwijderd', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Gebruiker succesvol bijgewerkt', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Gebruiker succesvol verwijderd', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Rol succesvol aangemaakt', + 'role_update' => 'updated role', 'role_update_notification' => 'Rol succesvol bijgewerkt', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Rol succesvol verwijderd', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'reageerde op', 'permissions_update' => 'wijzigde machtigingen', diff --git a/lang/nl/common.php b/lang/nl/common.php index 3f86fccce..e6b22e0cb 100644 --- a/lang/nl/common.php +++ b/lang/nl/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Annuleer', + 'close' => 'Close', 'confirm' => 'Bevestig', 'back' => 'Terug', 'save' => 'Opslaan', diff --git a/lang/nl/components.php b/lang/nl/components.php index a3f98b41d..e7a5b96eb 100644 --- a/lang/nl/components.php +++ b/lang/nl/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Selecteer Afbeelding', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload afbeelding', 'image_intro' => 'Hier kan je eerder geüploade afbeeldingen selecteren en beheren.', 'image_intro_upload' => 'Sleep een afbeeldingsbestand naar dit venster of gebruik de "Upload afbeelding"-knop om een afbeelding te uploaden.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Bekijk afbeeldingen geüpload naar deze pagina', 'image_search_hint' => 'Zoek op afbeeldingsnaam', 'image_uploaded' => 'Geüpload op :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Laad meer', 'image_image_name' => 'Afbeeldingsnaam', 'image_delete_used' => 'Deze afbeelding is op onderstaande pagina\'s in gebruik.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Afbeelding succesvol geüpload', 'image_update_success' => 'Afbeeldingsdetails succesvol bijgewerkt', 'image_delete_success' => 'Afbeelding succesvol verwijderd', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Bewerk Code', diff --git a/lang/nl/entities.php b/lang/nl/entities.php index b2c50135c..3c71032b7 100644 --- a/lang/nl/entities.php +++ b/lang/nl/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Hoofdstuk opslaan', 'chapters_move' => 'Hoofdstuk verplaatsen', 'chapters_move_named' => 'Verplaatst hoofdstuk :chapterName', - 'chapter_move_success' => 'Hoofdstuk verplaatst naar :bookName', 'chapters_copy' => 'Kopieer Hoofdstuk', 'chapters_copy_success' => 'Hoofdstuk succesvol gekopieerd', 'chapters_permissions' => 'Hoofdstuk Machtigingen', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Concept bewerken', 'pages_edit_draft_save_at' => 'Concept opgeslagen op ', 'pages_edit_delete_draft' => 'Concept verwijderen', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Concept verwijderen', 'pages_edit_switch_to_markdown' => 'Verander naar Markdown Bewerker', 'pages_edit_switch_to_markdown_clean' => '(Schoongemaakte Inhoud)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Synchroniseer preview scroll', 'pages_not_in_chapter' => 'Deze pagina staat niet in een hoofdstuk', 'pages_move' => 'Pagina verplaatsten', - 'pages_move_success' => 'Pagina verplaatst naar ":parentName"', 'pages_copy' => 'Pagina kopiëren', 'pages_copy_desination' => 'Kopieër bestemming', 'pages_copy_success' => 'Pagina succesvol gekopieërd', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Herstellen', 'pages_revisions_none' => 'Deze pagina heeft geen revisies', 'pages_copy_link' => 'Link kopiëren', - 'pages_edit_content_link' => 'Bewerk inhoud', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Pagina Machtigingen Actief', 'pages_initial_revision' => 'Eerste publicatie', 'pages_references_update_revision' => 'Automatische systeemupdate van interne links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'in de laatste :minCount minuten', 'message' => ':start :time. Let op om elkaars updates niet te overschrijven!', ], - 'pages_draft_discarded' => 'Concept verwijderd, de editor is bijgewerkt met de huidige paginainhoud', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specifieke pagina', 'pages_is_template' => 'Paginasjabloon', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Laat hier een reactie achter', 'comment_count' => '{0} Geen reacties|{1} 1 Reactie|[2,*] :count Reacties', 'comment_save' => 'Sla reactie op', - 'comment_saving' => 'Reactie aan het opslaan...', - 'comment_deleting' => 'Reactie aan het verwijderen...', 'comment_new' => 'Nieuwe reactie', 'comment_created' => 'reactie gegeven :createDiff', 'comment_updated' => 'Updatet :updateDiff door :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Reactie verwijderd', 'comment_created_success' => 'Reactie toegevoegd', 'comment_updated_success' => 'Reactie bijgewerkt', 'comment_delete_confirm' => 'Weet je zeker dat je deze reactie wilt verwijderen?', 'comment_in_reply_to' => 'Als antwoord op :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Weet u zeker dat u deze revisie wilt verwijderen?', 'revision_restore_confirm' => 'Weet u zeker dat u deze revisie wilt herstellen? De huidige pagina-inhoud wordt vervangen.', - 'revision_delete_success' => 'Revisie verwijderd', 'revision_cannot_delete_latest' => 'Kan de laatste revisie niet verwijderen.', // Copy view diff --git a/lang/nl/errors.php b/lang/nl/errors.php index 6ced15dc3..9290734d5 100644 --- a/lang/nl/errors.php +++ b/lang/nl/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Er is een fout opgetreden bij het uploaden van de afbeelding', 'image_upload_type_error' => 'Het geüploade afbeeldingstype is ongeldig', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'De gegevens van de tekening konden niet worden geladen. Het tekenbestand bestaat misschien niet meer of u hebt geen machtiging om het te openen.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Kon het concept niet opslaan. Zorg ervoor dat je een werkende internetverbinding hebt', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Een pagina die als startpagina is ingesteld, kan niet verwijderd worden', // Entities diff --git a/lang/nl/settings.php b/lang/nl/settings.php index 05981f593..e66566877 100644 --- a/lang/nl/settings.php +++ b/lang/nl/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Instellingen', 'settings_save' => 'Instellingen opslaan', - 'settings_save_success' => 'Instellingen Opgeslagen', 'system_version' => 'Systeem versie', 'categories' => 'Categorieën', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Vervaldatum', 'user_api_token_expiry_desc' => 'Stel een datum in waarop deze token verloopt. Na deze datum zullen aanvragen die met deze token zijn ingediend niet langer werken. Als dit veld leeg blijft, wordt een vervaldatum van 100 jaar in de toekomst ingesteld.', 'user_api_token_create_secret_message' => 'Onmiddellijk na het aanmaken van dit token zal een "Token ID" en "Token Geheim" worden gegenereerd en weergegeven. Het geheim zal slechts één keer getoond worden. Kopieer de waarde dus eerst op een veilige plaats voordat u doorgaat.', - 'user_api_token_create_success' => 'API token succesvol aangemaakt', - 'user_api_token_update_success' => 'API token succesvol bijgewerkt', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Dit is een niet-wijzigbare, door het systeem gegenereerde identificatiecode voor dit token, die in API-verzoeken moet worden verstrekt.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Token Verwijderen', 'user_api_token_delete_warning' => 'Dit zal de API-token met de naam \':tokenName\' volledig uit het systeem verwijderen.', 'user_api_token_delete_confirm' => 'Weet u zeker dat u deze API-token wilt verwijderen?', - 'user_api_token_delete_success' => 'API-token succesvol verwijderd', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/pl/activities.php b/lang/pl/activities.php index a4f05aac2..1a77f93e4 100644 --- a/lang/pl/activities.php +++ b/lang/pl/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'przywrócił stronę', 'page_restore_notification' => 'Strona przywrócona pomyślnie', 'page_move' => 'przeniósł stronę', + 'page_move_notification' => 'Strona przeniesiona pomyślnie', // Chapters 'chapter_create' => 'utworzył rozdział', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'usunął rozdział', 'chapter_delete_notification' => 'Rozdział usunięty pomyślnie', 'chapter_move' => 'przeniósł rozdział', + 'chapter_move_notification' => 'Rozdział przeniesiony pomyślnie', // Books 'book_create' => 'utworzył książkę', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'usunął półkę', 'bookshelf_delete_notification' => 'Półka usunięta pomyślnie', + // Revisions + 'revision_restore' => 'przywrócił wersję', + 'revision_delete' => 'usunął wersję', + 'revision_delete_notification' => 'Wersja usunięta pomyślnie', + // Favourites 'favourite_add_notification' => '":name" został dodany do Twoich ulubionych', 'favourite_remove_notification' => '":name" został usunięty z ulubionych', - // MFA + // Auth + 'auth_login' => 'zalogował się', + 'auth_register' => 'zarejestrowany jako nowy użytkownik', + 'auth_password_reset_request' => 'zażądał zresetowania hasła użytkownika', + 'auth_password_reset_update' => 'zresetował hasło użytkownika', + 'mfa_setup_method' => 'skonfigurował metodę MFA', 'mfa_setup_method_notification' => 'Metoda wieloskładnikowa została pomyślnie skonfigurowana', + 'mfa_remove_method' => 'usunął metodę MFA', 'mfa_remove_method_notification' => 'Metoda wieloskładnikowa pomyślnie usunięta', + // Settings + 'settings_update' => 'zaktualizował ustawienia', + 'settings_update_notification' => 'Ustawienia zaktualizowane pomyślnie', + 'maintenance_action_run' => 'uruchomił akcję konserwacji', + // Webhooks 'webhook_create' => 'utworzył webhook', 'webhook_create_notification' => 'Webhook utworzony pomyślnie', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook usunięty pomyślnie', // Users + 'user_create' => 'utworzył użytkownika', + 'user_create_notification' => 'Użytkownik utworzony pomyślnie', + 'user_update' => 'zaktualizował użytkownika', 'user_update_notification' => 'Użytkownik zaktualizowany pomyślnie', + 'user_delete' => 'usunął użytkownika', 'user_delete_notification' => 'Użytkownik pomyślnie usunięty', + // API Tokens + 'api_token_create' => 'utworzył token api', + 'api_token_create_notification' => 'Token API został poprawnie utworzony', + 'api_token_update' => 'zaktualizował token api', + 'api_token_update_notification' => 'Token API został pomyślnie zaktualizowany', + 'api_token_delete' => 'usunął token api', + 'api_token_delete_notification' => 'Token API został pomyślnie usunięty', + // Roles + 'role_create' => 'utworzył rolę', 'role_create_notification' => 'Rola utworzona pomyślnie', + 'role_update' => 'zaktualizował rolę', 'role_update_notification' => 'Rola zaktualizowana pomyślnie', + 'role_delete' => 'usunął rolę', 'role_delete_notification' => 'Rola usunięta pomyślnie', + // Recycle Bin + 'recycle_bin_empty' => 'opróżnił kosz', + 'recycle_bin_restore' => 'przywrócił z kosza', + 'recycle_bin_destroy' => 'usunął z kosza', + // Other 'commented_on' => 'skomentował', 'permissions_update' => 'zaktualizował uprawnienia', diff --git a/lang/pl/common.php b/lang/pl/common.php index 61adf67b6..0de5d7ebc 100644 --- a/lang/pl/common.php +++ b/lang/pl/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Anuluj', + 'close' => 'Zamknij', 'confirm' => 'Zatwierdź', 'back' => 'Wstecz', 'save' => 'Zapisz', diff --git a/lang/pl/components.php b/lang/pl/components.php index e822059ce..5770e09e1 100644 --- a/lang/pl/components.php +++ b/lang/pl/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Wybór obrazka', + 'image_list' => 'Lista obrazów', + 'image_details' => 'Szczegóły obrazu', 'image_upload' => 'Prześlij obraz', 'image_intro' => 'Tutaj możesz wybrać i zarządzać obrazami, które zostały wcześniej przesłane do systemu.', 'image_intro_upload' => 'Prześlij nowy obraz przeciągając plik obrazu do tego okna lub używając przycisku "Prześlij obraz" powyżej.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Zobacz obrazki zapisane na tej stronie', 'image_search_hint' => 'Szukaj po nazwie obrazka', 'image_uploaded' => 'Przesłano :uploadedDate', + 'image_uploaded_by' => 'Przesłane przez :userName', + 'image_uploaded_to' => 'Przesłano do :pageLink', + 'image_updated' => 'Zaktualizowano :updateDate', 'image_load_more' => 'Wczytaj więcej', 'image_image_name' => 'Nazwa obrazka', 'image_delete_used' => 'Ten obrazek jest używany na stronach wyświetlonych poniżej.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Obrazek przesłany pomyślnie', 'image_update_success' => 'Szczegóły obrazka zaktualizowane pomyślnie', 'image_delete_success' => 'Obrazek usunięty pomyślnie', + 'image_replace' => 'Zastąp obraz', + 'image_replace_success' => 'Plik obrazu zaktualizowany pomyślnie', // Code Editor 'code_editor' => 'Edytuj kod', diff --git a/lang/pl/entities.php b/lang/pl/entities.php index bcdf9951e..ac89150b6 100644 --- a/lang/pl/entities.php +++ b/lang/pl/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Zapisz rozdział', 'chapters_move' => 'Przenieś rozdział', 'chapters_move_named' => 'Przenieś rozdział :chapterName', - 'chapter_move_success' => 'Rozdział przeniesiony do :bookName', 'chapters_copy' => 'Skopiuj Rozdział', 'chapters_copy_success' => 'Rozdział skopiowany pomyślnie', 'chapters_permissions' => 'Uprawienia rozdziału', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Edytowanie strony', 'pages_edit_draft_save_at' => 'Wersja robocza zapisana ', 'pages_edit_delete_draft' => 'Usuń wersje roboczą', + 'pages_edit_delete_draft_confirm' => 'Czy na pewno chcesz usunąć zmiany wersji roboczej? Wszystkie Twoje zmiany, od ostatniego pełnego zapisu, zostaną utracone, a edytor zostanie zaktualizowany z najnowszym stanem zapisu.', 'pages_edit_discard_draft' => 'Porzuć wersje roboczą', 'pages_edit_switch_to_markdown' => 'Przełącz na edytor Markdown', 'pages_edit_switch_to_markdown_clean' => '(Czysta zawartość)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Synchronizuj przewijanie podglądu', 'pages_not_in_chapter' => 'Strona nie została umieszczona w rozdziale', 'pages_move' => 'Przenieś stronę', - 'pages_move_success' => 'Strona przeniesiona do ":parentName"', 'pages_copy' => 'Skopiuj stronę', 'pages_copy_desination' => 'Skopiuj do', 'pages_copy_success' => 'Strona została pomyślnie skopiowana', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Przywróć', 'pages_revisions_none' => 'Ta strona nie posiada żadnych wersji', 'pages_copy_link' => 'Kopiuj link', - 'pages_edit_content_link' => 'Edytuj zawartość', + 'pages_edit_content_link' => 'Przejdź do sekcji w edytorze', + 'pages_pointer_enter_mode' => 'Aktywuj tryb wyboru sekcji', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Uprawnienia strony są aktywne', 'pages_initial_revision' => 'Pierwsze wydanie', 'pages_references_update_revision' => 'Automatyczna aktualizacja wewnętrznych linków', @@ -281,7 +286,8 @@ return [ 'time_b' => 'w ciągu ostatnich :minCount minut', 'message' => ':start :time. Pamiętaj by nie nadpisywać czyichś zmian!', ], - 'pages_draft_discarded' => 'Wersja robocza odrzucona, edytor został uzupełniony najnowszą wersją strony', + 'pages_draft_discarded' => 'Wersja robocza odrzucona! Edytor został ustawiony na aktualną wersję strony', + 'pages_draft_deleted' => 'Wersja robocza usunięta! Edytor został ustawiony na aktualną wersję strony', 'pages_specific' => 'Określona strona', 'pages_is_template' => 'Szablon strony', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Napisz swój komentarz tutaj', 'comment_count' => '{0} Brak komentarzy |{1} 1 komentarz|[2,*] :count komentarzy', 'comment_save' => 'Zapisz komentarz', - 'comment_saving' => 'Zapisywanie komentarza...', - 'comment_deleting' => 'Usuwanie komentarza...', 'comment_new' => 'Nowy komentarz', 'comment_created' => 'Skomentowano :createDiff', 'comment_updated' => 'Zaktualizowano :updateDiff przez :username', + 'comment_updated_indicator' => 'Zaktualizowano', 'comment_deleted_success' => 'Komentarz usunięty', 'comment_created_success' => 'Komentarz dodany', 'comment_updated_success' => 'Komentarz zaktualizowany', 'comment_delete_confirm' => 'Czy na pewno chcesz usunąc ten komentarz?', 'comment_in_reply_to' => 'W odpowiedzi na :commentId', + 'comment_editor_explain' => 'Oto komentarze pozostawione na tej stronie. Komentarze mogą być dodawane i zarządzane podczas przeglądania zapisanej strony.', // Revision 'revision_delete_confirm' => 'Czy na pewno chcesz usunąć tę wersję?', 'revision_restore_confirm' => 'Czu ma pewno chcesz przywrócić tą wersję? Aktualna zawartość strony zostanie nadpisana.', - 'revision_delete_success' => 'Usunięto wersję', 'revision_cannot_delete_latest' => 'Nie można usunąć najnowszej wersji.', // Copy view diff --git a/lang/pl/errors.php b/lang/pl/errors.php index bbadfac58..9c54a2bca 100644 --- a/lang/pl/errors.php +++ b/lang/pl/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Wystąpił błąd podczas przesyłania obrazka', 'image_upload_type_error' => 'Typ przesłanego obrazka jest nieprwidłowy.', + 'image_upload_replace_type' => 'Zamienniki plików graficznych muszą być tego samego typu', 'drawing_data_not_found' => 'Nie można załadować danych rysunku. Plik rysunku może już nie istnieć lub nie masz uprawnień dostępu do niego.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Zapis wersji roboczej nie powiódł się. Upewnij się, że posiadasz połączenie z internetem.', + 'page_draft_delete_fail' => 'Nie udało się usunąć wersji roboczej strony i pobrać bieżącej zawartości strony', 'page_custom_home_deletion' => 'Nie można usunąć strony, jeśli jest ona ustawiona jako strona główna', // Entities diff --git a/lang/pl/settings.php b/lang/pl/settings.php index bfc8a56e8..f30e81a06 100644 --- a/lang/pl/settings.php +++ b/lang/pl/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Ustawienia', 'settings_save' => 'Zapisz ustawienia', - 'settings_save_success' => 'Ustawienia zapisane', 'system_version' => 'Wersja Systemu', 'categories' => 'Kategorie', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Data ważności', 'user_api_token_expiry_desc' => 'Ustaw datę, kiedy ten token wygasa. Po tej dacie żądania wykonane przy użyciu tego tokenu nie będą już działać. Pozostawienie tego pola pustego, ustawi ważność na 100 lat.', 'user_api_token_create_secret_message' => 'Natychmiast po utworzeniu tego tokenu zostanie wygenerowany i wyświetlony "Identyfikator tokenu"" i "Token Secret". Sekret zostanie wyświetlony tylko raz, więc przed kontynuacją upewnij się, że zostanie on skopiowany w bezpiecznie miejsce.', - 'user_api_token_create_success' => 'Klucz API został poprawnie wygenerowany', - 'user_api_token_update_success' => 'Klucz API został poprawnie zaktualizowany', 'user_api_token' => 'Token API', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Jest to nieedytowalny identyfikator wygenerowany przez system dla tego tokenu, który musi być dostarczony w żądaniach API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Usuń token', 'user_api_token_delete_warning' => 'Spowoduje to całkowite usunięcie tokenu API o nazwie \':tokenName\' z systemu.', 'user_api_token_delete_confirm' => 'Czy jesteś pewien, że chcesz usunąć ten token?', - 'user_api_token_delete_success' => 'Token API został poprawnie usunięty', // Webhooks 'webhooks' => 'Webhooki', diff --git a/lang/pt/activities.php b/lang/pt/activities.php index 65d6b74c5..90dc383fc 100644 --- a/lang/pt/activities.php +++ b/lang/pt/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'página restaurada', 'page_restore_notification' => 'Página restaurada com sucesso', 'page_move' => 'página movida', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'capítulo criado', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'capítulo excluído', 'chapter_delete_notification' => 'Capítulo excluído com sucesso', 'chapter_move' => 'capítulo movido', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'livro criado', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'prateleira excluída', 'bookshelf_delete_notification' => 'Estante eliminada com sucesso', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" foi adicionado aos seus favoritos', 'favourite_remove_notification' => '":name" foi removido dos seus favoritos', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Método de autenticação por múltiplos-fatores configurado com sucesso', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Método de autenticação por múltiplos-fatores removido com sucesso', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'webhook criado', 'webhook_create_notification' => 'Webhook criado com sucesso', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook criado com sucesso', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Utilizador atualizado com sucesso', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Utilizador removido com sucesso', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Cargo criado com sucesso', + 'role_update' => 'updated role', 'role_update_notification' => 'Cargo atualizado com sucesso', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Cargo excluído com sucesso', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'comentado a', 'permissions_update' => 'permissões atualizadas', diff --git a/lang/pt/common.php b/lang/pt/common.php index 0ee11149f..39240a0f8 100644 --- a/lang/pt/common.php +++ b/lang/pt/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancelar', + 'close' => 'Fechar', 'confirm' => 'Confirmar', 'back' => 'Voltar', 'save' => 'Guardar', diff --git a/lang/pt/components.php b/lang/pt/components.php index 67d29e205..c46bcf28d 100644 --- a/lang/pt/components.php +++ b/lang/pt/components.php @@ -6,27 +6,34 @@ return [ // Image Manager 'image_select' => 'Selecionar Imagem', - 'image_upload' => 'Upload Image', - 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', - 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', + 'image_list' => 'Lista de Imagens', + 'image_details' => 'Detalhes da Imagem', + 'image_upload' => 'Carregar Imagem', + 'image_intro' => 'Aqui pode selecionar e gerir imagens que foram previamente enviadas para o sistema.', + 'image_intro_upload' => 'Envie uma nova imagem, arrastando um arquivo de imagem para esta janela, ou usando o botão "Enviar Imagem" acima.', 'image_all' => 'Todas', 'image_all_title' => 'Visualizar todas as imagens', 'image_book_title' => 'Visualizar imagens relacionadas a este livro', 'image_page_title' => 'Visualizar imagens relacionadas a esta página', 'image_search_hint' => 'Pesquisar imagem por nome', 'image_uploaded' => 'Adicionada em :uploadedDate', + 'image_uploaded_by' => 'Carregado por :userName', + 'image_uploaded_to' => 'Carregado para :pageLink', + 'image_updated' => 'Atualizado :updateDate', 'image_load_more' => 'Carregar Mais', 'image_image_name' => 'Nome da Imagem', 'image_delete_used' => 'Esta imagem é utilizada nas páginas abaixo.', 'image_delete_confirm_text' => 'Tem certeza de que deseja eliminar esta imagem?', 'image_select_image' => 'Selecionar Imagem', 'image_dropzone' => 'Arraste imagens ou carregue aqui para fazer upload', - 'image_dropzone_drop' => 'Drop images here to upload', + 'image_dropzone_drop' => 'Arraste para aqui um ficheiro para carregar', 'images_deleted' => 'Imagens Eliminadas', 'image_preview' => 'Pré-visualização de Imagem', 'image_upload_success' => 'Carregamento da imagem efetuado com sucesso', 'image_update_success' => 'Detalhes da imagem atualizados com sucesso', 'image_delete_success' => 'Imagem eliminada com sucesso', + 'image_replace' => 'Substituir Imagem', + 'image_replace_success' => 'Imagem carregada com sucesso', // Code Editor 'code_editor' => 'Editar Código', diff --git a/lang/pt/entities.php b/lang/pt/entities.php index 44ebf2222..fe890b3d5 100644 --- a/lang/pt/entities.php +++ b/lang/pt/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Guardar Capítulo', 'chapters_move' => 'Mover Capítulo', 'chapters_move_named' => 'Mover Capítulo :chapterName', - 'chapter_move_success' => 'Capítulo movido para :bookName', 'chapters_copy' => 'Copiar capítulo', 'chapters_copy_success' => 'Capítulo copiado com sucesso', 'chapters_permissions' => 'Permissões do Capítulo', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'A Editar Página', 'pages_edit_draft_save_at' => 'Rascunho guardado em ', 'pages_edit_delete_draft' => 'Eliminar Rascunho', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Descartar Rascunho', 'pages_edit_switch_to_markdown' => 'Alternar para o editor Markdown', 'pages_edit_switch_to_markdown_clean' => '(Conteúdo Limitado)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sincronizar pré-visualização', 'pages_not_in_chapter' => 'A página não está dentro de um capítulo', 'pages_move' => 'Mover Página', - 'pages_move_success' => 'Pagina movida para ":parentName"', 'pages_copy' => 'Copiar Página', 'pages_copy_desination' => 'Destino da Cópia', 'pages_copy_success' => 'Página copiada com sucesso', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restaurar', 'pages_revisions_none' => 'Essa página não tem revisões', 'pages_copy_link' => 'Copiar Link', - 'pages_edit_content_link' => 'Editar Conteúdo', + 'pages_edit_content_link' => 'Ir para a secção de edição', + 'pages_pointer_enter_mode' => 'Inserir modo de seleção', + 'pages_pointer_label' => 'Opções da Secção do Título', + 'pages_pointer_permalink' => 'Ligação da Secção de Página', + 'pages_pointer_include_tag' => 'Tag de Inclusão da Secção de Página', + 'pages_pointer_toggle_link' => 'Modo de ligação, Pressionar para mostrar a tag de inclusão', + 'pages_pointer_toggle_include' => 'Modo de tag de inclusão, Pressione para mostrar a ligação', 'pages_permissions_active' => 'Permissões de Página Ativas', 'pages_initial_revision' => 'Publicação Inicial', 'pages_references_update_revision' => 'Atualização automática do sistema de links internos', @@ -281,7 +286,8 @@ return [ 'time_b' => 'nos últimos :minCount minutos', 'message' => ':start :time. Tenha cuidado para não sobrescrever atualizações de outras pessoas!', ], - 'pages_draft_discarded' => 'Rascunho descartado. O editor foi atualizado com o conteúdo atual da página', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Página Específica', 'pages_is_template' => 'Modelo de Página', @@ -313,10 +319,10 @@ return [ 'attachments_explain_instant_save' => 'As mudanças são guardadas instantaneamente.', 'attachments_upload' => 'Carregamento de Arquivos', 'attachments_link' => 'Anexar Link', - 'attachments_upload_drop' => 'Alternatively you can drag and drop a file here to upload it as an attachment.', + 'attachments_upload_drop' => 'Como alternativa, pode arrastar e soltar um arquivo aqui para carregá-lo como um anexo.', 'attachments_set_link' => 'Definir Link', 'attachments_delete' => 'Tem certeza de que deseja eliminar este anexo?', - 'attachments_dropzone' => 'Drop files here to upload', + 'attachments_dropzone' => 'Arrasta para aqui um ficheiro para o carregar', 'attachments_no_files' => 'Nenhum arquivo foi enviado', 'attachments_explain_link' => 'Pode anexar um link se preferir não fazer o carregamento do arquivo. O link poderá ser para uma outra página ou para um arquivo na nuvem.', 'attachments_link_name' => 'Nome do Link', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Digite aqui os seus comentários', 'comment_count' => '{0} Nenhum comentário|{1} 1 Comentário|[2,*] :count Comentários', 'comment_save' => 'Guardar comentário', - 'comment_saving' => 'Guardar comentário...', - 'comment_deleting' => 'Remover comentário...', 'comment_new' => 'Comentário Novo', 'comment_created' => 'comentado :createDiff', 'comment_updated' => 'A editar :updateDiff por :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comentário removido', 'comment_created_success' => 'Comentário adicionado', 'comment_updated_success' => 'Comentário editado', 'comment_delete_confirm' => 'Tem a certeza de que deseja eliminar este comentário?', 'comment_in_reply_to' => 'Em resposta à :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Tem a certeza de que deseja eliminar esta revisão?', 'revision_restore_confirm' => 'Tem a certeza que deseja restaurar esta revisão? O conteúdo atual da página será substituído.', - 'revision_delete_success' => 'Revisão excluída', 'revision_cannot_delete_latest' => 'Não é possível eliminar a revisão mais recente.', // Copy view diff --git a/lang/pt/errors.php b/lang/pt/errors.php index b2c8d9090..0f6569fb0 100644 --- a/lang/pt/errors.php +++ b/lang/pt/errors.php @@ -49,14 +49,16 @@ return [ // Drawing & Images 'image_upload_error' => 'Ocorreu um erro no carregamento da imagem', 'image_upload_type_error' => 'O tipo de imagem enviada é inválida', + 'image_upload_replace_type' => 'A imagem de substituição deverá ser do mesmo tipo que a anterior', 'drawing_data_not_found' => 'Dados de desenho não puderam ser carregados. Talvez o arquivo de desenho não exista mais ou não tenha permissão para aceder-lhe.', // Attachments 'attachment_not_found' => 'Anexo não encontrado', - 'attachment_upload_error' => 'An error occurred uploading the attachment file', + 'attachment_upload_error' => 'Ocorreu um erro no carregamento do ficheiro', // Pages 'page_draft_autosave_fail' => 'Falha ao tentar guardar o rascunho. Certifique-se que a conexão de Internet está funcional antes de tentar guardar esta página', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Não é possível eliminar uma página que está definida como página inicial', // Entities diff --git a/lang/pt/settings.php b/lang/pt/settings.php index 3cbc83753..aab5664b2 100644 --- a/lang/pt/settings.php +++ b/lang/pt/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Configurações', 'settings_save' => 'Guardar Configurações', - 'settings_save_success' => 'Configurações guardadas', 'system_version' => 'Versão do sistema', 'categories' => 'Categorias', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Data de Expiração', 'user_api_token_expiry_desc' => 'Defina uma data em que este token expira. Depois desta data, as requisições feitas usando este token deixarão de funcionar. Deixar este campo em branco definirá um prazo de 100 anos futuros.', 'user_api_token_create_secret_message' => 'Imediatamente após a criação deste token, um "ID de token" e "Segredo de token" serão gerados e exibidos. O segredo só será mostrado uma única vez, portanto, certifique-se de copiar o valor para algum lugar seguro antes de prosseguir.', - 'user_api_token_create_success' => 'Token de API criado com sucesso', - 'user_api_token_update_success' => 'Token de API atualizado com sucesso', 'user_api_token' => 'Token de API', 'user_api_token_id' => 'ID do Token', 'user_api_token_id_desc' => 'Este é um identificador de sistema não editável, gerado para este token, que precisará ser fornecido em solicitações de API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Eliminar Token', 'user_api_token_delete_warning' => 'Isto irá excluir completamente este token de API com o nome \':tokenName\' do sistema.', 'user_api_token_delete_confirm' => 'Tem certeza que deseja eliminar este token de API?', - 'user_api_token_delete_success' => 'Token de API excluído com sucesso', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/pt_BR/activities.php b/lang/pt_BR/activities.php index 6375afb56..b06dc1430 100644 --- a/lang/pt_BR/activities.php +++ b/lang/pt_BR/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'restaurou a página', 'page_restore_notification' => 'Página restaurada com sucesso', 'page_move' => 'moveu a página', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'criou o capítulo', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'excluiu o capítulo', 'chapter_delete_notification' => 'Capítulo excluída com sucesso', 'chapter_move' => 'moveu o capítulo', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'criou o livro', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'prateleira excluída', 'bookshelf_delete_notification' => 'Prateleira excluída com sucesso', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" foi adicionada aos seus favoritos', 'favourite_remove_notification' => '":name" foi removida dos seus favoritos', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Método de multi-fatores configurado com sucesso', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Método de multi-fatores removido com sucesso', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'webhook criado', 'webhook_create_notification' => 'Webhook criado com sucesso', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook excluido com sucesso', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Usuário atualizado com sucesso', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Usuário removido com sucesso', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Perfil criado com sucesso', + 'role_update' => 'updated role', 'role_update_notification' => 'Perfil atualizado com sucesso', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Perfil excluído com sucesso', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'comentou em', 'permissions_update' => 'atualizou permissões', diff --git a/lang/pt_BR/common.php b/lang/pt_BR/common.php index 9baa4185c..08f40e55e 100644 --- a/lang/pt_BR/common.php +++ b/lang/pt_BR/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancelar', + 'close' => 'Close', 'confirm' => 'Confirmar', 'back' => 'Voltar', 'save' => 'Salvar', diff --git a/lang/pt_BR/components.php b/lang/pt_BR/components.php index e1976e92d..fbd83bce8 100644 --- a/lang/pt_BR/components.php +++ b/lang/pt_BR/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Selecionar Imagem', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Fazer upload de imagem', 'image_intro' => 'Aqui você pode selecionar e gerenciar imagens que foram previamente enviadas para o sistema.', 'image_intro_upload' => 'Faça upload de uma imagem arrastando um arquivo de imagem para esta janela, ou usando o botão "Fazer upload de imagem" acima.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'visualizar imagens relacionadas a essa página', 'image_search_hint' => 'Pesquisar imagem por nome', 'image_uploaded' => 'Adicionada em :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Carregar Mais', 'image_image_name' => 'Nome da Imagem', 'image_delete_used' => 'Essa imagem é usada nas páginas abaixo.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Upload de imagem efetuado com sucesso', 'image_update_success' => 'Detalhes da imagem atualizados com sucesso', 'image_delete_success' => 'Imagem excluída com sucesso', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Editar Código', diff --git a/lang/pt_BR/entities.php b/lang/pt_BR/entities.php index 27df1ef1d..4780bc08b 100644 --- a/lang/pt_BR/entities.php +++ b/lang/pt_BR/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Salvar Capítulo', 'chapters_move' => 'Mover Capítulo', 'chapters_move_named' => 'Mover Capítulo :chapterName', - 'chapter_move_success' => 'Capítulo movido para :bookName', 'chapters_copy' => 'Copiar Capítulo', 'chapters_copy_success' => 'Página copiada com sucesso', 'chapters_permissions' => 'Permissões do Capítulo', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editando Página', 'pages_edit_draft_save_at' => 'Rascunho salvo em ', 'pages_edit_delete_draft' => 'Excluir Rascunho', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Descartar Rascunho', 'pages_edit_switch_to_markdown' => 'Alternar para o Editor de Markdown', 'pages_edit_switch_to_markdown_clean' => '(Conteúdo Limpo)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sincronizar pré-visualização', 'pages_not_in_chapter' => 'Página não está dentro de um capítulo', 'pages_move' => 'Mover Página', - 'pages_move_success' => 'Pagina movida para ":parentName"', 'pages_copy' => 'Copiar Página', 'pages_copy_desination' => 'Destino da Cópia', 'pages_copy_success' => 'Página copiada com sucesso', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restaurar', 'pages_revisions_none' => 'Essa página não tem revisões', 'pages_copy_link' => 'Copiar Link', - 'pages_edit_content_link' => 'Editar Conteúdo', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Permissões de Página Ativas', 'pages_initial_revision' => 'Publicação Inicial', 'pages_references_update_revision' => 'Atualização automática do sistema de links internos', @@ -281,7 +286,8 @@ return [ 'time_b' => 'nos últimos :minCount minutos', 'message' => ':start :time. Tome cuidado para não sobrescrever atualizações de outras pessoas!', ], - 'pages_draft_discarded' => 'Rascunho descartado. O editor foi atualizado com o conteúdo atual da página', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Página Específica', 'pages_is_template' => 'Modelo de Página', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Digite seus comentários aqui', 'comment_count' => '{0} Nenhum comentário|{1} 1 Comentário|[2,*] :count Comentários', 'comment_save' => 'Salvar comentário', - 'comment_saving' => 'Salvando comentário...', - 'comment_deleting' => 'Removendo comentário...', 'comment_new' => 'Novo Comentário', 'comment_created' => 'comentado :createDiff', 'comment_updated' => 'Editado :updateDiff por :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comentário removido', 'comment_created_success' => 'Comentário adicionado', 'comment_updated_success' => 'Comentário editado', 'comment_delete_confirm' => 'Você tem certeza de que deseja excluir este comentário?', 'comment_in_reply_to' => 'Em resposta à :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Tem certeza de que deseja excluir esta revisão?', 'revision_restore_confirm' => 'Tem certeza que deseja restaurar esta revisão? O conteúdo atual da página será substituído.', - 'revision_delete_success' => 'Revisão excluída', 'revision_cannot_delete_latest' => 'Não é possível excluir a revisão mais recente.', // Copy view diff --git a/lang/pt_BR/errors.php b/lang/pt_BR/errors.php index bfd5fad49..b1fb6176d 100644 --- a/lang/pt_BR/errors.php +++ b/lang/pt_BR/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Um erro aconteceu enquanto o servidor tentava efetuar o upload da imagem', 'image_upload_type_error' => 'O tipo de imagem que está sendo enviada é inválido', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Dados de desenho não puderam ser carregados. Talvez o arquivo de desenho não exista mais ou você não tenha permissão para acessá-lo.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Falha ao tentar salvar o rascunho. Certifique-se que a conexão de internet está funcional antes de tentar salvar essa página', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Não é possível excluir uma página que está definida como página inicial', // Entities diff --git a/lang/pt_BR/settings.php b/lang/pt_BR/settings.php index d5db9b434..e0829c45d 100644 --- a/lang/pt_BR/settings.php +++ b/lang/pt_BR/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Configurações', 'settings_save' => 'Salvar Configurações', - 'settings_save_success' => 'Configurações salvas', 'system_version' => 'Versão do Sistema', 'categories' => 'Categorias', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Data de Expiração', 'user_api_token_expiry_desc' => 'Defina uma data em que este token expira. Depois desta data, as requisições feitas usando este token não funcionarão mais. Deixar este campo em branco definirá um prazo de 100 anos futuros.', 'user_api_token_create_secret_message' => 'Imediatamente após a criação deste token, um "ID de token" e "Secreto de token" serão gerados e exibidos. O segredo só será mostrado uma única vez, portanto, certifique-se de copiar o valor para algum lugar seguro antes de prosseguir.', - 'user_api_token_create_success' => 'Token de API criado com sucesso', - 'user_api_token_update_success' => 'Token de API atualizado com sucesso', 'user_api_token' => 'Token de API', 'user_api_token_id' => 'ID do Token', 'user_api_token_id_desc' => 'Este é um identificador de sistema não editável, gerado para este token, que precisará ser fornecido em solicitações de API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Excluir Token', 'user_api_token_delete_warning' => 'Isto irá excluir completamente este token de API com o nome \':tokenName\' do sistema.', 'user_api_token_delete_confirm' => 'Você tem certeza que deseja excluir este token de API?', - 'user_api_token_delete_success' => 'Token de API excluído com sucesso', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/ro/activities.php b/lang/ro/activities.php index 488f7062d..257d626c3 100644 --- a/lang/ro/activities.php +++ b/lang/ro/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'a restabilit pagina', 'page_restore_notification' => 'Pagina a fost restaurată cu succes', 'page_move' => 'a mutat pagina', + 'page_move_notification' => 'Pagină mutată cu succes', // Chapters 'chapter_create' => 'a creat capitolul', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'a șters capitolul', 'chapter_delete_notification' => 'Capitolul a fost șters cu succes', 'chapter_move' => 'a mutat capitolul', + 'chapter_move_notification' => 'Capitolul a fost mutat cu succes', // Books 'book_create' => 'a creat cartea', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'raft șters', 'bookshelf_delete_notification' => 'Raftul a fost șters cu succes', + // Revisions + 'revision_restore' => 'versiune restabilită', + 'revision_delete' => 'revizie ștearsă', + 'revision_delete_notification' => 'Revizuirea a fost ștearsă', + // Favourites 'favourite_add_notification' => '":name" a fost adăugat la favorite', 'favourite_remove_notification' => '":name" a fost eliminat din favorite', - // MFA + // Auth + 'auth_login' => 'autentificat', + 'auth_register' => 'înregistrat ca utilizator nou', + 'auth_password_reset_request' => 'solicită utilizatorului resetarea parolei', + 'auth_password_reset_update' => 'resetează parola utilizatorului', + 'mfa_setup_method' => 'metoda MFA configurată', 'mfa_setup_method_notification' => 'Metoda multi-factor a fost configurată cu succes', + 'mfa_remove_method' => 'metoda MFA eliminată', 'mfa_remove_method_notification' => 'Metoda multi-factor a fost configurată cu succes', + // Settings + 'settings_update' => 'setări actualizate', + 'settings_update_notification' => 'Setările au fost actualizate', + 'maintenance_action_run' => 'rulează acțiunea de întreținere', + // Webhooks 'webhook_create' => 'a creat webhook', 'webhook_create_notification' => 'Webhook creat cu succes', @@ -64,13 +82,33 @@ return [ 'webhook_delete_notification' => 'Webhook șters cu succes', // Users + 'user_create' => 'utilizator creat', + 'user_create_notification' => 'Utilizator creat cu succes', + 'user_update' => 'utilizator actualizat', 'user_update_notification' => 'Utilizator actualizat cu succes', + 'user_delete' => 'utilizator șters', 'user_delete_notification' => 'Utilizator eliminat cu succes', + // API Tokens + 'api_token_create' => 'token api creat', + 'api_token_create_notification' => 'Token API creat cu succes', + 'api_token_update' => 'token api actualizat', + 'api_token_update_notification' => 'Token API actualizat cu succes', + 'api_token_delete' => 'token api șters', + 'api_token_delete_notification' => 'Token API șters cu succes', + // Roles - 'role_create_notification' => 'Role successfully created', - 'role_update_notification' => 'Role successfully updated', - 'role_delete_notification' => 'Role successfully deleted', + 'role_create' => 'rol creat', + 'role_create_notification' => 'Rol creat cu succes', + 'role_update' => 'rol actualizat', + 'role_update_notification' => 'Rol actualizat cu succes', + 'role_delete' => 'rol șters', + 'role_delete_notification' => 'Rol şters cu succes', + + // Recycle Bin + 'recycle_bin_empty' => 'golește cos de gunoi', + 'recycle_bin_restore' => 'restaurat din coșul de gunoi', + 'recycle_bin_destroy' => 'eliminat din coșul de gunoi', // Other 'commented_on' => 'a comentat la', diff --git a/lang/ro/auth.php b/lang/ro/auth.php index d21c0e4b1..7f461bc7a 100644 --- a/lang/ro/auth.php +++ b/lang/ro/auth.php @@ -61,8 +61,8 @@ return [ 'email_confirm_send_error' => 'Este necesară confirmarea prin e-mail, dar sistemul nu a putut trimite e-mailul. Contactează administratorul pentru a te asigura că e-mailul este configurat corect.', 'email_confirm_success' => 'E-mailul a fost confirmat! Acum ar trebui să te poți autentifica folosind această adresă de e-mail.', 'email_confirm_resent' => 'E-mailul de confirmare a fost retrimis, te rugăm să îți verifici căsuța de e-mail.', - 'email_confirm_thanks' => 'Thanks for confirming!', - 'email_confirm_thanks_desc' => 'Please wait a moment while your confirmation is handled. If you are not redirected after 3 seconds press the "Continue" link below to proceed.', + 'email_confirm_thanks' => 'Mulțumim pentru confirmare!', + 'email_confirm_thanks_desc' => 'Vă rugăm să așteptați un moment până când confirmarea dvs. este procesată. Dacă nu sunteți redirecționat după 3 secunde apăsați pe link-ul "Continuați" de mai jos pentru a fi redirecționat.', 'email_not_confirmed' => 'Adresa de e-mail neconfirmată', 'email_not_confirmed_text' => 'Adresa ta de e-mail nu a fost încă confirmată.', diff --git a/lang/ro/common.php b/lang/ro/common.php index e48a43da1..3b25eb386 100644 --- a/lang/ro/common.php +++ b/lang/ro/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Anulează', + 'close' => 'Închide', 'confirm' => 'Confirmă', 'back' => 'Înapoi', 'save' => 'Salvează', diff --git a/lang/ro/components.php b/lang/ro/components.php index 75beb135d..e252078b8 100644 --- a/lang/ro/components.php +++ b/lang/ro/components.php @@ -6,8 +6,10 @@ return [ // Image Manager 'image_select' => 'Selectează imaginea', - 'image_upload' => 'Upload Image', - 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', + 'image_list' => 'Listă imagine', + 'image_details' => 'Detalii imagine', + 'image_upload' => 'Încarcă imaginea', + 'image_intro' => 'Aici puteţi selecta şi gestiona imaginile care au fost încărcate anterior în sistem.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', 'image_all' => 'Tot', 'image_all_title' => 'Vezi toate imaginile', @@ -15,18 +17,23 @@ return [ 'image_page_title' => 'Vezi imaginile încărcate în această pagină', 'image_search_hint' => 'Caută după numele imaginii', 'image_uploaded' => 'Încărcat la :uploadedDate', + 'image_uploaded_by' => 'Încărcată de :userName', + 'image_uploaded_to' => 'Încărcat în :pageLink', + 'image_updated' => 'Actualizat :updateDate', 'image_load_more' => 'Încarcă mai mult', 'image_image_name' => 'Nume imagine', 'image_delete_used' => 'Această imagine este folosită în paginile de mai jos.', 'image_delete_confirm_text' => 'Ești sigur că vrei să ștergi această imagine?', 'image_select_image' => 'Selectează imaginea', 'image_dropzone' => 'Trage imaginile sau apasă aici pentru a le încărca', - 'image_dropzone_drop' => 'Drop images here to upload', + 'image_dropzone_drop' => 'Trageți fișierele aici pentru a le încărca', 'images_deleted' => 'Imagini șterse', 'image_preview' => 'Previzualizare imagine', 'image_upload_success' => 'Imaginea a fost încărcată cu succes', 'image_update_success' => 'Detalii imagine actualizate cu succes', 'image_delete_success' => 'Imaginea a fost ștearsă', + 'image_replace' => 'Înlocuiți imaginea', + 'image_replace_success' => 'Imaginea a fost actualizată', // Code Editor 'code_editor' => 'Editare cod', diff --git a/lang/ro/editor.php b/lang/ro/editor.php index 3b3c61c1a..e882494ee 100644 --- a/lang/ro/editor.php +++ b/lang/ro/editor.php @@ -66,7 +66,7 @@ return [ 'insert_link_title' => 'Inserare/Editare link', 'insert_horizontal_line' => 'Inserează linie orizontală', 'insert_code_block' => 'Inserează bloc de cod', - 'edit_code_block' => 'Edit code block', + 'edit_code_block' => 'Editează blocul de cod', 'insert_drawing' => 'Inserare/editare desen', 'drawing_manager' => 'Manager de desene', 'insert_media' => 'Inserare/editare media', @@ -144,11 +144,11 @@ return [ 'url' => 'URL', 'text_to_display' => 'Text de afișat', 'title' => 'Titlu', - 'open_link' => 'Open link', - 'open_link_in' => 'Open link in...', + 'open_link' => 'Deschide link-ul', + 'open_link_in' => 'Deschide link-ul în...', 'open_link_current' => 'Fereastra curentă', 'open_link_new' => 'Fereastră nouă', - 'remove_link' => 'Remove link', + 'remove_link' => 'Elimină link-ul', 'insert_collapsible' => 'Inserează bloc colapsabil', 'collapsible_unwrap' => 'Desfășoară', 'edit_label' => 'Editează eticheta', diff --git a/lang/ro/entities.php b/lang/ro/entities.php index 24bc2dcfa..e2fa874bf 100644 --- a/lang/ro/entities.php +++ b/lang/ro/entities.php @@ -18,9 +18,9 @@ return [ 'create_now' => 'Creează unul acum', 'revisions' => 'Revizii', 'meta_revision' => 'Revizuirea #:revisionCount', - 'meta_created' => 'Creat :timeLungime', - 'meta_created_name' => 'Creat de :timeLlungime de :user', - 'meta_updated' => 'Actualizat :timeLungime', + 'meta_created' => 'Creat :timeLength', + 'meta_created_name' => 'Creat de :timeLength de :user', + 'meta_updated' => 'Actualizat :timeLength', 'meta_updated_name' => 'Actualizat :timeLength de :user', 'meta_owned_name' => 'Deținut de :user', 'meta_reference_page_count' => 'Referenced on :count page|Referenced on :count pages', @@ -47,10 +47,10 @@ return [ 'permissions_chapter_cascade' => 'Permissions set on chapters will automatically cascade to child pages, unless they have their own permissions defined.', 'permissions_save' => 'Salvează permisiuni', 'permissions_owner' => 'Proprietar', - 'permissions_role_everyone_else' => 'Everyone Else', + 'permissions_role_everyone_else' => 'Toți ceilalți', 'permissions_role_everyone_else_desc' => 'Set permissions for all roles not specifically overridden.', 'permissions_role_override' => 'Override permissions for role', - 'permissions_inherit_defaults' => 'Inherit defaults', + 'permissions_inherit_defaults' => 'Moștenește valorile implicite', // Search 'search_results' => 'Rezultatele căutării', @@ -96,14 +96,14 @@ return [ 'shelves_drag_books' => 'Trage cărțile mai jos pentru a le adăuga pe acest raft', 'shelves_empty_contents' => 'Acest raft nu are cărți atribuite lui', 'shelves_edit_and_assign' => 'Editare raft pentru a atribui cărți', - 'shelves_edit_named' => 'Edit Shelf :name', - 'shelves_edit' => 'Edit Shelf', - 'shelves_delete' => 'Delete Shelf', - 'shelves_delete_named' => 'Delete Shelf :name', + 'shelves_edit_named' => 'Editează raft :name', + 'shelves_edit' => 'Editați raftul', + 'shelves_delete' => 'Ștergeți raft', + 'shelves_delete_named' => 'Șterge raftul :name', 'shelves_delete_explain' => "This will delete the shelf with the name ':name'. Contained books will not be deleted.", 'shelves_delete_confirmation' => 'Are you sure you want to delete this shelf?', - 'shelves_permissions' => 'Shelf Permissions', - 'shelves_permissions_updated' => 'Shelf Permissions Updated', + 'shelves_permissions' => 'Permisiuni raft', + 'shelves_permissions_updated' => 'Permisiunile raftului au fost actualizate', 'shelves_permissions_active' => 'Shelf Permissions Active', 'shelves_permissions_cascade_warning' => 'Permissions on shelves do not automatically cascade to contained books. This is because a book can exist on multiple shelves. Permissions can however be copied down to child books using the option found below.', 'shelves_copy_permissions_to_books' => 'Copiază permisiunile către cărți', @@ -151,8 +151,8 @@ return [ 'books_sort_show_other' => 'Arată alte cărți', 'books_sort_save' => 'Salvează noua ordine', 'books_sort_show_other_desc' => 'Add other books here to include them in the sort operation, and allow easy cross-book reorganisation.', - 'books_sort_move_up' => 'Move Up', - 'books_sort_move_down' => 'Move Down', + 'books_sort_move_up' => 'Mută în sus', + 'books_sort_move_down' => 'Mută în jos', 'books_sort_move_prev_book' => 'Move to Previous Book', 'books_sort_move_next_book' => 'Move to Next Book', 'books_sort_move_prev_chapter' => 'Move Into Previous Chapter', @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Salvează capitolul', 'chapters_move' => 'Mută capitolul', 'chapters_move_named' => 'Mutați capitolul :chapterName', - 'chapter_move_success' => 'Capitol mutat la :bookName', 'chapters_copy' => 'Copiază capitolul', 'chapters_copy_success' => 'Capitolul a fost copiat', 'chapters_permissions' => 'Permisiuni capitol', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editare pagină', 'pages_edit_draft_save_at' => 'Ciornă salvată la ', 'pages_edit_delete_draft' => 'Șterge ciorna', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Renunță la ciornă', 'pages_edit_switch_to_markdown' => 'Comută la editorul Markdown', 'pages_edit_switch_to_markdown_clean' => '(Curăță conținut)', @@ -236,11 +236,10 @@ return [ 'pages_md_insert_image' => 'Inserare imagine', 'pages_md_insert_link' => 'Inserează link-ul entității', 'pages_md_insert_drawing' => 'Inserează desen', - 'pages_md_show_preview' => 'Show preview', + 'pages_md_show_preview' => 'Arată previzualizarea', 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Pagina nu este într-un capitol', 'pages_move' => 'Mută pagina', - 'pages_move_success' => 'Pagina mutată la ":parentName"', 'pages_copy' => 'Copiază pagina', 'pages_copy_desination' => 'Destinație copiere', 'pages_copy_success' => 'Pagină copiată cu succes', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restaurare', 'pages_revisions_none' => 'Această pagină nu are revizuiri', 'pages_copy_link' => 'Copiază link', - 'pages_edit_content_link' => 'Editare conținut', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Permisiuni carte active', 'pages_initial_revision' => 'Publicare inițiala', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'în ultimele :minCount minute', 'message' => ':start :time. Aveți grijă să nu vă suprascrieți reciproc actualizările!', ], - 'pages_draft_discarded' => 'Schiță eliminată, editorul a fost actualizat cu conținutul paginii curente', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Pagina specifică', 'pages_is_template' => 'Şablon pagină', @@ -316,7 +322,7 @@ return [ 'attachments_upload_drop' => 'Alternatively you can drag and drop a file here to upload it as an attachment.', 'attachments_set_link' => 'Setează link', 'attachments_delete' => 'Ești sigur că dorești să ștergi acest atașament?', - 'attachments_dropzone' => 'Drop files here to upload', + 'attachments_dropzone' => 'Trageți fișierele aici pentru a le încărca', 'attachments_no_files' => 'Niciun fișier nu a fost încărcat', 'attachments_explain_link' => 'Poți atașa un link dacă ai prefera să nu încarci un fișier. Acesta poate fi un link către o altă pagină sau un link către un fișier în cloud.', 'attachments_link_name' => 'Nume link', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Lasă un comentariu aici', 'comment_count' => '{0} Niciun comentariu|{1} 1 Comentariu [2,*] :count Comentarii', 'comment_save' => 'Salvează comentariul', - 'comment_saving' => 'Se salvează comentariul...', - 'comment_deleting' => 'Se șterge comentariul...', 'comment_new' => 'Comentariu nou', 'comment_created' => 'comentat :createDiff', 'comment_updated' => 'Actualizat :updateDiff de :username', + 'comment_updated_indicator' => 'Actualizat', 'comment_deleted_success' => 'Comentariu șters', 'comment_created_success' => 'Comentariu adăugat', 'comment_updated_success' => 'Comentariu actualizat', 'comment_delete_confirm' => 'Ești sigur că vrei să ștergi acest comentariu?', 'comment_in_reply_to' => 'Ca răspuns la :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Ești sigur că vrei să ștergi această revizuire?', 'revision_restore_confirm' => 'Ești sigur că vei să restaurezi această revizuire? Conținutul paginii curente va fi înlocuit.', - 'revision_delete_success' => 'Revizuire ștearsă', 'revision_cannot_delete_latest' => 'Nu se poate șterge ultima revizuire.', // Copy view @@ -394,7 +399,7 @@ return [ 'convert_chapter_confirm' => 'Ești sigur că dorești să convertești acest capitol?', // References - 'references' => 'References', + 'references' => 'Referințe', 'references_none' => 'There are no tracked references to this item.', 'references_to_desc' => 'Shown below are all the known pages in the system that link to this item.', ]; diff --git a/lang/ro/errors.php b/lang/ro/errors.php index 24f19292d..da0c2dd7a 100644 --- a/lang/ro/errors.php +++ b/lang/ro/errors.php @@ -49,19 +49,21 @@ return [ // Drawing & Images 'image_upload_error' => 'A apărut o eroare la încărcarea imaginii', 'image_upload_type_error' => 'Tipul de imagine încărcat nu este valid', + 'image_upload_replace_type' => 'Inlocuirea fisierului de imagine trebuie sa fie de acelasi tip', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments 'attachment_not_found' => 'Atașamentul nu a fost găsit', - 'attachment_upload_error' => 'An error occurred uploading the attachment file', + 'attachment_upload_error' => 'A apărut o eroare la încărcarea atașamentului', // Pages 'page_draft_autosave_fail' => 'Nu s-a reușit salvarea ciornei. Asigură-te că ai conexiune la internet înainte de a salva această pagină', + 'page_draft_delete_fail' => 'Nu s-a putut șterge ciorna paginii și prelua pagina curentă salvată', 'page_custom_home_deletion' => 'Nu se poate șterge o pagină în timp ce este setată ca primă pagină', // Entities 'entity_not_found' => 'Entitate negăsită', - 'bookshelf_not_found' => 'Shelf not found', + 'bookshelf_not_found' => 'Raftul nu a fost găsit', 'book_not_found' => 'Carte negăsită', 'page_not_found' => 'Pagină negăsită', 'chapter_not_found' => 'Capitol negăsit', diff --git a/lang/ro/preferences.php b/lang/ro/preferences.php index e9a47461b..6c4b0fc35 100644 --- a/lang/ro/preferences.php +++ b/lang/ro/preferences.php @@ -5,14 +5,14 @@ */ return [ - 'shortcuts' => 'Shortcuts', - 'shortcuts_interface' => 'Interface Keyboard Shortcuts', - 'shortcuts_toggle_desc' => 'Here you can enable or disable keyboard system interface shortcuts, used for navigation and actions.', - 'shortcuts_customize_desc' => 'You can customize each of the shortcuts below. Just press your desired key combination after selecting the input for a shortcut.', - 'shortcuts_toggle_label' => 'Keyboard shortcuts enabled', - 'shortcuts_section_navigation' => 'Navigation', - 'shortcuts_section_actions' => 'Common Actions', - 'shortcuts_save' => 'Save Shortcuts', + 'shortcuts' => 'Scurtături', + 'shortcuts_interface' => 'Comenzi rapide interfață', + 'shortcuts_toggle_desc' => 'Aici puteți activa sau dezactiva scurtăturile interfeței folosite pentru navigare și acțiuni.', + 'shortcuts_customize_desc' => 'Puteți personaliza fiecare dintre scurtăturile de mai jos. Apăsați combinația de taste dorită după ce selectați intrarea pentru o scurtătură.', + 'shortcuts_toggle_label' => 'Comenzi rapide activate', + 'shortcuts_section_navigation' => 'Navigare', + 'shortcuts_section_actions' => 'Acțiuni comune', + 'shortcuts_save' => 'Salvează scurtăturile', 'shortcuts_overlay_desc' => 'Note: When shortcuts are enabled a helper overlay is available via pressing "?" which will highlight the available shortcuts for actions currently visible on the screen.', - 'shortcuts_update_success' => 'Shortcut preferences have been updated!', + 'shortcuts_update_success' => 'Preferințele dumneavoastră au fost actualizate!', ]; \ No newline at end of file diff --git a/lang/ro/settings.php b/lang/ro/settings.php index 26d8a505f..61d1d8e74 100644 --- a/lang/ro/settings.php +++ b/lang/ro/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Setări', 'settings_save' => 'Salvează setările', - 'settings_save_success' => 'Setări salvate', 'system_version' => 'Versiune sistem', 'categories' => 'Categorii', @@ -34,7 +33,7 @@ return [ 'app_custom_html_disabled_notice' => 'Conținutul headerului HTML personalizat este dezactivat pe această pagină de setări pentru a asigura că modificările pot fi inversate.', 'app_logo' => 'Logo aplicație', 'app_logo_desc' => 'This is used in the application header bar, among other areas. This image should be 86px in height. Large images will be scaled down.', - 'app_icon' => 'Application Icon', + 'app_icon' => 'Iconiță aplicație', 'app_icon_desc' => 'This icon is used for browser tabs and shortcut icons. This should be a 256px square PNG image.', 'app_homepage' => 'Pagina principală a aplicației', 'app_homepage_desc' => 'Selectează o vizualizare pentru a afișa pe prima pagină în loc de vizualizarea implicită. Permisiunile paginii sunt ignorate pentru paginile selectate.', @@ -52,8 +51,8 @@ return [ 'color_scheme' => 'Application Color Scheme', 'color_scheme_desc' => 'Set the colors to use in the application user interface. Colors can be configured separately for dark and light modes to best fit the theme and ensure legibility.', 'ui_colors_desc' => 'Set the application primary color and default link color. The primary color is mainly used for the header banner, buttons and interface decorations. The default link color is used for text-based links and actions, both within written content and in the application interface.', - 'app_color' => 'Primary Color', - 'link_color' => 'Default Link Color', + 'app_color' => 'Culoare primară', + 'link_color' => 'Culoare link implicită', 'content_colors_desc' => 'Set colors for all elements in the page organisation hierarchy. Choosing colors with a similar brightness to the default colors is recommended for readability.', 'bookshelf_color' => 'Culoare raft', 'book_color' => 'Culoare carte', @@ -140,8 +139,8 @@ return [ 'roles_index_desc' => 'Roles are used to group users & provide system permission to their members. When a user is a member of multiple roles the privileges granted will stack and the user will inherit all abilities.', 'roles_x_users_assigned' => ':count user assigned|:count users assigned', 'roles_x_permissions_provided' => ':count permission|:count permissions', - 'roles_assigned_users' => 'Assigned Users', - 'roles_permissions_provided' => 'Provided Permissions', + 'roles_assigned_users' => 'Utilizator alocat', + 'roles_permissions_provided' => 'Permisiuni furnizate', 'role_create' => 'Crează rol nou', 'role_delete' => 'Șterge rolul', 'role_delete_confirm' => 'Aceasta va șterge rolul cu numele \':roleName\'.', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Data expirării', 'user_api_token_expiry_desc' => 'Setează o dată la care acest token expiră. După această dată, cererile făcute folosind acest token nu vor mai funcționa. Lăsând acest câmp necompletat se va stabili un termen de expirare de 100 de ani în viitor.', 'user_api_token_create_secret_message' => 'Imediat după crearea acestui token, va fi generat și afișat un "ID" și "Secret". Secretul va fi afișat o singură dată, așa că fiți siguri să copiați valoarea într-un loc sigur și sigur înainte de a continua.', - 'user_api_token_create_success' => 'Token API creat cu succes', - 'user_api_token_update_success' => 'Token API actualizat cu succes', 'user_api_token' => 'Token API', 'user_api_token_id' => 'ID Token', 'user_api_token_id_desc' => 'Acesta este un identificator de sistem needitabil generat pentru acest token, care va trebui furnizat în cereri API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Șterge token', 'user_api_token_delete_warning' => 'Acest lucru va șterge complet acest token API cu numele \':tokenName\' din sistem.', 'user_api_token_delete_confirm' => 'Sigur dorești să ștergi acest token API?', - 'user_api_token_delete_success' => 'Token API șters cu succes', // Webhooks 'webhooks' => 'Webhook-uri', diff --git a/lang/ru/activities.php b/lang/ru/activities.php index 19ca6ba61..7a33900e4 100644 --- a/lang/ru/activities.php +++ b/lang/ru/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'восстановил страницу', 'page_restore_notification' => 'Страница успешно восстановлена', 'page_move' => 'переместил страницу', + 'page_move_notification' => 'Страница успешно перемещена', // Chapters 'chapter_create' => 'создал главу', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'удалил главу', 'chapter_delete_notification' => 'Глава успешно удалена', 'chapter_move' => 'переместил главу', + 'chapter_move_notification' => 'Глава успешно перемещена', // Books 'book_create' => 'создал книгу', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'удалил полку', 'bookshelf_delete_notification' => 'Полка успешно удалена', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Версия успешно удалена', + // Favourites 'favourite_add_notification' => '":name" добавлено в избранное', 'favourite_remove_notification' => '":name" удалено из избранного', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'зарегистрировался как новый пользователь', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Двухфакторный метод авторизации успешно настроен', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Двухфакторный метод авторизации успешно удален', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Настройки успешно обновлены', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'создал вебхук', 'webhook_create_notification' => 'Вебхук успешно создан', @@ -64,13 +82,33 @@ return [ 'webhook_delete_notification' => 'Вебхук успешно удален', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'Пользователь успешно создан', + 'user_update' => 'updated user', 'user_update_notification' => 'Пользователь успешно обновлен', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Пользователь успешно удален', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API токен успешно создан', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API токен успешно обновлен', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API токен успешно удален', + // Roles - 'role_create_notification' => 'Role successfully created', - 'role_update_notification' => 'Role successfully updated', - 'role_delete_notification' => 'Role successfully deleted', + 'role_create' => 'created role', + 'role_create_notification' => 'Роль успешно создана', + 'role_update' => 'updated role', + 'role_update_notification' => 'Роль успешно обновлена', + 'role_delete' => 'deleted role', + 'role_delete_notification' => 'Роль успешно удалена', + + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', // Other 'commented_on' => 'прокомментировал', diff --git a/lang/ru/common.php b/lang/ru/common.php index c372ab017..fa806e297 100644 --- a/lang/ru/common.php +++ b/lang/ru/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Отмена', + 'close' => 'Close', 'confirm' => 'Применить', 'back' => 'Назад', 'save' => 'Сохранить', diff --git a/lang/ru/components.php b/lang/ru/components.php index 0c5933710..4a9a6c51e 100644 --- a/lang/ru/components.php +++ b/lang/ru/components.php @@ -6,27 +6,34 @@ return [ // Image Manager 'image_select' => 'Выбрать изображение', - 'image_upload' => 'Upload Image', - 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', - 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', + 'image_upload' => 'Загрузить изображение', + 'image_intro' => 'Здесь вы можете выбрать и управлять изображениями, которые были ранее загружены в систему.', + 'image_intro_upload' => 'Загрузите новое изображение, перетянув файл в это окно, или с помощью кнопки "Загрузить изображение" выше.', 'image_all' => 'Все', 'image_all_title' => 'Просмотр всех изображений', 'image_book_title' => 'Просмотр всех изображений, загруженных в эту книгу', 'image_page_title' => 'Просмотр всех изображений, загруженных на эту страницу', 'image_search_hint' => 'Поиск по названию изображения', 'image_uploaded' => 'Загружено :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Загрузить еще', 'image_image_name' => 'Название изображения', 'image_delete_used' => 'Это изображение используется на странице ниже.', 'image_delete_confirm_text' => 'Вы уверены, что хотите удалить это изображение?', 'image_select_image' => 'Выбрать изображение', 'image_dropzone' => 'Перетащите изображение или кликните для загрузки', - 'image_dropzone_drop' => 'Drop images here to upload', + 'image_dropzone_drop' => 'Перетащите изображения сюда для загрузки', 'images_deleted' => 'Изображения удалены', 'image_preview' => 'Предпросмотр изображения', 'image_upload_success' => 'Изображение успешно загружено', 'image_update_success' => 'Детали изображения успешно обновлены', 'image_delete_success' => 'Изображение успешно удалено', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Изменить код', diff --git a/lang/ru/entities.php b/lang/ru/entities.php index ff197ed52..442716710 100644 --- a/lang/ru/entities.php +++ b/lang/ru/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Сохранить главу', 'chapters_move' => 'Переместить главу', 'chapters_move_named' => 'Переместить главу :chapterName', - 'chapter_move_success' => 'Глава перемещена в :bookName', 'chapters_copy' => 'Копировать главу', 'chapters_copy_success' => 'Глава успешно скопирована', 'chapters_permissions' => 'Разрешения главы', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Редактирование страницы', 'pages_edit_draft_save_at' => 'Черновик сохранён в ', 'pages_edit_delete_draft' => 'Удалить черновик', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Отменить черновик', 'pages_edit_switch_to_markdown' => 'Переключиться на Markdown', 'pages_edit_switch_to_markdown_clean' => 'Только Markdown (с возможными потерями форматирования)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Синхронизировать прокрутку', 'pages_not_in_chapter' => 'Страница не находится в главе', 'pages_move' => 'Переместить страницу', - 'pages_move_success' => 'Страница перемещена в \':parentName\'', 'pages_copy' => 'Скопировать страницу', 'pages_copy_desination' => 'Скопировать в', 'pages_copy_success' => 'Страница скопирована', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Восстановить', 'pages_revisions_none' => 'У этой страницы нет других версий', 'pages_copy_link' => 'Копировать ссылку', - 'pages_edit_content_link' => 'Изменить содержание', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Действующие разрешения на страницу', 'pages_initial_revision' => 'Первоначальное издание', 'pages_references_update_revision' => 'Система автоматически обновила внутренние ссылки', @@ -281,7 +286,8 @@ return [ 'time_b' => 'за последние :minCount минут', 'message' => ':start :time. Будьте осторожны, чтобы не перезаписывать друг друга!', ], - 'pages_draft_discarded' => 'Черновик сброшен, редактор обновлен текущим содержимым страницы', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Конкретная страница', 'pages_is_template' => 'Шаблон страницы', @@ -313,10 +319,10 @@ return [ 'attachments_explain_instant_save' => 'Изменения здесь сохраняются мгновенно.', 'attachments_upload' => 'Загрузить файл', 'attachments_link' => 'Присоединить ссылку', - 'attachments_upload_drop' => 'Alternatively you can drag and drop a file here to upload it as an attachment.', + 'attachments_upload_drop' => 'Или вы можете перетащить файл сюда, чтобы загрузить его в качестве вложения.', 'attachments_set_link' => 'Установить ссылку', 'attachments_delete' => 'Вы уверены, что хотите удалить это вложение?', - 'attachments_dropzone' => 'Drop files here to upload', + 'attachments_dropzone' => 'Перетащите файлы сюда для загрузки', 'attachments_no_files' => 'Файлы не загружены', 'attachments_explain_link' => 'Вы можете присоединить ссылку, если вы предпочитаете не загружать файл. Это может быть ссылка на другую страницу или ссылка на файл в облаке.', 'attachments_link_name' => 'Название ссылки', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Оставить комментарий здесь', 'comment_count' => '{0} Нет комментариев|{1} 1 комментарий|[2,*] :count комментария', 'comment_save' => 'Сохранить комментарий', - 'comment_saving' => 'Сохранение комментария...', - 'comment_deleting' => 'Удаление комментария...', 'comment_new' => 'Новый комментарий', 'comment_created' => 'прокомментировал :createDiff', 'comment_updated' => 'Обновлен :updateDiff пользователем :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Комментарий удален', 'comment_created_success' => 'Комментарий добавлен', 'comment_updated_success' => 'Комментарий обновлен', 'comment_delete_confirm' => 'Удалить этот комментарий?', 'comment_in_reply_to' => 'В ответ на :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Удалить эту версию?', 'revision_restore_confirm' => 'Вы уверены, что хотите восстановить эту версию? Текущее содержимое страницы будет заменено.', - 'revision_delete_success' => 'Версия удалена', 'revision_cannot_delete_latest' => 'Нельзя удалить последнюю версию.', // Copy view diff --git a/lang/ru/errors.php b/lang/ru/errors.php index a2413ed41..6ae434840 100644 --- a/lang/ru/errors.php +++ b/lang/ru/errors.php @@ -49,14 +49,16 @@ return [ // Drawing & Images 'image_upload_error' => 'Произошла ошибка при загрузке изображения', 'image_upload_type_error' => 'Неправильный тип загружаемого изображения', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Данные чертежа не могут быть загружены. Возможно, файл чертежа больше не существует или у вас нет разрешения на доступ к нему.', // Attachments 'attachment_not_found' => 'Вложение не найдено', - 'attachment_upload_error' => 'An error occurred uploading the attachment file', + 'attachment_upload_error' => 'Произошла ошибка при загрузке вложенного файла', // Pages 'page_draft_autosave_fail' => 'Не удалось сохранить черновик. Перед сохранением этой страницы убедитесь, что у вас есть подключение к Интернету.', + 'page_draft_delete_fail' => 'Не удалось удалить черновик страницы и получить текущее сохраненное содержимое страницы', 'page_custom_home_deletion' => 'Невозможно удалить страницу, пока она установлена как домашняя страница', // Entities diff --git a/lang/ru/settings.php b/lang/ru/settings.php index 46d72c17d..c7fd2dc51 100644 --- a/lang/ru/settings.php +++ b/lang/ru/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Настройки', 'settings_save' => 'Сохранить настройки', - 'settings_save_success' => 'Настройки сохранены', 'system_version' => 'Версия системы', 'categories' => 'Категории', @@ -50,8 +49,8 @@ return [ // Color settings 'color_scheme' => 'Цветовая схема приложения', - 'color_scheme_desc' => 'Set the colors to use in the application user interface. Colors can be configured separately for dark and light modes to best fit the theme and ensure legibility.', - 'ui_colors_desc' => 'Set the application primary color and default link color. The primary color is mainly used for the header banner, buttons and interface decorations. The default link color is used for text-based links and actions, both within written content and in the application interface.', + 'color_scheme_desc' => 'Установите цвета для использования в пользовательском интерфейсе. Цвета могут быть настроены отдельно для темных и светлых режимов, чтобы наилучшим образом соответствовать теме и обеспечить разборчивость.', + 'ui_colors_desc' => 'Задайте основной цвет приложения и цвет ссылок по умолчанию. Основной цвет используется в основном для баннера заголовка, кнопок и декораций интерфейса. Цвет ссылок по умолчанию используется для текстовых ссылок и действий как в письменном содержании, так и в прикладном интерфейсе.', 'app_color' => 'Основной цвет', 'link_color' => 'Цвет ссылки', 'content_colors_desc' => 'Задает цвета для всех элементов организационной иерархии страницы. Для удобства чтения рекомендуется выбирать цвета, яркость которых близка к цветам по умолчанию.', @@ -138,7 +137,7 @@ return [ 'roles' => 'Роли', 'role_user_roles' => 'Роли пользователей', 'roles_index_desc' => 'Роли используются для группировки пользователей и предоставления системных разрешений их участникам. Когда пользователь является членом нескольких ролей, предоставленные разрешения объединяются, и пользователь наследует все возможности.', - 'roles_x_users_assigned' => ':count user assigned|:count users assigned', + 'roles_x_users_assigned' => ':count пользователь назначен|:count назначенных пользователей', 'roles_x_permissions_provided' => ':count разрешение|:count разрешений', 'roles_assigned_users' => 'Назначенные пользователи', 'roles_permissions_provided' => 'Предоставленные разрешения', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Истекает', 'user_api_token_expiry_desc' => 'Установите дату истечения срока действия этого токена. После наступления даты запросы, сделанные с использованием данного токена, больше не будут работать. Если оставить это поле пустым, срок действия истечет через 100 лет.', 'user_api_token_create_secret_message' => 'Сразу после создания этого токена будут сгенерированы и отображены идентификатор токена и секретный ключ. Секретный ключ будет показан только один раз, поэтому перед продолжением обязательно скопируйте значение в безопасное и надежное место.', - 'user_api_token_create_success' => 'API токен успешно создан', - 'user_api_token_update_success' => 'API токен успешно обновлен', 'user_api_token' => 'API токен', 'user_api_token_id' => 'Идентификатор токена', 'user_api_token_id_desc' => 'Это нередактируемый системный идентификатор для этого токена, который необходимо указывать в запросах API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Удалить токен', 'user_api_token_delete_warning' => 'Это полностью удалит API токен с именем \':tokenName\' из системы.', 'user_api_token_delete_confirm' => 'Вы уверены, что хотите удалить этот API токен?', - 'user_api_token_delete_success' => 'API токен успешно удален', // Webhooks 'webhooks' => 'Вебхуки', diff --git a/lang/sk/activities.php b/lang/sk/activities.php index bc0247ff9..1c970cc97 100644 --- a/lang/sk/activities.php +++ b/lang/sk/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'obnovil(a) stránku', 'page_restore_notification' => 'Stránka úspešne obnovená', 'page_move' => 'presunul(a) stránku', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'vytvoril(a) kapitolu', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'odstránil(a) kapitolu', 'chapter_delete_notification' => 'Kapitola úspešne odstránená', 'chapter_move' => 'presunul(a) kapitolu', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'vytvoril(a) knihu', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'odstránená polica', 'bookshelf_delete_notification' => 'Polica bola úspešne odstránená', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" bol pridaný medzi obľúbené', 'favourite_remove_notification' => '":name" bol odstránený z obľúbených', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Viacúrovňový spôsob overenia úspešne nastavený', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Viacúrovňový spôsob overenia úspešne odstránený', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'vytvoril(a) si webhook', 'webhook_create_notification' => 'Webhook úspešne vytvorený', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook úspešne odstránený', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Používateľ úspešne upravený', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Používateľ úspešne zmazaný', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Rola úspešne vytvorená', + 'role_update' => 'updated role', 'role_update_notification' => 'Rola úspešne aktualizovaná', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Rola úspešne zmazaná', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'komentoval(a)', 'permissions_update' => 'aktualizované oprávnenia', diff --git a/lang/sk/common.php b/lang/sk/common.php index 81113baae..1210af7aa 100644 --- a/lang/sk/common.php +++ b/lang/sk/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Zrušiť', + 'close' => 'Close', 'confirm' => 'Potvrdiť', 'back' => 'Späť', 'save' => 'Uložiť', diff --git a/lang/sk/components.php b/lang/sk/components.php index c9b49f12a..7762c02a4 100644 --- a/lang/sk/components.php +++ b/lang/sk/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Vybrať obrázok', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Nahrať obrázok', 'image_intro' => 'Tu môžete vybrať a spravovať obrázky, ktoré boli predtým nahrané do systému.', 'image_intro_upload' => 'Nahrajte nový obrázok pretiahnutím súboru obrázka do tohto okna alebo pomocou vyššie uvedeného tlačidla „Nahrať obrázok“.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Zobraziť obrázky nahrané do tejto stránky', 'image_search_hint' => 'Hľadať obrázok podľa názvu', 'image_uploaded' => 'Nahrané :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Načítať viac', 'image_image_name' => 'Názov obrázka', 'image_delete_used' => 'Tento obrázok je použitý na stránkach uvedených nižšie.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Obrázok úspešne nahraný', 'image_update_success' => 'Detaily obrázka úspešne aktualizované', 'image_delete_success' => 'Obrázok úspešne zmazaný', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Upraviť kód', diff --git a/lang/sk/entities.php b/lang/sk/entities.php index 7da46b420..5694f2baa 100644 --- a/lang/sk/entities.php +++ b/lang/sk/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Uložiť kapitolu', 'chapters_move' => 'Presunúť kapitolu', 'chapters_move_named' => 'Presunúť kapitolu :chapterName', - 'chapter_move_success' => 'Kapitola presunutá do :bookName', 'chapters_copy' => 'Kopírovať kapitolu', 'chapters_copy_success' => 'Kapitola bola úspešne skopírovaná', 'chapters_permissions' => 'Oprávnenia kapitoly', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Upravuje sa stránka', 'pages_edit_draft_save_at' => 'Koncept uložený pod ', 'pages_edit_delete_draft' => 'Uložiť koncept', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Zrušiť koncept', 'pages_edit_switch_to_markdown' => 'Prepnite na Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Vyčistiť obsah)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Posúvanie ukážky synchronizácie', 'pages_not_in_chapter' => 'Stránka nie je v kapitole', 'pages_move' => 'Presunúť stránku', - 'pages_move_success' => 'Stránka presunutá do ":parentName"', 'pages_copy' => 'Kpoírovať stránku', 'pages_copy_desination' => 'Ciel kopírovania', 'pages_copy_success' => 'Stránka bola skopírovaná', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Obnoviť', 'pages_revisions_none' => 'Táto stránka nemá žiadne revízie', 'pages_copy_link' => 'Kopírovať odkaz', - 'pages_edit_content_link' => 'Upraviť obsah', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Oprávnienia stránky aktívne', 'pages_initial_revision' => 'Prvé zverejnenie', 'pages_references_update_revision' => 'Automatická aktualizácia systému interných odkazov', @@ -281,7 +286,8 @@ return [ 'time_b' => 'za posledných :minCount minút', 'message' => ':start :time. Dávajte pozor aby ste si navzájom neprepísali zmeny!', ], - 'pages_draft_discarded' => 'Koncept ostránený, aktuálny obsah stránky bol nahraný do editora', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Konkrétna stránka', 'pages_is_template' => 'Šablóna stránky', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Tu zadajte svoje pripomienky', 'comment_count' => '{0} Bez komentárov|{1} 1 komentár|[2,3,4] :count komentáre|[5,*] :count komentárov', 'comment_save' => 'Uložiť komentár', - 'comment_saving' => 'Ukladanie komentára...', - 'comment_deleting' => 'Mazanie komentára...', 'comment_new' => 'Nový komentár', 'comment_created' => 'komentované :createDiff', 'comment_updated' => 'Aktualizované :updateDiff užívateľom :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Komentár odstránený', 'comment_created_success' => 'Komentár pridaný', 'comment_updated_success' => 'Komentár aktualizovaný', 'comment_delete_confirm' => 'Ste si istý, že chcete odstrániť tento komentár?', 'comment_in_reply_to' => 'Odpovedať na :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Naozaj chcete túto revíziu odstrániť?', 'revision_restore_confirm' => 'Naozaj chcete obnoviť túto revíziu? Aktuálny obsah stránky sa nahradí.', - 'revision_delete_success' => 'Revízia bola vymazaná', 'revision_cannot_delete_latest' => 'Nie je možné vymazať poslednú revíziu.', // Copy view diff --git a/lang/sk/errors.php b/lang/sk/errors.php index 0ced8ddaa..72f3154f7 100644 --- a/lang/sk/errors.php +++ b/lang/sk/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Pri nahrávaní obrázka nastala chyba', 'image_upload_type_error' => 'Typ nahrávaného obrázka je neplatný', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Údaje výkresu sa nepodarilo načítať. Súbor výkresu už možno neexistuje alebo nemáte povolenie na prístup k nemu.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Koncept nemohol byť uložený. Uistite sa, že máte pripojenie k internetu pre uložením tejto stránky', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Stránku nie je možné odstrániť, kým je nastavená ako domovská stránka', // Entities diff --git a/lang/sk/settings.php b/lang/sk/settings.php index c1ea6593c..a3fe1b3f9 100644 --- a/lang/sk/settings.php +++ b/lang/sk/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Nastavenia', 'settings_save' => 'Uložiť nastavenia', - 'settings_save_success' => 'Nastavenia uložené', 'system_version' => 'Verzia systému', 'categories' => 'Kategórie', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Dátum expirácie', 'user_api_token_expiry_desc' => 'Nastavte dátum, kedy platnosť tohto tokenu vyprší. Po tomto dátume už žiadosti uskutočnené pomocou tohto tokenu nebudú fungovať. Ak toto pole ponecháte prázdne, nastaví sa uplynutie platnosti o 100 rokov do budúcnosti.', 'user_api_token_create_secret_message' => 'Ihneď po vytvorení tohto tokenu sa vygeneruje a zobrazí "Token ID" a "Token Secret". Kľúč sa zobrazí iba raz, takže pred pokračovaním nezabudnite skopírovať hodnotu na bezpečné a zabezpečené miesto.', - 'user_api_token_create_success' => 'Kľúč rozhrania API bol úspešne vytvorený', - 'user_api_token_update_success' => 'Kľúč rozhrania API bol úspešne upravený', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Toto je neupraviteľný identifikátor vygenerovaný systémom pre tento token, ktorý bude potrebné poskytnúť v žiadostiach API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Zmazať Token', 'user_api_token_delete_warning' => 'Týmto sa tento token API s názvom \':tokenName\' úplne odstráni zo systému.', 'user_api_token_delete_confirm' => 'Určite chcete odstrániť tento token?', - 'user_api_token_delete_success' => 'Kľúč rozhrania API bol úspešne odstránený', // Webhooks 'webhooks' => 'Webhooky', diff --git a/lang/sl/activities.php b/lang/sl/activities.php index e612b5c1b..a1d65fa84 100644 --- a/lang/sl/activities.php +++ b/lang/sl/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'obnovljena stran', 'page_restore_notification' => 'Page successfully restored', 'page_move' => 'premaknjena stran', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'ustvarjeno poglavje', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'izbrisano poglavje', 'chapter_delete_notification' => 'Chapter successfully deleted', 'chapter_move' => 'premaknjeno poglavje', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'knjiga ustvarjena', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" has been added to your favourites', 'favourite_remove_notification' => '":name" has been removed from your favourites', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-factor method successfully configured', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-factor method successfully removed', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'created webhook', 'webhook_create_notification' => 'Webhook successfully created', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook successfully deleted', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'User successfully updated', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'User successfully removed', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'komentar na', 'permissions_update' => 'pravice so posodobljene', diff --git a/lang/sl/common.php b/lang/sl/common.php index 2053109d9..1b5e376e9 100644 --- a/lang/sl/common.php +++ b/lang/sl/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Prekliči', + 'close' => 'Close', 'confirm' => 'Potrdi', 'back' => 'Nazaj', 'save' => 'Shrani', diff --git a/lang/sl/components.php b/lang/sl/components.php index 8380f5d2c..2dadd2629 100644 --- a/lang/sl/components.php +++ b/lang/sl/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Izberi slike', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Preglej slike naložene na to stran', 'image_search_hint' => 'Iskanje po nazivu slike', 'image_uploaded' => 'Naloženo :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Dodatno naloži', 'image_image_name' => 'Ime slike', 'image_delete_used' => 'Ta slika je uporabljena na spodnjih straneh.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Slika uspešno naložena', 'image_update_success' => 'Podatki slike uspešno posodobljeni', 'image_delete_success' => 'Slika uspešno izbrisana', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Uredi kodo', diff --git a/lang/sl/entities.php b/lang/sl/entities.php index 95060297f..128ecdd11 100644 --- a/lang/sl/entities.php +++ b/lang/sl/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Shrani poglavje', 'chapters_move' => 'Premakni poglavje', 'chapters_move_named' => 'Premakni poglavje :chapterName', - 'chapter_move_success' => 'Poglavje premaknjeno v :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Dovoljenja poglavij', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Urejanje strani', 'pages_edit_draft_save_at' => 'Osnutek shranjen ob ', 'pages_edit_delete_draft' => 'Izbriši osnutek', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Zavrzi osnutek', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Stran ni v poglavju', 'pages_move' => 'Premakni stran', - 'pages_move_success' => 'Stran premaknjena v ":parentName"', 'pages_copy' => 'Kopiraj stran', 'pages_copy_desination' => 'Destinacija kopije', 'pages_copy_success' => 'Stran uspešno kopirana', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Obnovi', 'pages_revisions_none' => 'Ta stran nima popravkov', 'pages_copy_link' => 'Kopiraj povezavo', - 'pages_edit_content_link' => 'Uredi vsebino', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Aktivna dovoljenja strani', 'pages_initial_revision' => 'Prvotno objavljeno', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'v zadnjih :minCount minutah', 'message' => ':start :time. Pazite, da ne boste prepisali posodobitev drug drugega!', ], - 'pages_draft_discarded' => 'Osnutek zavržen, urejevalnik je bil posodobljen s trenutno vsebino strani', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Določena stran', 'pages_is_template' => 'Predloga strani', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Dodaj komentar', 'comment_count' => '{0} Ni komentarjev|{1} 1 Komentar|[2,*] :count Komentarji', 'comment_save' => 'Shrani komentar', - 'comment_saving' => 'Shranjujem komentar...', - 'comment_deleting' => 'Brišem komentar...', 'comment_new' => 'Nov kometar', 'comment_created' => 'komentirano :createDiff', 'comment_updated' => 'Posodobljeno :updateDiff od :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Komentar je izbrisan', 'comment_created_success' => 'Komentar dodan', 'comment_updated_success' => 'Komentar posodobljen', 'comment_delete_confirm' => 'Ste prepričani, da želite izbrisati ta komentar?', 'comment_in_reply_to' => 'Odgovor na :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Ali ste prepričani, da želite izbrisati to revizijo?', 'revision_restore_confirm' => 'Ali ste prepričani da želite obnoviti to revizijo? Vsebina trenutne strani bo zamenjana.', - 'revision_delete_success' => 'Revizija izbrisana', 'revision_cannot_delete_latest' => 'Ne morem izbrisati zadnje revizije.', // Copy view diff --git a/lang/sl/errors.php b/lang/sl/errors.php index 1dea0a82a..b87f01034 100644 --- a/lang/sl/errors.php +++ b/lang/sl/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Prišlo je do napake med nalaganjem slike', 'image_upload_type_error' => 'Napačen tip (format) slike', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Osnutka ni bilo mogoče shraniti. Pred shranjevanjem te strani se prepričajte, da imate internetno povezavo', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Ne morem izbrisati strani, ki je nastavljena kot domača stran', // Entities diff --git a/lang/sl/settings.php b/lang/sl/settings.php index 7a77d9f31..29114dfca 100644 --- a/lang/sl/settings.php +++ b/lang/sl/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Nastavitve', 'settings_save' => 'Shrani nastavitve', - 'settings_save_success' => 'Nastavitve shranjene', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -233,8 +232,6 @@ return [ 'user_api_token_expiry_desc' => 'Določi datum izteka uporabnosti žetona. Po tem datumu, zahteve poslane s tem žetonom, ne bodo več delovale. Če pustite to polje prazno, bo iztek uporabnosti 100.let .', 'user_api_token_create_secret_message' => 'Takoj po ustvarjanju tega žetona se ustvari in prikaže "Token ID" "in" Token Secret ". Skrivnost bo prikazana samo enkrat, zato se pred nadaljevanjem prepričajte o varnosti kopirnega mesta.', - 'user_api_token_create_success' => 'API žeton uspešno ustvarjen', - 'user_api_token_update_success' => 'API žeton uspešno posodobljen', 'user_api_token' => 'API žeton', 'user_api_token_id' => 'Žeton ID', 'user_api_token_id_desc' => 'To je sistemski identifikator, ki ga ni mogoče urejati za ta žeton in ga je treba navesti v zahtevah za API.', @@ -245,7 +242,6 @@ return [ 'user_api_token_delete' => 'Briši žeton', 'user_api_token_delete_warning' => 'Iz sistema se bo popolnoma izbrisal API žeton z imenom \':tokenName\' ', 'user_api_token_delete_confirm' => 'Ali ste prepričani, da želite izbrisati ta API žeton?', - 'user_api_token_delete_success' => 'API žeton uspešno izbrisan', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/sv/activities.php b/lang/sv/activities.php index 9e355ee74..5285a9b75 100644 --- a/lang/sv/activities.php +++ b/lang/sv/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'återställde sidan', 'page_restore_notification' => 'Sidan har återställts', 'page_move' => 'flyttade sidan', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'skapade kapitlet', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'tog bort kapitlet', 'chapter_delete_notification' => 'Kapitlet har tagits bort', 'chapter_move' => 'flyttade kapitlet', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'skapade boken', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'raderade hyllan', 'bookshelf_delete_notification' => 'Hyllan har tagits bort', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" har lagts till i dina favoriter', 'favourite_remove_notification' => '":name" har tagits bort från dina favoriter', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multifaktor-metod har konfigurerats', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multifaktor-metod har tagits bort', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'skapade webhook', 'webhook_create_notification' => 'Webhook har skapats', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook har tagits bort', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Användaren har uppdaterats', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Användaren har tagits bort', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'kommenterade', 'permissions_update' => 'uppdaterade behörigheter', diff --git a/lang/sv/common.php b/lang/sv/common.php index cd28dc395..c9a925ef7 100644 --- a/lang/sv/common.php +++ b/lang/sv/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Avbryt', + 'close' => 'Close', 'confirm' => 'Bekräfta', 'back' => 'Bakåt', 'save' => 'Spara', diff --git a/lang/sv/components.php b/lang/sv/components.php index 0b679560a..4d0043c66 100644 --- a/lang/sv/components.php +++ b/lang/sv/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Val av bild', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Visa bilder som laddats upp till den aktuella sidan', 'image_search_hint' => 'Sök efter bildens namn', 'image_uploaded' => 'Laddades upp :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Ladda fler', 'image_image_name' => 'Bildnamn', 'image_delete_used' => 'Den här bilden används på nedanstående sidor.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Bilden har laddats upp', 'image_update_success' => 'Bildens uppgifter har ändrats', 'image_delete_success' => 'Bilden har tagits bort', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Redigera kod', diff --git a/lang/sv/entities.php b/lang/sv/entities.php index 0056c671a..5559534d5 100644 --- a/lang/sv/entities.php +++ b/lang/sv/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Spara kapitel', 'chapters_move' => 'Flytta kapitel', 'chapters_move_named' => 'Flytta kapitel :chapterName', - 'chapter_move_success' => 'Kapitel flyttat till :bookName', 'chapters_copy' => 'Kopiera kapitel', 'chapters_copy_success' => 'Kapitel har kopierats', 'chapters_permissions' => 'Rättigheter för kapitel', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Redigerar sida', 'pages_edit_draft_save_at' => 'Utkastet sparades ', 'pages_edit_delete_draft' => 'Ta bort utkast', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Ta bort utkastet', 'pages_edit_switch_to_markdown' => 'Växla till Markdown-redigerare', 'pages_edit_switch_to_markdown_clean' => '(Rent innehåll)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Sidan ligger inte i något kapitel', 'pages_move' => 'Flytta sida', - 'pages_move_success' => 'Sidan har flyttats till ":parentName"', 'pages_copy' => 'Kopiera sida', 'pages_copy_desination' => 'Destination', 'pages_copy_success' => 'Sidan har kopierats', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Återställ', 'pages_revisions_none' => 'Sidan har inga revisioner', 'pages_copy_link' => 'Kopiera länk', - 'pages_edit_content_link' => 'Redigera innehåll', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Anpassade rättigheter är i bruk', 'pages_initial_revision' => 'Första publicering', 'pages_references_update_revision' => 'Automatisk uppdatering av interna länkar', @@ -281,7 +286,8 @@ return [ 'time_b' => 'under de senaste :minCount minuterna', 'message' => ':start :time. Var försiktiga så att ni inte skriver över varandras ändringar!', ], - 'pages_draft_discarded' => 'Utkastet har tagits bort. Redigeringsverktyget har uppdaterats med aktuellt innehåll.', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specifik sida', 'pages_is_template' => 'Sidmall', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Lämna en kommentar här', 'comment_count' => '{0} Inga kommentarer|{1} 1 kommentar|[2,*] :count kommentarer', 'comment_save' => 'Spara kommentar', - 'comment_saving' => 'Sparar kommentar...', - 'comment_deleting' => 'Tar bort kommentar...', 'comment_new' => 'Ny kommentar', 'comment_created' => 'kommenterade :createDiff', 'comment_updated' => 'Uppdaterade :updateDiff av :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Kommentar borttagen', 'comment_created_success' => 'Kommentaren har sparats', 'comment_updated_success' => 'Kommentaren har uppdaterats', 'comment_delete_confirm' => 'Är du säker på att du vill ta bort den här kommentaren?', 'comment_in_reply_to' => 'Som svar på :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Är du säker på att du vill radera den här versionen?', 'revision_restore_confirm' => 'Är du säker på att du vill använda denna revision? Det nuvarande innehållet kommer att ersättas.', - 'revision_delete_success' => 'Revisionen raderad', 'revision_cannot_delete_latest' => 'Det går inte att ta bort den senaste versionen.', // Copy view diff --git a/lang/sv/errors.php b/lang/sv/errors.php index 0465080be..f33d57538 100644 --- a/lang/sv/errors.php +++ b/lang/sv/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Ett fel inträffade vid uppladdningen', 'image_upload_type_error' => 'Filtypen du försöker ladda upp är ogiltig', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Kunde inte spara utkastet. Kontrollera att du är ansluten till internet.', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Det går inte att ta bort sidan medan den används som startsida', // Entities diff --git a/lang/sv/settings.php b/lang/sv/settings.php index a0273ae79..afbd5f58e 100644 --- a/lang/sv/settings.php +++ b/lang/sv/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Inställningar', 'settings_save' => 'Spara inställningar', - 'settings_save_success' => 'Inställningarna har sparats', 'system_version' => 'Systemversion', 'categories' => 'Kategorier', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Förfallodatum', 'user_api_token_expiry_desc' => 'Ange ett datum då denna token går ut. Efter detta datum kommer förfrågningar som görs med denna token inte längre att fungera. Lämnar du detta fält tomt kommer utgångsdatum att sättas 100 år in i framtiden.', 'user_api_token_create_secret_message' => 'Omedelbart efter att du skapat denna token kommer ett "Token ID" & "Token Secret" att genereras och visas. Token Secret kommer bara att visas en enda gång så se till att kopiera värdet till en säker plats innan du fortsätter.', - 'user_api_token_create_success' => 'API-token har skapats', - 'user_api_token_update_success' => 'API-token har uppdaterats', 'user_api_token' => 'API-nyckel', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'Detta är en icke-redigerbar systemgenererad identifierare för denna token som måste tillhandahållas i API-förfrågningar.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Ta bort token', 'user_api_token_delete_warning' => 'Detta kommer att helt ta bort denna API-token med namnet \':tokenName\' från systemet.', 'user_api_token_delete_confirm' => 'Är du säker på att du vill ta bort denna API-token?', - 'user_api_token_delete_success' => 'API-token har tagits bort', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/tr/activities.php b/lang/tr/activities.php index f06117eef..773e9e375 100644 --- a/lang/tr/activities.php +++ b/lang/tr/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'sayfayı eski haline getirdi', 'page_restore_notification' => 'Sayfa Başarıyla Eski Haline Getirildi', 'page_move' => 'sayfa taşındı', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'bölüm oluşturdu', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'bölümü sildi', 'chapter_delete_notification' => 'Bölüm başarıyla silindi', 'chapter_move' => 'bölümü taşıdı', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'kitap oluşturdu', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" favorilerinize eklendi', 'favourite_remove_notification' => '":name" favorilerinizden çıkarıldı', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Çok aşamalı kimlik doğrulama yöntemi başarıyla yapılandırıldı', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Çok aşamalı kimlik doğrulama yöntemi başarıyla kaldırıldı', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'web kancası oluşturuldu', 'webhook_create_notification' => 'Web kancası başarıyla oluşturuldu', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Web kancası başarıyla silindi', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Kullanıcı başarıyla güncellendi', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Kullanıcı başarıyla silindi', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'yorum yaptı', 'permissions_update' => 'güncellenmiş izinler', diff --git a/lang/tr/common.php b/lang/tr/common.php index 2efb18e1b..353ee7530 100644 --- a/lang/tr/common.php +++ b/lang/tr/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'İptal', + 'close' => 'Close', 'confirm' => 'Onayla', 'back' => 'Geri', 'save' => 'Kaydet', diff --git a/lang/tr/components.php b/lang/tr/components.php index 9c53a8347..e459e825e 100644 --- a/lang/tr/components.php +++ b/lang/tr/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Görsel Seç', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Bu sayfaya ait görselleri görüntüle', 'image_search_hint' => 'Görsel adıyla ara', 'image_uploaded' => ':uploadedDate tarihinde yüklendi', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Devamını Göster', 'image_image_name' => 'Görsel Adı', 'image_delete_used' => 'Bu görsel aşağıda bulunan sayfalarda kullanılmış.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Görsel başarıyla yüklendi', 'image_update_success' => 'Görsel detayları başarıyla güncellendi', 'image_delete_success' => 'Görsel başarıyla silindi', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Kodu Düzenle', diff --git a/lang/tr/entities.php b/lang/tr/entities.php index 7e42c1065..c90f30eef 100644 --- a/lang/tr/entities.php +++ b/lang/tr/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Bölümü Kaydet', 'chapters_move' => 'Bölümü Taşı', 'chapters_move_named' => ':chapterName Bölümünü Taşı', - 'chapter_move_success' => 'Bölüm, :bookName kitabına taşındı', 'chapters_copy' => 'Bölümü kopyala', 'chapters_copy_success' => 'Bölüm başarıyla kopyalandı', 'chapters_permissions' => 'Bölüm İzinleri', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Sayfa Düzenleniyor', 'pages_edit_draft_save_at' => 'Taslak kaydedildi ', 'pages_edit_delete_draft' => 'Taslağı Sil', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Taslağı Yoksay', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Bu sayfa, bir bölüme ait değil', 'pages_move' => 'Sayfayı Taşı', - 'pages_move_success' => 'Sayfa şuraya taşındı: :parentName', 'pages_copy' => 'Sayfayı Kopyala', 'pages_copy_desination' => 'Kopyalama Hedefi', 'pages_copy_success' => 'Sayfa başarıyla kopyalandı', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Geri Dön', 'pages_revisions_none' => 'Bu sayfaya ait herhangi bir revizyon bulunamadı', 'pages_copy_link' => 'Bağlantıyı kopyala', - 'pages_edit_content_link' => 'İçeriği Düzenle', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Sayfa İzinleri Aktif', 'pages_initial_revision' => 'İlk yayın', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'son :minCount dakikada', 'message' => ':start :time. Düzenlemelerinizin çakışmamasına dikkat edin!', ], - 'pages_draft_discarded' => 'Taslak yok sayıldı. Düzenleyici, mevcut sayfa içeriği kullanılarak güncellendi', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Spesifik Sayfa', 'pages_is_template' => 'Sayfa Şablonu', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Buraya bir yorum yazın', 'comment_count' => '{0} Yorum Yapılmamış|{1} 1 Yorum|[2,*] :count Yorum', 'comment_save' => 'Yorumu Gönder', - 'comment_saving' => 'Yorum gönderiliyor...', - 'comment_deleting' => 'Yorum siliniyor...', 'comment_new' => 'Yeni Yorum', 'comment_created' => ':createDiff yorum yaptı', 'comment_updated' => ':username tarafından :updateDiff güncellendi', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Yorum silindi', 'comment_created_success' => 'Yorum gönderildi', 'comment_updated_success' => 'Yorum güncellendi', 'comment_delete_confirm' => 'Bu yorumu silmek istediğinize emin misiniz?', 'comment_in_reply_to' => ':commentId yorumuna yanıt olarak', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Bu revizyonu silmek istediğinize emin misiniz?', 'revision_restore_confirm' => 'Bu revizyonu yeniden yüklemek istediğinize emin misiniz? Sayfanın şu anki içeriği değiştirilecektir.', - 'revision_delete_success' => 'Revizyon silindi', 'revision_cannot_delete_latest' => 'Son revizyonu silemezsiniz.', // Copy view diff --git a/lang/tr/errors.php b/lang/tr/errors.php index 5216b2570..879375570 100644 --- a/lang/tr/errors.php +++ b/lang/tr/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Görsel yüklenirken bir hata meydana geldi', 'image_upload_type_error' => 'Yüklemeye çalıştığınız dosya türü geçersizdir', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Taslak kaydetme başarısız oldu. Bu sayfayı kaydetmeden önce internet bağlantınız olduğundan emin olun', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Bu sayfa, "Ana Sayfa" olarak ayarlandığı için silinemez', // Entities diff --git a/lang/tr/settings.php b/lang/tr/settings.php index 2d317f522..d72263881 100644 --- a/lang/tr/settings.php +++ b/lang/tr/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Ayarlar', 'settings_save' => 'Ayarları Kaydet', - 'settings_save_success' => 'Ayarlar kaydedildi', 'system_version' => 'Sistem Sürümü', 'categories' => 'Kategoriler', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Bitiş Tarihi', 'user_api_token_expiry_desc' => 'Bu anahtarın süresinin dolduğu bir tarih belirleyin. Bu tarihten sonra, bu anahtar kullanılarak yapılan istekler artık çalışmaz. Bu alanı boş bırakmak, bitiş tarihini 100 yıl sonrası yapar.', 'user_api_token_create_secret_message' => 'Bu anahtar oluşturulduktan hemen sonra bir "ID Anahtarı" ve "Gizli Anahtar" üretilip görüntülenecektir. Gizli anahtar sadece bir defa gösterilecektir, bu yüzden devam etmeden önce bu değeri güvenli bir yere kopyaladığınızdan emin olun.', - 'user_api_token_create_success' => 'API anahtarı başarıyla oluşturuldu', - 'user_api_token_update_success' => 'API anahtarı başarıyla güncellendi', 'user_api_token' => 'API Erişim Anahtarı', 'user_api_token_id' => 'Anahtar ID', 'user_api_token_id_desc' => 'Bu, API isteklerini karşılamak için sistem tarafından oluşturulmuş ve sonradan düzenlenemeyen bir tanımlayıcıdır.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Anahtarı Sil', 'user_api_token_delete_warning' => 'Bu işlem \':tokenName\' adındaki API anahtarını sistemden tamamen silecektir.', 'user_api_token_delete_confirm' => 'Bu API anahtarını silmek istediğinize emin misiniz?', - 'user_api_token_delete_success' => 'API anahtarı başarıyla silindi', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/uk/activities.php b/lang/uk/activities.php index 66882611a..0a6c950e7 100644 --- a/lang/uk/activities.php +++ b/lang/uk/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'відновив сторінку', 'page_restore_notification' => 'Сторінка успішно відновлена', 'page_move' => 'перемістив сторінку', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'створив розділ', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'видалив розділ', 'chapter_delete_notification' => 'Розділ успішно видалено', 'chapter_move' => 'перемістив розділ', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'створив книгу', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'видалена полиця', 'bookshelf_delete_notification' => 'Полиця успішно видалена', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":ім\'я" було додане до ваших улюлених', 'favourite_remove_notification' => '":ім\'я" було видалено з ваших улюблених', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Багатофакторний метод успішно налаштований', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Багатофакторний метод успішно видалений', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'створений вебхук', 'webhook_create_notification' => 'Веб хук успішно створений', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Вебхуки успішно видалено', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Користувача було успішно оновлено', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Користувача успішно видалено', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Роль успішно створена', + 'role_update' => 'updated role', 'role_update_notification' => 'Роль успішно оновлена', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Роль успішно видалена', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'прокоментував', 'permissions_update' => 'оновив дозволи', diff --git a/lang/uk/common.php b/lang/uk/common.php index 10a4d1958..f1811e612 100644 --- a/lang/uk/common.php +++ b/lang/uk/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Скасувати', + 'close' => 'Close', 'confirm' => 'Застосувати', 'back' => 'Назад', 'save' => 'Зберегти', diff --git a/lang/uk/components.php b/lang/uk/components.php index 0a75ad230..66ac2488d 100644 --- a/lang/uk/components.php +++ b/lang/uk/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Вибрати зображення', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Переглянути зображення, завантажені на цю сторінку', 'image_search_hint' => 'Пошук по імені зображення', 'image_uploaded' => 'Завантажено :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Завантажити ще', 'image_image_name' => 'Назва зображення', 'image_delete_used' => 'Це зображення використовується на наступних сторінках.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Зображення завантажено успішно', 'image_update_success' => 'Деталі зображення успішно оновлені', 'image_delete_success' => 'Зображення успішно видалено', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Редагувати код', diff --git a/lang/uk/entities.php b/lang/uk/entities.php index d0e6afb66..2d4068c52 100644 --- a/lang/uk/entities.php +++ b/lang/uk/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Зберегти розділ', 'chapters_move' => 'Перемістити розділ', 'chapters_move_named' => 'Перемістити розділ :chapterName', - 'chapter_move_success' => 'Розділ переміщено до :bookName', 'chapters_copy' => 'Копіювати розділ', 'chapters_copy_success' => 'Розділ успішно скопійовано', 'chapters_permissions' => 'Дозволи розділу', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Редагування сторінки', 'pages_edit_draft_save_at' => 'Чернетка збережена о ', 'pages_edit_delete_draft' => 'Видалити чернетку', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Відхилити чернетку', 'pages_edit_switch_to_markdown' => 'Змінити редактор на Markdown', 'pages_edit_switch_to_markdown_clean' => '(Очистити вміст)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Синхронізація прокручування попереднього перегляду', 'pages_not_in_chapter' => 'Сторінка не знаходиться в розділі', 'pages_move' => 'Перемістити сторінку', - 'pages_move_success' => 'Сторінку переміщено до ":parentName"', 'pages_copy' => 'Копіювати сторінку', 'pages_copy_desination' => 'Ціль копіювання', 'pages_copy_success' => 'Сторінка успішно скопійована', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Відновити', 'pages_revisions_none' => 'Ця сторінка не має версій', 'pages_copy_link' => 'Копіювати посилання', - 'pages_edit_content_link' => 'Редагувати вміст', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Активні дозволи сторінки', 'pages_initial_revision' => 'Початкова публікація', 'pages_references_update_revision' => 'Автоматичне оновлення системних посилань', @@ -281,7 +286,8 @@ return [ 'time_b' => 'за останні :minCount хвилин', 'message' => ':start :time. Будьте обережні, щоб не перезаписати оновлення інших!', ], - 'pages_draft_discarded' => 'Чернетка відхилена, редактор оновлено з поточним вмістом сторінки', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Конкретна сторінка', 'pages_is_template' => 'Шаблон сторінки', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Залиште коментар тут', 'comment_count' => '{0} Без коментарів|{1} 1 коментар|[2,*] :count коментарі(в)', 'comment_save' => 'Зберегти коментар', - 'comment_saving' => 'Збереження коментаря...', - 'comment_deleting' => 'Видалення коментаря...', 'comment_new' => 'Новий коментар', 'comment_created' => 'прокоментував :createDiff', 'comment_updated' => 'Оновлено :updateDiff користувачем :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Коментар видалено', 'comment_created_success' => 'Коментар додано', 'comment_updated_success' => 'Коментар оновлено', 'comment_delete_confirm' => 'Ви впевнені, що хочете видалити цей коментар?', 'comment_in_reply_to' => 'У відповідь на :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Ви впевнені, що хочете видалити цю версію?', 'revision_restore_confirm' => 'Дійсно відновити цю версію? Вміст поточної сторінки буде замінено.', - 'revision_delete_success' => 'Версія видалена', 'revision_cannot_delete_latest' => 'Неможливо видалити останню версію.', // Copy view diff --git a/lang/uk/errors.php b/lang/uk/errors.php index 3c01a35a8..3bffb10f3 100644 --- a/lang/uk/errors.php +++ b/lang/uk/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Виникла помилка під час завантаження зображення', 'image_upload_type_error' => 'Тип завантаженого зображення недійсний', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Не вдалося завантажити дані малюнка. Файл малюнка може більше не існувати або у вас немає дозволу на доступ до нього.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Не вдалося зберегти чернетку. Перед збереженням цієї сторінки переконайтеся, що у вас є зв\'язок з сервером.', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Неможливо видалити сторінку, коли вона встановлена як домашня сторінка', // Entities diff --git a/lang/uk/settings.php b/lang/uk/settings.php index a7bf46524..45b1cfa86 100644 --- a/lang/uk/settings.php +++ b/lang/uk/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Налаштування', 'settings_save' => 'Зберегти налаштування', - 'settings_save_success' => 'Налаштування збережено', 'system_version' => 'Версія', 'categories' => 'Категорії', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Дата закінчення', 'user_api_token_expiry_desc' => 'Встановіть дату закінчення терміну дії цього токена. Після цієї дати запити, зроблені за допомогою цього токена, більше не працюватимуть. Якщо залишити це поле порожнім, термін дії токена закінчиться через 100 років.', 'user_api_token_create_secret_message' => 'Відразу після створення цього токена буде створено та показано «Ідентифікатор токена» та «Ключ токена». Ключ буде показано лише один раз, тому перед тим, як продовжити, не забудьте скопіювати значення ключа в надійне та безпечне місце.', - 'user_api_token_create_success' => 'Токен API успішно створено', - 'user_api_token_update_success' => 'Токен API успішно оновлено', 'user_api_token' => 'Токен API', 'user_api_token_id' => 'Ідентифікатор (ID) токена', 'user_api_token_id_desc' => 'Системний ідентифікатор цього токена, який потрібно буде вказати в запитах API. Його редагування неможливе.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Видалити токен', 'user_api_token_delete_warning' => 'Ця дія повністю видалить цей токен API із назвою \':tokenName\' з системи.', 'user_api_token_delete_confirm' => 'Дійсно хочете видалити цей токен API?', - 'user_api_token_delete_success' => 'Токен API успішно видалено', // Webhooks 'webhooks' => 'Веб-хуки', diff --git a/lang/uz/activities.php b/lang/uz/activities.php index bd024aae7..eae266eff 100644 --- a/lang/uz/activities.php +++ b/lang/uz/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'tiklangan sahifa', 'page_restore_notification' => 'Sahifa muvaffaqiyatli qayta tiklandi', 'page_move' => 'ko\'chirilgan sahifa', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'yaratilgan bo\'lim', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'o\'chirilgan bo\'lim', 'chapter_delete_notification' => 'Bo\'lim muvaffaqiyatli o\'chirildi', 'chapter_move' => 'ko\'chirilgan bo\'lim', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'yaratilgan kitob', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'deleted shelf', 'bookshelf_delete_notification' => 'Shelf successfully deleted', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" sevimlilaringizga qo\'shildi', 'favourite_remove_notification' => '":name" sevimlilaringizdan olib tashlandi', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Multi-faktor uslubi muvaffaqiyatli sozlandi', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Multi-faktor uslubi muvaffaqiyatli o\'chirildi', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'yaratilgan webhook', 'webhook_create_notification' => 'Webhook muvaffaqiyatli yaratildi', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook muvaffaqiyatli o\'chirildi', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Foydalanuvchi muvaffaqiyatli yangilandi', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Foydalanuvchi muvaffaqiyatli olib tashlandi', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Role successfully created', + 'role_update' => 'updated role', 'role_update_notification' => 'Role successfully updated', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Role successfully deleted', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'fikr qoldirdi', 'permissions_update' => 'yangilangan huquqlar', diff --git a/lang/uz/common.php b/lang/uz/common.php index c74dcc907..de7937b2b 100644 --- a/lang/uz/common.php +++ b/lang/uz/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Cancel', + 'close' => 'Close', 'confirm' => 'Confirm', 'back' => 'Back', 'save' => 'Save', diff --git a/lang/uz/components.php b/lang/uz/components.php index 3cad1c7ed..b021cfbc4 100644 --- a/lang/uz/components.php +++ b/lang/uz/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Rasmni tanlash', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Ushbu sahifaga yuklangan barcha rasmlarni ko\'rish', 'image_search_hint' => 'Rasmni nomi bo\'yicha izlash', 'image_uploaded' => ':uploadedDate sanada yuklangan', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Yana yuklash', 'image_image_name' => 'Rasm nomi', 'image_delete_used' => 'This image is used in the pages below.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Image uploaded successfully', 'image_update_success' => 'Image details successfully updated', 'image_delete_success' => 'Image successfully deleted', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Kodni tahrirlash', diff --git a/lang/uz/entities.php b/lang/uz/entities.php index 2a765e72a..fadfaf909 100644 --- a/lang/uz/entities.php +++ b/lang/uz/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Save Chapter', 'chapters_move' => 'Move Chapter', 'chapters_move_named' => 'Move Chapter :chapterName', - 'chapter_move_success' => 'Chapter moved to :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Chapter Permissions', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Editing Page', 'pages_edit_draft_save_at' => 'Draft saved at ', 'pages_edit_delete_draft' => 'Delete Draft', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Discard Draft', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Page is not in a chapter', 'pages_move' => 'Move Page', - 'pages_move_success' => 'Page moved to ":parentName"', 'pages_copy' => 'Copy Page', 'pages_copy_desination' => 'Copy Destination', 'pages_copy_success' => 'Page successfully copied', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Restore', 'pages_revisions_none' => 'This page has no revisions', 'pages_copy_link' => 'Copy Link', - 'pages_edit_content_link' => 'Edit Content', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Page Permissions Active', 'pages_initial_revision' => 'Initial publish', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'in the last :minCount minutes', 'message' => ':start :time. Take care not to overwrite each other\'s updates!', ], - 'pages_draft_discarded' => 'Draft discarded, The editor has been updated with the current page content', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Specific Page', 'pages_is_template' => 'Page Template', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Leave a comment here', 'comment_count' => '{0} No Comments|{1} 1 Comment|[2,*] :count Comments', 'comment_save' => 'Save Comment', - 'comment_saving' => 'Saving comment...', - 'comment_deleting' => 'Deleting comment...', 'comment_new' => 'New Comment', 'comment_created' => 'commented :createDiff', 'comment_updated' => 'Updated :updateDiff by :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Comment deleted', 'comment_created_success' => 'Comment added', 'comment_updated_success' => 'Comment updated', 'comment_delete_confirm' => 'Are you sure you want to delete this comment?', 'comment_in_reply_to' => 'In reply to :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Are you sure you want to delete this revision?', 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.', - 'revision_delete_success' => 'Revision deleted', 'revision_cannot_delete_latest' => 'Cannot delete the latest revision.', // Copy view diff --git a/lang/uz/errors.php b/lang/uz/errors.php index 6991f96e4..23c326f9e 100644 --- a/lang/uz/errors.php +++ b/lang/uz/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'An error occurred uploading the image', 'image_upload_type_error' => 'The image type being uploaded is invalid', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Failed to save draft. Ensure you have internet connection before saving this page', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Cannot delete a page while it is set as a homepage', // Entities diff --git a/lang/uz/settings.php b/lang/uz/settings.php index 38d817915..49a726bcb 100644 --- a/lang/uz/settings.php +++ b/lang/uz/settings.php @@ -7,9 +7,8 @@ return [ // Common Messages - 'settings' => 'Settings', - 'settings_save' => 'Save Settings', - 'settings_save_success' => 'Settings saved', + 'settings' => 'הגדרות', + 'settings_save' => 'שמור הגדרות', 'system_version' => 'System Version', 'categories' => 'Categories', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Expiry Date', 'user_api_token_expiry_desc' => 'Set a date at which this token expires. After this date, requests made using this token will no longer work. Leaving this field blank will set an expiry 100 years into the future.', 'user_api_token_create_secret_message' => 'Immediately after creating this token a "Token ID" & "Token Secret" will be generated and displayed. The secret will only be shown a single time so be sure to copy the value to somewhere safe and secure before proceeding.', - 'user_api_token_create_success' => 'API token successfully created', - 'user_api_token_update_success' => 'API token successfully updated', 'user_api_token' => 'API Token', 'user_api_token_id' => 'Token ID', 'user_api_token_id_desc' => 'This is a non-editable system generated identifier for this token which will need to be provided in API requests.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Delete Token', 'user_api_token_delete_warning' => 'This will fully delete this API token with the name \':tokenName\' from the system.', 'user_api_token_delete_confirm' => 'Are you sure you want to delete this API token?', - 'user_api_token_delete_success' => 'API token successfully deleted', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/vi/activities.php b/lang/vi/activities.php index 280da03df..9a5ac7540 100644 --- a/lang/vi/activities.php +++ b/lang/vi/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => 'đã khôi phục trang', 'page_restore_notification' => 'Trang đã được khôi phục thành công', 'page_move' => 'đã di chuyển trang', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => 'đã tạo chương', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => 'đã xóa chương', 'chapter_delete_notification' => 'Chương đã được xóa thành công', 'chapter_move' => 'đã di chuyển chương', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => 'đã tạo sách', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => 'xoá giá sách', 'bookshelf_delete_notification' => 'Xoá giá sách thành công', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" đã được thêm vào danh sách yêu thích của bạn', 'favourite_remove_notification' => '":name" đã được gỡ khỏi danh sách yêu thích của bạn', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => 'Cấu hình xác thực nhiều bước thành công', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => 'Đã gỡ xác thực nhiều bước', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'đã tạo webhook', 'webhook_create_notification' => 'Webhook đã được tạo thành công', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook đã được xóa thành công', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => 'Người dùng được cập nhật thành công', + 'user_delete' => 'deleted user', 'user_delete_notification' => 'Người dùng đã được xóa thành công', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => 'Vai trò mới đã được tạo thành công', + 'role_update' => 'updated role', 'role_update_notification' => 'Vai trò đã được cập nhật thành công', + 'role_delete' => 'deleted role', 'role_delete_notification' => 'Vai trò đã được xóa thành công', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => 'đã bình luận về', 'permissions_update' => 'các quyền đã được cập nhật', diff --git a/lang/vi/common.php b/lang/vi/common.php index eda90a769..58cee1477 100644 --- a/lang/vi/common.php +++ b/lang/vi/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => 'Huỷ', + 'close' => 'Close', 'confirm' => 'Xác nhận', 'back' => 'Quay lại', 'save' => 'Lưu', diff --git a/lang/vi/components.php b/lang/vi/components.php index 2c4e52e84..2f1de1c93 100644 --- a/lang/vi/components.php +++ b/lang/vi/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => 'Chọn Ảnh', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Tải ảnh lên', 'image_intro' => 'Bạn có thể lựa chọn và quản lý các hình ảnh đã được tải lên hệ thống từ trước ở đây.', 'image_intro_upload' => 'Tải lên ảnh mới bằng cách kéo và thả nó vào cửa sổ này, hoặc sử dụng nút tải ảnh ở bên trên.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => 'Xem các ảnh đã được tải lên trong trang này', 'image_search_hint' => 'Tìm kiếm ảnh bằng tên', 'image_uploaded' => 'Đã tải lên :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => 'Hiện thêm', 'image_image_name' => 'Tên Ảnh', 'image_delete_used' => 'Ảnh này được sử dụng trong các trang dưới đây.', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => 'Ảnh đã tải lên thành công', 'image_update_success' => 'Chi tiết ảnh được cập nhật thành công', 'image_delete_success' => 'Ảnh đã được xóa thành công', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => 'Sửa Mã', diff --git a/lang/vi/entities.php b/lang/vi/entities.php index 063dcb1f8..afe07c048 100644 --- a/lang/vi/entities.php +++ b/lang/vi/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => 'Lưu Chương', 'chapters_move' => 'Di chuyển Chương', 'chapters_move_named' => 'Di chuyển Chương :chapterName', - 'chapter_move_success' => 'Chương được di chuyển đến :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => 'Quyền hạn Chương', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => 'Đang chỉnh sửa Trang', 'pages_edit_draft_save_at' => 'Bản nháp đã lưu lúc ', 'pages_edit_delete_draft' => 'Xóa Bản nháp', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => 'Hủy bỏ Bản nháp', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => 'Trang không nằm trong một chương', 'pages_move' => 'Di chuyển Trang', - 'pages_move_success' => 'Trang đã chuyển tới ":parentName"', 'pages_copy' => 'Sao chép Trang', 'pages_copy_desination' => 'Sao lưu đến', 'pages_copy_success' => 'Trang được sao chép thành công', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => 'Khôi phục', 'pages_revisions_none' => 'Trang này không có phiên bản nào', 'pages_copy_link' => 'Sao chép Liên kết', - 'pages_edit_content_link' => 'Soạn thảo Nội dung', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => 'Đang bật các quyền hạn từ Trang', 'pages_initial_revision' => 'Đăng bài mở đầu', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => 'trong :minCount phút cuối', 'message' => ':start :time. Hãy cẩn thận đừng ghi đè vào các bản cập nhật của nhau!', ], - 'pages_draft_discarded' => 'Bản nháp đã được loại bỏ, Người sửa đã cập nhật trang với nội dung hiện tại', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => 'Trang cụ thể', 'pages_is_template' => 'Biểu mẫu trang', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => 'Đăng bình luận tại đây', 'comment_count' => '{0} Không có bình luận|{1} 1 Bình luận|[2,*] :count Bình luận', 'comment_save' => 'Lưu bình luận', - 'comment_saving' => 'Đang lưu bình luận...', - 'comment_deleting' => 'Đang xóa bình luận...', 'comment_new' => 'Bình luận mới', 'comment_created' => 'đã bình luận :createDiff', 'comment_updated' => 'Đã cập nhật :updateDiff bởi :username', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => 'Bình luận đã bị xóa', 'comment_created_success' => 'Đã thêm bình luận', 'comment_updated_success' => 'Bình luận đã được cập nhật', 'comment_delete_confirm' => 'Bạn có chắc bạn muốn xóa bình luận này?', 'comment_in_reply_to' => 'Trả lời cho :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => 'Bạn có chắc bạn muốn xóa phiên bản này?', 'revision_restore_confirm' => 'Bạn có chắc bạn muốn khôi phục phiên bản này? Nội dung trang hiện tại sẽ được thay thế.', - 'revision_delete_success' => 'Phiên bản đã được xóa', 'revision_cannot_delete_latest' => 'Không thể xóa phiên bản mới nhất.', // Copy view diff --git a/lang/vi/errors.php b/lang/vi/errors.php index 89fa34e97..c53fe1c23 100644 --- a/lang/vi/errors.php +++ b/lang/vi/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => 'Đã xảy ra lỗi khi đang tải lên ảnh', 'image_upload_type_error' => 'Ảnh đang được tải lên không hợp lệ', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => 'Lưu bản nháp thất bại. Đảm bảo rằng bạn có kết nối đến internet trước khi lưu trang này', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => 'Không thể xóa trang khi nó đang được đặt là trang chủ', // Entities diff --git a/lang/vi/settings.php b/lang/vi/settings.php index 48125e0fb..3ece26148 100644 --- a/lang/vi/settings.php +++ b/lang/vi/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => 'Cài đặt', 'settings_save' => 'Lưu Cài đặt', - 'settings_save_success' => 'Đã lưu cài đặt', 'system_version' => 'Phiên bản Hệ thống', 'categories' => 'Danh mục', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => 'Ngày hết hạn', 'user_api_token_expiry_desc' => 'Đặt một ngày hết hạn cho token này. Sau ngày này, các yêu cầu được tạo khi sử dụng token này sẽ không còn hoạt động. Để trống trường này sẽ đặt ngày hết hạn sau 100 năm tới.', 'user_api_token_create_secret_message' => 'Ngay sau khi tạo token này một "Mã Token" & "Mật khẩu Token" sẽ được tạo và hiển thị. Mật khẩu sẽ chỉ được hiện một lần duy nhất nên hãy chắc rằng bạn sao lưu giá trị của nó ở nơi an toàn và bảo mật trước khi tiếp tục.', - 'user_api_token_create_success' => 'Token API đã được tạo thành công', - 'user_api_token_update_success' => 'Token API đã được cập nhật thành công', 'user_api_token' => 'Token API', 'user_api_token_id' => 'Mã Token', 'user_api_token_id_desc' => 'Đây là hệ thống sinh ra định danh không thể chỉnh sửa cho token này, thứ mà sẽ cần phải cung cấp khi yêu cầu API.', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => 'Xóa Token', 'user_api_token_delete_warning' => 'Chức năng này sẽ hoàn toàn xóa token API với tên \':tokenName\' từ hệ thống.', 'user_api_token_delete_confirm' => 'Bạn có chắc rằng muốn xóa token API này?', - 'user_api_token_delete_success' => 'Token API đã được xóa thành công', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/zh_CN/activities.php b/lang/zh_CN/activities.php index d282fb3a1..4a83b9b83 100644 --- a/lang/zh_CN/activities.php +++ b/lang/zh_CN/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => '页面已恢复', 'page_restore_notification' => '页面恢复成功', 'page_move' => '页面已移动', + 'page_move_notification' => '页面移动成功', // Chapters 'chapter_create' => '章节已创建', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => '章节已删除', 'chapter_delete_notification' => '章节删除成功', 'chapter_move' => '章节已移动', + 'chapter_move_notification' => '章节移动成功', // Books 'book_create' => '图书已创建', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => '书架已删除', 'bookshelf_delete_notification' => '书架删除成功', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" 已添加到您的收藏', 'favourite_remove_notification' => '":name" 已从您的收藏中删除', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => '多重身份认证设置成功', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => '多重身份认证已成功移除', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => '设置更新成功', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => 'Webhook 已创建', 'webhook_create_notification' => 'Webhook 创建成功', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook 删除成功', // Users + 'user_create' => 'created user', + 'user_create_notification' => '用户创建成功', + 'user_update' => 'updated user', 'user_update_notification' => '用户更新成功', + 'user_delete' => 'deleted user', 'user_delete_notification' => '成功移除用户', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => '角色创建成功', + 'role_update' => 'updated role', 'role_update_notification' => '角色更新成功', + 'role_delete' => 'deleted role', 'role_delete_notification' => '角色删除成功', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => '评论', 'permissions_update' => '权限已更新', diff --git a/lang/zh_CN/common.php b/lang/zh_CN/common.php index 1d56c4371..3d7e9682f 100644 --- a/lang/zh_CN/common.php +++ b/lang/zh_CN/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => '取消', + 'close' => '关闭', 'confirm' => '确认', 'back' => '返回', 'save' => '保存', diff --git a/lang/zh_CN/components.php b/lang/zh_CN/components.php index d075b8b00..6ce5a6356 100644 --- a/lang/zh_CN/components.php +++ b/lang/zh_CN/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => '选择图片', + 'image_list' => '图片列表', + 'image_details' => '图片详情', 'image_upload' => '上传图片', 'image_intro' => '您可以在此选择和管理以前上传到系统的图片。', 'image_intro_upload' => '通过将图片文件拖到此窗口或使用上面的“上传图片”按钮来上传新图片。', @@ -15,6 +17,9 @@ return [ 'image_page_title' => '查看上传到本页面的图片', 'image_search_hint' => '按图片名称搜索', 'image_uploaded' => '上传于 :uploadedDate', + 'image_uploaded_by' => '由 :username 上传', + 'image_uploaded_to' => '上传到 :pageLink', + 'image_updated' => ':updateDate 更新', 'image_load_more' => '显示更多', 'image_image_name' => '图片名称', 'image_delete_used' => '该图像用于以下页面。', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => '图片上传成功', 'image_update_success' => '图片详细信息更新成功', 'image_delete_success' => '图片删除成功', + 'image_replace' => '替换图片', + 'image_replace_success' => '图片文件更新成功', // Code Editor 'code_editor' => '编辑代码', diff --git a/lang/zh_CN/entities.php b/lang/zh_CN/entities.php index cc53dd684..44b6b91cb 100644 --- a/lang/zh_CN/entities.php +++ b/lang/zh_CN/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => '保存章节', 'chapters_move' => '移动章节', 'chapters_move_named' => '移动章节「:chapterName」', - 'chapter_move_success' => '章节移动到「:bookName」', 'chapters_copy' => '复制章节', 'chapters_copy_success' => '章节已成功复制', 'chapters_permissions' => '章节权限', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => '正在编辑页面', 'pages_edit_draft_save_at' => '草稿保存于 ', 'pages_edit_delete_draft' => '删除草稿', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => '放弃草稿', 'pages_edit_switch_to_markdown' => '切换到 Markdown 编辑器', 'pages_edit_switch_to_markdown_clean' => '(整理内容)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => '同步预览滚动', 'pages_not_in_chapter' => '本页面不在某章节中', 'pages_move' => '移动页面', - 'pages_move_success' => '页面已移动到「:parentName」', 'pages_copy' => '复制页面', 'pages_copy_desination' => '复制目的地', 'pages_copy_success' => '页面复制完成', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => '恢复', 'pages_revisions_none' => '此页面没有修订', 'pages_copy_link' => '复制链接', - 'pages_edit_content_link' => '编辑内容', + 'pages_edit_content_link' => '跳转到编辑器中的部分', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => '页面权限已启用', 'pages_initial_revision' => '初始发布', 'pages_references_update_revision' => '系统自动更新的内部链接', @@ -281,7 +286,8 @@ return [ 'time_b' => '在最近 :minCount 分钟', 'message' => ':time :start。注意不要覆盖他人的更新!', ], - 'pages_draft_discarded' => '草稿已丢弃,编辑器已更新到当前页面内容。', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => '具体页面', 'pages_is_template' => '页面模板', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => '在这里评论', 'comment_count' => '{0} 无评论|{1} 1 条评论|[2,*] :count 条评论', 'comment_save' => '保存评论', - 'comment_saving' => '正在保存评论...', - 'comment_deleting' => '正在删除评论...', 'comment_new' => '新评论', 'comment_created' => '评论于 :createDiff', 'comment_updated' => '更新于 :updateDiff (:username)', + 'comment_updated_indicator' => '已更新', 'comment_deleted_success' => '评论已删除', 'comment_created_success' => '评论已添加', 'comment_updated_success' => '评论已更新', 'comment_delete_confirm' => '您确定要删除这条评论?', 'comment_in_reply_to' => '回复 :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => '您确定要删除此修订版吗?', 'revision_restore_confirm' => '您确定要恢复到此修订版吗?恢复后当前页面内容将被替换。', - 'revision_delete_success' => '修订删除', 'revision_cannot_delete_latest' => '无法删除最新版本。', // Copy view diff --git a/lang/zh_CN/errors.php b/lang/zh_CN/errors.php index c27390363..ce99c6722 100644 --- a/lang/zh_CN/errors.php +++ b/lang/zh_CN/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => '上传图片时发生错误', 'image_upload_type_error' => '上传的图像类型无效', + 'image_upload_replace_type' => '图片文件替换必须为相同的类型', 'drawing_data_not_found' => '无法加载绘图数据。绘图文件可能不再存在,或者您可能没有权限访问它。', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => '无法保存草稿,确保您在保存页面之前已经连接到互联网', + 'page_draft_delete_fail' => '无法删除页面草稿并获取当前页面已保存的内容', 'page_custom_home_deletion' => '无法删除一个被设置为主页的页面', // Entities diff --git a/lang/zh_CN/settings.php b/lang/zh_CN/settings.php index 06c7458ae..fe389e3fb 100644 --- a/lang/zh_CN/settings.php +++ b/lang/zh_CN/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => '设置', 'settings_save' => '保存设置', - 'settings_save_success' => '设置已保存', 'system_version' => '系统版本', 'categories' => '类别', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => '过期期限', 'user_api_token_expiry_desc' => '请设置一个此令牌的过期时间,过期后此令牌所给出的请求将失效,若将此处留为空白将自动设置过期时间为100年。', 'user_api_token_create_secret_message' => '创建此令牌后会立即生成“令牌ID”和“令牌密钥”。该密钥只会显示一次,所以请确保在继续操作之前将密钥记录或复制到一个安全的地方。', - 'user_api_token_create_success' => '成功创建API令牌。', - 'user_api_token_update_success' => '成功更新API令牌。', 'user_api_token' => 'API令牌', 'user_api_token_id' => '令牌ID', 'user_api_token_id_desc' => '这是系统生成的一个不可编辑的令牌标识符,需要在API请求中才能提供。', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => '删除令牌', 'user_api_token_delete_warning' => '这将会从系统中完全删除名为 “:tokenName” 的 API 令牌', 'user_api_token_delete_confirm' => '您确定要删除此API令牌吗?', - 'user_api_token_delete_success' => '成功删除API令牌', // Webhooks 'webhooks' => 'Webhooks', diff --git a/lang/zh_TW/activities.php b/lang/zh_TW/activities.php index 2605107ae..ca22e6066 100644 --- a/lang/zh_TW/activities.php +++ b/lang/zh_TW/activities.php @@ -15,6 +15,7 @@ return [ 'page_restore' => '已還原頁面', 'page_restore_notification' => '頁面已還原成功', 'page_move' => '已移動頁面', + 'page_move_notification' => 'Page successfully moved', // Chapters 'chapter_create' => '已建立章節', @@ -24,6 +25,7 @@ return [ 'chapter_delete' => '已刪除章節', 'chapter_delete_notification' => '章節已刪除成功', 'chapter_move' => '已移動章節', + 'chapter_move_notification' => 'Chapter successfully moved', // Books 'book_create' => '已建立書本', @@ -47,14 +49,30 @@ return [ 'bookshelf_delete' => '刪除書棧', 'bookshelf_delete_notification' => '書棧已刪除', + // Revisions + 'revision_restore' => 'restored revision', + 'revision_delete' => 'deleted revision', + 'revision_delete_notification' => 'Revision successfully deleted', + // Favourites 'favourite_add_notification' => '":name" 已加入到你的最愛', 'favourite_remove_notification' => '":name" 已從你的最愛移除', - // MFA + // Auth + 'auth_login' => 'logged in', + 'auth_register' => 'registered as new user', + 'auth_password_reset_request' => 'requested user password reset', + 'auth_password_reset_update' => 'reset user password', + 'mfa_setup_method' => 'configured MFA method', 'mfa_setup_method_notification' => '多重身份驗證已設定成功', + 'mfa_remove_method' => 'removed MFA method', 'mfa_remove_method_notification' => '多重身份驗證已移除成功', + // Settings + 'settings_update' => 'updated settings', + 'settings_update_notification' => 'Settings successfully updated', + 'maintenance_action_run' => 'ran maintenance action', + // Webhooks 'webhook_create' => '建立 Webhook', 'webhook_create_notification' => 'Webhook 已建立成功', @@ -64,14 +82,34 @@ return [ 'webhook_delete_notification' => 'Webhook 已刪除成功', // Users + 'user_create' => 'created user', + 'user_create_notification' => 'User successfully created', + 'user_update' => 'updated user', 'user_update_notification' => '使用者已成功更新。', + 'user_delete' => 'deleted user', 'user_delete_notification' => '使用者移除成功', + // API Tokens + 'api_token_create' => 'created api token', + 'api_token_create_notification' => 'API token successfully created', + 'api_token_update' => 'updated api token', + 'api_token_update_notification' => 'API token successfully updated', + 'api_token_delete' => 'deleted api token', + 'api_token_delete_notification' => 'API token successfully deleted', + // Roles + 'role_create' => 'created role', 'role_create_notification' => '建立角色成功', + 'role_update' => 'updated role', 'role_update_notification' => '更新角色成功', + 'role_delete' => 'deleted role', 'role_delete_notification' => '刪除角色成功', + // Recycle Bin + 'recycle_bin_empty' => 'emptied recycle bin', + 'recycle_bin_restore' => 'restored from recycle bin', + 'recycle_bin_destroy' => 'removed from recycle bin', + // Other 'commented_on' => '評論', 'permissions_update' => '更新權限', diff --git a/lang/zh_TW/common.php b/lang/zh_TW/common.php index 6a0fa40e4..0da1b8c13 100644 --- a/lang/zh_TW/common.php +++ b/lang/zh_TW/common.php @@ -6,6 +6,7 @@ return [ // Buttons 'cancel' => '取消', + 'close' => 'Close', 'confirm' => '確認', 'back' => '返回', 'save' => '儲存', diff --git a/lang/zh_TW/components.php b/lang/zh_TW/components.php index 1b9c49685..4f0501664 100644 --- a/lang/zh_TW/components.php +++ b/lang/zh_TW/components.php @@ -6,6 +6,8 @@ return [ // Image Manager 'image_select' => '選取圖片', + 'image_list' => 'Image List', + 'image_details' => 'Image Details', 'image_upload' => 'Upload Image', 'image_intro' => 'Here you can select and manage images that have been previously uploaded to the system.', 'image_intro_upload' => 'Upload a new image by dragging an image file into this window, or by using the "Upload Image" button above.', @@ -15,6 +17,9 @@ return [ 'image_page_title' => '檢視上傳到此頁面的圖片', 'image_search_hint' => '以圖片名稱搜尋', 'image_uploaded' => '上傳於 :uploadedDate', + 'image_uploaded_by' => 'Uploaded by :userName', + 'image_uploaded_to' => 'Uploaded to :pageLink', + 'image_updated' => 'Updated :updateDate', 'image_load_more' => '載入更多', 'image_image_name' => '圖片名稱', 'image_delete_used' => '此圖片用於以下頁面。', @@ -27,6 +32,8 @@ return [ 'image_upload_success' => '圖片上傳成功', 'image_update_success' => '圖片詳細資訊更新成功', 'image_delete_success' => '圖片刪除成功', + 'image_replace' => 'Replace Image', + 'image_replace_success' => 'Image file successfully updated', // Code Editor 'code_editor' => '編輯程式碼', diff --git a/lang/zh_TW/entities.php b/lang/zh_TW/entities.php index faeccda61..c717486dd 100644 --- a/lang/zh_TW/entities.php +++ b/lang/zh_TW/entities.php @@ -180,7 +180,6 @@ return [ 'chapters_save' => '儲存章節', 'chapters_move' => '移動章節', 'chapters_move_named' => '移動章節 :chapterName', - 'chapter_move_success' => '章節移動到 :bookName', 'chapters_copy' => 'Copy Chapter', 'chapters_copy_success' => 'Chapter successfully copied', 'chapters_permissions' => '章節權限', @@ -214,6 +213,7 @@ return [ 'pages_editing_page' => '正在編輯頁面', 'pages_edit_draft_save_at' => '草稿儲存於 ', 'pages_edit_delete_draft' => '刪除草稿', + 'pages_edit_delete_draft_confirm' => 'Are you sure you want to delete your draft page changes? All of your changes, since the last full save, will be lost and the editor will be updated with the latest page non-draft save state.', 'pages_edit_discard_draft' => '放棄草稿', 'pages_edit_switch_to_markdown' => 'Switch to Markdown Editor', 'pages_edit_switch_to_markdown_clean' => '(Clean Content)', @@ -240,7 +240,6 @@ return [ 'pages_md_sync_scroll' => 'Sync preview scroll', 'pages_not_in_chapter' => '頁面不在章節中', 'pages_move' => '移動頁面', - 'pages_move_success' => '頁面已移動到「:parentName」', 'pages_copy' => '複製頁面', 'pages_copy_desination' => '複製的目的地', 'pages_copy_success' => '頁面已成功複製', @@ -266,7 +265,13 @@ return [ 'pages_revisions_restore' => '還原', 'pages_revisions_none' => '此頁面沒有修訂', 'pages_copy_link' => '複製連結', - 'pages_edit_content_link' => '編輯內容', + 'pages_edit_content_link' => 'Jump to section in editor', + 'pages_pointer_enter_mode' => 'Enter section select mode', + 'pages_pointer_label' => 'Page Section Options', + 'pages_pointer_permalink' => 'Page Section Permalink', + 'pages_pointer_include_tag' => 'Page Section Include Tag', + 'pages_pointer_toggle_link' => 'Permalink mode, Press to show include tag', + 'pages_pointer_toggle_include' => 'Include tag mode, Press to show permalink', 'pages_permissions_active' => '頁面權限已啟用', 'pages_initial_revision' => '初次發布', 'pages_references_update_revision' => 'System auto-update of internal links', @@ -281,7 +286,8 @@ return [ 'time_b' => '在最近:minCount分鐘', 'message' => ':start :time。注意不要覆寫其他人的更新!', ], - 'pages_draft_discarded' => '草稿已丟棄。編輯器已更新到目前頁面內容', + 'pages_draft_discarded' => 'Draft discarded! The editor has been updated with the current page content', + 'pages_draft_deleted' => 'Draft deleted! The editor has been updated with the current page content', 'pages_specific' => '特定頁面', 'pages_is_template' => '頁面模板', @@ -356,21 +362,20 @@ return [ 'comment_placeholder' => '在這裡評論', 'comment_count' => '{0} 無評論 |{1} :count 則評論 |[2,*] :count 則評論', 'comment_save' => '儲存評論', - 'comment_saving' => '正在儲存評論……', - 'comment_deleting' => '正在刪除評論……', 'comment_new' => '新評論', 'comment_created' => '評論於 :createDiff', 'comment_updated' => '由 :username 於 :updateDiff 更新', + 'comment_updated_indicator' => 'Updated', 'comment_deleted_success' => '評論已刪除', 'comment_created_success' => '評論已加入', 'comment_updated_success' => '評論已更新', 'comment_delete_confirm' => '您確定要刪除這則評論?', 'comment_in_reply_to' => '回覆 :commentId', + 'comment_editor_explain' => 'Here are the comments that have been left on this page. Comments can be added & managed when viewing the saved page.', // Revision 'revision_delete_confirm' => '您確定要刪除此修訂版本嗎?', 'revision_restore_confirm' => '您確定要還原此修訂版本嗎? 目前頁面內容將被替換。', - 'revision_delete_success' => '修訂版本已刪除', 'revision_cannot_delete_latest' => '無法刪除最新修訂版本。', // Copy view diff --git a/lang/zh_TW/errors.php b/lang/zh_TW/errors.php index 16534ff91..8e04a6cfa 100644 --- a/lang/zh_TW/errors.php +++ b/lang/zh_TW/errors.php @@ -49,6 +49,7 @@ return [ // Drawing & Images 'image_upload_error' => '上傳圖片時發生錯誤', 'image_upload_type_error' => '上傳圖片類型無效', + 'image_upload_replace_type' => 'Image file replacements must be of the same type', 'drawing_data_not_found' => '無法載入繪圖資料,繪圖檔案可能不存在,或您可能沒有權限存取它。', // Attachments @@ -57,6 +58,7 @@ return [ // Pages 'page_draft_autosave_fail' => '無法儲存草稿。請確保您在儲存此頁面前已連線至網際網路', + 'page_draft_delete_fail' => 'Failed to delete page draft and fetch current page saved content', 'page_custom_home_deletion' => '無法刪除被設定為首頁的頁面', // Entities diff --git a/lang/zh_TW/settings.php b/lang/zh_TW/settings.php index 86e6c6f16..04ea8fdfc 100644 --- a/lang/zh_TW/settings.php +++ b/lang/zh_TW/settings.php @@ -9,7 +9,6 @@ return [ // Common Messages 'settings' => '設定', 'settings_save' => '儲存設定', - 'settings_save_success' => '設定已儲存', 'system_version' => '系統版本', 'categories' => '分類', @@ -232,8 +231,6 @@ return [ 'user_api_token_expiry' => '到期日', 'user_api_token_expiry_desc' => '設定此權杖的到期日。在此日期後,使用此權杖發出的請求將不再起作用。若將此欄留空,將會設定在100年後過期。', 'user_api_token_create_secret_message' => '建立此權杖後,將會立即生成並顯示「權杖 ID」與「權杖密碼」。該密碼將只會顯示一次,因此請在繼續操作前將其複製到安全的地方。', - 'user_api_token_create_success' => '成功建立 API 權杖', - 'user_api_token_update_success' => '成功更新 API 權杖', 'user_api_token' => 'API 權杖', 'user_api_token_id' => '權杖 ID', 'user_api_token_id_desc' => '這是此權杖由系統生成的不可編輯識別字串,必須在 API 請求中提供。', @@ -244,7 +241,6 @@ return [ 'user_api_token_delete' => '刪除權杖', 'user_api_token_delete_warning' => '這將會從系統中完全刪除名為「:tokenName」的 API 權杖。', 'user_api_token_delete_confirm' => '您確定要刪除此 API 權杖嗎?', - 'user_api_token_delete_success' => 'API 權杖已成功刪除', // Webhooks 'webhooks' => 'Webhooks', diff --git a/public/libs/tinymce/icons/default/icons.min.js b/public/libs/tinymce/icons/default/icons.min.js index bd16eb72f..252210cf5 100644 --- a/public/libs/tinymce/icons/default/icons.min.js +++ b/public/libs/tinymce/icons/default/icons.min.js @@ -1 +1 @@ -tinymce.IconManager.add("default",{icons:{"accessibility-check":'',"action-next":'',"action-prev":'',addtag:'',"align-center":'',"align-justify":'',"align-left":'',"align-none":'',"align-right":'',"arrow-left":'',"arrow-right":'',bold:'',bookmark:'',"border-style":'',"border-width":'',brightness:'',browse:'',cancel:'',"cell-background-color":'',"cell-border-color":'',"change-case":'',"character-count":'',"checklist-rtl":'',checklist:'',checkmark:'',"chevron-down":'',"chevron-left":'',"chevron-right":'',"chevron-up":'',close:'',"code-sample":'',"color-levels":'',"color-picker":'',"color-swatch-remove-color":'',"color-swatch":'',"comment-add":'',comment:'',contrast:'',copy:'',crop:'',"cut-column":'',"cut-row":'',cut:'',"document-properties":'',drag:'',"duplicate-column":'',"duplicate-row":'',duplicate:'',"edit-block":'',"edit-image":'',"embed-page":'',embed:'',emoji:'',export:'',fill:'',"flip-horizontally":'',"flip-vertically":'',footnote:'',"format-painter":'',format:'',fullscreen:'',gallery:'',gamma:'',help:'',"highlight-bg-color":'',home:'',"horizontal-rule":'',"image-options":'',image:'',indent:'',info:'',"insert-character":'',"insert-time":'',invert:'',italic:'',language:'',"line-height":'',line:'',link:'',"list-bull-circle":'',"list-bull-default":'',"list-bull-square":'',"list-num-default-rtl":'',"list-num-default":'',"list-num-lower-alpha-rtl":'',"list-num-lower-alpha":'',"list-num-lower-greek-rtl":'',"list-num-lower-greek":'',"list-num-lower-roman-rtl":'',"list-num-lower-roman":'',"list-num-upper-alpha-rtl":'',"list-num-upper-alpha":'',"list-num-upper-roman-rtl":'',"list-num-upper-roman":'',lock:'',ltr:'',"more-drawer":'',"new-document":'',"new-tab":'',"non-breaking":'',notice:'',"ordered-list-rtl":'',"ordered-list":'',orientation:'',outdent:'',"page-break":'',paragraph:'',"paste-column-after":'',"paste-column-before":'',"paste-row-after":'',"paste-row-before":'',"paste-text":'',paste:'',"permanent-pen":'',plus:'',preferences:'',preview:'',print:'',quote:'',redo:'',reload:'',"remove-formatting":'',remove:'',"resize-handle":'',resize:'',"restore-draft":'',"rotate-left":'',"rotate-right":'',rtl:'',save:'',search:'',"select-all":'',selected:'',settings:'',sharpen:'',sourcecode:'',"spell-check":'',"strike-through":'',subscript:'',superscript:'',"table-caption":'',"table-cell-classes":'',"table-cell-properties":'',"table-cell-select-all":'',"table-cell-select-inner":'',"table-classes":'',"table-delete-column":'',"table-delete-row":'',"table-delete-table":'',"table-insert-column-after":'',"table-insert-column-before":'',"table-insert-row-above":'',"table-insert-row-after":'',"table-left-header":'',"table-merge-cells":'',"table-row-numbering-rtl":'',"table-row-numbering":'',"table-row-properties":'',"table-split-cells":'',"table-top-header":'',table:'',template:'',"temporary-placeholder":'',"text-color":'',toc:'',translate:'',typography:'',underline:'',undo:'',unlink:'',unlock:'',"unordered-list":'',unselected:'',upload:'',user:'',"vertical-align":'',visualblocks:'',visualchars:'',warning:'',"zoom-in":'',"zoom-out":''}}); \ No newline at end of file +tinymce.IconManager.add("default",{icons:{"accessibility-check":'',"accordion-toggle":'',accordion:'',"action-next":'',"action-prev":'',addtag:'',"align-center":'',"align-justify":'',"align-left":'',"align-none":'',"align-right":'',"arrow-left":'',"arrow-right":'',bold:'',bookmark:'',"border-style":'',"border-width":'',brightness:'',browse:'',cancel:'',"cell-background-color":'',"cell-border-color":'',"change-case":'',"character-count":'',"checklist-rtl":'',checklist:'',checkmark:'',"chevron-down":'',"chevron-left":'',"chevron-right":'',"chevron-up":'',close:'',"code-sample":'',"color-levels":'',"color-picker":'',"color-swatch-remove-color":'',"color-swatch":'',"comment-add":'',comment:'',contrast:'',copy:'',crop:'',"cut-column":'',"cut-row":'',cut:'',"document-properties":'',drag:'',"duplicate-column":'',"duplicate-row":'',duplicate:'',"edit-block":'',"edit-image":'',"embed-page":'',embed:'',emoji:'',export:'',fill:'',"flip-horizontally":'',"flip-vertically":'',footnote:'',"format-painter":'',format:'',fullscreen:'',gallery:'',gamma:'',help:'',"highlight-bg-color":'',home:'',"horizontal-rule":'',"image-options":'',image:'',indent:'',info:'',"insert-character":'',"insert-time":'',invert:'',italic:'',language:'',"line-height":'',line:'',link:'',"list-bull-circle":'',"list-bull-default":'',"list-bull-square":'',"list-num-default-rtl":'',"list-num-default":'',"list-num-lower-alpha-rtl":'',"list-num-lower-alpha":'',"list-num-lower-greek-rtl":'',"list-num-lower-greek":'',"list-num-lower-roman-rtl":'',"list-num-lower-roman":'',"list-num-upper-alpha-rtl":'',"list-num-upper-alpha":'',"list-num-upper-roman-rtl":'',"list-num-upper-roman":'',lock:'',ltr:'',minus:'',"more-drawer":'',"new-document":'',"new-tab":'',"non-breaking":'',notice:'',"ordered-list-rtl":'',"ordered-list":'',orientation:'',outdent:'',"page-break":'',paragraph:'',"paste-column-after":'',"paste-column-before":'',"paste-row-after":'',"paste-row-before":'',"paste-text":'',paste:'',"permanent-pen":'',plus:'',preferences:'',preview:'',print:'',quote:'',redo:'',reload:'',"remove-formatting":'',remove:'',"resize-handle":'',resize:'',"restore-draft":'',"rotate-left":'',"rotate-right":'',rtl:'',save:'',search:'',"select-all":'',selected:'',settings:'',sharpen:'',sourcecode:'',"spell-check":'',"strike-through":'',subscript:'',superscript:'',"table-caption":'',"table-cell-classes":'',"table-cell-properties":'',"table-cell-select-all":'',"table-cell-select-inner":'',"table-classes":'',"table-delete-column":'',"table-delete-row":'',"table-delete-table":'',"table-insert-column-after":'',"table-insert-column-before":'',"table-insert-row-above":'',"table-insert-row-after":'',"table-left-header":'',"table-merge-cells":'',"table-row-numbering-rtl":'',"table-row-numbering":'',"table-row-properties":'',"table-split-cells":'',"table-top-header":'',table:'',"template-add":'',template:'',"temporary-placeholder":'',"text-color":'',"text-size-decrease":'',"text-size-increase":'',toc:'',translate:'',typography:'',underline:'',undo:'',unlink:'',unlock:'',"unordered-list":'',unselected:'',upload:'',user:'',"vertical-align":'',visualblocks:'',visualchars:'',warning:'',"zoom-in":'',"zoom-out":''}}); \ No newline at end of file diff --git a/public/libs/tinymce/langs/README.md b/public/libs/tinymce/langs/README.md index a52bf03f9..cd93d8c85 100644 --- a/public/libs/tinymce/langs/README.md +++ b/public/libs/tinymce/langs/README.md @@ -1,3 +1,3 @@ This is where language files should be placed. -Please DO NOT translate these directly use this service: https://www.transifex.com/projects/p/tinymce/ +Please DO NOT translate these directly, use this service instead: https://crowdin.com/project/tinymce diff --git a/public/libs/tinymce/models/dom/model.min.js b/public/libs/tinymce/models/dom/model.min.js index 84bd6b77f..8065e3eaa 100644 --- a/public/libs/tinymce/models/dom/model.min.js +++ b/public/libs/tinymce/models/dom/model.min.js @@ -1,4 +1,4 @@ /** - * TinyMCE version 6.3.1 (2022-12-06) + * TinyMCE version 6.5.1 (2023-06-19) */ -!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.ModelManager");const t=e=>t=>(e=>{const t=typeof e;return null===e?"null":"object"===t&&Array.isArray(e)?"array":"object"===t&&(o=n=e,(r=String).prototype.isPrototypeOf(o)||(null===(s=n.constructor)||void 0===s?void 0:s.name)===r.name)?"string":t;var o,n,r,s})(t)===e,o=e=>t=>typeof t===e,n=e=>t=>e===t,r=t("string"),s=t("object"),l=t("array"),a=n(null),c=o("boolean"),i=n(void 0),m=e=>!(e=>null==e)(e),d=o("function"),u=o("number"),f=()=>{},g=e=>()=>e,h=e=>e,p=(e,t)=>e===t;function w(e,...t){return(...o)=>{const n=t.concat(o);return e.apply(null,n)}}const b=e=>t=>!e(t),v=e=>e(),y=g(!1),x=g(!0);class C{constructor(e,t){this.tag=e,this.value=t}static some(e){return new C(!0,e)}static none(){return C.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?C.some(e(this.value)):C.none()}bind(e){return this.tag?e(this.value):C.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:C.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return m(e)?C.some(e):C.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}C.singletonNone=new C(!1);const S=Array.prototype.slice,T=Array.prototype.indexOf,R=Array.prototype.push,D=(e,t)=>{return o=e,n=t,T.call(o,n)>-1;var o,n},O=(e,t)=>{for(let o=0,n=e.length;o'+n+"");const a=s.select("#__new")[0];s.setAttrib(a,"id",null),e.selection.select(a)}),(a=>{s.setAttrib(a,"class","language-"+t),a.innerHTML=n,u(e).highlightElement(a),e.selection.select(a)}))}))})(e,n.language,n.code),t.close()}})},p=(b=/^\s+|\s+$/g,e=>e.replace(b,""));var b,h=tinymce.util.Tools.resolve("tinymce.util.Tools");e.add("codesample",(e=>{(e=>{const t=e.options.register;t("codesample_languages",{processor:"object[]"}),t("codesample_global_prismjs",{processor:"boolean",default:!1})})(e),(e=>{e.on("PreProcess",(t=>{const n=e.dom,a=n.select("pre[contenteditable=false]",t.node);h.each(h.grep(a,c),(e=>{const t=e.textContent;let a;for(n.setAttrib(e,"class",p(n.getAttrib(e,"class"))),n.setAttrib(e,"contentEditable",null),n.setAttrib(e,"data-mce-highlighted",null);a=e.firstChild;)e.removeChild(a);n.add(e,"code").textContent=t}))})),e.on("SetContent",(()=>{const t=e.dom,n=h.grep(t.select("pre"),(e=>c(e)&&"true"!==t.getAttrib(e,"data-mce-highlighted")));n.length&&e.undoManager.transact((()=>{h.each(n,(n=>{var a;h.each(t.select("br",n),(n=>{t.replace(e.getDoc().createTextNode("\n"),n)})),n.innerHTML=t.encode(null!==(a=n.textContent)&&void 0!==a?a:""),u(e).highlightElement(n),t.setAttrib(n,"data-mce-highlighted",!0),n.className=p(n.className)}))}))})),e.on("PreInit",(()=>{e.parser.addNodeFilter("pre",(e=>{var t;for(let n=0,a=e.length;n{const t=()=>e.execCommand("codesample");e.ui.registry.addToggleButton("codesample",{icon:"code-sample",tooltip:"Insert/edit code sample",onAction:t,onSetup:t=>{const n=()=>{t.setActive((e=>{const t=e.selection.getStart();return e.dom.is(t,'pre[class*="language-"]')})(e))};return e.on("NodeChange",n),()=>e.off("NodeChange",n)}}),e.ui.registry.addMenuItem("codesample",{text:"Code sample...",icon:"code-sample",onAction:t})})(e),(e=>{e.addCommand("codesample",(()=>{const t=e.selection.getNode();e.selection.isCollapsed()||c(t)?g(e):e.formatter.toggle("code")}))})(e),e.on("dblclick",(t=>{c(t.target)&&g(e)}))}))}(); \ No newline at end of file +!function(){"use strict";var e=tinymce.util.Tools.resolve("tinymce.PluginManager");const t=e=>!(e=>null==e)(e),n=()=>{};class a{constructor(e,t){this.tag=e,this.value=t}static some(e){return new a(!0,e)}static none(){return a.singletonNone}fold(e,t){return this.tag?t(this.value):e()}isSome(){return this.tag}isNone(){return!this.tag}map(e){return this.tag?a.some(e(this.value)):a.none()}bind(e){return this.tag?e(this.value):a.none()}exists(e){return this.tag&&e(this.value)}forall(e){return!this.tag||e(this.value)}filter(e){return!this.tag||e(this.value)?this:a.none()}getOr(e){return this.tag?this.value:e}or(e){return this.tag?this:e}getOrThunk(e){return this.tag?this.value:e()}orThunk(e){return this.tag?this:e()}getOrDie(e){if(this.tag)return this.value;throw new Error(null!=e?e:"Called getOrDie on None")}static from(e){return t(e)?a.some(e):a.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(e){this.tag&&e(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}a.singletonNone=new a(!1);var s=tinymce.util.Tools.resolve("tinymce.dom.DOMUtils");const r="undefined"!=typeof window?window:Function("return this;")(),i=function(e,t,n){const a=window.Prism;window.Prism={manual:!0};var s=function(e){var t=/(?:^|\s)lang(?:uage)?-([\w-]+)(?=\s|$)/i,n=0,a={},s={manual:e.Prism&&e.Prism.manual,disableWorkerMessageHandler:e.Prism&&e.Prism.disableWorkerMessageHandler,util:{encode:function e(t){return t instanceof r?new r(t.type,e(t.content),t.alias):Array.isArray(t)?t.map(e):t.replace(/&/g,"&").replace(/=d.reach);x+=_.value.length,_=_.next){var F=_.value;if(t.length>e.length)return;if(!(F instanceof r)){var A,S=1;if(y){if(!(A=i(v,x,e,m))||A.index>=e.length)break;var $=A.index,z=A.index+A[0].length,E=x;for(E+=_.value.length;$>=E;)E+=(_=_.next).value.length;if(x=E-=_.value.length,_.value instanceof r)continue;for(var C=_;C!==t.tail&&(E
'+n+"");const s=a.select("#__new")[0];a.setAttrib(s,"id",null),e.selection.select(s)}),(s=>{a.setAttrib(s,"class","language-"+t),s.innerHTML=n,c(e).highlightElement(s),e.selection.select(s)}))}))})(e,n.language,n.code),t.close()}})},b=(h=/^\s+|\s+$/g,e=>e.replace(h,""));var h,f=tinymce.util.Tools.resolve("tinymce.util.Tools");const m=(e,t=n)=>n=>{const a=()=>{n.setEnabled(e.selection.isEditable()),t(n)};return e.on("NodeChange",a),a(),()=>{e.off("NodeChange",a)}};e.add("codesample",(e=>{(e=>{const t=e.options.register;t("codesample_languages",{processor:"object[]"}),t("codesample_global_prismjs",{processor:"boolean",default:!1})})(e),(e=>{e.on("PreProcess",(t=>{const n=e.dom,a=n.select("pre[contenteditable=false]",t.node);f.each(f.grep(a,d),(e=>{const t=e.textContent;let a;for(n.setAttrib(e,"class",b(n.getAttrib(e,"class"))),n.setAttrib(e,"contentEditable",null),n.setAttrib(e,"data-mce-highlighted",null);a=e.firstChild;)e.removeChild(a);n.add(e,"code").textContent=t}))})),e.on("SetContent",(()=>{const t=e.dom,n=f.grep(t.select("pre"),(e=>d(e)&&"true"!==t.getAttrib(e,"data-mce-highlighted")));n.length&&e.undoManager.transact((()=>{f.each(n,(n=>{var a;f.each(t.select("br",n),(n=>{t.replace(e.getDoc().createTextNode("\n"),n)})),n.innerHTML=t.encode(null!==(a=n.textContent)&&void 0!==a?a:""),c(e).highlightElement(n),t.setAttrib(n,"data-mce-highlighted",!0),n.className=b(n.className)}))}))})),e.on("PreInit",(()=>{e.parser.addNodeFilter("pre",(e=>{var t;for(let n=0,a=e.length;n{const t=()=>e.execCommand("codesample");e.ui.registry.addToggleButton("codesample",{icon:"code-sample",tooltip:"Insert/edit code sample",onAction:t,onSetup:m(e,(t=>{t.setActive((e=>{const t=e.selection.getStart();return e.dom.is(t,'pre[class*="language-"]')})(e))}))}),e.ui.registry.addMenuItem("codesample",{text:"Code sample...",icon:"code-sample",onAction:t,onSetup:m(e)})})(e),(e=>{e.addCommand("codesample",(()=>{const t=e.selection.getNode();e.selection.isCollapsed()||d(t)?p(e):e.formatter.toggle("code")}))})(e),e.on("dblclick",(t=>{d(t.target)&&p(e)}))}))}(); \ No newline at end of file diff --git a/public/libs/tinymce/plugins/directionality/plugin.min.js b/public/libs/tinymce/plugins/directionality/plugin.min.js index 4e7f8906f..19dee3a51 100644 --- a/public/libs/tinymce/plugins/directionality/plugin.min.js +++ b/public/libs/tinymce/plugins/directionality/plugin.min.js @@ -1,4 +1,4 @@ /** - * TinyMCE version 6.3.1 (2022-12-06) + * TinyMCE version 6.5.1 (2023-06-19) */ -!function(){"use strict";var t=tinymce.util.Tools.resolve("tinymce.PluginManager");const e=t=>e=>typeof e===t,o=t=>"string"===(t=>{const e=typeof t;return null===t?"null":"object"===e&&Array.isArray(t)?"array":"object"===e&&(o=r=t,(n=String).prototype.isPrototypeOf(o)||(null===(i=r.constructor)||void 0===i?void 0:i.name)===n.name)?"string":e;var o,r,n,i})(t),r=e("boolean"),n=t=>!(t=>null==t)(t),i=e("function"),s=e("number"),l=(!1,()=>false);class a{constructor(t,e){this.tag=t,this.value=e}static some(t){return new a(!0,t)}static none(){return a.singletonNone}fold(t,e){return this.tag?e(this.value):t()}isSome(){return this.tag}isNone(){return!this.tag}map(t){return this.tag?a.some(t(this.value)):a.none()}bind(t){return this.tag?t(this.value):a.none()}exists(t){return this.tag&&t(this.value)}forall(t){return!this.tag||t(this.value)}filter(t){return!this.tag||t(this.value)?this:a.none()}getOr(t){return this.tag?this.value:t}or(t){return this.tag?this:t}getOrThunk(t){return this.tag?this.value:t()}orThunk(t){return this.tag?this:t()}getOrDie(t){if(this.tag)return this.value;throw new Error(null!=t?t:"Called getOrDie on None")}static from(t){return n(t)?a.some(t):a.none()}getOrNull(){return this.tag?this.value:null}getOrUndefined(){return this.value}each(t){this.tag&&t(this.value)}toArray(){return this.tag?[this.value]:[]}toString(){return this.tag?`some(${this.value})`:"none()"}}a.singletonNone=new a(!1);const u=(t,e)=>{for(let o=0,r=t.length;o
"+x.translate(["Plugins installed ({0}):",r])+"
'+x.translate("Premium plugins:")+"
The sections of the outer UI of the editor - the menubar, toolbar, sidebar and footer - are all keyboard navigable. As such, there are multiple ways to activate keyboard navigation:
\nFocusing the menubar or toolbar will start keyboard navigation at the first item in the menubar or toolbar, which will be highlighted with a gray background. Focusing the footer will start keyboard navigation at the first item in the element path, which will be highlighted with an underline.
\n\nWhen keyboard navigation is active, pressing tab will move the focus to the next major section of the UI, where applicable. These sections are:
\nPressing shift + tab will move backwards through the same sections, except when moving from the footer to the toolbar. Focusing the element path then pressing shift + tab will move focus to the first toolbar group, not the last.
\n\nKeyboard navigation within UI sections can usually be achieved using the left and right arrow keys. This includes:
\nIn all these UI sections, keyboard navigation will cycle within the section. For example, focusing the last button in a toolbar group then pressing right arrow will move focus to the first item in the same toolbar group.
\n\nTo execute a button, navigate the selection to the desired button and hit space or enter.
\n\nWhen focusing a menubar button or a toolbar button with a menu, pressing space, enter or down arrow will open the menu. When the menu opens the first item will be selected. To move up or down the menu, press the up or down arrow key respectively. This is the same for submenus, which can also be opened and closed using the left and right arrow keys.
\n\nTo close any active menu, hit the escape key. When a menu is closed the selection will be restored to its previous selection. This also works for closing submenus.
\n\nTo focus an open context toolbar such as the table context toolbar, press Ctrl + F9 (Windows) or ⌃F9 (MacOS).
\n\nContext toolbar navigation is the same as toolbar navigation, and context menu navigation is the same as standard menu navigation.
\n\nThere are two types of dialog UIs in TinyMCE: tabbed dialogs and non-tabbed dialogs.
\n\nWhen a non-tabbed dialog is opened, the first interactive component in the dialog will be focused. Users can navigate between interactive components by pressing tab. This includes any footer buttons. Navigation will cycle back to the first dialog component if tab is pressed while focusing the last component in the dialog. Pressing shift + tab will navigate backwards.
\n\nWhen a tabbed dialog is opened, the first button in the tab menu is focused. Pressing tab will navigate to the first interactive component in that tab, and will cycle through the tab\u2019s components, the footer buttons, then back to the tab button. To switch to another tab, focus the tab button for the current tab, then use the arrow keys to cycle through the tab buttons.
"}]},s=C(e),l=(()=>{var e,t;const n='TinyMCE '+(e=M.majorVersion,t=M.minorVersion,(0===e.indexOf("@")?"X.X.X":e+"."+t)+"");return{name:"versions",title:"Version",items:[{type:"htmlpanel",html:""+x.translate(["You are using {0}",n])+"
",presets:"document"}]}})(),c={[a.name]:a,[i.name]:i,[s.name]:s,[l.name]:l,...t.get()};return u.from(o(e)).fold((()=>(e=>{const t=y(e),n=t.indexOf("versions");return-1!==n&&(t.splice(n,1),t.push("versions")),{tabs:e,names:t}})(c)),(e=>((e,t)=>{const a={},o=p(e,(e=>{var o;if(r(e))return k(t,e)&&(a[e]=t[e]),e;{const t=null!==(o=e.name)&&void 0!==o?o:n("tab-name");return a[t]=e,t}}));return{tabs:a,names:o}})(e,c)))})(e,t),s={type:"tabpanel",tabs:(e=>{const t=[],n=e=>{t.push(e)};for(let t=0;t"+f.translate(["Plugins installed ({0}):",i])+"
'+f.translate("Premium plugins:")+"
"+f.translate(["You are using {0}",n])+"
",presets:"document"}]}})(),u={[o.name]:o,[s.name]:s,[c.name]:c,[l.name]:l,...t.get()};return m.from(r(e)).fold((()=>(e=>{const t=g(e),n=t.indexOf("versions");return-1!==n&&(t.splice(n,1),t.push("versions")),{tabs:e,names:t}})(u)),(e=>((e,t)=>{const a={},r=y(e,(e=>{var r;if(i(e))return v(t,e)&&(a[e]=t[e]),e;{const t=null!==(r=e.name)&&void 0!==r?r:n("tab-name");return a[t]=e,t}}));return{tabs:a,names:r}})(e,u)))})(e,t,a).then((({tabs:t,names:n})=>{const a={type:"tabpanel",tabs:(e=>{const t=[],n=e=>{t.push(e)};for(let t=0;t